-   Українською
-   In English
Feed aggregator
PhotonDelta launches engineering contest to drive photonic chip applications
❤️ НАЗК запускає проєкт стажування ветеранів та ветеранок
💡 Це можливість ознайомитися з специфікою роботи Агентства «зсередини». Якщо вас цікавить сфера запобігання корупції і ви прагнете пов’язати кар’єру з цим напрямком, ми пропонуємо стажування. Найвмотивованіші учасники зможуть працевлаштуватися та зробити свій внесок в розбудову доброчесності.
Latest issue of Semiconductor Today now available
Implementing enhanced wear-leveling on standalone EEPROM
Longer useful life and improved reliability of products is becoming a more desirable trait. Consumers expect higher quality and more reliable electronics, appliances, and other devices on a tighter budget. Many of these applications include embedded electronics which contain on-board memory like Flash or EEPROM. As system designers know, Flash and EEPROM do not have unlimited erase/write endurance, but even so, these memories are necessary for storing data during operation and when the system is powered off. Therefore, it has become common to use wear-reduction techniques which can greatly increase embedded memory longevity. One common method of wear-reduction is called wear-leveling.
Wear-levelingWhen using EEPROM in a design, it’s crucial to consider its endurance, typically rated at 100,000 cycles for MCU-embedded EEPROM and 1 million cycles for standalone EEPROM at room temperature. Designers must account for this by estimating the number of erase/write cycles over the typical lifetime of the application (sometimes called the mission profile) to determine what size of an EEPROM they need and how to allocate data within the memory.
For instance, in a commercial water metering system with four sensors for different areas of a building, each sensor generates a data packet per usage session, recording water volume, session duration, and timestamps. The data packets stored in the EEPROM are appended with updated data each time a new session occurs until the packet becomes full. Data is stored in the EEPROM until a central server requests a data pull. The system is designed to pull data frequently enough to avoid overwriting existing data within each packet. Assuming a 10-year application lifespan and an average of 400 daily packets per sensor, the total cycles per sensor will reach 1.46 million, surpassing the typical EEPROM endurance rating. To address this, you can create a software routine to spread wear out across the additional blocks (assuming you have excess space). This is called wear-leveling.
So, how is this implemented?
To implement wear-leveling for this application, you can purchase an EEPROM twice as large, allowing you to now allocate 2 blocks for each sensor (for a total of 2 million available cycles per sensor). This provides a buffer of additional cycles if needed (an extra 540 thousand cycles for each sensor in this example).
You will then need some way to know where to write new data to spread the wear. While you could write each block to its 1-million-cycle-limit before proceeding to the next, this approach may lead to premature wear if some sensors generate more data than others. If you spread the wear evenly across the EEPROM, the overall application will last longer. Figure 1 illustrates the example explained above, with four water meters sending data packets (in purple) back to the MCU across the communication bus. The data is stored in blocks within the EEPROM. Each block has a counter in the top left indicating the number of erase-write cycles it has experienced.
Figure 1 Commercial water metering, data packets being stored on EEPROM, EEPROM has twice as much space as required. Source: Microchip Technology
There are two major types of wear-leveling: dynamic and static. Dynamic is more basic and is best for spreading wear over a small space in the EEPROM. It will spread wear over the memory blocks whose data changes most often. It is easier to implement and requires less overhead but can result in uneven wear, which may be problematic as illustrated in Figure 2.
Figure 2 Dynamic wear-leveling will spread wear over the memory blocks whose data changes most often leading to a failure to spread wear evenly. Source: Microchip Technology
Static wear-leveling spreads wear over the entire EEPROM, extending the life of the entire device. It is recommended if the application can use the entire memory as storage (e.g., if you do not need some of the space to store vital, unchanging data) and will produce the highest endurance for the life of the application. However, it is more complex to implement and requires more CPU overhead.
Wear-leveling requires monitoring each memory block’s erase/write cycles and its allocation status, which can itself cause wear in non-volatile memory (NVM). There are many clever ways to handle this, but to keep things simple, let’s assume you store this information in your MCU’s RAM, which does not wear out. RAM loses data on power loss, so you will need to design a circuit around your MCU to detect the beginnings of power loss so that you will have time to transfer current register states to NVM.
The software approach to wear-levelingIn a software approach to wear-leveling, the general idea is to create an algorithm that directs the next write to the block with the least number of writes to spread the wear. In static wear-leveling, each write stores data in the least-used location that is not currently allocated for anything else. It also will swap data to a new, unused location if the number of cycles between the most-used and least-used block is too large. The number of cycles each block has been through is tracked with a counter, and when the counter reaches the maximum endurance rating, that block is assumed to have reached its expected lifetime and is retired.
Wear-leveling is an effective method for reducing wear and improving reliability. As seen in Figure 3, it allows the entire EEPROM to reach its maximum specified endurance rating as per the datasheet. Even so, there are a few possibilities for improvement. The erase/write count of each block does not represent the actual physical health of the memory but rather a rough indicator of the remaining life of that block. This means the application will not detect failures that occur before the count reaches its maximum allowable value. The application also cannot make use of 100% of the true life of each memory block.
Figure 3 Wear-leveling extending the life of EEPROM in application, including blocks of memory that have been retired (Red ‘X’s). Source: Microchip Technology
Because there is no way to detect physical wear out, the software will need additional checks if high reliability is required. One method is to read back the block you just wrote and compare it to the original data. This requires time on the bus, CPU overhead, and additional RAM. To detect early life failures, this readback must occur for every write, at least for some amount of time after the lifetime of the application begins. Readbacks to detect cell wear out type failures must occur every write once the number of writes begins to approach the endurance specification. Any time a readback does not occur, the user will not be able to detect any wear out and, hence, corrupted data may be used. The following software flowchart illustrates an example of static wear-leveling, including the readback and comparison necessary to ensure high-reliability.
Figure 4 Software flowchart illustrating static wear-leveling, including readbacks and comparisons of memory to ensure high-reliability. Source: Microchip Technology
The need to readback and compare the memory after each write can create severe limitations in performance and use of system resources. There exist some solutions to this in the market. For example, some EEPROMs include error correction, which can typically correct a single bit error out of every specified number of bytes (e.g., 4 bytes). There are different error correction schemes used in embedded memory, the most common being Hamming codes. Error correction works by including additional bits called parity bits which are calculated from the data stored in the memory. When data is read back, the internal circuit recalculates the parity bits and compares them to the parity bits that were stored. If there is a discrepancy, this indicates that an error has occurred. The pattern of the parity discrepancy can be used to pinpoint the exact location of the error. The system can then automatically correct this single bit error by flipping its value, thus restoring the integrity of the data. This helps extend the life of a memory block. However, many EEPROMs don’t give any indication that this correction operation took place. Therefore, it still doesn’t solve the problem of detecting a failure before the data is lost.
A data-driven solution to wear-leveling softwareTo detect true physical wear out, certain EEPROMs include a bit flag which can be read when a single-bit error in a block has been detected and corrected. This allows you to readback and check a single status register to see if ECC was invoked during the last operation. This reduces the need for readbacks of entire memory blocks to double-check results (Figure 5). When an error is determined to have occurred within the block, you can assume the block is degraded and can no longer be used, and then retire it. Because of this, you can rely on data-based feedback to know when the memory is actually worn out instead of relying on a blind counter. This essentially eliminates the need for estimating the expected lifetime of memory in your designs. This is great for systems which see vast shifts in their environments over the lifetime of the end application, like dramatic temperature and voltage variations which are common in the manufacturing, automotive and utilities industries. You can now extend the life of the memory cells all the way to true failure, potentially allowing you to use the device even longer than the datasheet endurance specification.
Figure 5 Wear-leveling with an EEPROM with ECC and status bit enables maximization of memory lifespan by running cells to failure, potentially increasing lifespan beyond datasheet endurance specification. Source: Microchip Technology
Microchip Technology, a semiconductor manufacturer with over 30 years of experience producing EEPROM now offers multiple devices which provide a flag to tell the user when error-correction has occurred, in turn alerting the application that a particular block of memory must be retired.
- I2C EEPROMs: 24CSM01 (1 Mbit), 24CS512 (512 Kbit), 24CS256 (256 Kbit)
- SPI EEPROMs: 25CSM04 (4 Mbit), 25CS640 (64 Kbit)
This is a data-driven approach to wear-leveling which can further extend the life of the memory beyond what standard wear-leveling can produce. It is also more reliable than classic wear-leveling because it uses actual data instead of arbitrary counts—if one block lasts longer than another, you can continue using that block until cell wear out. This can reduce time taken on the bus, CPU overhead, and required RAM which in turn can reduce power consumption and overall system performance. As shown in Figure 6, the software flow can be updated to accommodate this new status indicator.
Figure 6 Software flowchart illustrating a simplified static wear-leveling routine using an error correction status indicator. Source: Microchip Technology
As illustrated in the flowchart, using an error correction status (ECS) bit eliminated the need to readback data, store it in RAM, and perform a complete comparison to the data just written, free up resources and creating a conceptually simpler software flow. A data readback is still required (as the status bit is only evaluated on reads), but the data can be ignored and thrown out before simply reading the status bit, eliminating the need for additional RAM and CPU comparison overhead. The number of times the software checks the status bit will vary based on the size of the blocks defined, which in turn depend on the smallest file size the software is handling.
The following are some advantages of the ECS bit:
- Maximize EEPROM block lifespan by running cells to failure
- Option to remove full block reads to check for data corruption, freeing up time on the communication bus
- If wear-leveling is not necessary or too burdensome to the application, the ECS bit serves as a quick check of memory health, facilitating the extension of EEPROM block lifespan and helping to avoid tracking erase/write cycles
Error correction implemented with a status indicator is a powerful tool for enhancing reliability and extending device life, especially when used in a wear-leveling scheme. Any improvements in reliability are highly desired in automotive, medical, and other functional safety type applications, and are welcomed by any designer seeking to create the best possible system for their application.
Eric Moser is a senior product marketing engineer for Microchip Technology Inc. and is responsible for guiding the business strategy and marketing of multiple EEPROM and Real Time Clock product lines. Moser has 8 years of experience at Microchip, spending five years as a test engineer in the 8-bit microcontroller group. Before Microchip, Moser worked as an embedded systems engineer in various roles involving automated testbed development, electronic/mechanical prognostics, and unmanned aerial systems. Moser holds a bachelor’s degree in systems engineering from the University of Arizona.
Related Content
- Fundamentals of solid-state memory technologies in consumer electronics – Part 2: Bit errors, wear & MLC flash
- A look at Microchip’s new dsPIC33A digital signal controller
- Microchip’s acquisition meshes AI content into FPGA fabric
- Fundamentals of I3C interface communication
- Proper IC interconnects for high-speed signaling
The post Implementing enhanced wear-leveling on standalone EEPROM appeared first on EDN.
OMNIVISION Partners with Philips on Industry’s First In-Cabin Driver Health Monitoring Automotive Solution
First-ever demo of connected in-cabin vital signs monitoring will debut at AutoSens Europe, featuring OMNIVISION’s state-of-the-art CMOS image sensor and Philips’ vital signs camerai for automotive software
The post OMNIVISION Partners with Philips on Industry’s First In-Cabin Driver Health Monitoring Automotive Solution appeared first on ELE Times.
Lucid Motors Selects Everspin’s PERSYST MRAM for Gravity Electric SUV
Lucid has integrated Everspin’s MRAM Across Multiple High-Performance EV Models, Strengthening Data Reliability and System Performance
The post Lucid Motors Selects Everspin’s PERSYST MRAM for Gravity Electric SUV appeared first on ELE Times.
STMicroelectronics Announces Timing for Third Quarter 2024 Earnings Release and Conference Call and Capital Markets Day Webcast
STMicroelectronics, a global semiconductor leader serving customers across the spectrum of electronics applications, announced that it will release third quarter 2024 earnings before the opening of trading on the European Stock Exchanges on October 31, 2024.
STMicroelectronics will conduct a conference call with analysts, investors and reporters to discuss its third quarter 2024 financial results and current business outlook on October 31, 2024 at 9:30 a.m. Central European Time (CET) / 3:30 a.m. U.S. Eastern Time (ET).
A live webcast (listen-only mode) of the conference call will be accessible at ST’s website, https://investors.st.com, and will be available for replay until November 15, 2024.
The Company will webcast live its 2024 Capital Markets Day meeting from Paris, France, on Wednesday, November 20, from 9:00 a.m. to 1:15 p.m. Central European Time (CET) / 3:00 a.m. to 7:15 a.m. U.S. Eastern Time (ET).
The post STMicroelectronics Announces Timing for Third Quarter 2024 Earnings Release and Conference Call and Capital Markets Day Webcast appeared first on ELE Times.
Optimizing Storage Controller Chips to Meet Edge AI Demands
As AI technologies advance, they are placing unprecedented demands on personal computing devices and smartphones. These edge devices, which are becoming increasingly untethered from cloud data centers, must handle substantial computing loads, driven by AI models that often contain billions of parameters. With AI integration predicted to skyrocket, storage controller chips are facing growing pressure to deliver optimized performance to keep pace with these evolving workloads.
According to industry forecasts, by 2025 nearly half of all new personal computers will run AI models, including generative AI, locally. This shift is transforming edge computing, enabling devices like PCs and smartphones to process AI tasks without relying on cloud infrastructure. However, this advancement brings with it significant challenges for hardware, particularly in terms of memory, interconnect, and storage.
Key Challenges for Storage in AI-Driven SystemsStorage systems in edge devices must excel in four critical areas to effectively support AI workloads: capacity, power efficiency, data efficiency, and security.
- Capacity:
The massive datasets required by generative AI models demand extensive storage capacity. Applications such as image generation tools or AI-driven content creation software may require gigabytes, if not terabytes, of storage. For example, Microsoft’s Phi-3 language model, despite being compact, has 3.8 billion parameters and requires between 7 and 15 gigabytes of storage. As multiple AI applications coexist on a single device, storage needs will quickly surpass a terabyte.
- Power Efficiency:
While often overlooked, power efficiency is critical for edge devices, particularly mobile platforms where battery life is a priority. Storage components contribute significantly to power consumption, accounting for about 10% of a laptop’s power usage and roughly 5% in smartphones. As AI models and workloads expand, power-efficient storage solutions are essential to maintain extended operating hours without compromising performance.
- Data Efficiency:
Efficient use of storage space not only improves performance but also impacts access latency and the longevity of NAND flash storage. Storage controllers must manage how data is placed and retrieved from NAND flash to minimize latency and optimize flash endurance. Techniques like zoned namespaces (ZNS) and flexible data placement (FDP) can help ensure that data is stored in a way that optimizes both power and data efficiency, which is crucial for AI applications.
- Security:
As AI models often represent years of research and development, their parameter files are highly valuable and must be protected. Developers require robust security protocols to safeguard these files from tampering or theft. Additionally, with more data processing occurring locally rather than in the cloud, users are increasingly storing sensitive personal information on their devices, further heightening the need for secure storage systems.
Designing Storage Controllers for AI at the EdgeTo meet these evolving demands, storage controllers must be specifically designed to handle the unique requirements of AI workloads on edge devices. A new generation of storage controllers is now available, optimized for AI-ready PCs and smartphones, each offering performance and efficiency enhancements tailored to their respective platforms.
Case Study: AI-Ready PCsFor AI-enabled personal computers, raw storage performance and capacity are critical to support large AI models and multitasking environments. One example is Silicon Motion’s SM2508 controller, designed for high-performance AI workloads in PCs. The SM2508 controller features four PCIe Gen5 lanes for data transfer to the host and eight NAND channels, enabling sequential read speeds of up to 14.5 Gbytes per second. This high throughput ensures smooth operation even with complex, multi-tasking AI applications.
In addition to speed, the SM2508 can manage up to 8 terabytes of NAND flash, providing ample capacity for AI workloads that rely on vast amounts of data. To support this, system designers are leveraging the latest quad-level-cell (QLC) 3D NAND flash, which allows for dense storage. However, QLC chips are prone to unique error patterns as they age, requiring advanced error-correction algorithms to maintain reliability. Silicon Motion has developed a machine-learning-based error correction code (ECC) that adapts to these patterns over time, reducing latency and extending the lifespan of the storage system.
Power Efficiency and Data ManagementPower efficiency is also a significant concern in AI-ready PCs, especially given the intense computational loads AI models impose. The SM2508 controller is manufactured using TSMC’s 6 nm process, which allows for more efficient power management compared to previous generations built on 12 nm technology. By organizing the functional blocks within the chip and incorporating sophisticated power management features, Silicon Motion has managed to reduce power consumption by half.
Data management plays a crucial role in both power efficiency and overall performance. By optimizing how data is placed and managed within NAND flash, the SM2508 controller can reduce power usage by up to 70% compared to competing solutions. These enhancements ensure that AI workloads can run efficiently without draining battery life or reducing system performance.
Security for AI-Driven PCsSecurity is another essential pillar for AI-based systems. The SM2508 controller features a tamper-resistant design and uses a secure boot process to authenticate firmware, ensuring that the system remains protected from unauthorized access. The controller also complies with Opal full-disk encryption standards and supports AES 128/256 and SHA 256/384 encryption, securing data without compromising performance.
Case Study: AI-Enabled SmartphonesWhile the requirements for AI smartphones are similar to those of AI PCs—capacity, power efficiency, data efficiency, and security—mobile devices face additional constraints in size, weight, and battery life. For this market, Silicon Motion has developed the SM2756 controller, optimized for the mobile-optimized Universal Flash Storage (UFS) 4 specification.
UFS 4 offers significant performance improvements over UFS 3.1, and the SM2756 controller takes full advantage of these enhancements. With a 2-lane HS-Gear-5 interface and MPHY 5.0 technology, the controller achieves sequential read speeds of up to 4.3 Gbytes per second, allowing smartphones to load multi-billion-parameter AI models in under half a second. This fast-loading capability is crucial for AI applications to provide a seamless user experience.
To meet the capacity requirements of AI smartphones, the SM2756 controller supports tri-level and QLC 3D flash, managing up to 2 terabytes of storage. Power efficiency is another critical aspect, with the SM2756 achieving nearly 60% power savings when loading large AI parameter files compared to UFS 3 controllers.
Like its counterpart for PCs, the SM2756 leverages sophisticated firmware algorithms to optimize data placement and improve performance. Additionally, it includes anti-hacking measures to prevent unauthorized access during boot-up, ensuring data integrity and security on mobile devices.
ConclusionAs AI continues to evolve, pushing more workloads to edge devices like PCs and smartphones, the demands on storage systems will only intensify. Storage controller chips will play a pivotal role in ensuring that devices can handle the performance, capacity, power efficiency, and security requirements necessary to support AI applications. By developing controllers like the SM2508 and SM2756, Silicon Motion is paving the way for a new generation of AI-enabled devices, equipped to meet the challenges of the edge AI revolution.
Citations from Silicon Motion
The post Optimizing Storage Controller Chips to Meet Edge AI Demands appeared first on ELE Times.
The Role of Wide-Bandgap Semiconductors in Powering the Future of Software-Defined Vehicles
The automotive industry is undergoing a profound transformation, shifting from mechanical-driven vehicles to software-defined vehicles (SDVs). This transition is not just about enhancing features but also about creating platforms that can adapt and evolve. SDVs are capable of upgrading their functionalities via over-the-air updates, thanks to the increased reliance on software for managing many critical vehicle systems. A cornerstone of this shift is the incorporation of advanced semiconductor technologies, particularly wide-bandgap (WBG) semiconductors such as silicon carbide (SiC) and gallium nitride (GaN). These materials offer superior performance compared to traditional silicon-based components, making them pivotal in supporting the next generation of electric and autonomous vehicles.
Wide-Bandgap Semiconductors: An OverviewWBG semiconductors, primarily represented by SiC and GaN, are becoming essential in automotive innovation due to their exceptional electrical and thermal properties. What sets these semiconductors apart is their ability to operate at significantly higher voltages, temperatures, and frequencies than conventional silicon-based components. This is possible because of their larger bandgaps—SiC has a bandgap of 3.3 eV and GaN about 3.4 eV, which is much wider than silicon’s 1.1 eV bandgap. The wider bandgap allows these semiconductors to handle higher electric fields, dissipate heat more efficiently, and reduce energy losses, making them ideal for high-performance applications.
In automotive systems, these characteristics translate into several key advantages. WBG semiconductors enable higher electrical efficiency, reduce the size of cooling systems, and increase the reliability of power electronics—all of which are critical as vehicles become more electrified and software-defined. Moreover, these semiconductors’ ability to function in extreme conditions makes them well-suited for next-generation automotive platforms.
Automotive Applications of WBG SemiconductorsThe adoption of SiC and GaN in vehicles is revolutionizing various key systems, including power electronics, electric drivetrains, and charging infrastructure. WBG semiconductors are already playing a central role in enhancing electric vehicles’ performance, efficiency, and longevity (EVs).
- Power Electronics: WBG semiconductors are increasingly being utilized in inverters, which are essential components in EVs. Inverters transform the direct current (DC) from the battery into alternating current (AC), which is necessary to drive the electric motor. SiC and GaN components enable inverters to operate at higher voltages and temperatures, significantly improving power conversion efficiency. This not only leads to better energy utilization but also extends the range of EVs by reducing energy losses.
- Electric Drivetrains: The use of SiC in drivetrain systems allows EVs to handle higher power loads with greater efficiency. SiC components can manage faster switching speeds and higher temperatures, which enhances the overall performance of the electric motor. This means that vehicles can achieve better acceleration, longer driving ranges, and increased battery life—all critical for the next generation of electric vehicles.
- Charging Systems: Fast charging has become a major focus area for EVs, and WBG semiconductors are enabling significant advancements in this space. SiC and GaN components allow for faster switching speeds in power electronics, which supports ultra-fast charging stations. These components can handle higher voltages and currents without overheating, allowing vehicles to recharge in a fraction of the time required by traditional charging systems. This is a game-changer for EV owners, as it addresses one of the major pain points—long charging times.
The integration of WBG semiconductors into EV systems fundamentally improves several key performance metrics, including vehicle efficiency, charging capabilities, and component longevity. These enhancements are critical as automakers strive to make EVs more appealing to mainstream consumers.
- Improved Electrical Efficiency: SiC and GaN semiconductors have lower electrical losses compared to traditional silicon components. In power electronics systems, such as inverters, this means that less energy is lost as heat during the conversion of electricity from the battery to the motor. Studies show that SiC inverters can improve efficiency by up to 3%, which translates into more of the battery’s energy being used for propulsion rather than being wasted. This improvement plays a direct role in extending the range of EVs.
- Extended EV Range: As WBG semiconductors improve the efficiency of critical systems like inverters and drivetrains, they also directly impact the vehicle’s range. Vehicles using SiC and GaN components can travel longer distances on a single charge, a feature that helps alleviate “range anxiety”—a common concern among potential EV buyers. The increased efficiency means that EVs can compete more effectively with traditional internal combustion engine vehicles in terms of range.
- Faster Charging Times: The use of WBG semiconductors in charging systems not only allows for faster charging speeds but also supports the development of higher-powered charging stations. SiC and GaN’s ability to operate at higher voltages and currents without overheating means that EVs can charge to 80% capacity in as little as 20 minutes. This reduction in downtime makes EVs more practical for long-distance travel and enhances their overall convenience.
- Longer Component Lifespan: WBG semiconductors are more durable and capable of withstanding extreme temperatures and voltages, which makes them less prone to degradation over time. This resilience leads to longer lifespans for critical components like inverters and chargers, reducing maintenance costs and increasing the overall lifecycle of the vehicle. For manufacturers, this means fewer warranty claims, while for consumers, it means lower repair costs over the vehicle’s lifetime.
Despite their many advantages, the adoption of WBG semiconductors in the automotive industry faces some challenges. One of the most significant is the cost. SiC and GaN materials are considerably more expensive than traditional silicon, and their production involves complex fabrication techniques. As a result, vehicles equipped with WBG components may have higher upfront costs, potentially limiting their market penetration in the short term.
Another challenge is the integration of these advanced materials into existing vehicle architectures. Automotive standards are stringent, and new technologies must undergo rigorous validation to ensure they can perform reliably under diverse and often harsh conditions. The need for extensive testing and validation may slow down the adoption of WBG semiconductors in mass-market vehicles.
The Road Ahead: Future Trends in WBG TechnologyLooking forward, ongoing research and development in WBG semiconductor technology aim to overcome these challenges and further enhance their performance. Researchers are exploring ways to improve the efficiency and durability of SiC and GaN components while reducing production costs. Additionally, advancements in material science could lead to the development of new composite materials that combine the best properties of WBG semiconductors with other elements.
As WBG technology matures, it is expected to have a profound impact on vehicle design and functionality. The enhanced power-handling capabilities of SiC and GaN could lead to more compact and efficient vehicle architectures, freeing up space for other innovations. Furthermore, these technologies will play a key role in enabling more advanced software-defined features, such as autonomous driving systems and adaptive performance tuning.
ConclusionWide-bandgap semiconductors represent a critical enabler for the future of software-defined vehicles. Their superior electrical and thermal properties position them as indispensable components in next-generation EVs, offering enhanced efficiency, faster charging, and greater durability. However, realizing their full potential will require continued research, collaboration between automakers and semiconductor manufacturers, and innovations that address cost and integration challenges. As these obstacles are overcome, WBG semiconductors will play a transformative role in shaping the future of the automotive industry, driving more sustainable, efficient, and intelligent transportation solutions.
Citations from an article by Infineon Technologies
The post The Role of Wide-Bandgap Semiconductors in Powering the Future of Software-Defined Vehicles appeared first on ELE Times.
STMicroelectronics showcases Sustainable and Innovative Technologies at electronica India 2024
Driving Innovation in Efficiency, Precision, and AI-Enabled Solutions
STMicroelectronics has introduced a series of cutting-edge innovations, empowering developers in motor control, edge AI, sensor fusion, human presence detection, and ultra-low-power radio solutions. These advancements are set to transform industries like home appliances, industrial automation, robotics, and smart sensing, reinforcing ST’s leadership in embedded technologies.
Rashi Bajpai, Sub-Editor at ELE Times, engaged with ST’s leadership during electronica India 2024 to explore emerging technologies.
- Motor Control + Edge AI for Washing Machines by Mohammed Zeya WASE
ST’s all-in-one kit solution for washing machine and motor-driving developers combines Motor Control FOC Sensorless technology with Nano Edge AI to significantly boost energy and water efficiency. With precise cloth weight measurement (accuracy of 100g) and double-digit improvements in energy consumption, the integration of ST’s SLLIMM IPM ensures superior motor performance.
Additionally, developers can create advanced user interfaces using the TouchGFX graphical framework, allowing for swift deployment of interactive washing machine designs. This solution marks a major leap forward in the creation of eco-friendly, intelligent home appliances.
- ST MEMS Sensor with Orientation Tracking by Hong Shao Chen
ST’s new generation of Inertial Measurement Units (IMUs) featuring built-in sensor fusion algorithms allow for real-time orientation tracking of robotic and vehicle applications. The sensor fusion processes data from the accelerometer, gyroscope, and magnetometer (optional) to deliver quaternion output, tracking an object’s orientation in 3D space.
This feature is available through the STM32 MotionFX API or directly within ST’s IMUs, such as the LSM6DSV family for consumer applications and the ISM330BX for industrial use cases. By embedding these algorithms directly into the sensors, developers can accelerate their innovation in robotics, drones, and other motion-sensitive applications.
- ST BrightSense – Imaging sensors for computer vision by Vincent Lin
ST BrightSense portfolio leverages cutting-edge pixel technologies to offer a tiny form factor and ultra-low power consumption. Combining global shutter, 3D stacking, backside interface (BSI), and capacitive deep trench isolation (CDTI) technologies, ST BrightSense camera sensors provide superior image quality for smart, accurate, and reactive camera-based systems. Their rich set of on-chip features allows faster and more efficient processing to support the next generation of smart devices.
- STM32WL33 with ULP Wake Up Radio by Pradyumna Kumar JENA
The STM32WL33 delivers an ultra-low-power Sub-GHz System-on-Chip (SoC) with integrated radio capabilities, optimized for IoT and industrial applications. One of its standout features is its ULP Wake Up Radio, which consumes just 4.2µA in always-on mode, allowing remote activation of devices with minimal power consumption.
Boasting 20 dBm transmission power and internal PA, this SoC is built for energy-efficient operation, with a receiving current of 5.6 mA and a transmission current of 10mA at 10 dBm. Available for evaluation via the NUCLEO-WL33CC1 board, this solution opens the door for ultra-low-power IoT devices that can remain on standby without draining energy resources.
Conclusion:STMicroelectronics continues to push the boundaries of innovation, providing developers with cutting-edge tools for creating smarter, more efficient, and highly integrated products. From washing machines to industrial sensors, these new solutions underscore ST’s commitment to energy efficiency, advanced functionality, and seamless integration for next-gen applications for a sustainable future.
The post STMicroelectronics showcases Sustainable and Innovative Technologies at electronica India 2024 appeared first on ELE Times.
QPT wins APC project grant to develop high-frequency GaN inverter demonstrator for automotive
Keysight unveils 3kV high-voltage wafer test system for power semiconductors
Excuse me?
AI isn’t ready for prime time yet i guess… [link] [comments] |
🧑🏻🎤 Набір учасників на Конкурс талантів «КПІ АРТ 2024»
🧑🏻🎤 Конкурс талантів «КПІ АРТ 2024»: розпочато набір учасників!
Lynred acquires SWIR imaging provider New Imaging Technologies
NUBURU secures strategic $65m funding program to accelerate commercialization
Благодійний чемпіонат з футболу в КПІ ім. Ігоря Сікорського
Спортсмени й глядачі, аматори, професіонали й уболівальники — усі поціновувачі футболу зібралися на території Центру фізичного виховання та спорту «Політехнік», щоб визначити найкращу футбольну команду Солом’янського району міста Києва.
Improved PRTD circuit is product of EDN DI teamwork
Recently I published a simple platinum resistance temperature detector (PRTD) design idea that was largely inspired by a deviously clever earlier DI by Nick Cornford.
Remarkable and consistently constructive critical commentary of my design immediately followed.
Reader Konstantin Kim suggested that an AP4310A dual op-amp + voltage reference might be a superior substitute for the single amplifier and separate reference I was using. It had the double advantages of lowering both parts count and cost.
Meanwhile VCF pointed out that >0.1oC self-heating error is likely to result from the multi-milliamp excitation necessary for 1 mV/oC PRTD output from a passive bridge design. He suggested active output amplification because of the lower excitation it would make possible. This would make for better accuracy, particularly when measuring temperatures of still air.
Wow the engineering world with your unique design: Design Ideas Submission Guide
Figure 1 shows the outcome of some serious consideration and quiet contemplation of those, as they turned out to be, terrific ideas.
Figure 1 Nonlinearity is cancelled by positive feedback to PRTD constant excitation current feedback loop via R8. A2’s 10x gain allows reduced excitation that cuts self-heating error by 100x.
A1’s built-in 2.5-V precision reference combines with the attached amplifier to form a constant-current excitation feedback loop (more on this to follow). Follow-on amplification allows a tenfold excitation reduction from ~2.5 mA to 250 µA with an associated hundredfold reduction in self-heating from ~1 mW to ~10 µW and a proportionate reduction in the associated measurement error.
The sixfold improvement in expected battery life from the reduced current consumption is nice, too.
The resulting 100 µV/oC PRTD signal is boosted by A2 to the original multimeter-readout compatible 1 mV/oC. R1 provides a 0oC bridge null adjustment, while R2 calibrates gain at 100oC. Nick’s DI includes a nifty calibration writeup that should work as well here as in his original.
Admittedly the 4310’s general-purpose-grade specifications like its 500-µV typical input offset (equivalent if uncompensated to a 5oC error) might seem to disqualify it for a precision application like this. But when you adjust R1 to null the bridge, you’re simultaneously nulling A2. So, it’s good enough after all.
An unexpected bonus benefit of the dual-amplifier topology was the easy implementation of a second-order Callendar-Van Dusen nonlinearity correction. Positive feedback via R8 to the excitation loop increases bias by 150 ppm/oC. That’s all that’s needed to linearize the 0 oC to 100oC response to better than +/-0.1oC.
So, cheaper, simpler, superior power efficiency, and more accurate. Cool! Thanks for the suggestions, guys!
Stephen Woodward’s relationship with EDN’s DI column goes back quite a long way. Over 100 submissions have been accepted since his first contribution back in 1974.
Related Content
- DIY RTD for a DMM
- The power of practical positive feedback to perfect PRTDs
- Minimize measurement errors in RTD circuits
- Designing with temperature sensors, part three: RTDs
- RTDs provide differential temperature measurement
The post Improved PRTD circuit is product of EDN DI teamwork appeared first on EDN.
Keysight to Showcase Next Generation Solutions at India Mobile Congress 2024
What: At India Mobile Congress 2024, Keysight Technologies will showcase a range of solutions designed to accelerate network validation, performance optimization, and innovation in wireless technology. The solutions on display help innovators to quickly solve design, emulation, and test challenges in order to optimize 5G experiences.
When: October 15-18, 2024
Where: Keysight booth: Hall 3, Stall No. 3.10
Bharat Mandapam, Pragati Maidan, New Delhi, India
Keysight demonstrations include:- 6G Test Bed: Keysight will present its 6G Test Bed demo, offering a platform to test and validate emerging 6G technologies. The demo will focus on advanced features ultra-low latency, and the path to AI integration, providing insights into the future of communications. Keysight’s 6G Test Bed aims to accelerate research and development, enabling efficient network design and performance optimization for next-gen wireless networks, driving innovation in 6G.
- ORAN Design Validation: In this demo, Keysight will emphasize the validation of Open RAN components for compatibility, performance, and efficiency. Learn how Keysight’s solutions ensure seamless interoperability across ORAN networks, helping operators and vendors test, optimize, and validate open network elements, contributing to the development of reliable, flexible, and high-performance ORAN infrastructures.
- AI RAN, NTN, FWA, and Wi-Fi 7 testing: Keysight will demonstrate AI RAN and RICtest, focusing on optimizing radio access networks with AI technologies. The demo will also cover Non-Terrestrial Networks, showcasing innovative connectivity solutions, as well as Wi-Fi 7 scalability, and the newly introduced Fixed Wireless Access (FWA) test capability, highlighting advancements in next-gen wireless networking.
- Quantum Computing and FPGA-based architecture: This demo will highlight intuitive visualization techniques for complex quantum systems and showcase runtime error suppression methods to enhance the reliability and performance of quantum computing applications, demonstrating innovative solutions for next-gen computing challenges.
- AI-Augmented Testing: Keysight will showcase how advanced technologies, including AI-augmented testing capabilities featuring generative AI modeling, visual verification, and predictive analytics, enhance software testing. The demonstration will highlight how automating testing workflows is more efficient and accurate, as real-time insights into potential issues help improve the quality of digital solutions.
The post Keysight to Showcase Next Generation Solutions at India Mobile Congress 2024 appeared first on ELE Times.
Imagimob’s Edge AI solutions are now available for the AURIX product family
Autonomous and automated driving is a megatrend in the automotive industry, along with electrification. AI plays a critical role in this trend, enabling vehicles to detect pedestrians, analyze driver behavior, recognize traffic signs, and control trajectories, among many other use cases. A key enabler of this is Edge AI, as autonomous and automated driving is highly dependent on the need for AI systems with machine learning capabilities and processors that can handle large amounts of data in parallel, safely, secured, and in real time. To address this challenge, Imagimob, an Infineon Technologies AG company, has enhanced its automotive machine learning portfolio by integrating machine learning capabilities into Infineon’s Automotive ASIL-D complaint MCUs like AURIX TC3x and AURIX TC4x.
“The integration of secured and dependable AI capabilities into microcontroller families is crucial for advancing autonomous driving applications in the automotive industry,” said Thomas Boehm, Senior Vice President Microcontroller at Infineon. “We are proud that our AURIX microcontrollers are now supported by Imagimob Studio, making them accessible to developers worldwide. This highlights our role as a leading innovator in the industry.”
“With the integration of AURIX into our Imagimob Studio, we are bringing full machine learning (ML) compatibility and capabilities to the automotive sector,” said Alexander Samuelsson, CTO of Imagimob. “This means that all the use cases we support with our platform are now also available for Infineon’s AURIX microcontrollers.”
With Imagimob Studio, developers can now create robust ML models for the Edge and deploy them onto Infineon’s proven AURIX MCUs. The process starts with creating machine learning models in Imagimob Studio. Once the AI model is complete, users can select to deploy on the MCUs directly within the platform. They are then guided through steps on how to deploy the code seamlessly, simplifying the implementation of machine learning on MCUs and enabling the creation of sophisticated ML models. In addition, Imagimob Studio offers a sample project for siren detection, demonstrating model creation and deployment. By using the code example, users can also learn how to create acoustic models with AURIX MCUs and a microphone shield. Furthermore, Imagimob has developed new regression models that can be used to calculate remaining battery power, health status, and usage time.
Advanced AI use cases with AURIX TC4xThe AURIX TC4x scalable MCU family offers a seamless upgrade path from the AURIX TC3x family of ASIL-D compliant automotive MCUs. This enhanced performance is powered by the next-generation TriCore 1.8. In addition, the AURIX TC4x features a scalable accelerator suite that includes a parallel processing unit (PPU) and multiple intelligent accelerators to support cost-effective AI integration. For the AURIX TC4x family, these advancements translate into enhanced machine learning capabilities, enabling developers to deploy multiple models simultaneously or more complex ones. For instance, while the AURIX TC3x can handle basic siren detection, the AURIX TC4x enables both siren detection and voice interaction simultaneously.
The post Imagimob’s Edge AI solutions are now available for the AURIX product family appeared first on ELE Times.