Feed aggregator

Riber’s year-to-date revenue grows 14% to €18.5m

Semiconductor today - Wed, 10/30/2024 - 18:37
For third-quarter 2024, molecular beam epitaxy (MBE) system maker Riber S.A. of Bezons, France has reported revenue of €4.7m, almost halving from €9.3m in Q2/2024 and down from €4m a year previously...

Need an extra ADC? Add one for a few cents

EDN Network - Wed, 10/30/2024 - 15:53

When designing devices with microcontrollers (MCU), I like to use some of the analog-to-digital converter (ADC) inputs to measure onboard voltages along with all the required sensors inputs. This means I often run out of ADC inputs. So presented here is a way to add more ADCs without adding external chips, costing less than 5 cents, and taking up negligible space on a PCB!

There are two things in the MCU you are using: a pulse width modulator (PWM) output and an onboard analog comparator. Some MCU lines that have these are the PIC, AVR, and ATmega MCUs from Microchip. Also, TI’s Piccolo line and STMicroelectronics STM32L5 have both a PWM and comparator.

So, let’s look at how this is configured.

The basic concept

Figure 1 is a diagram showing the addition of a resistor and capacitor to your MCU project.

Figure 1 Basic concept of the circuit that uses an MCU with an onboard PWM and comparator, as well as an RC filter to create an ADC.

The resistor and capacitor form a single pole low-pass filter. So, the circuit concept takes the output of an onboard PWM, filters it to create a DC signal that is set by the PWM’s duty cycle. The DC level is then compared to the input signal using the on-board comparator. The circuit is very simple so let’s talk about the code used to create an ADC from this arrangement.

To get a sample reading of the input signal, we start by setting the PWM to a 50% duty cycle. This square-wave PWM signal will be filtered by the RC low-pass filter to create a voltage that is ½ of the MCU’s system voltage. The comparator output will go high (or output a digital 1) if the filtered DC level is greater than the instantaneous input signal voltage, otherwise the comparator output will go low (outputting a digital 0).

The code will now read the comparator output and execute a search to find a new level that forces the comparator to an opposite output. In other words, if the comparator is a 0 the code will adjust the PWM duty cycle up until the comparator outputs a 1. If the comparator is currently showing a 1 the PWM duty cycle will be reduced until the comparator outputs a 0. If the PWM is capable of something like 256 steps (or more) in duty cycle, this search could take some significant time. To mitigate this, we will do a binary search so if there are 256 steps available in the PWM, it will only take log2(256), or 8, steps to test the levels.

A quick description of the binary search is that after the first 50% level reading, the next test will be at a 25% or 75% level, depending on the state of the comparator output. The steps after this will again test the middle of the remaining levels.

An example of the circuit’s function

Let’s show a quick example and assume the following:

  • System voltage: 5 V
  • PWM available levels: 256
  • Instantaneous input signal: 1 V

The first test will be executed with the PWM at about 50% duty cycle (a setting of 128), creating a 2.50-V signal that is applied to the “+” input of the comparator. This means the comparator will output a high which implies that the PWM duty cycle is too high. So, we will cut the duty cycle in half giving a setting of 64, which creates 1.25 V on the “+” input. The comparator again will output a 1… to high so we drop the PWM duty cycle by half again to 32. This gives a “+” level of 0.625 V. Now the comparator will output a 0 so we know we went too low, and we increase the PWM duty cycle. We know 64 was too high and 32 was too low so we go to the center, or (64+32)/2 = 48, giving 0.9375 V. We’re still too low so we split the difference of 64 and 48 resulting in 56 or about 1.094 V…too high. This continues with (56+48)/2=52, giving 1.016 V…too high. Again, with a PWM setting of (52+48)/2=50, giving 0.9766 V. One last step, (52+50)/2=51 giving 0.9961 V.

This was 8 steps and got us as close as we can to the answer. So, our ADC setup would return an answer that the instantaneous input signal was 0.9961 V.

Sample circuit with Arduino Nano

Let’s take a look at a real-world example. This example uses an Arduino Nano which uses an ATmega328P which has a number of PWM outputs and one analog comparator. The PWM we will use can be clocked at various rates and we want to clock it fast as this will make the filtering easier. It will also speed up the time for the filter output to settle to its final level. We will select a PWM clocking rate of about 31.4 kHz. Figure 2 shows the schematic with a one pole RC low-pass filter.

Figure 2 Schematic of the sample circuit using an Arduino Nano and a one-pole RC low-pass filter.

In this schematic D11 is the PWM output, D6 is the comparator’s “+” input, while D7 is the comparator’s “-” input. The filter is composed of a 20kΩ resistor and a 0.1 µF capacitor. I arrived at these values by playing around in an LTspice simulation to try to minimize the remnants of the PWM pulse (ripple) while also maintaining a fairly fast settling time. A target for the ripple was the resolution of a 1-bit change in the PWM, or less. Using the 5 V of the system voltage and the information that the PWM has 8-bit (256 settings) adjustability we get 5 V/256 = ~20 mV. In the LTspice simulation I got 18 mV of ripple while the dc level settled in within a few millivolts of its final value at 15 ms. Therefore, when writing the code, I used 15 ms as the delay between samples (with a small twist you’ll see below). Since it takes 8 readings to get a final usable sample, it will take 8*15 ms = 120 ms, or 8.3 samples per second. As noted at the beginning, you won’t be sampling at audio rates, but you can certainly monitor DC voltages on the board or slow-moving analog signals.

[This may be a good place to note that the analog input does not have a sample-and-hold as most ADCs do, so readings are a moving target. Also, there is no anti-aliasing filter on the input signal. If needed, an anti-alias filter can remove noise and also act as a rough sample and hold.]

Sample code

Below is the code listing for use in an Arduino development environment. You can also download it here. It will read the input signal, do the binary search, convert it to a voltage, and then display the final 8-bit DAC value, corresponding voltage reading, and a slower moving filtered value.

The following gives a deeper description of the code:

  • Lines 1-8 define the pin we are using for the PWM and declares our variables. Note that line 3 sets the system voltage. This value should be measured on your MCU’s Vcc pin.
  • Lines 11 and 12 set up the PWM at the required frequency.
  • Lines 15 and 16 set up the on-board comparator we are using.
  • Line 18 initializes the serial port we will print the results on.
  • Line 22 is where the main code starts. First, we initialize some variables each time to begin a binary search.
  • Line 29 we begin the 8-step binary search and line 30 sets the duty cycle for the PWM. A 15-millisecond delay is then introduced to allow for the low-pass filter to settle.
  • Line 34 is the “small twist” hinted at above. This introduces a second, random, delay between 0 and 31 microseconds. This is included because the PWM ripple that is present, after the filter, is correlated to the 16-MHz MCU’s clock so, to assist in filtering this out of our final reading, we inject this delay to break up the correlation.
  • Lines 37 and 38 will check the comparator after the delay is implemented. Depending on the comparison check, the range for the next PWM duty cycle is adjusted.
  • Line 40 calculates the new PWM duty cycle within this new range. The code then loops 8 times to complete the binary search.
  • Lines 43 and 44 calculate the voltage for the current instantaneous voltage reading as well as a filtered average voltage reading. This voltage averaging is accomplished using a very simple IIR filter.
  • Lines 46-51 send the information to the Arduino serial monitor for display.
1 #define PWMpin 11 // pin 11 is D11 2 3 float systemVoltage = 4.766; // Actual voltage powering the MCU for calibrating printedoutput voltage 4 float ADCvoltage = 0; // Final discovered voltage 5 float ADCvoltageAve = 0; // Final discovered voltage averaged 6 uint8_t currentPWMnum = 0; // Number sent to the PWM to generate the requested voltage 7 uint8_t minPWMnum = 0; 8 uint8_t maxPWMnum = 255; 9 10 void setup() { 11 pinMode(PWMpin, OUTPUT); // Set up PWM for output 12 TCCR2B = (TCCR2B & B11111000) | B00000001; // Set timer 1 to 31372.55 Hz which is now the D11 PWM frequency 13 14 // Set up comparator 15 ADCSRB = 0b01000000; // (Disable) ACME: Analog Comparator Multiplexer disabled 16 ACSR = 0b00000000; //enable AIN0 and AIN1 comparison with interrupts disabled 17 18 Serial.begin(9600); // open the serial port at 9600 bps: 19 } 20 21 22 void loop() { 23 24 currentPWMnum = 127; // Start binary search at the halfway point 25 minPWMnum = 0; 26 maxPWMnum = 255; 27 28 // Perform a binary search for matching comparator setting 29 for (int8_t i = 0; i < 8; i++) { // Loop 8 times 30 analogWrite(PWMpin, currentPWMnum); // Adjust PWM to new dutycycle setting 31 32 // Now wait 33 delay(15); // Wait 15 ms to let the low-pass filter to settle. 34 delayMicroseconds(random(0,32)); // Delay a random number of microseconds (0 thru 31) to break possible correlation (dithering) 35 36 // Check to see if comparator shows AIN0 > AIN1 ( if so ACO in ACSR is set to 1) 37 if (ACSR & (1<<ACO)) maxPWMnum = currentPWMnum; // (AIN0 > AIN1) Move max pointer 38 else minPWMnum = currentPWMnum; // Move min pointer 39 40 currentPWMnum= minPWMnum + ((maxPWMnum - minPWMnum) / 2); // Set new test number to the middle of PWMmin and PWMmax 41 } 42 43 ADCvoltage = systemVoltage * ((float)currentPWMnum/255); // Set the PWM for binary search of voltage (assumes 0 to 5v signal 44 ADCvoltageAve = (ADCvoltageAve * 0.95) + (ADCvoltage * 0.05); // Generate an average value to smooth reading 45 46 Serial.print("PWM Setting = "); 47 Serial.print(currentPWMnum); 48 Serial.print(" ADC Voltage = "); 49 Serial.print(ADCvoltage, 4); 50 Serial.print(" ADC Voltage Filtered = "); 51 Serial.println(ADCvoltageAve, 4); 52 } Test results

The first step was to measure the system voltage on the +5-V pin or the Arduino Nano. This value (4.766 V) was entered on line 3 of the code. I then ran the code on an Arduino Nano V3 and monitored the output on the Arduino serial monitor. To test the code and system, I first connected a 2.5-V reference voltage to the signal input. This reference was first warmed up and a voltage reading was taken on a calibrated 5 ½ digit DMM. The reference read 2.5001 V. The serial monitor showed an instantaneous voltage varying from 2.5232 to 2.4858 V and the average voltage varied from 2.5061 to 2.5074 V. This is around 0.9% error in the instantaneous voltage reading and about 0.3% on the averaged voltage reading. This shows we are getting a reading with about ±1 LSB error in the instantaneous voltage reading and a filtered reading of about ± 0.4 LSB. When inputting various other voltages I got similar accuracies.

I also tested with an input of Vcc (4.766 V) and viewed results of 4.7473 V which means it could work up very close to the upper rail. With the input grounded the instantaneous and filtered voltages showed 0.000 V.

These seem to be a very good result for an ADC created by adding two inexpensive parts.

So next time you’re short of ADCs give this a try. The cost is negligible, PCB space is very minimal, and the code is small and easy to understand.

Damian Bonicatto is a consulting engineer with decades of experience in embedded hardware, firmware, and system design. He holds over 30 patents.

Phoenix Bonicatto is a freelance writer.

Related Content

googletag.cmd.push(function() { googletag.display('div-gpt-ad-native'); }); -->

The post Need an extra ADC? Add one for a few cents appeared first on EDN.

🚨 Знайомтеся: ваш уповноважений з антикорупції

Новини - Wed, 10/30/2024 - 14:48
🚨 Знайомтеся: ваш уповноважений з антикорупції
Image
kpi ср, 10/30/2024 - 14:48
Текст

Університет продовжує проводити заходи із забезпечення прозорості та ефективної боротьби з корупційними проявами в усіх сферах своєї діяльності.

IQE announces departure of CEO Americo Lemos

Semiconductor today - Wed, 10/30/2024 - 13:31
Epiwafer and substrate maker IQE plc of Cardiff, Wales, UK says that chief executive officer Americo Lemos has left the company with immediate effect...

Vishay Intertechnology IGBT and MOSFET Drivers in Stretched SO-6 Package Enable Compact Designs, Fast Switching, and High Voltages

ELE Times - Wed, 10/30/2024 - 12:10

Devices Combine High Peak Output Currents to 4 A With High Operating
Temperatures to +125 °C and Low Propagation Delay of 200 ns

Vishay Intertechnology, Inc. has introduced two new IGBT and MOSFET drivers in the compact, high isolation stretched SO-6 package. Delivering high peak output currents of 3 A and 4 A, respectively, the Vishay Semiconductors VOFD341A and VOFD343A offer high operating temperatures to +125 °C and low propagation delay of 200 ns maximum.

Consisting of an AlGaAs LED optically coupled to an integrated circuit with a power output stage, the optocouplers released today are intended for solar inverters and microinverters; AC and brushless DC industrial motor control inverters; and inverter stages for AC/DC conversion in UPS. The devices are ideally suited for directly driving IGBTs with ratings up to 1200 V / 100 A.

The high operating temperature of the VOFD341A and VOFD343A provides a higher temperature safety margin for more compact designs, while their high peak output current allows for faster switching by eliminating the need for an additional driver stage. The devices’ low propagation delay minimizes switching losses while facilitating more precise PWM regulation.

The optocouplers’ high isolation package enables high working voltages up to 1.140 V, which allows for high voltage inverter stages while still maintaining enough voltage safety margin. The RoHS-compliant devices offer high noise immunity of 50 kV/µs, which prevents fail functions in fast switching power stages.

The post Vishay Intertechnology IGBT and MOSFET Drivers in Stretched SO-6 Package Enable Compact Designs, Fast Switching, and High Voltages appeared first on ELE Times.

CoolSiC Schottky diode 2000 V enables higher efficiency and design simplification in DC link systems up to 1500 VDC

ELE Times - Wed, 10/30/2024 - 11:52

Many industrial applications today are transitioning to higher power levels with minimized power losses, which can be achieved through increased DC link voltage. Infineon Technologies AG addresses this challenge by introducing the CoolSiC Schottky diode 2000 V G5, the first discrete silicon carbide diode on the market with a breakdown voltage of 2000 V. The product family is suitable for applications with DC link voltages up to 1500 VDC and offers current ratings from 10 to 80 A. This makes it ideal for higher DC link voltage applications such as in solar and EV charging applications.

The product family comes in a TO-247PLUS-4-HCC package, with 14 mm creepage and 5.4 mm clearance distance. This, together with a current rating of up to 80 A, enables a significantly higher power density. It allows developers to achieve higher power levels in their applications with only half the component count of 1200 V solutions. This simplifies the overall design and enables a smooth transition from multi-level topologies to 2-level topologies.

In addition, the CoolSiC Schottky diode 2000V G5 utilizes the .XT interconnection technology that leads to significantly lower thermal resistance and impedance, enabling better heat management.   Furthermore, the robustness against humidity has been demonstrated in HV-H3TRB reliability tests. The diodes exhibit neither reverse recovery current nor forward recovery and feature a low forward voltage, ensuring enhanced system performance.

The 2000 V diode family is a perfect match for the CoolSiC MOSFETs 2000 V in the TO-247Plus-4 HCC package that Infineon introduced in spring 2024. The CoolSiC diodes 2000 V portfolio will be extended by offering them in the TO-247-2 package, which will be available in December 2024. A matching gate driver portfolio is also available for the CoolSiC MOSFETs 2000 V.

The post CoolSiC Schottky diode 2000 V enables higher efficiency and design simplification in DC link systems up to 1500 VDC appeared first on ELE Times.

Microchip Expands 64-bit Portfolio with High-Performance, Post-Quantum Security-Enabled PIC64HX Microprocessors

ELE Times - Wed, 10/30/2024 - 11:27

The RISC-V-based MPUs support mission-critical intelligent edge applications with TSN Ethernet switching and AI capabilities

The global edge computing market is expected to grow by more than 30 percent in the next five years, serving mission-critical applications in the aerospace, defense, military, industrial and medical sectors. To meet this increasing demand for reliable, embedded solutions for mixed-criticality systems, Microchip Technology has announced the PIC64HX family of microprocessors (MPUs). Unlike traditional MPUs, the PIC64HX is purpose-built to address the unique demands of intelligent edge designs.

The latest in Microchip’s 64-bit portfolio, the PIC64HX is a high-performance, multicore 64-bit RISC-V MPU capable of advanced Artificial Intelligence and Machine Learning (AI/ML) processing and designed with integrated Time-Sensitive Networking (TSN) Ethernet connectivity and post-quantum-enabled, defense-grade security.

PIC64HX MPUs are specifically designed to deliver comprehensive fault tolerance, resiliency, scalability and power efficiency.

“The PIC64HX MPU is truly groundbreaking in the number of advanced features we are able to provide with a single solution,” said Maher Fahmi, corporate vice president of Microchip’s communications business unit. “And, integrating TSN Ethernet switching into the MPU helps developers bring standards-based networking connectivity and compute together to simplify system designs, reduce system costs and accelerate time to market.”

The integrated Ethernet switch includes a TSN feature set with support for important emerging standards: IEEE P802.1DP TSN for Aerospace Onboard Ethernet Communications, IEEE P802.1DG TSN Profile for Automotive In-Vehicle Ethernet Communications and IEEE/IEC 60802 TSN Profile for Industrial Automation.

Eight 64-bit RISC-V CPU cores—SiFive Intelligence X280—with vector extensions help enable

high-performance compute for mixed-criticality systems, virtualization and vector processing to accelerate AI workloads. The PIC64HX MPU allows system developers to deploy the cores in multiple ways to enable SMP, AMP or dual-core lockstep operations. WorldGuard hardware architecture support is provided to enable hardware-based isolation and partitioning.

“Next-generation aircraft require a new generation of processors for mission-critical applications such as flight control, cockpit display, cabin networking and engine control. The OHPERA Consortium views RISC-V technology as an essential component of the future of safe and sustainable aircraft,” said Christophe Vlacich, OHPERA technical Leader. The OHPERA Consortium is composed of leading aerospace companies with the mutual goal of evaluating new technologies for next-generation aircraft.  “We are pleased to see the upcoming availability of commercial products like Microchip’s PIC64HX MPU with the compute performance, partitioning, connectivity and security needed to shape the future of aviation.”

The expected arrival of quantum computers poses an existential threat as it will make current security measures ineffective. As a result, government agencies and enterprises worldwide are beginning to call for the inclusion of post-quantum cryptography in any critical infrastructure. Addressing current and future security needs, the PIC64HX is one of the first MPUs on the market to support comprehensive defense-grade security including the recently NIST-standardized FIPS 203 (ML-KEM) and FIPS 204 (ML-DSA) post-quantum cryptographic algorithms.

The PIC64HX MPU is a powerful and versatile solution for intelligent edge applications, addressing key requirements for low latency, security, reliability and compliance with industry standards.

Development Tools

The PIC64HX MPU is supported by a comprehensive package of tools, libraries, drivers and boot firmware. Multiple open-source, commercial and real-time operating systems are supported including Linux and RTEMS, as well as hypervisors such as Xen. PIC64HX MPUs leverage Microchip’s extensive Mi-V ecosystem of tools and design resources to support its RISC-V initiatives. To help reduce development cycles and accelerate time to market, Microchip offers the Curiosity Ultra+ PIC64HX evaluation kit and is partnering with single-board computer partners.

“Aries Embedded has long been a supporter of the RISC-V ecosystem,” said Andreas Widder, Aries Embedded CEO. “We are proud to be a lead System-on-Module partner for the PIC64HX and look forward to helping Microchip enable mission critical intelligent edge applications.”

The post Microchip Expands 64-bit Portfolio with High-Performance, Post-Quantum Security-Enabled PIC64HX Microprocessors appeared first on ELE Times.

Ганна Шиманська. Використовує освітні можливості

Новини - Wed, 10/30/2024 - 11:11
Ганна Шиманська. Використовує освітні можливості
Image
kpi ср, 10/30/2024 - 11:11
Текст

Ганна Шиманська – студентка ФІОТ – отримувала стипендію в 2022/23 навчальному році. "Мій шлях в IT, – розповідає стипендіатка, – розпочався з вибору найкращого технічного ЗВО – Національного технічного університету України "Київський політехнічний інститут імені Ігоря Сікорського".

Texas Instruments expands internal manufacturing for gallium nitride (GaN) semiconductors, quadrupling capacity

ELE Times - Wed, 10/30/2024 - 11:08

Using the most advanced GaN manufacturing technology available today, Aizu, Japan, is now the company’s second factory to produce a complete portfolio of GaN-based power semiconductors

NEWS HIGHLIGHTS:

  • TI adds GaN manufacturing in Japan, quadrupling its internal GaN manufacturing capacity between its factories in the United States and Japan.
  • TI’s GaN-based semiconductors are in production and available now.
  • TI enables the most energy-efficient, reliable and power-dense end products with the widest portfolio of integrated GaN-based power semiconductors.
  • TI has successfully piloted the development of GaN manufacturing on 300mm wafers.

Texas Instruments has announced it has begun production of gallium nitride (GaN)-based power semiconductors at its factory in Aizu, Japan. Coupled with its existing GaN manufacturing in Dallas, Texas, TI will now internally manufacture four times more GaN-based power semiconductors, as Aizu ramps to production.

“Building on more than a decade of expertise in GaN chip design and manufacturing, we have successfully qualified our 200mm GaN technology – the most scalable and cost-competitive way to manufacture GaN today – to start mass production in Aizu,” said Mohammad Yunus, TI’s senior vice president of Technology and Manufacturing. “This milestone enables us to manufacture more of our GaN chips internally as we grow our internal manufacturing to more than 95% by 2030, while also sourcing from multiple TI locations, ensuring a reliable supply of our entire GaN portfolio of high-power, energy-efficient semiconductors.”

The power of GaN technology

An alternative to silicon, GaN is a semiconductor material that offers benefits in energy-efficiency, switching speed, power solution size and weight, overall system cost, and performance under high temperatures and high-voltage conditions. GaN chips provide more power density, or power in smaller spaces, enabling applications such as power adapters for laptops and mobile phones, or smaller, more energy-efficient motors for heating and air conditioning systems and home appliances.

Today, TI offers the widest portfolio of integrated GaN-based power semiconductors, ranging from low- to high-voltage, to enable the most energy-efficient, reliable and power-dense electronics.

“With GaN, TI can deliver more power, more efficiently in a compact space, which is the primary market need driving innovation for many of our customers,” said Kannan Soundarapandian, vice president of High-Voltage Power at TI. “As designers of systems such as server power, solar energy generation and AC/DC adapters face challenges to reduce power consumption and enhance energy efficiency, they are increasingly demanding a reliable supply of TI’s high-performance GaN-based chips. TI’s product portfolio of integrated GaN power stages enables customers to achieve higher power density, improved ease of use and lower system cost.”

Further, with the company’s proprietary GaN-on-silicon process, more than 80 million hours of reliability testing, and integrated protection features, TI GaN chips are designed to keep high-voltage systems safe.

Most advanced GaN manufacturing technology available today

Using the most advanced equipment available for GaN chip manufacturing today, TI’s new capacity enables increased product performance and manufacturing process efficiency, as well as a cost advantage.

Also, the more advanced, efficient tools used in TI’s expanded GaN manufacturing can produce smaller chips, packing even more power. This design innovation can be manufactured using less water, energy and raw materials, and end products that use GaN chips enjoy these same environmental benefits.

Scaled for future advances

The performance benefits of TI’s added GaN manufacturing also enable the company to scale its GaN chips to higher voltages, starting with 900V and increasing to higher voltages over time, furthering power-efficiency and size innovations for applications like robotics, renewable energy and server power supplies.

In addition, TI’s expanded investment includes a successful pilot earlier this year for development of GaN manufacturing processes on 300mm wafers. Further, TI’s expanded GaN manufacturing processes are fully transferable to 300mm technology, positioning the company to readily scale to customer needs and move to 300mm in the future.

Committed to responsible, sustainable manufacturing

Expanding supply and innovation in GaN technology is the latest example of TI’s commitment to responsible, sustainable manufacturing. TI has committed to use 100% renewable electricity in its U.S. operations by 2027, and worldwide by 2030.

The post Texas Instruments expands internal manufacturing for gallium nitride (GaN) semiconductors, quadrupling capacity appeared first on ELE Times.

Littelfuse Unique KSC DCT Tactile Switches Provide Dual-Circuit Technology with SPDT Functionality, Superior Safety

ELE Times - Wed, 10/30/2024 - 09:38

Delivers SMT and IP67 for high-efficiency performance in automotive, consumer, medical, and industrial applications

Littelfuse, Inc., an industrial technology manufacturing company empowering a sustainable, connected, and safer world, announces the C&K Switches KSC DCT Series Tactile Switches. The KSC DCT (Dual Circuit Technology) series are sealed IP67-rated, momentary-action tactile switches for surface-mount technology (SMT), designed to give users a positive, adaptable tactile feeling.

The KSC DCT is the first tactile switch to offer single pole double throw (SPDT) functionality in a small 6.2 x 6.2 x 5.2 millimeters size. The switches feature a soft actuator that withstands an operating force of 4.75N (+/-1.25N) and has a lifespan of 300K life cycles. The KSC DCT Series is a logical choice for seamless integration into existing or next-generation designs, providing outstanding, long-term reliability in even the dustiest environments.

The KSC DCT Tactile Switches offer these key features and benefits:

  • SPDT Functionality: Added reliability due to one input and two outputs in a single tactile switch.
  • Compact Footprint: Fits applications where space is limited.
  • IP67 Sealing: Provides high contact reliability, protecting against dust and water ingress.
  • J-Bend SMT Package: Enables standard assembly mounting using typical pick-and-place machines. (Gullwing-type terminations are also available.)
  • Cost-Efficient: SMT makes it ideal for high-volume applications.

The KSC DCT Series Tactile Switches are ideally suited for:

  • Transportation: Automotive door handles, EV charging station units, two- and three-wheelers.
  • Consumer Electronics: Power tools, lawn mowers, snow blowers, home appliances.
  • Medical Devices: Electrosurgical instruments, portable medical devices.
  • Industrial Applications: Elevators, fire alarm equipment.

“By designing the unique functionality of dual-circuit technology tactile switches into such a small form factor, Littelfuse engineers are enabling electronics designers to provide their end-customers a journey to a safer world,” said Jeremy Hebras, Vice President of Digital & Technical Developments, Electronics Business Unit Engineering, at Littelfuse. “Thanks to the KSC DCT’s patented design, everyone can now precisely monitor the actual status of an electromechanical surface-mount technology tactile switch, even when the switch is not in use, which helps discriminate a silent signal versus a device malfunction.”

The increased safety needs of today’s end users require active failure verification: with the added single pole double throw (SPDT) functionality, the KSC DCT tactile switch allows a system to actively verify failures, like an unwanted door opening.

How it works: Dual-Circuit Technology (DCT) is a feature that creates two independent output signals inside the body of one tactile switch–Single Pole Double Throw (SPDT). The KSC DCT tactile switch has a Common, Normally Close (NC), and Normally Open (NO) pin. Suppose the designer chooses to use both NC and NO circuitry. In that case, it provides a Changeover signal that allows the designer to use both circuitries to define the logic of the signal and take actions based on the defined logic. In an automotive door handle, for example, both NC and NO circuitries are used before making any decision. The logic is at rest; the NC contact is closed while the NO contact is open. When a user pushes the button, nothing will happen until the NC contact is open and the NO contact is closed.

The post Littelfuse Unique KSC DCT Tactile Switches Provide Dual-Circuit Technology with SPDT Functionality, Superior Safety appeared first on ELE Times.

New flagship AWG cards generate waveforms with 10 GS/s speed and 2.5 GHz bandwidth

ELE Times - Wed, 10/30/2024 - 09:29

Spectrum Instrumentation launches flagship series of AWG cards in PCIe format

Scientists and engineers now have a way to produce high-frequency arbitrary waveforms, with high purity and low distortion, directly from their PC. Using the new PCIe flagship AWG cards from Spectrum Instrumentation and cost-effective COTS (Commercial-of-the-shelf) PC-parts, it is possible to generate nearly any waveform with up to 10 GS/s output rates, 2.5 GHz bandwidth, and 16-bit vertical resolution. The new cards make a powerful alternative to benchtop AWGs that often face a bottleneck when loading data for new waveforms. The cards offer a massive onboard memory of up to 8 GigaSamples (16 GB) and the possibility to stream data at up to 10 GigaBytes per second directly from CPUs or even GPUs. Four different models make up the M5i.63xx AWG series, offering a perfect fit solution for every application.

Insert the cards into a suitable PC and it turns into one of the most powerful signal generation instruments on the market. The four AWG variants deliver waveform generation with bandwidths of 2.5 and 1.5 Gigahertz (GHz) and output rates of 10, 5 or 3.2 Gigasamples per second (GS/s). The units combine 16-bit vertical resolution with programmable full-scale outputs. Single outputs deliver up to ±500 mV into 50 Ohm and ±1.0 V into high impedance loads – or double the range in differential mode.

Ultrafast data streaming

Each card comes with 2 GSample of onboard memory (8 GSample optional) and high-speed data transfer using a 16 lane, Gen 3, PCIe bus. This ultrafast bus allows data to be sent to cards at a staggering 10 GB/s. For demanding applications, data can even be continuously streamed directly to the AWG for replay in a FIFO mode – a process that allows almost limitless waveform production. Add Spectrum’s SCAPP driver package, which allows FIFO streaming directly to and from a GPU, and turbocharge the waveform processing even further.

The four new AWG flagships in PCIe format combine up to 10 GS/s speed, up to 2.5 GHz bandwidth, and 16-bit resolution. In the diagram, a two-channel M5i.6357 generates the two signals (I and Q component) for a Quadrature-Modulation.

Versatile Waveform Generation

Waveforms can be output in Single-shot, Repeated and Multiple Replay modes. To maximize memory efficiency, Multiple Replay can be used to output segmented data and can also be combined with FIFO streaming. Waveform replay can be initiated by a simple software command or via a trigger event. Trigger signals can be input on two external trigger lines.

Multi-channel Systems

Individual cards have one or two analog output channels. To create larger multi-channel systems, cards can be connected together using the company’s proprietary Star-Hub clock and trigger synchronization module. Star-Hub allows systems with up to eight cards to share a common clock and trigger, delivering fully synchronous output rates of 5 GS/s on up to 16 channels, or 10 GS/s on up to eight channels.

Mixed AWG and Digitizer Systems

The new flagship AWGs are available with one or two output channels, which can be used single-ended or differential (see front panel on the right).

The four new models of the M5i.63xx AWG series and the seven variants of the M5i.33xx digitizer series are designed for working together, making them ideal for use in stimulus-response, receiver-transmitter or closed-loop type testing systems. For example, if two Star-Hubs are used, ultrafast MIMO systems can be built that contain up to 8 AWGs and 8 digitizers. This allows the creation of systems with up to 16 transmit and 16 receiver channels, each channel with 5 GS/s.

Easy connection with other devices

For easy system integration, the front-panel hosts four multi-function SMA connectors. These can perform a variety of Input/Output tasks like Asynchronous Digital-I/O, Synchronous Digital-Out, Trigger Output, Run and Arm status flags, or the System Clock. By switching the multi-function I/O lines to digital outputs, another four synchronous output channels can be added to the AWG. As such, a single AWG card can generate up to two analog and four digital outputs, in parallel, at full speed. As an option, a Digital Pulse Generator firmware is available to turn the four digital outputs into digital generators outputs. All these features are very helpful when interfacing with other equipment for experiment control or in OEM projects.

Fully programmable

Fully programmable, the cards run under Windows or LINUX operating systems, using today’s most popular and powerful software languages. All products are shipped together with SDKs for C++, C#, Python, VB.NET, Julia, Java and IVI. Drivers are also provided for third-party software products LabVIEW and MATLAB.

Five Year Warranty

The Spectrum M5i.63xx series AWGs are available for immediate delivery. All cards are shipped factory tested and include a five-year warranty, with software and firmware updates, free of charge, for the lifetime of the product.

The post New flagship AWG cards generate waveforms with 10 GS/s speed and 2.5 GHz bandwidth appeared first on ELE Times.

The Internal Beauty of this 2000s ADSL Modem

Reddit:Electronics - Wed, 10/30/2024 - 06:48
The Internal Beauty of this 2000s ADSL Modem

This is the board of an Alcatel Speedtouch Pro ADSL modem, sold circa 1999 and 2000s. It's got an Intel i960 RISC processor inside, a pair of AMD AM29L flash chips and Hynix ram chips. At the back, it's got an RS232 port labeled "Console", a 10Base-T ethernet port, ADSL input (up to 8Mb/s downstream / 1Mb/s upstream), a beefy latching power switch and 4 dip switches.

submitted by /u/Business-Error6835
[link] [comments]

Ohio State University orders Veeco GENxcel R&D MBE system

Semiconductor today - Tue, 10/29/2024 - 22:42
Epitaxial deposition and process equipment maker Veeco Instruments Inc of Plainview, NY, USA has received an order from the Ohio State University’s Krishna Infrared Detectors (KIND) Laboratory for a GENxcel R&D molecular beam epitaxy (MBE) system, to be used for epitaxial growth of gallium antimonide (GaSb) for infrared (IR) detectors for consumer, automotive, defense and industrial applications...

🎲 Вебінар "Міжнародні стандарти з публічної доброчесності: ознайомлення"

Новини - Tue, 10/29/2024 - 18:23
🎲 Вебінар "Міжнародні стандарти з публічної доброчесності: ознайомлення"
Image
kpi вт, 10/29/2024 - 18:23
Текст

Шановні колеги! Запрошуємо взяти участь у вебінарі "Міжнародні стандарти з публічної доброчесності: ознайомлення", у ході якого плануємо представити поточний статус співпраці ОЕСР з Україною у сфері доброчесності та боротьби з корупцією.

Altum RF wins two-year ESA contract to supply Ka-band MMIC power amplifiers

Semiconductor today - Tue, 10/29/2024 - 18:21
Altum RF of Eindhoven, The Netherlands (which designs RF, microwave and millimeter-wave semiconductors) has announced a two-year contract with the European Space Agency (ESA) under the ARTES (Advanced Research in Telecommunications Systems) Core Competitiveness (CC) Programme, for the design and development of high-efficiency monolithic microwave integrated circuit (MMIC) power amplifiers, which will be tailored for phased-array Ka-band satellite communication systems in space applications. The Netherlands Space Office (NSO) was instrumental in facilitating the contract...

­Не заблукати у хмарах. До 135-річчя від дня народження Ігоря Сікорського та 110-річчя його перельоту із Санкт-Петербурга до Києва

Новини - Tue, 10/29/2024 - 17:49
­Не заблукати у хмарах. До 135-річчя від дня народження Ігоря Сікорського та 110-річчя його перельоту із Санкт-Петербурга до Києва
Image
Інформація КП вт, 10/29/2024 - 17:49
Текст

29 травня 1914 року (усі дати – за старим стилем) другий екземпляр літака "Ілля Муромець" під керуванням його головного конструктора Ігоря Сікорського, якому нещодавно, 25 травня, виповнилося 25 років, вперше піднявся в повітря з Корпусного аеродрому Санкт-Петербурга. Він був значно легшим за попередника та мав потужніші двигуни.

Silicon carbide prices plunge as Chinese SiC manufacturing capacity ramps

Semiconductor today - Tue, 10/29/2024 - 16:54
Silicon carbide (SiC) once thrived amid substrate shortages. However, according to DIGITIMES Asia, 2024 saw a significant shift where Chinese manufacturers dramatically ramped up production, resulting in a collapse of prices for mainstream 6-inch substrates and a steep decline in 8-inch prices...

140 років українському жіночому руху: потяг до рівності

Новини - Tue, 10/29/2024 - 16:14
140 років українському жіночому руху: потяг до рівності
Image
Інформація КП вт, 10/29/2024 - 16:14
Текст

Наш університет розпочав просвітницько-пізнавальні заходи з нагоди святкування 140-річчя жіночого руху в Україні, звісно, з акцентом на технологіях та наукових досягненнях наших співвітчизниць.

Pages

Subscribe to Кафедра Електронної Інженерії aggregator