text
stringlengths
334
1.17M
Discussion Chain ID: 402936 ================================================================================ User asked: I am trying to trigger an ADC conversion through TA0 CCTL1 Output in my MSP430, but nothing is happening I am doing a simple project with [MSP430FR6989](http://www.ti.com/product/MSP430FR6989), where I am converting an analog signal to a digital one, when it finishes conversion it will jump to an ISR and increment an integer. We can configure the ADC12_B (ADC module for the microcontroller) to start sampling and converting by setting ADC12SC bit from ADC12CTL0 register, or through various device-specific triggers. [](https://i.sstatic.net/52IkG.jpg) ([User Guide](http://www.ti.com/lit/ug/slau367o/slau367o.pdf) pg 867/1021) [](https://i.sstatic.net/G3nNg.jpg) ([Datasheet](http://www.ti.com/lit/ds/symlink/msp430fr6989.pdf) pg 91/183) I am configuring my MSP430 to start converting using the TA0 CCR1 Output trigger (**ADC12SHSx = 001**) With the information I have, I figured that if the **CCIF** bit of **TA0CCTL1** register got set, it will trigger an ADC conversion, and when the conversion is finished and stored in the ADC buffer, an interrupt service routine will be triggered I have written my code according to the information I have, build the project, and debug it, but during my debugging session my MSP430 never jumps to my ISR routine. Can someone help me with that issue This is a sample of the code I have written: inside the `main()` function: int main (void) { //code init_Timer (); //configures TA0 CCR1 to 50 ms init_ADC (); //ADC12SHSx = 001 (Trigger is TA0 CCR1) //ADC12IER0 = ADC12IE0; enables ADC12 Interrupt ADC12CTL0 = ADC12CTL0 | ADC12ENC; //enable Conversion _BIS_SR(GIE);//enable global interrupt //rest of code } inside the ISR function #pragma vector = ADC12_VECTOR __interrupt void ADC12_ISR (void) { static int x = 0; ++x; } **EDIT_0** inside the `init_ADC ()` function void init_ADC (void) { ADC12CTL0 = ADC12ON | ADC12SHT0_2; //ADC ON, 16 ADC12CLK ADC12CTL1 = ADC12SHS_1 | ADC12SHP | ADC12SSEL_1; //TA0 CCR1 Output, SAMPCON from Sample Timer, ACLK ADC12CTL2 = ADC12RES__12BIT;//12 bit resolution ADC12MCTL0 = ADC12INCH_10;//A10 P9.2 ADC12IER0 = ADC12IE0;//enable MEM0 interrupt (if it's value changed) ADC12IFGR0 = ADC12IFGR0 & (~ADC12IFG0); } Inside `init_Timer ()` function void init_Timer (void) { TA0CTL = MC__UP | TASSEL__ACLK;//counts to TA0CCR0, and source from ACLK TA0CCR0 = 1667;//50 ms count = 50/.03 (Tperiod of ACLK = .03) TA0CCR1 = 1667;// 50 ms } **END of EDIT_0** Discussion: Comment: Could you provide Timer and ADC initialisation code, please? Comment: @GVelascoh Sure I will do that right now in the edit (**EDIT_0**) Comment: Personally, I like doing things the other way. Use a timer interrupt to service the data, when you pretty much know it's ready, and then trigger the read, Comment: I am learning about the ADC12_B module, so I would like to explore as many features it has. Even though, eventually I would like to put my uC in a Low Power Mode, and if I have a Timer ISR that triggers a conversion which goes to an ADC ISR, these 2 instances would wake the uC from it's sleep, if I only use one ADC ISR and let it get triggered by the "TA0 CCR1 Output" I feel I would save some power consumption, as it will wake up once for every cycle Answer 1 (1 votes): Table 6-12 in the datasheet also shows how the ADC trigger input is connected to the timer: And this makes clear that the "timer output" is the same signal that would be output to a GPIO pin. In other words, this has nothing to do with the interrupt itself, but you have to configure the output mode to generate a rising edge at the desired time. The default output mode (0) never changes the output; you want something like "Toggle" or "Set/Reset", depending on the frequency: Discussion on this answer: Comment: The ADC Interrupt got nothing to do with the start/triggering of the conversion, the interrupt is for when the value at ADC12MEM0 changes and ISR will occur. This is what I figured, if it is not the CCIFG of TA0CCTL1 then, it is the output from TA0.1, I changed the output mode of the CCR1 module, to output mode 4: Toggle, where I set it to toggle every 50 ms. This is what confuses me, in table 6-12 it mentions that in order to make a signal connection to ADC12, the Device Input Signal, and the Module Input Signal to be DVss and GND, or DVcc and Vcc respectively Comment: The timer's inputs and outputs are completely independent, and configured separately. Comment: Sorry, I don't quite understand, how can I make the CCR1 module triggers the ADC12. I went to the User Guide page ... Figure 25-1, there you will see CCRx module with inputs from CCIA, CCIB, GND, Vcc, all configured via the CCIS bits from the TA0CCTL1 register, I changed my code accordingly (CCIS = GND, and CCIS = Vcc), and still there is no change Comment: Again: the timer inputs **do not matter**. You are not using capture mode but compare mode. Answer 2 (0 votes): You could try to enable the timer interrupt and check that CCR1IF is going high and that SAMPCON is set afterwards. Also, you can check ADC registers as well, to determine its status, e.g. ADCBUSY bit. It is a good idea to use switch-case on ADC12IV and enable error-related interrupts to debug. Please let me know how it is going. Discussion on this answer: Comment: I am learning about ADC12_B module, so I want to know how to trigger it using "TA0 CCR1 Output". My original ISR was more complex, and had a switch statement for ADC12IV reigister (still faced the same problem), then to check what is wrong with my ADC, I did the simpler code that I posted here. I tried debugging, by setting the CCIF bit from TA0CCTL1 register, that didn't do anything, I will try again, and update you. Comment: Hi, I just check this line `ADC12CTL0 = ADC12CTL0 | ADC12ENC; //enable Conversion`. You are assigning to the register `ADC12CTL0` its address value, but I think you want just to set the `ADC12ENC` bit without affecting its current value, so you should use `ADC12CTL0 |= ADC12ENC;` instead Comment: No, I don't think this is the case, ADC12ENC is a macro defined in msp430fr6989.h library and I am doing a bitwise OR operation between ADC12CTL0 register, and ADC12ENC so that the ADC12ENC bit in ADC12CTL0 register will be set without changing the values of the original bits in the register Comment: I understand what you want to do. Indeed `ADC12ENC` is a macro and is ok to use it to set the correspondent bit, but at that point what is the content of `ADC12CTL0`? Comment: Also, you could try using mode 7 instead of mode 4, and set a small value in `TA0CCR1`, because you need to generate both edges (to sample and convert). ================================================================================
Discussion Chain ID: 731473 ================================================================================ User asked: Schmitt trigger recheck on Proteus 8 Given Vlow thresold=1.5V, Vhigh thresold=4.5V, Vref=5V, Vout=5V. so i got R1=3kOhm, R2=10kOhm. [](https://i.sstatic.net/23Hxo0M6.png) [](https://i.sstatic.net/5KjboeHO.png) Only sine wave, without square wave. What i am missing here? Discussion: Comment: Missing Vin+ and Gen cannot go to Vin- without R, No positive feedback R's, Too many crossing lines on schematic. Go research a better solution Comment: Please clarify your specific problem or provide additional details to highlight exactly what you need. As it's currently written, it's hard to tell exactly what you're asking. Answer 1 (1 votes): > _What i am missing here?_ Plenty of things... It's not a Schmitt trigger that you have simulated. A Schmitt trigger uses positive feedback to the non-inverting input but sadly, you have nothing connected to the non-inverting input at all. Additionally you have connected the input source directly to the inverting input and, even if you had used positive feedback, that would be neutralized by where you connected the input source. It gets worse because the positive supply also connects to the output pin and R1 is shorted out AND your source connects to ground but, that ground node is not referenced in you op-amp circuitry. All your oscilloscope is showing is the input signal. Trace the connections to see what I mean. ================================================================================
Discussion Chain ID: 701175 ================================================================================ User asked: Identify 433MHz RF interface chip with markings `119B D904 125` I'm trying to identify an unknown QFN chip originating from a door/window contact sensor. The sensor is manufactured by Climax but [the manual](https://manuals.plus/m/f8b1e09c03095e4989156fd23e5705c52f01d01817e05a51543422f1b542c8c9_optim.pdf) has little clues, besides model number `MDC-3`. I found it in the [FCC database](https://fccid.io/GX9MDC3R2/Test-Report/Test-Report-6637358) which says it's transmitting on 433MHz. The chip in question is a small square package, labeled as `119B` `D904` `125`. Since the sensor uses another TI part I tried their catalog, but to no avail. [](https://i.sstatic.net/xSOL0.jpg) [](https://i.sstatic.net/O9Fk6.jpg) [](https://i.sstatic.net/zJavN.jpg) Discussion: Comment: The 430G2553 is a MSP430G2553, so that's the main controller. As the MSP350G2553 has no RF frontend integrated and the antenna is connected to that chip, it's probably some RF interface. Comment: It is most likely some sort of key fob chip, something similar to an EV1527 or maybe LoRa. Comment: This seems to be proprietary 433Mhz frontend maybe? This issue is for a bit of context: https://github.com/merbanan/rtl_433/issues/2724 ================================================================================
Discussion Chain ID: 402934 ================================================================================ User asked: Problem while simulating EMI Filter for power lines I was designing an EMI Filter for the CE102 standard. I was a bit confused on how to provide noise source to the circuit, since (as of my knowledge) EMI noise enters our system by parasitic capacitance or inductance coupled to power lines. Also, I provided a noise source to the circuit as given below. Please correct me if I am wrong. [](https://i.sstatic.net/FuL7Z.jpg) Discussion: Comment: What does the standard say for ingress susceptibility criteria? Comment: I think 10KHz to 10MHz Comment: That is the physical explanation, but in modeling (which is what you have there) you usually add a source (or more), voltage or current, depending on your approach. Answer 1 (3 votes): The easiest way to test or simulation ground noise or CM noise is with a series generator using a CM choke. We used to use an audio and RF power amp., brushed motors twisted along cables, and large inductive pulses. But you could also use a square wave using dry NC contacts in series with power relay coil. But you should read the standard. You can even inject a CM 6kV lightning bolt with 30 ns rise time. Use 100 ohm series R into an ideal CM transformer as CM. A typ. Transformer is not as balanced as a CM choke which requires 0.1% tolerance to suppress 60dB , then the Pi filter provides the LPF breakpoint. check the specs. A typical iron transformer power supply attenuated 70 dB for lightning on a linear DC output with a line filter. SMPS supplies vary widely. Go fetch Fully Understanding CMRR in DAs, IAs, and OAs Pete Semig Analog Applications Engineer-Precision Linear TI site Discussion on this answer: Comment: Sorry sir I didn't get you. ================================================================================
Discussion Chain ID: 402930 ================================================================================ User asked: Selecting temperature probe for home use with long cable / low power I would like to monitor the temperature outside my home. The sensor has to be located at least 20m cable length from the display unit. Whole system should be powered by a battery (doesn't matter which) and should have a decent display. I would like to have an accuracy of <=0.5°C but it's ok if it's not as good. I would like to create a display unit myself (as fun project). But it's also OK if there is an off-the-shelf component. All components should be obtainable from cheap online shops from china and should be cheap. 1. Which sensor should I select? Digital? Analog? 2. How much resistance is acceptable per 'm of the cable? 3. Can arduino nano handle displaying part? Would it be possible to log temperatures using arduino? I've never done anything like this, I've tried a little research, but I know there are people here who can answer this without to much effort. Great, thanks a lot. so i found this [sensor](https://www.aliexpress.com/item/1pcs-DHT22-DHT-22-Digital-Temperature-and-Humidity-Temperature-Sensor-DIY-KIT/32867511950.html?spm=2114.search0204.3.58.10a97a2bYeK4xe&s=p&ws_ab_test=searchweb0_0,searchweb201602_2_10065_10068_318_319_317_10696_450_10084_10083_10618_452_535_534_533_10307_10820_532_10301_10821_10303_204_10059_10884_323_10887_100031_320_321_322_10103_448_449,searchweb201603_55,ppcSwitch_0_ppcChannel): and I guess there is some info about it [here](https://create.arduino.cc/projecthub/attari/temperature-monitoring-with-dht22-arduino-15b013) Still remains question of cable type/dimension. Answer 1 (1 votes): Because you want to have 20m Cable, I would use a digital sensor. Temperature is measured most of the time with temperature dependent resistors so the cable would distort the measurement. Also you will have EMI problems with long cables! P.S. You know that you can buy a cheap weather station which includes wireless sensors and a display unit? You will not get any cheaper if you try to build the system yourself. Maybe you can also find one with datalogging. Discussion on this answer: Comment: Thanks for your comment! I read that cable resistance can be compensated for since you actually know it's value (can be computed from cable length). I suppose arduino has digital inputs that can handle this sort of thing? I would actually like to do this as a fun project, not necessarily to save money but to learn about this stuff. I am cheap on the other hand :). Comment: Yes you can also measure the resistance of your cable if you have a good enough multimeter. What I don't know is how the cable resistance is influenced by aging and temperature. Comment: Arduino should have analog and digital inputs for all possible solutions. Comment: Oh OK. I was looking at [link](https://www.aliexpress.com/item/1pcs-DHT22-DHT-22-Digital-Temperature-and-Humidity-Temperature-Sensor-DIY-KIT/32867511950.html?spm=2114.search0204.3.58.10a97a2bYeK4xe&s;=p&ws;_ab_test=searchweb0_0,searchweb201602_2_10065_10068_318_319_317_10696_450_10084_10083_10618_452_535_534_533_10307_10820_532_10301_10821_10303_204_10059_10884_323_10887_100031_320_321_322_10103_448_449,searchweb201603_55,ppcSwitch_0_ppcChannel): and I guess there is some info about it [here](https://create.arduino.cc/projecthub/attari/temperature-monitoring-with-dht22-arduino-15b013) Answer 2 (0 votes): You can easily use STP cable with RJ 11 or Ethernet jacks and SMT CM choke and large Pi filter caps to 0Vdc, using a linear LM75 but I suggest you model it to ensure low Q anti-resonance, which is achieved by low impedance ratios. I can use Falstad to inject 50/60 Hz + square wave in series with CM transformer to simulate results. Use the best sim you know how to use. Then log T min,max ,mean and trigger from dT/dt threshold with time stamps to minimize the data collection to your specifications. Look in depth (search schematics and Arduino code) or look at cheap weather clocks for their features. They can use remote sensors. Discussion on this answer: Comment: Those sound like pretty good ideas, what's a SMT CM and Pi filetr? I think i will try to make my own arduino powered display unit, which should AFAIK connect directly to the sensor via digital IO on the board. Comment: Poppy you can easily google unknown terms by copy and paste or highlight and lookup. You can accelerate your wisdom by learning how. Search “common mode noise” “Texas instruments”. Or SMT CM choke. And PI FILTER for signals ================================================================================
Discussion Chain ID: 402927 ================================================================================ User asked: Diode OR circuit drive current Why is there no drive current available from the circuit below when R is connected to 0V? [](https://i.sstatic.net/N3Rci.png) The last sentance in this extract from wikipedia states that > If R is connected to 0 volts it will have no drive current available to drive the next circuit; practical diodes need a bias current. If diode A had +6V at the input, R was 1k and connected to ground; then A would be forward bias ("fully on" as +6v >> 0.7V required) leaving B and C in reverse bias. Providing the +6V rail was capable of supplying more than the (6mA) required for the resistor I would have thought that there would be current left over to drive the next circuit? Answer 1 (2 votes): It's not a problem with the OR gate itself. Think about what happens if the OR gate output is connected to a diode-based AND gate. What happens at the output of the AND gate? Discussion on this answer: Comment: Hi, thanks for the reply. I'm not entirely sure what you're getting at? Do you mean a configuration as follows: https://imgur.com/a/40iCUCY Comment: https://electronics.stackexchange.com/questions/131860/diode-logic-gates Comment: That circuit shows the resistor from the OR gate being referenced to ground? Comment: most practical logic devices are built out of cascading gates. The biggest problem is noise immunity, so you want as wide a hysteresis band as possible. setting those OR gate resistors to ground diminshes that value for succeeding gates, and since diode resistor logic is passive to begin with, you don't want to waste that margin. Look at a correct implementation of an AND gate and see how low the output can be driven if the previous stage can only pull down to 0V-recall your desired levels (at least in the above example are 0 and 6V, how will succeeding stages after the AND deal with it? Comment: So what you're saying is that the output of the AND gate can only pull down to 0.7V? I appreciate your comment from a practicality point of view but I still don't understand where the current availability comes into this? My confusion with the wikipedia entry is that instead of ground the pulldown at the output of the OR is connected to -6V Comment: The problem is that you have a current limiting resistor that goes to that rail voltage. It forms a divider network with the pullup resistor on the AND gate, so the the output of the AND gate is the average of the two supply rails (if the resistors are equal). You don't get a nice ~0V output at the AND gate in that case. Comment: That makes sense, but the Wikipedia article implies that having a negative pull-down on the OR removes the current limitation. Given the wikipedia example with the OR pulled down to -6V and the AND pulled up to +12V if both resistors were equal you would still have the same problem? Comment: That +12V could work it all depends on the pullup resistor value, but it is wikipedia, I get the feeling those diagrams were ripped out of some other source and who know what the context was, but since they don't define what the resistor values are, it would still be (potentially) functional. If you want to play around with it (and it quick, fun, and you learn new stuff) get LTspice from linear technology, it's free a nice somewhat nonstandard GUI, but it has a spice simulator which lets you check things out for yourself and also play those important what-if games with real-world models. Comment: Thanks for the recommendation, I've accepted as an answer ================================================================================
Discussion Chain ID: 402926 ================================================================================ User asked: Grounding a Laptop I have the following problem: I am currently debugging an electronic sensor board which is connected to the USB port of a laptop. The USB port is used both for communication via UART and to supply power to the sensor. The sensor shows some erratic behaviour and I want to check whether that is caused by an insufficient power supply of the USB port. Therefore I want to connect the sensor board to an external lab supply like this: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fN0uXC.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Since the laptop is not gonnected to mains ground (MGND) I would be connecting the floating laptop ground (LGND) directly to the mains ground (MGND). My question is whether that is okay or do I need to ground the laptop to be sure? Answer 1 (2 votes): It is typically safe to connect the laptop chassis to mains earth. If it isn't already in the power brick. Any peripheral might also ground chassis to mains earth, or create leakage current. Just be aware of ground loops. * * * To prevent all of these power and noise problems I have a collection of USB isolators, and an isolated USB HUB* *_this one is mains earth referenced though (bb-elec UHR204)_ Discussion on this answer: Comment: Thank you for response, I´ll keep the points you mentioned in mind. Answer 2 (1 votes): Laptop SMPS May be earth grounded on primary side to reduce egress, but they cause massive ingress with 100pF Torroid coupling to CM noise and worse with another primary ground source. Normally for a laptop with it’s ground plane , no problem but then cables become antenna. Ethernet has a DM and CM choke, DC and external mic’s may have a ferrite sleeve, (CM choke) but is not enough. Due to leakage safe concerns of AC line with lightning this is how it’s done to limit Y cap leakage to 125 to 250uA. Yet anytime you connected VGA monitor which has an earth grounded supply to signal gnd, when you connect to a laptop and it also becomes earth grounded. So to satisfy both the SMPS noise + line + lightning noise to sensors, I highly recommend **1 to 10 nF to earth ground to 0Vdc or nearest Agnd.** This because you cannot define to us how ground current nor CM transient current from impulse will flow. The _longish_ cables ought to be STP and the capacitance ratio of what you add 1nF ~ 10nF to ferrite coupling capacitance xx pF determines the best case amount of ingress + egress attenuation. I have an excellent paper on What is CM and how answer every question on this subject ,but cannot post it. Fully Understanding CMRR in DAs, IAs, and OAs Pete Semig Analog Applications Engineer-Precision Linear. ti.com ================================================================================
Discussion Chain ID: 402924 ================================================================================ User asked: reflow oven issues with RO4003 PCB Im trying to reflow some RF pcbs in a legit reflow oven. The PCBs material is "Rogers RO4003 305 Um" and 3 layer. (Its a very thin pcb) If temperature is high enough to reflow the paste, the pcb changes color , and gets a little burned, degrading its usability. paste type : CIF Sn96 5Ag3Cu0.5 no lead oven: [CIF FT 03](http://cif.fr/en/batch-reflow-ovens/385-four-de-refusion-a-convection-forcee-ft-03.html) (its a 2 heating element: quartz tube) please suggest some hints to improve soldering process. Discussion: Comment: A legit 6-zone conveyorized oven would probably help. Batch ovens are probably not capable of meeting the temperature profile spec. Pb solder is easier. Usually PCB makers try to dissuade odd layer counts because of warping, but I’m not familiar with your particular material. Comment: Infrared/quartz without any type of internal fan has too many hotspots for this to work. A hot plate may work better. Answer 1 (2 votes): We've played this game with a batch quartz oven with awful results. To see what's really going on, instrument a pcb with a matrix of thermocouples and monitor the temps. Chances are, you won't like the results. Keep running tests, changing one variable at a time, until you get better results. Things you can change: * Profile times and temps. There is probably a solution, but you have to find it. Try to align recorded temps with the published reflow profiles from the pcb/component manufacturers. * PCB position on the tray. Use the thermocouples to detect hot-spots, move the pcb to find the most-even temperature area. * Adjust the Convection air flow. Off course, all of these adjustments are interacting, so this procedure is a real PITA. There's no easy way to go through this, except step-by-step. Once you get a 'feel' for your oven performance, and different PCB's, then it gets easier but process never becomes 'Automatic'. Good luck! Answer 2 (1 votes): Yeah, these non-pro ovens have a pretty nasty rep. There may be a "sweet spot" in the oven somewhere. I do pretty good by doing small batches in a toaster oven that I retrofitted with a heat-ramp-soak controller from Omega, and putting a thermocouple directly on the board. especially after insulating the walls of the oven. If there's a way to move the temp sensor to be in direct contact with the board, do it. Other than that, all of these non-pro solutions, my retrofit included, take some hours of cycling through while measuring, to tweak out the ramp-soak profiles. Ya gets what ya payz for. Also, if I may, you don't use an oven like this for real quantity. Therefor, if you don't need to use lead-free, **don't!!** You have less of a chance of burning up your board at a lower temperature. In addition, you might think of this as a prototyping step. Use your oven to inexpensively knock out prototypes, test them, then ship off board assembly to folks with the right gear. ================================================================================
Discussion Chain ID: 402918 ================================================================================ User asked: Lightning protection system When I have a lightning protection system installed on a building roof top , what is the best way to bond the electrical equipment on the roof? Is it ok to directly bond it to the down counductor of the LPS? or different measures should be taken? Lets say I have multiple air-condition units on the roof, how can I safely bond them to the lightning protection system. With bonding here I mean bonding the metalic body of the units. Lets say if I bond the body directly to the down conductor, in case of a lightning strike will current pass through the unit and destroy the electronics inside it or will it only follow to the down conductor and to the ground? Answer 1 (2 votes): > how can I safely bond them ... Safely for what? For the units themselves against lightning? Or for humans operating or servicing the units? Or for the building, against fire risk? You have no choice but to bond them correctly for humans and for the building, which means to the protective ground that's run with their power supply. There may be other regulations in your area about cross-grounding of the electrical system protective ground and the LPS. Read that carefully before you do anything of that nature on the roof. It might be prohibited, it might be mandated. You must follow your local electrical code. Why follow your local code, when the laws of physics are universal? Because the regulations are local, and if you don't follow them, the insurance company you thought were going to pay up when your building burns down are going to use **any** deviation from the local installation regulations to wriggle out of paying your claim. You may think you know better than the local regulations about lightning protection, and you may well do. But what matters, the survival of an AC unit against rare lightning, or your finances against rare building insurance claims? Not your building? The building owner may sue you if you've made his building non-compliant with local regulations. Discussion on this answer: Comment: Local electrical code? This statement im reading in many places and never failed to confuse me. Electricity and lightning always obeys the law of physics whether its on USA or planet xyz. As such why we have local codes goes specific for each country? Comment: @soosaisteven Why do we have different vehicle operation laws in different countries? Comment: @RDrast In some country people drive on left and some other country they drive on right. But electricity always flows from high potential to lower potential in entire universe. Comment: @soosaisteven Electricity and lighning obey the same physical laws. Unfortunately, lawyers obey local laws, and insurance companies use **any** means they can to avoid paying out money on a claim. Let's say your building burns down, with the fault starting in the AC units on the roof. If your wiring doesn't follow local regulations, for instance conductor diameter, or maximum link length, or whether you link them at all, then you may not get your claim paid out. Comment: The resistance and inductance of earth bonding varies widely from commercial to internal and external units , regional water levels and soil types. Comment: @soosaisteven "electricity" is not the same in every country either. Never heard about 120V vs. 230V? Or, if you prefer the other side of the debate, how does driving on right/left affects speed limits, which also differ by country? ================================================================================
Discussion Chain ID: 402916 ================================================================================ User asked: Input Impedance of a diode connected MOSFET I was trying to derive the small-signal input impedance of a diode-connected MOSFET (figure included), and came up with this expression. Is my method correct? I have been reading about methods of deriving the input and output impedances using a test voltage, and that is the method I have followed myself. Some validation on the approach and the answer would help. [](https://i.sstatic.net/B4paa.jpg) This is my solution. [](https://i.sstatic.net/WNhzp.jpg) Discussion: Comment: Why is Rd there? What is it. Why is Rd in series in the first schematic but then to ground in the small signal model. That does not make sense. Comment: Well, in the small signal model, we ground all DC voltages, right? VDD is a DC volatge, so grounding it basically makes Rd connected to the ground, if I'm not wrong. Comment: I should have mentioned that VDD is a DC voltage. Comment: So, Rd is just a resistor, used to control the DC current of the MOSFET. Comment: The first schematic does show a VDD. Comment: I want to calculate the imdedance looking into the source. Comment: The circuit is taken from here: https://www.youtube.com/watch?v=2Ox4vRCMlGw This video demonstrates how to compute the output impedance of this same circuit. I wanted to check my learning by calculating the input impedance for that matter and verifying whether I have understood things right. Comment: Fiar point, I wasn't looking well enough. I suggest that you start with the small signal impedance of a diode connected NMOS to ground biased at a certain current. Calculate the impedance of that. Then the total for your schematic is simply Rd in parallel with that impedance. Comment: Okay, but is my method correct? Comment: That is to say, is it free of any technical errors? I found this technique (of using a test voltage) convenient, so it would be really helpful if you tell me whether this is alright or not. Comment: I am not used to that Vt method and find it confusing and counter intuitive as it seems to add complexity. In the 2nd line you calculate Vd from Vgs * gm * Rd and that ignores the local feedback of connecting the gate to drain. Try replacing Rd with a DC current source first. You should end up at Zin = 1/gm Comment: I agree with the previous comment. Vt is constant so should be suppressed for small signal. The impedance should be 1/Gm in parallel with Rd. Comment: @SteveHubbard He wants to calculate the impedance in the source, so that is \$1/g_m+R_D\$, not in parallel. VT is a "test" source to set up the equations. Comment: This assumes that your model is good at that operating point. At low drain voltage the parallel resistance is low. Look at Id vs Vd curve Comment: @SvenB I should have looked more closely. I thought Vt represented the threshold voltage but as you say it is the test source. I stand corrected. Answer 1 (3 votes): [edit] To avoid confusion, from the comments you state that you want to find the impedance looking into the **source**. In other words, this situation: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f30t92.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) I could find a few mistakes: * In the third step, you missed an \$R_D\$: $$ v_D = \frac{g_mR_D}{1+g_mR_D}V_T $$ * You also made an additional mistake in the second-last step. But it is irrelevant because of the first mistake. The expression should resolve to: $$ I_D = g_m\left(\frac{g_mR_D}{1+g_mR_D}-1\right)V_T $$ * Then another mistake is that by your voltage/current convention, the impedance will be $$ Z = -\frac{V_T}{I_D} $$ Don't forget the minus sign. * * * The result with these corrections will be: $$Z = \frac{1}{g_m} + R_D$$ As expected. A diode-connected transistor has an approximate impedance of \$1/g_m\$ which is in series with \$R_D\$. Discussion on this answer: Comment: Thanks for the insight. But, why should Z be equal to the negative of the voltage to current ratio? Comment: I think that 1/gm is **in parallel** with Rd so that would make your formula for Z incorrect! This might be due to the drawing, I was also confused thinking that Rd and /1gm are in series. They're not, the top of Rd is connected to Vdd. Comment: @Curiosity That is because the impedance is the voltage across the nodes divided by the current flowing *in* the circuit. You defined the current as flowing *out* of the circuit. Comment: @Bimpelrekkie The author states in the comments that he tries to find the impedances looking into the source. This makes the transistor and resistor in series to AC ground. Comment: I see no mention of "looking into the source". OK, it's in the comments, then the schematic doesn't match. **What a mess!!** (the question, not your answer) All-in-all OP should be more clear on what he wants as now all of us are making assumptions. Literally: "derive the small-signal input impedance of a diode-connected MOSFET" and then the answer would be 1/gm. OP introduces the Rd resistor and complicates everything. ================================================================================
Discussion Chain ID: 402915 ================================================================================ User asked: USB Camera to GPU Memory Directly There may be several points in this question which may not make sense to a knowledgeable person, so I do thank you for your understanding in advance. For a computer vision project I wish to process images from a camera array (10s of cameras) simultaneously and we wish to jam image data to GPU memory as fast as possible, with RDMA or NVIDIA's gpuDirect. There exist cameras with SDI outputs and SDI capture pci-e cards with said direct GPU memory access, however, a setup like this may end up being quite expensive. From the cost aspect USB cameras we are considering seem to be a solution, however, I am yet to find a USB host pci-e card that can support RDMA or gpuDirect. (1) Have any of you seen a product that can support such direct access schemes? (Maybe something that emulates driver of the camera one end and can directly write to GPU memory via pci-e) (2) Is what I am looking for even technologically possible? When I contacted a USB host pci-e card manufacturer I have received the following response that I cannot even interpret: > All our USB 3 controllers follow the xHCI specification published by Intel: <https://www.intel.com/content/www/us/en/io/universal-serial-bus/extensible-host-controler-interface-usb-xhci.html> > > When data is transferred from a usb device, the controller is given a list of address/length pairs where the data should be written. The the controller will issues a PCIe MEM_WR to the address it is given with the data. I hope that helps you decide if you can do what you want with our host controller So do you guys think it is possible or not (By possible I do not mean designing my own custom usb host capable of only doing what have described but with what's available already in market)? Discussion: Comment: https://docs.nvidia.com/cuda/gpudirect-rdma/index.html Comment: I do thank you, however, if you can narrow, what you want to share, down to a specific section it would be more helpful, as I have already visited this. Comment: The interpretation of manufacturer's response is that in standard xHCI architecture the controller's DMA (linked-list parsing) engine is given address areas in CPU memory space, and all USB data are placed (and dispatched from) there. If the GPU memory can be shared/embedded in the main CPU space (I have no idea if it is possible), it should be possible to re-design the USB xCHI driver to DMA its data into re-allocated area. Still the CPU must maintain all these crazy structures in memory for the xHCI controller to operate, CPU must have unrestricted access to the GPU memory. Answer 1 (5 votes): Haven't heard of this, but looking in [GPUdirect description](https://docs.nvidia.com/cuda/gpudirect-rdma/index.html) and [developer site](https://developer.nvidia.com/gpudirect), it seems like it is needed that the device driver for the 3rd party device, should be capable of assign GPU address to the device, in order to perform DMA operations (sections 1.2 and 1.3). I am not used to PCIe, but I guess that as you plan to use USB cameras, they will be communicating with the USB driver in your system. So 2 options I see are: 1. The one you stated, build your own USB host with RDMA capabilities, or 2. modify/create a USB driver for your cameras including Nvidia Kernel driver features, to allow these features to be used from a CUDA program. ================================================================================
Discussion Chain ID: 402912 ================================================================================ User asked: MP111 Op-Amp: Non-linear gain at low input voltages? I'm currently using the MP111 hybrid op-amp set up as a voltage controlled current source with a gain of 1. But what I'm finding is that at low input voltages the gain is much higher than it should be - up to 8 A/V. As we increase the input voltage the gain decreases sharply and then becomes 1. Why is the gain so off at low input voltages? Is there a way to fix this? I'm calculating the gain by dividing the current seen passing through the shunt resistor (Rs) by the input voltage. MP111 datasheet: <https://www.apexanalog.com/resources/products/mp111u.pdf> MP111 configuration as current source (figure 8): <https://www.apexanalog.com/resources/appnotes/an07u.pdf> Rs = 0.01 Ohms, Rload = 0.05 Ohms, Rin = 101 kOhm, Rf = 1 kOhm. The positive and negative rails are at +15V, -15V respectively. Boost functionality is not being used therefore Vboost pins are connected directly to the power rails. [](https://i.sstatic.net/CkhTO.png) [](https://i.sstatic.net/pgIvz.png) [](https://i.sstatic.net/Q3j6m.png) Discussion: Comment: Probably due to input offset voltage. Comment: Marko's suggestion about offset may be a part. But that opamp's specs and your curve don't convince me that's all there is to it. Why not a discrete design, by the way? (That opamp is boutique and expensive.) Comment: What are +/-Vb pins connected to - show your entire circuit please. Comment: Could you show your layout? Comment: I've added a schematic of the circuit. In terms of layout - It's just on a protoboard with discrete components on top of the MP111 Comment: How are you getting the HEAT out of the OPAMP? Comment: @analogsystemsrf massive heatsink - it's meant for 300W power dissipation and doesn't heat up at all during operation Answer 1 (1 votes): Thermal feedback, of unknown magnitude and polarity, will either buck or boost your desired control-loop signal. To test, abruptly change the Rload by 50% (simply hold a similar Resistor in parallel), and observe the behavior. Discussion on this answer: Comment: What should/shouln't happen when I do this ? Comment: You should get a 50% change in some voltage. But you've already stated "the gain is 8:1, not 1:1"; I expect something changing by 8:1, or at least far more than 1:1. ================================================================================
Discussion Chain ID: 402904 ================================================================================ User asked: comparator isn't behaving as it should [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2frwgbh.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) The output is always outputting 5V, and I have no idea why. I have checked the inputs to the comp, I even switch them around its never hits 0 volts. Yes I am double checking that input from the OPA350 is greater than the Vrf. Discussion: Comment: is the ground pin connected? Comment: Yeah, weirdest thing, Pin 4 grounded VSS Comment: What did you do with the CSn pin of the MCP6548? Comment: Needing to know details like this is why you should post a **complete** schematic of your circuit, not just the parts you think might be important. Comment: Oh, sorry I didnt know that was important I left it floating (Unconnected) Answer 1 (5 votes): It seems most likely that you have either tied the \$\rm\overline{CS}\$ input high, or you left it unconnected and it randomly drifted high due to static charge or capacitive coupling to nearby objects. With \$\rm\overline{CS}\$ high, the output goes into a high-impedance state as described on p. 16 of the datasheet, which allows R3 to pull the output high. **Edit** In comments you now confirmed you left it unconnected. As a general rule, you should never leave CMOS inputs floating, as this can produce unpredictable circuit behavior (even oscillation and circuit self-destruction in certain worst case scenarios). If a chip has an internal pull-up or pull-down allowing a logic input to be left unconnected, it will nearly always be mentioned in the datasheet. Discussion on this answer: Comment: Wow, amazing. It works now. Thank you so much. (I grounded the CS pin) ================================================================================
Discussion Chain ID: 701174 ================================================================================ User asked: How to obtain the relationship between input and output in a two-stage n-channel MOSFET amplifier? I have a difficult time with calculations related to a two-stage MOSFET amplifier. This post is kinda long because I go through my calculations. However, to cut to the chase, I would like to know how to obtain an equation relating \$v_{out}\$ and \$v_{in}\$ for the two-stage amplifier shown in one of the figures below. My question boils down to: how does one reason about this problem of obtaining the relationship between \$v_{in}\$ and \$v_{out}\$? Does one have to consider all the possible cases of values of the variables involved or is there some trick or insight I am missing? This question arose while trying to solve a problem in Agarwal's _Foundations of Analog and Digital Circuits_ and not being able to solve it (and there not being any solution manual). In what follows, I will 1. Characterize the behavior of the type of single-stage amplifier we will use in the two-stage amplifier. 2. Consider the two-stage amplifier. **First I characterize a single amplifier, as follows.** Suppose we have an inverting n-channel MOSFET amplifier. The following figure shows the amplifier and its \$v-i\$ characteristic. [](https://i.sstatic.net/IBnvZ.png) As we can see from the characteristic, the amplifier has three modes of operation. **Mode 1** When the input voltage is small enough (that is \$0\leq v_{in}\leq V_T\$), no current flows. The MOSFET behaves like an open circuit and \$v_{out}=V_S\$. **Mode 2** Given an input voltage \$v_{in}>V_T\$, there is an associated saturation current given by $$i_{DS}=\frac{K}{2}(v_{in}-V_T)^2\tag{1}$$ The actual current must satisfy $$i_{DS}=\frac{V_S-v_{out}}{R}\tag{2}$$ The lower \$v_{out}\$ the higher the current. However, \$v_{out}\$ cannot go below zero. The MOSFET allows any current up to the saturation current. Therefore, given \$V_S\$ and \$R\$, if \$\frac{V_S}{R}\$ is smaller than the saturation current, then this will be the current and \$v_{out}=0\$ This happens when $$\frac{V_S}{R}\leq \frac{K}{2}(v_{in}-V_T)^2\tag{3}$$ which leads to $$v_{in}\geq V_T + \left (\frac{2V_S}{KR}\right )^{1/2}\tag{4}$$ Intuitively, given \$V_S\$ and \$R\$, we have a current \$\frac{V_S}{R}\$ and for any saturation current larger than this means the MOSFET operates as a short circuit. Such values for saturation current occur when (4) is true. **Mode 3** If $$v_T\leq v_{in}\leq V_T+\left (\frac{2V_S}{KR}\right )^{1/2}\tag{5}$$ then $$\frac{V_S}{R}\geq \frac{K}{2}(v_{in}-V_T)^2\tag{6}$$ The MOSFET behaves like a current source with current \$\frac{K}{2}(v_{in}-V_T)^2\$. For equation (6) to balance out we need to have $$\frac{V_S-v_{out}}{R}= \frac{K}{2}(v_{in}-V_T)^2\tag{6}$$ $$\implies v_{out}=V_S-\frac{KR}{2}(v_{in}-V_T)^2$$ In summary [](https://i.sstatic.net/GYQSy.png) **Next let's cascade two such one-stage amplifiers, as follows** [](https://i.sstatic.net/UfJQ4.png) Here are some tables summarizing the behavior of each of the amplifiers. For the first amplifier [](https://i.sstatic.net/bT0Sh.png) For the second amplifier everything is the same except that instead of \$v_{in}\$ we have \$v_{mid}\$. [](https://i.sstatic.net/hq2ms.png) How do we derive the relationship between \$v_{in}\$ and \$v_{out}\$? Here is yet another table trying to relate \$v_{in}\$ to \$v_{out}\$: [](https://i.sstatic.net/gdqQD.png) As you can see in the rightmost column, I have that \$v_{out}=v_{out}(V_S)\$ when \$v_{in}\in [0,V_T]\$. This input generates \$v_{mid}\$ at its maximum value of \$V_S\$, which then becomes an input for the second amplifier. However, if we don't know what \$V_S\$ is, how can we know \$v_{out}\$? After all, as far as I can tell, \$V_S\$ can be made as small or as large as we want. \$v_{out}(V_S)\$ could fall in any of the three regions of operation of the second amplifier. Discussion: Comment: In practice, what do you want between the two: the static transfer characteristic of the amplifier which is the analytical link between the Vo and the Vi, or do you want the analytical relationship that links the amplified signal with the input signal and that is the voltage gain of the 'amplifier? Comment: Maybe try to compose the in/out relationship you already found, using the output (y axis) values of your graph as the input of your next stage. Your second stage has the exact same I/O relationship you already found, but it's input is no longer vin, but vmid, or Vout in your graph. Comment: Something like this: https://pasteboard.co/6ZogeuGoSnWb.jpg Comment: @Franc I believe I am looking for the static transfer characteristic. Comment: @MikeAnblips That's precisely what I tried to do in the last table. The problem is that as far as I can tell, we need to know the relationship between \$V_S\$ and the interval \$[V_T\,V_T+(2V_S/MR)^{1/2}]\$. There seem to be three cases to consider. Comment: I don't know the text of the question, so it is difficult to judge but if it is about an *amplfier* then I would go with the assumption that \$V_s - R*I_d\$ is well above \$V_{in} - V_t\$ for a good part of the \$V_{in}\$ range. Otherwise you really can't speak about an amplifier to begin with. Answer 1 (2 votes): There are three possible cases. **Case 1:** \$V_S\leq V_T\$ [](https://i.sstatic.net/SqilM.png) Since \$V_{mid}\leq V_S\leq V_T\$ then \$V_{out}\$ is always \$V_S\$. That is, the input voltage to the second amplifier is always less than \$V_T\$ so it always operates as an open circuit. **Case 2:** \$V_T\leq V_S\leq V_T+\sqrt{\frac{2V_S}{KR}}\$ [](https://i.sstatic.net/GxgSp.png) When \$v_{in}\$ is below \$V_T\$ then \$v_{mid}\$ is at its highest possible level, \$V_S\$. Thus, \$v_{out}\$ is at its lowest possible level which is \$V_S-\frac{KR}{2}(V_S-V_T)^2\$. As \$v_{in}\$ keeps going up, \$v_{mid}\$ goes down along the purple saturation portion of the first plot until it reaches \$V_T\$, which happens for \$v_{in}=V_T+\sqrt{\frac{2}{KR}(V_S-V_T)}\$. For these values of \$v_{in}\$ and \$v_{mid}\$, \$v_{out}\$ traces out the red portion on the first and second graphs. For \$v_{in}\$ above \$V_T+\sqrt{\frac{2}{KR}(V_S-V_T)}\$, we have \$v_{mid}\$ below \$V_T\$ and so \$v_{out}\$ is \$V_S\$. This is all shown in the second of the two plots above. **Case 3:** \$V_S\geq V_T+\sqrt{\frac{2V_S}{KR}}\$ [](https://i.sstatic.net/eZJQE.png) For \$v_{in}\$ from \$0\$ to \$V_T\$ we have \$v_{mid}=V_S\$ which generates a \$v_{out}\$ of 0. As we can see from the first plot, any \$v_{mid}\$ above \$V_T+\sqrt{\frac{2V_S}{KR}}\$ generates a \$v_{out}\$ of 0. As \$v_{in}\$ increases, \$v_{mid}\$ decreases from \$V_S\$ but remains above \$V_T+\sqrt{\frac{2V_S}{KR}}\$ until \$v_{in}=V_T+\sqrt{\frac{2}{KR}(V_S-V_T-\sqrt{\frac{2V_S}{KR}})}\$. Thus, for this range of \$v_{in}\$ we have \$v_{out}\$ remaining \$0\$. We can see \$v_{out}\$ for this range of \$v_{in}\$ as the green portions of the two plots below. As we increase \$v_{in}\$ above \$v_{in}=V_T+\sqrt{\frac{2}{KR}(V_S-V_T-\sqrt{\frac{2V_S}{KR}})}\$, we are on the purple portion first plot below, from \$v_{in}=v_{in}=V_T+\sqrt{\frac{2}{KR}(V_S-V_T-\sqrt{\frac{2V_S}{KR}})}\$ to \$V_T+\sqrt{\frac{2V_S}{KR}}\$. For these values of \$v_{mid}\$, to visualize what we have for \$v_{out}\$, we are essentially tracing out the purple curve but from the point where \$v_{mid}\$ is \$V_T+\sqrt{\frac{2V_S}{KR}}\$ down to where it reaches \$V_T\$. The latter point is reached when \$v_{in}=V_T+\sqrt{\frac{2}{KR}(V_S-V_T)}\$. For \$v_{in}\$ above this value we have \$v_{mid}\$ below \$V_T\$ and so \$v_{out}=V_S\$. **Here is a numerical example for case 3.** Let \$V_S=15\mathrm{V}, R=\mathrm{15k\Omega}, V_T=\mathrm{1V}\$, and \$K=\mathrm{2\frac{mA}{V^2}}\$. In terms of what I already drew (which won't be scaled correctly, we have [](https://i.sstatic.net/QVIof.png) I've drawn in orange the portion in the first plot that corresponds to both MOSFETs in saturation, which is when the final MOSFET is in saturation. As we can tell from the numerical values in pink the corresponding range of \$v_{in}\$ is quite narrow between \$1+\sqrt{\frac{13}{15}}\$ and \$1+\sqrt{\frac{14}{15}}\$, that is, between approximately 1.9309 and 1.9660. Here are the plots using Maple. We can't plot with both axes scaled the same because the plot is too steep. [](https://i.sstatic.net/gorS2.jpg) As we can see, the region of \$v_{in}\$ that corresponds to saturation of the two-stage amplifier is quite small. The plot of \$v_{out}\$ vs \$v_{in}\$ is [](https://i.sstatic.net/ZdoeB.png) which is extremely steep. By my calculations, the gain at roughly the midpoint of the range of \$1.9309\leq v_{IN}\leq 1.9660\$, which is about \$1.9485\$, the gain is about 431. This is just the slope of the plot above at \$v_{in}=1.9485\$. The reason I am doing all these calculations is that I have absolutely no knowledge of amplifiers outside of the context of the book I am reading. I don't know how many stages an amplifier usually has, or if this interval for \$v_{in}\$ is realistic at all. Assuming the calculations are correct, I find it amazing that such small-signal amplification is achieved. Discussion on this answer: Comment: I think there is a possible typo when you state the conditions for case 2) and 3), where you are stating the boundaries of \$V_s\$ in terms of a parameter \$M\$ which - I believe - should be \$K\$ instead. I think you've been /very/ exhaustive in your treatment, personally I would only have considered your case 3) Comment: Indeed the \$M\$ should be a \$K\$. I did get obsessed with the problem a little bit. It just seems that there are so many parameters and it's not easy to tell what's going on without going through an exhaustive analysis at least once like this. ================================================================================
Discussion Chain ID: 402899 ================================================================================ User asked: How to calculate the voltage gain in this picture? [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fHVOJ1.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) I know that by using \$A_v=-G_mR_{out}\$, and \$G_m=\frac{I_{out}}{V_{in}}\$, we can get the voltage gain of this circuit. After the small signal simplification, I got: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fB6pOC.png) So, as node 1 is 0 volt, there is no current goes thru \$M_2\$, then \$I_{out}\approx g_{m1}V_{in}\$ ? So that \$G_m=g_{m1}\$ which is the \$g_m\$ of \$M_1\$? Also, the \$R_{out}\$ is \$R_{02}\$, and is the voltage gain of this circuit \$-g_{m1}R_{02}\$? Thank you!!!! \-------------------------------------------------------UPDATE [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fSPhp2.png) What about this circuit? After the small signal, I got: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fL375l.png) Discussion: Comment: This is not an amplifier. It's just a MOSFET incinerator. Comment: Are you comfortable thinking about loadlines, that involve a resistor. Multiplying the discrete resistor by the gm produces an estimated gain. Answer 1 (3 votes): The voltage gain is 0, because \$V_{out}\$ is connected directly to a voltage source, so its voltage will never vary, no matter what signal is present at the input. Furthermore, M2 will probably catch fire, because its gate and drain are connected directly to the Vcc supply, which will cause a large current to flow through the FET, while it also must drop the full Vcc voltage. Answer 2 (0 votes): **Note:** This answer is for the updated schematic **Assumptions:** The quiescent voltages keeps the MOSFETS in saturation (pinch off) region [](https://i.sstatic.net/TwfP6.png) Here assuming that there is channel length modulation The gain at the first stage is \$-g_{m1}r_{o1}\$ . Since the voltage gain of the next stage \$M_{2}\$ depends on the load resistance \$R_{load}\$. So the effective gain is \$g_{m1}g_{m2}r_{o1}(r_{o2}||R_{load})\$ Discussion on this answer: Comment: Derwin - are you aware that both drain nodes are connected to the power supply Vcc ? Comment: Sorry I should have mentioned this in the answer . My answer assumed that the mosfets are biased properly (I know there is no feedback shown but i assumed that the quiescent voltages maintained them in saturation ) Also this answer is for the updated circuit where he used current sources Comment: OK - in case of current sources, you are right. But it is - as you know - a fundamental difference if I use voltage or current sources. Comment: Yep I agree with that in case of voltage source the gain is zero and if Vcc is large the FETs are done ================================================================================
Discussion Chain ID: 402897 ================================================================================ User asked: Anode scanning Nixie circuit I'm looking into driving nixies and i came across this multiplexing circuit [](https://i.sstatic.net/bYOmD.jpg) I am a little bit confused about the chosen voltages. The 200v line I would assume is to meet the required strike voltage, if this is the case could it be reduced to the average 170v strike voltage? My assumption is that the 110v line is to maintain the voltage across the tube. But that is considerably lower than the maintenance voltage for the zm1000. So what is the purpose of this rail? Finally on the cathode side. It's connected to 75v then pulled down to the 0v potential, is 75v an arbitrary voltage, perhaps what was available from the supply? Why was this chosen? Discussion: Comment: My guess clamp collector potentials below Vceo max and inductive kickback clamping Comment: I'm with @sstobbe, although why the whole thing couldn't have been done working against the 100V rail is beyond me, unless there was a time when high-voltage PNP transistors were easier to come by than HV NPN ones. Comment: HV pnp in the days of germanium perhaps. I wonder if NXP still has the data-sheet/app-note that article cites Comment: In saying that, I could just remove the 75v rail and connect high-voltage NPN transistors to the 100v rail Comment: what could be the benefit of having 35V across an idle nixie tube. Answer 1 (1 votes): The 75v rail is a function of the limitations of the BSX21 transistor, which has a max 80v VCEO specification. When that circuit was produced, low cost high voltage NPNs were not available. These days, you could dispense with the 75v line and use a transistor rated for >200v. Even with 170v as the maximum strike voltage, then it would foolish to provide exactly 170v. You need to provide a voltage higher than the maximum strike voltage, and that's after voltage drops in transistors and tolerances. 200v sounds not unreasonable. Apart from R1 and R2, which seem to have values way too small, I don't see any current limiting in this circuit, individual cathode resistors would be the norm. Discussion on this answer: Comment: My experience with 300+ ZM1080 and ИН-12s is that 160V is more than enough - they reliably strike. Higher voltage shortens the life of the nixies, so going for 200V "just to be sure" may not be justified depending on the application. ================================================================================
Discussion Chain ID: 402893 ================================================================================ User asked: LDO voltage lower than expected I have a 3.3V LDO TLV755 connected to a FTDI chip FT2232HL. But I only get 0.9V at the output terminal. I am not entirely sure what the reasons of this could be. When the FTDI chip connected with a power supply the curernt reading is about 70mA. Is the LDO not suitable for this purpose? Discussion: Comment: Maybe you need to start with actual schematics of your device, its power path. What is your input? Did you apply correct EN signal? What happens if you cut the wire between TLV755 and FTDI IC? Comment: Schematic diagram? What is the voltage at the input to the regulator? What is the full part number of the IC? Comment: Page 23 of the [datasheet](http://www.ti.com/lit/ds/symlink/tlv755p.pdf) lists orderable device (part number) and device marking... Since ti.com offers a 0.9V version of the part, can you look at the marking on the top of the device and confirm it is a TLV755**33** ("AN" or "1FWF" or "1H3H") and not a TLV755**09** ("AX" or "1HDH") Comment: @MarkU damn, I juts noticed that. Let me check the exact pn :( This is really dumb of me. Comment: Added the schematic for clarity Comment: @MarkU you were right, I had an incorrect part Answer 1 (1 votes): Page 23 of the datasheet at <http://www.ti.com/lit/ds/symlink/tlv755p.pdf> lists orderable device (part number) and device marking... Since ti.com offers a 0.9V version of the part, check the marking on the top of the device to verify it is a TLV75533 ("AN" or "1FWF" or "1H3H") and not a TLV75509 ("AX" or "1HDH"). ================================================================================
Discussion Chain ID: 402888 ================================================================================ User asked: How to measure a 100 ohm differential signal on a spectrum analyzer? I have a pair of 1.5V PCML differential signals coming out of an Altera Cyclone V GX FPGA, terminated on the FPGA in 100 ohms with common mode voltage = 0.65V (also provided on the chip). I need to convert the 100 ohm differential signal to a 50 ohm single-ended signal so that I can measure it on a spectrum analyzer. Apparently the best method is to use a balun transformer but I am unsure on exactly how to go about this. I have chosen a 2:1 impedance ratio, 0.25-750MHz (bandwidth is perfect) balun with no centre tap. Here is my attempt: [](https://i.sstatic.net/ten07.png) My main questions are: 1. Is the impedance ratio 2:1 correct and is this circuit going to work? 2. Do I need to use a balun with a centre tap so that I can provide a matching bias voltage (0.65V) or can I AC couple the signal to the balun as shown above? 3. Is there a quick and dirty way of doing this without a balun? E.g. Terminating one of the differential pairs to ground with a 100 ohms resistor and connecting the other signal straight to the spectrum analyzer through a 50 ohm resistor? (I only need to observe the signal on the spectrum analyzer and the data path from the FPGA will be very short) 4. Can this exact same configuration be used to measure an LVDS signal in the future if needed? Any help would be greatly appreciated. Cheers. Answer 1 (0 votes): 3) The correct way to do your quick-n-dirty measurement is to terminate one lead with 50 ohms to ground, and measure the other with your 50 ohm instrument. In fact, this isn't the quick-n-dirty way, this is the most accurate way, as it avoids the signal degradation of the wound balun. Discussion on this answer: Comment: Thanks for that - I used the exact method you described and indeed observed that it produced almost exactly the same results as the balun circuit (just with a slightly lower signal level due to missing one differential signal). ================================================================================
Discussion Chain ID: 402887 ================================================================================ User asked: Why does DAC INL follow a pattern, with peaks repeating at certain specific intervals? INL curves seem to have relation with "digital" effects from the codes,like a major carry transition. Could someone help me understand an electrical or rather an analog, explanation for this occurance. Would this be the case with DACs implemented as simple R-Strings, that donot have binary weighted elements in their architecture ? Here is a crude drawing to explain the INL pattern that I have been trying to explain.[](https://i.sstatic.net/h7U3V.jpg) Answer 1 (0 votes): DACs are (usually) implemented with R-2R resistor ladders, whose linearity depends on the resistor ratios staying correct. If the resistors don't match, you'll get effects like that. Discussion on this answer: Comment: I worked with a guy who designed a 100MHz 14-bit DAC, 20 years ago, for cellphone basestation signal synthesis. He used 17 DACs, with 1 of the 17 always being calibrated. That moved the INL to faster periods than the 16 segments (the 4 MSBs). Comment: @analogsystemsrf: wow. Comment: Thank you for the answer. I am more interested in knowing what a INL trace like this has to tell about the layout or the process. I wonder if there is a correlation between design/layout/manufacturing practices and the locus of the error term across DAC codes. Comment: @VidhyaPrasad: That I don't know. It may be educational to work out what happens if there's a linear increase or decrease in resistance across an R-2R ladder -- from my long-ago time working with imaging chips, process defects tend to either come as bad areas on the chip, or as a gradient in parameters across the chip. So you can think of the ways that you may lay out an R-2R ladder if you were a chip designer, and what would happen if there were a process gradient across that particular bit of real estate. ================================================================================
Discussion Chain ID: 402886 ================================================================================ User asked: Measuring 0805 Capacitor values under 1nF Other than investing in an expensive tweezer type meter for SMD components, what would be a good method for the layman to find the capacitance of an 0805 ceramic capacitor whose value is below 1nF? My Fluke meter can only measure to 1nF... Discussion: Comment: If all you have is a Fluke (no oscilloscope, etc.) then the only other semi-practical DIY technique would be to solder (unfortunately) the capacitor into an op-amp based astable multivibrator. That would create an oscillation frequency inversely proportional to the the capacitor value (I would test the circuit out with some known value test capacitors to make sure it works, and that the formula calculations are correct as well as correct for stray capacitance at the 100pF and below range. Otherwise you're stuck with buying tweezers. With a scope you could do a direct RC time constant check. Comment: You should use an op-amp buffer to the scope probe to reduce loading effects that would affect accuracy. Practically speaking you have a 1:1000 range in values, and once it gets down into the picofarad range you really want to calibrate the circuit by substituting known values. This assumes your Fluke has a decent frequency counter range. You can cross-check by putting in a known value and comparing the frequencies. Comment: Put in a square wave, perhaps the scope's probe-calibration signal. Create a low-pass-filter with 10uS timeconstant, likely a lot slower than the cal-waveform. For 100pF, use 100Kohm. Remember the scope-probe has 13-15pF. Comment: @analogsystemsrf Siemens isn’t a unit of time, mate, nor is Kelvin a prefix. Answer 1 (1 votes): You could buy one of those cheap Chinese LCR meters. About $6-10 including shipping and they'll measure down to 30pF or so. Here's a 47pF 50V 0805 capacitor measured with hand-held jumper leads: [](https://i.sstatic.net/nzerB.jpg) I would check it with my LCR bridge if it was important but you can't beat the price/performance of these things. The design has evolved from a US published front end and hobbyist copy using an AVR and the published equations. \--sp Answer 2 (0 votes): The quick and cheap and easy solution. This Bside ESR02 Pro seems to have gotten me the correct capacitance and the replacement parts are accurate! This read 320pF off a 0805 capacitor! Success! ================================================================================
Discussion Chain ID: 402878 ================================================================================ User asked: Finding voltage across capacitor in series and parallel Here's my circuit: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2ftIYbx.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) I want to find the voltage over the _20uF_ capacitor; however, what I come up with is _50V_ which does not seem correct based on the voltage source. Here's how I got _50V_ : combine the six caps (the three parallel on each side) to get a circuit as shown: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f0P8OQ.png) So, $$C_{eq}={1\over{ {1\over60} + {1\over20} + {1\over30} }} + 40=10+40=50uF$$ Here is where I _think_ I'm doing something wrong: $$Q=CV=C_{eq}V=(0.00005)(20)=0.001C\;\;\;\;\;\;\;\;\;V_{20}={Q\over C_{20}}={0.001\over{0.00002}}=50V$$ That is how I got my _50V_ over the _20uF_ cap. Was that the correct way of doing this? Is that the right answer? If not what did I do wrong? Thank you for any help! Hopefully, that is enough work shown. **EDIT:** If the _40uF_ cap can be ignored (makes sense), then, $$C_{eq}=10uF=0.00001F\;(found\;above)\;\;\;\;\;Q=C_{eq}*V=(0.00001)(20)=0.0002C$$ Then, $$V_{20}={Q\over C_{20}}=0.0002/0.00002=10V$$ My final answer is _V=10V_ , is that correct? Seems a lot more reasonable. This should be right since after finding the other capacitors voltages and then doing KVL, the sum of the voltages across the caps comes out to be zero. Discussion: Comment: You can actually ignore the 40 μF capacitor entirely; nothing it does is going to affect the 20 μF one. Comment: Oh, then I can get the equivalent capacitance, use Q=Ceq*V to get the charge through that chain/branch, and then use that Q and C20 to find the voltage. I'll make an edit. Comment: @Felthry, can you verify my solution? (In the edit) Comment: The series capacitance of 60µF and 30µF is (60*30)/(60+30) µF= 20µF. So, it's 20µF and 20µF in series in the branch, and your 20µF cap sees half the source voltage. Comment: Ah, good, so 20/2=10V, as I found. Thanks. ================================================================================
Discussion Chain ID: 402875 ================================================================================ User asked: How do I determine the purpose of this op-amp circuit? I have this circuit and I was asked to determine V2=f(V1) and V3=f(V2) which I determined below. The next step is to figure out what the purpose of this circuit is but I'm not sure how to do it from the equations I got. [](https://i.sstatic.net/R3Q9T.png) Answer 1 (1 votes): It's hard to see what the first half of the circuit does. It could be a differential amplifier with the inputs tied together, depending on the res values. The second half is an inverting amplifier, as your equations show, with a pole at some frequency determined by C and R7 and a zero at a higher frequency determined by R6, R7 and C. So some sort of equaliser? ================================================================================
Discussion Chain ID: 402874 ================================================================================ User asked: MOSFET-switching between two power supplys: how to avoid transverse current? For a hobby project I would like to switch between two power supplys. The two power supplys are two 6s LiPo batteries. If one battery is empty i want to immediatelly switch to the other battery. (the load is a motor) For switching a 90A, 2.2mOhm n-channel MOSFET with a highside driver will be used. I already did some research and made a first schematic drawing: [](https://i.sstatic.net/MWwtv.jpg) The maximum current is about 50A and the battery voltage varies between 18V (empty) and 25V (full). So if e.g. BATT. 2A is empty (18V) and BATT. 2B is full (25V) and Q1 is therefore switched off and Q3 on (to only use the full battery), there is about 25V potential at the source of Q3 (and hence 25V at source of Q1), but only 18V at drain of Q1. So there is a difference of -7V between source and drain of Q1 and the parasitic diode of Q1 between source and drain will probably conduct which leads to an short circuit (at over 100A battery current for a short time, so the MOFET will be destroyed). How can I avoid that transverse current? Thank you for any help in advance! Discussion: Comment: Put a very high-current Schottky diode at the output of both battery packs. You'll lose about a volt, and dissipate about 50 watts, but that's the simple version. Comment: Thank you for you comment, but loosing 50W would be unacceptable! Comment: Two questions- what happens to the Vgs voltage if the motor shorts/stalls, does it exceed spec? You may want to use that sense pin to add an overcurrent to shut down gate drive before the FET SOA is exceeded, it's designed to use copper artwork tempco, so that's actually nice. The second item I'm checking is the heat dissipation requirements, you say a 50A load, is that steady state (high torque situation)? If so you may want to check the heatsink requirements. I^2*R ~=2500*.002 ~=4.5W, but junction to ambient is ~40K/W with their 6cm^2 heatsink example, you'll need something better (?) Comment: @isdi thank you for your comment. Because I am going to measure the passing current later via shunt, I will add a Smith-Trigger which monitors the voltage drop and switches the MOSFET off if a defined level is exceeded. For that reason I disabled the built-in overcurrent protector. Yes temperature could be a problem... It is planned that the drain-pad will be enlarged and connected to the bottom PCB-layer with vias and I hope this i enough. A small fan is also an option. Answer 1 (1 votes): Battery protection circuits, like [this one from TI](http://www.ti.com/lit/ds/symlink/bq2980.pdf) use two FETs back to back to avoid this issue. [](https://i.sstatic.net/eIB4L.jpg) Discussion on this answer: Comment: Thank you for the answer. Do I understand right, that the second MOSFET is used to switch off the reverse current of the first MOSFET? So in normal operation mode the current passes through the parasitic SD diode of the second MOSFET? But the ~1V of this diode will also create a 50W loss? Comment: Under normal battery and load/charge conditions both FETs are turned ON, so both diodes are bypassed. The reason for the dual gate control is for battery undervoltage, battery charging overvoltage/current, and load overcurrent/short conditions, and since those conditions have defined current directions, the appropriate FET is turned off and the other FET body diode is reverse biased. Note that the battery being protected in that diagram is the non-standard symbol on the left, to the world, the "battery terminals" are the pack+/- nodes. Inspect Table 1 on sheet 8 for further details. Comment: What isdi said is the case. With the FET on, the drop across the FET is very small compared to the diode drop, so dissipation is acceptable. I've used this trick of connecting FETs 'backward' for reverse protection in battery powered applications, it works well. Comment: I do understand now, thank you! Thats a very good solution and the loss is about 1% when switched on and nearly 0% when switched off. The control of the MOSFETs will be not that easy but viable. ================================================================================
Discussion Chain ID: 402869 ================================================================================ User asked: Transformer magnetizing inductance I am learning about transformers and in the equivalent circuit the magnetizing inductance of the excitation branch is supposed to represent the current needed to "set up" the flux in the core due to finite permeability of iron. However, this does not explain to me why flux needs to be "set up" to begin with. The voltage induced is not a function of the magnitude of the flux but rather the rate of change of flux. The flux could at one instant be zero and changing quickly and the same voltage would be induced in a winding as if the magnitude were larger with the same rate of change. This seems to be one of the biggest problems when analyzing "magnetic circuits" to me as there is a clear discrepancy in the duality with respect to maxwell's equations. The rate of change of magnetic flux would seem to be the "magnetic current" especially for energy conservation and duality for Faraday's law with Ampere's law. Can someone explain why there needs to be flux "set up" in the core and for that matter what the magnetizing inductance does. Discussion: Comment: Perhaps what you're misunderstanding is that the flux Φ itself is the "magnetic current", not dΦ/dt. Comment: I understand that's how it was defined but the voltage induce would be equal to the rate of change of magnetic flux not the magnitude of the flux. This can be compared to amperes law where the magnetic field is proportional the rate of change of electric charge not the magnitude of the electric field itself. I don't see why a magnetic flux needs to be set up to begin with just like a build-up of electric charge does not create a magnetic field. Comment: I'm not sure I understand what you're not understanding, honestly. The flux needs to be "set up" because it has to get there somehow, it's not just magically there. Comment: I don't understand why a given magnitude of B field needs to be maintained in the core. The magnetizing inductance will generate a given level of B field as far as I understand, but why does there need to be a given magnitude of B field. If the B field at one instant was 0 but increasing at a given rate of change that would induce a voltage. It seems to me that "setting up" is unnecessary as the rate of change is whats important. Intuitively the "set up" flux is like the "DC" value of the changing flux that doesn't matter. Answer 1 (5 votes): This is a great question Colin, one which I puzzled over long and hard myself before coming to an intuitive understanding. Magnetizing inductance and magnetizing current are two aspects of the same departure of a real transformer from the ideal transformer model; in particular, as you mention, the fact that a real transformer core has finite permeability. The permeability of an ideal transformer core approaches infinity. Interestingly, this means the magnetizing inductance of an ideal transformer is _infinite_ , not zero. It does not appear in the ideal circuit because it models as an _open circuit_ , not because it's not present. As a consequence, the flux needed in the ideal core to induce a voltage in the secondary is produced by a vanishingly small current (read zero). So the non-ideality of a real transformer is that it's inductance is less than infinite and therefore requires a current to flow to produce flux. There are three other important factors to note about this: 1. The change in flux produces a _voltage_. It does not by itself produce a current. Essentially, the \$\frac{d\phi}{dt}\$ produces a voltage and the voltage produces a current if it can, based on the impedance of the secondary circuit. 2. For a given permeability and frequency, \$\frac{d\phi}{dt}\$ is proportional to the peak flux. If the peak (or peak-to-peak) flux is lowered, the voltage on the secondary drops. This means that the magnetizing current is the _minimum_ current that can flow without dropping the output voltage. (Here I'm thinking of magnetizing current as sinusoidal AC. The same principles apply in switching transformers fed with square-wave input voltages but the complicating factors that introduces are perhaps better left until later.) 3. Nothing says the magnetizing current has to be in-phase with the input voltage, in fact, in a well-designed transformer, in general, the magnetizing current will be near 90-degrees out of phase. The real portion of the complex magnetic current gives a measure of the resistive and core losses. The imaginary part is pulsing back and forth, producing flux but not consuming power. Now, when a load is placed on the secondary, a secondary current flows. This current produces a magnetic field (flux) that _opposes_ that produced by the primary. This reduces the effective inductance of the primary which allows more current to flow through it, which produces more flux. This feedback cycle finds equilibrium when the magnetizing flux is restored and the output voltage is maintained. So the magnetizing flux is there at the same level at all times during the transformer's normal (i.e. non overload) operation. There might be a boat-load of other flux happening in both directions as power is transferred in a loaded state, but the _net_ flux is always at the constant level produced by the magnetizing current. From this you can see that the primary must always produce more flux than is cancelled out by current flow in the secondary and this surplus is provided by the magnetizing current. An open-circuit secondary takes the secondary current out of the picture and allows ready measurement of this magnetizing current. This might make some sense of the expression "setting up the flux", although I think that's one of those less-than-instructive expressions that only makes sense when you already understand and don't need it any more :) Answer 2 (2 votes): Transformers are feedback systems, with summation of input and feedback **FLUX** occurring within the core. When the secondary load current changes, the flux summation changes, the voltage induced in the **PRIMARY** changes, and the voltage changes across the impedance between the external power source and the primary. This change of voltage across the impedance causes a change in current drawn from the external power source. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fwkkYl.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Answer 3 (2 votes): Let we look what the rate of change is. A magnetic flux of a given transformer is: $$\Phi=\Phi_{max}sin(\omega t)$$ Rate of change is given as differential over time: $$\dfrac{d\Phi}{dt}=\Phi_{max}\ \omega\ cos(\omega t)$$ And the induced voltage is: $$u_i=-N\dfrac{d\Phi}{dt}$$ You can clearly see that rate of change as you are refering at is not magnitude invariant. It is clearly seen (second equation) that an induced voltage will vary with magnitude of flux (\$\Phi_{max} \$) but also with frequency (\$\omega\$) and finally with number of turns (N). ================================================================================
Discussion Chain ID: 701170 ================================================================================ User asked: How to revive this dead 3.7 V Li-ion pouch battery? I made this Bluetooth speaker and I was happy it's working. I left it running and somehow the battery is dead. Battery voltage is now ZERO Any attempt to charge it using TP4056 board is not bringing it back to life. So the battery is totally useless? [](https://i.sstatic.net/StXEH.jpg) Answer 1 (3 votes): It seems to have a protection board to shut down and disconnect the battery from circuit to prevent discharging the battery below damaging and dangerous level. So the protection worked and battery worked as per the specifications. It may be unusable now, but also not dangerous. Usually it is possible to charge such batteries though, by trickle charging them. TP4056 should trickle charge a battery when it is below safe charging voltage, but if the battery is still connected to other circuitry that loads the trickle charge voltage to zero, it can't trickle charge it. Disconnect the battery from load and only connect it to TP4056 charger. That should be the default operation anyway, as the TP4056 cannot detect how much current goes into battery and how much goes into load instead of battery, so it will fail to detect when the battery is full if battery is connected to a load, and this will overcharge the battery, possibly degrading and damaging it, but again it seems that the battery is protected so there won't be gross overcharge. If it still does not trickle charge the battery, it might need resetting the tripper overdischarge protection somehow, but it requires unwrapping the pack protection board and trying to reverse-engineer which chip is used and how to reset the tripped protection. It might be safer to buy a new battery and not cause the overdischarge protection to trip. Discussion on this answer: Comment: Okay step one, I disconnect the load and the battery is giving ZERO volts. No movement on multimeter at all. I'll now connect a separate TP4056 to see if it does the trickle charging. I'll be reporting back shortly. Comment: Charging with same TP4056 charging board without a load worked. The battery is back to life. Any idea why it died? Is it okay to to use the load while charging using TP4056? Comment: @basitj Something discharged the battery and the underdischarge protection kicked in. Of course it is **not** possible to use load while charging, I already explained the TP4056 cannot detect when battery becomes full and it overcharges the battery which will degrade and damage the cell, overcharging protection just protects cell from one-off catastrophical failure. Answer 2 (0 votes): Get a meter. Measure the voltage directly at the cell (not at the battery terminals). If the voltage of the cell is at least 2.8 V, the battery may be salvageable. If lower, do not attempt to circumvent the BMS and recharge the cell. Doing so may damage the cell such that it may blow up. Discussion on this answer: Comment: I don't know what do you mean by "directly at the cell" ? Do I unwrap the yellow seal and see what's inside? I've never done that I've disconnected everything now and the battery only on terminal is giving ZERO voltage. No movement on multimeter whatsoever. Comment: "what do you mean by "directly at the cell"?" It means the two flat tabs coming out of the rectangular cell. (Not the red and black wires coming out of the protector PCB.) Yes, you have to remove the yellow tape to get to them. Or at least poke through the tape. ================================================================================
Discussion Chain ID: 402866 ================================================================================ User asked: Current modulator for laser driver and analog audio signal modulation I would like to build a proper laser driver and use an audio output to modulate the laser output. At the moment, I connected the audio output instead of the battery in a laser pointer. It works, but the laser signal is very weak and I would like to use laser diodes instead of laser pointers. The ready-built laser drivers often use TTL signals, MHz modulation or not enough current. The laser can handle currents up to 26mA. A circuit plan would be great! Final Project: I would like to use the audio line output to modulate the laser and use the audio line input to read the photodiode signal, laser audio communication setup. This previous question ([link](https://electronics.stackexchange.com/questions/25375/current-modulator-for-laser-driver)) is amazing, but I have an analogue signal and not a TTL signal. Thanks a lot in advance. Discussion: Comment: Olin's answer to the linked question will work for analog as well as digital inputs, you'll just need to adjust component values for your signal bandwidth, bias point, and gain. Comment: @Sparky256, That's nonsense. Analog modulation of a laser diode is a common technique. Comment: @Sarah, can you share a link to the datasheet for your laser? What kind of medium are you sending the signal through (glass fiber, plastic fiber, free space, ...)? Comment: @Sparky256, I planned to modulate the laser with a sinus and not a TTL because I prefere the sinus for the photodiode signal processing on the computer afterwards. I expected that the laser lifetime would benefit from the slow sinus changes compared to the sharp TTL changes. Comment: @The Photon: The laser I would like to use is the 5mW version https://de.aliexpress.com/item/1pcs-Focusable-5mw-10mW-405nm-Violet-Blue-Laser-Dot-Diode-Module-LD-3VDC-5VDC/32623747510.html?spm=a2g0s.9042311.0.0.27424c4dv2lajE Comment: @Sarah, This isn't just a diode laser, it's a module with an internal power supply circuit. I don't see any indication that this laser module is designed to have the output power modulated. So this is probably not a good choice for what you're trying to do. Comment: Und ich glaube ich habe die Deutsche Beschreibung mindestens 90% verstehen. Comment: @The Photon: You are perfectly right. I am sorry. I made a mistake. The idea is realy just to use the diode itself and therefore it also does not have 350mA but 26mA. I am very sorry! That is the right link also with a proper datasheet: www.laser66.com/html/4146-101S.pdf Comment: @The Photon: wow, you speak German :-D ================================================================================
Discussion Chain ID: 402863 ================================================================================ User asked: Cadence Virtuoso - Cell Parameterized Please see attached. I am unable to view the Poly, Metal, Cont layers for the PMOS & NMOS instances. Need a bit of assitance on how to fix this issue [](https://i.sstatic.net/UEBAd.png) Discussion: Comment: Would you mind explaining what you were trying to do, and perhaps typing out the error message so that future visitors would find your question more easily? Please don't reply in comments, edit your question instead. ================================================================================
Discussion Chain ID: 402861 ================================================================================ User asked: Charging a 18650 battery using a 5V charger I built a power bank which had Seven 18650, savage some from laptop batteries and others from an old power bank... I recently just noticed that the power bank circuit won't charge the batteries though the output process is good to go... It came to my knowledge that charging the batteries directly from the charger would severely damaged the batteries.. So I dropped the voltage using two diodes connected in series, it gave me 4.0V, I don't need an ammeter to know that the diodes also took down the current, because it took an hour and half to charge a 18650 from 2.8V to 3.2V meanwhile I'm using a 5V 1A charger... So any help on how to increase the current or any alternative to charge a 3.7V 18650 using a 5V 1A charger. Thank you in advance for your anticipation on getting me a solution.. Forgive my English, its crappy. Answer 1 (5 votes): ATTENTION! If you overcharge a lithium-ion cell it can explode and cause some serious damage. Also if you get the cell into undervoltage condition and try to charge it again it will explode too. This is why lithium cells should never be used without a battery management system which supervises every cell condition. Lithium cell should be charged with a CC-CV algorithm. Every cell is different about the end of charge voltage, under voltage border, maximum currents and so on. Without out knowing anything about the cell I would not risk burning down my house while experimenting with lithium-ion cells. Mixing different cell types can also be dangerous because there can be compensations currents which are not intended. (Source: I work at a company which develops battery management systems and builds battery packs. Even with a high experience we have burning cells from time to time for example when we get packs back from a customer and do not know what he has done with it.) Answer 2 (1 votes): Designing battery charging system is a complex task with lot of precautions and calculations. That's the reason many battery management ICs are available in the market. The general features of such ICs are Charging type CC, CV or trickle charge mode, battery deep discharge protection, battery over charging protection, temperature monitoring while charging, etc. These are the essential parameters which needs to be considered for designing battery charging circuit and any of these parameters going out of range may result in the explosion in the battery. So, battery way is to search for good full featured Battery management IC and understand each of its parameters and their significance. Then you will be able to design a proper battery charging system for your power bank. Also just by increasing the charging current by few hundred miliamperes will not give you desired results of fast charging. There is a certain limit of charging current depending on battery capacity, which needs to be follow in order to keep your battery healthy. ================================================================================
Discussion Chain ID: 402857 ================================================================================ User asked: Pololu A4988 Decoupling Capacitors My son (9yrs) has become interested in robotics. I did a course on it in college, but that was a LOOONG time ago and the course was much more rooted in programming than it was in electrical engineering. So, I'm learning as I go so that I can keep the project as wrinkle-free as possible. I know that pre-built options for what I'm building already exist... but I don't learn anything having someone else do it for me! So... I wish to build a "dual stepper motor driver" (I'm sure there's a better name for it, but that's what comes to mind), I plan to take the main power source (12V) and push it through a 5V regulator to supply the logic, to make the board as "self contained" as possible, rather than rely on the Arduino for my 5V supply. I've already got a 100uF cap across Vmot/gnd, but there's the 5V logic Vin/gnd.... should I put a decoupling cap on that, as well, since it's coming from the same power supply? I'm inclined to believe "it's not needed but it's a good practice", but I wanted to ask and be sure. As I understand it the idea is to provide a "current buffer" to protect against a sudden need for power which can in turn cause harmful voltage drop or noise, and the logic really wouldn't draw much in the way of current, all while the minimum voltage I expect to see from the battery is 11.7V near empty (still exceeding minimum that the regulator would need... right?). Answer 1 (0 votes): > I've already got a 100uF cap across Vmot/gnd, but there's the 5V logic Vin/gnd.... should I put a decoupling cap on that, as well, since it's coming from the same power supply? The caps function like a current 'buffer', they source current when it get's too low and sink current when it get's to high to maintain a constant voltage level. In the example below L1 and R2 represent the wire, C1 is a filter capacitor and R1 is a variable load. [](https://i.sstatic.net/QSwYO.png) The reason for using capacitors is the instantaneous current switching that circuits with millions of transistors can have and the other problem is that wires have resistance and inductance. If you could measure the inductance and resistance of the wires, you could actually tell how well of a filter you've built. But for most of us we just 'ballpark' the capacitance, because that saves time. 100uF might be a little steep, and might increase the start up time but should be fine for your application. Digital lines are an important place to put caps on due to the variable nature of the load. Motors, especially stepper motors are another good place becasue they also switch, so I'd put caps on both. ================================================================================
Discussion Chain ID: 402856 ================================================================================ User asked: Enhancement type MOSFET - channel formation In an enhancement type MOSFET (an n channel one assumed here), when a positive gate to source voltage is applied, the holes of the substrate near the gate move deeper into the substrate away from the channel, and the electrons of the source and drain region accumulate near the gate to form the channel. At the same time, the minority carriers of the substrate (electrons) should also be assisted by the electric field to accumulate in the channel region. The book by Sedra and Smith mentions that only the source and drain electrons form the channel, while Boylestead's book states that the minority carriers of the substrate are involved in channel formation. So, can I assume that both these mechanisms are involved in channel formation? Discussion: Comment: Yes, both help form the induced channel but since the free electrons are readily available in the n+ region, they contribute a lot more. It would take a looong time for the channel to form if the process only relied on the minority carriers in the p-substrate. Answer 1 (0 votes): Yes both mechanisms are involved. In my opinion Sedra and Smith is plain **wrong** if they claim that the channel only exists from electrons from source and drain. That is because a MOS structure by itself (P-substrate - thin oxide - conductive polysilicon layer) so **without** drain/source regions, can already form a conductive channel at the edge of the P-substrate when a positive voltage is applied to the conductive layer (the gate). Like so: [](https://i.sstatic.net/Dq28L.gif) When Vgb is large enough (more than Vt) a channel will form at the top of the (blue) p-type substrate. OK, it will not conduct anything to anything else but it will be there. Perhaps in Sedra and Smith they refer to a channel of an active NMOS so where some drain current is flowing. Then indeed the electrons come from the source and travel through the channel to the drain. Discussion on this answer: Comment: Right, so even when the drain voltage is 0 Volt, the gate voltage will cause the creation of a channel due to both mechanisms. Am I right with this statement? Comment: This formation of "channels" is a problem for integrated circuits. Hence the "field implant", or the "channel stop" implant, is used everywhere on the IC's surface where no useful R/C/transistor has been laid out. This implant, from memory, is a highly doped layer, expected to require VERY HIGH VOLTAGES to invert. Comment: As usual a non-relevant and confusing (for OP) comment from analogsystemsrf. @Curiosity Yes, the drain voltage can be 0 volt and then there can still be a channel formed. See the picture I included: **there is no drain** yet still a channel can exist. ================================================================================
Discussion Chain ID: 402848 ================================================================================ User asked: Question on MOSFET - small signal model In the small signal model of a MOSFET, the current from the drain to the source (for an n channel MOSFET) is a function of the gate to source voltage only. But, if a positive voltage was not applied at the drain, the current wouldn't flow in the first place. So, why is the drain to source voltage not considered? Discussion: Comment: I would review how a small signal model is derived- that would give you the answer. Answer 1 (2 votes): A small-signal model is only valid around a certain operating point. Your particular model makes the assumption that the DC bias voltage on the drain is such that the model is valid, and the AC drive voltage at the gate is small enough that the gm approximation works. As an example, the Id vs VGS characteristic for a particular FET is shown below with Vds=15V. [Graphic from here.](https://www.electronics-tutorials.ws/amplifier/mosfet-amplifier.html) If your gate is biased at the point on the diagram where the slope of the curve is gm, then those would be the conditions around which your small-signal model would be valid. [](https://i.sstatic.net/vOdJR.png) For different DC conditions you may have different values of gm and output resistance. [](https://i.sstatic.net/FmfzA.png) You can Google all kinds of detailed explanations of how to derive a small-signal model and the assumptions made. Here's one example: [Small-signal derivation](http://www.prenhall.com/howe3/microelectronics/pdf_folder/lectures/mwf/lecture12.fm5.pdf) Here's another: [MOSFET Small Signal Modelling](https://inst.eecs.berkeley.edu/~ee105/fa14/lectures/Lecture13-Small%20Signal%20Model-MOSFET.pdf) Maybe after reviewing what you can find with Google you could post a new question with any specific doubts you have about what you find. Discussion on this answer: Comment: Thanks, but can you elaborate a bit more on this concept? Comment: That is to say, what assumption is made about the DC bias voltage? Comment: @Curiosity Elaborated. Comment: A small signal model is **only valid** for a biased MOSFET, so a drain current **MUST** flow. The behavior of a MOSFET when Vds = 0 isn't modeled/considered in the small signal model. It would be pointless to do so because when Vds = 0 the MOSFET cannot "do" anything with a signal. Comment: @Bimpelrekkie: Well, you **could** make a small-signal model of a MOSFET with 0V drain to source. Depending on V_GS and whether it's enhancement or depletion mode, it'd either be a couple of capacitors, or a capacitor **and** (be still, my beating heart) a resistor from drain to source. Note that I'm not saying it'll be an **interesting** model. Comment: @TimWescott You're right, we can use **any** mode of operation and make a small signal model. A small signal model is simply the local derivative (as in the mathematical sense, derivative of a function) of the behavior in that point of operation. I agree we could and I also agree that it would not be of any interest for nearly all practical purposes. ================================================================================
Discussion Chain ID: 402844 ================================================================================ User asked: Series capacitors; negative voltage Interesting observation today; I set up a series stack of 4 cheap electrolytic capacitors (10V 220u) and after about 5 mins of applying 30V the lower most cap had settled at -300mV. The other three were at different positive voltages with the sum total being 30V. Can anyone please explain why this cap went negative? I understand that different capacitances will lead to different equilibrium voltages but not why one would go negative. Thanks in advance. Discussion: Comment: Please provide a schematic of how they were wired, also provide the method of how you measured the voltage. Comment: what is the voltage on the other side of the lower most cap? Comment: Were all the capacitors discharged when you applied the 30V? If this is not the case (different initial voltages), redo the assembly. Answer 1 (0 votes): If they were ideal caps, then their individual voltage could not be defined and they could have endless combinations of voltages, even negative ones, as long as the sum is 30V. That’s why you need a balancer circuit for e.g. two supercaps in series. I think this is also true for real caps. ================================================================================
Discussion Chain ID: 402841 ================================================================================ User asked: Adafruit audio FX mini and 2.5W amplifier I am connecting [Adafruit's Audio FX Mini](https://learn.adafruit.com/adafruit-audio-fx-sound-board/overview) board to a [small Adafruit's amplifier](https://www.adafruit.com/product/2130). In order to save some power when the sound board is not outputting any sound, I wanted to connect [ACT pin of the sound board](https://learn.adafruit.com/adafruit-audio-fx-sound-board/pinouts) with SD (shutdown) pin of the amp ([PDF](https://cdn-shop.adafruit.com/datasheets/PAM8302A.pdf)). But if I connect directly these two pins, I seem to get completely opposite result, the background buzz (which is also normally heard) is heard when the sound is not played, and the sound goes off completely when the board is playing something. Am I missing something? Should I invert ACT? How? Answer 1 (1 votes): If you look in the datasheet of the PAM8302 you can see that pin 1 is called SD but note that the pin is actually called S̅D̅ <= Note the overbar The overbar means that the pin is **active low** , also see the drawing on page 2. You need to make S̅D̅ = 0 for shutdown. On the PCB containing the PAM8302 SD is actually marked wrongly. I do not see a transistor on the PCB (which could invert the signal and make "SD" correct) so the SD goes straight into the chip, making it a not(SD). So yes, you need to invert the ACT signal. The simplest way to do that is by using an NPN or a NMOS, like so: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fqjdCS.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) You could also use a CMOS logic chip with gates that can also work as an inverter like the HEF4011. ================================================================================
Discussion Chain ID: 402833 ================================================================================ User asked: 2 tone test with RF mixer I am designing a system that uses RF to probe the nonlinearity of a target. It works as follows. 1. Transmitter sends out 2 RF frequencies, such as 900 and 910MHz. 2. The target/reflector has a nonlinearity, this causes the generation of 920MHz (among others). 3. The reflected signal (900+910+920) is received by an antenna, and mixed with 919.9MHz LO to generate a 100kHz signal that has amplitude proportional to the 920MHz signal. A low pass filter is applied to reject the higher frequencies. My question is this: the input to the mixer is 900+910+920MHz. I only care about the 920MHz signal from the reflector in part 2. Will the 900+910 MHz that goes into the mixer be mixed and generate a huge 920MHz signal that swamps out the reflected 920MHz? What are your thoughts on this? A key part of all this, is that I am hoping to avoid bandpass filtering at 920MHz before the mixer. I prefer to do this using the low pass at low frequency. Discussion: Comment: Yes, the mixer itself will have a 3rd-order intermodulation product at 920MHz (100kHz on the output). The real question is will this be enough to cause problems? You need to characterize your mixer and see -- if you hit it with your combination of 900 + 910, without your nonlinear material, and you see too much energy at 920MHz (or 100kHz on the output), then you know your setup is a non-starter. Note that if you're trying to get really sensitive, you could also have mixing in the output stages of your two RF sources, or at any rusty junction in the room. Comment: I see, this really clarifies the problem. Thanks for your help! ================================================================================
Discussion Chain ID: 402830 ================================================================================ User asked: Understand limit voltage and current It could sounds odd but I am trying to find a switch for my inverter that is an isolator. My batteries are 12 V and my inventer can do over 5 KW, but I found a switch at 48 V, rated 300 A. If I use it on 12 V what would be the max rated current for it? Discussion: Comment: the voltage rating has nothing to do with the current rating ..... the 48V voltage rating means that, when the switch is open, then 48V across the contacts will not cause an arc to form .... higher voltage could cause an arc across the open contacts Answer 1 (1 votes): On a 5KW inverter the max current would be: 5000W/12V = 416A The current rating should be somewhere in the manual also. So if you really are trying to switch all the batteries at the same time, 300A may not be enough to handle the 400Amps that potentially could be run across the switch. Find a better switch. ================================================================================
Discussion Chain ID: 701168 ================================================================================ User asked: How do I orient the "outlet" side of a voltage stepdown converter relative to the connecting circuit? I've created a circuit diagram for a wheeled robot. This is my first circuit diagram as a mechanical engineer, and I'm a little confused on the current flow convention for the voltage stepdown converter (VSC) highlit in yellow in the diagram below. As I understand, passive elements are oriented opposite to active elements, such that the current by popular convention flows out of the positive terminal of active elements and into the positive terminal of passive elements. But how does this work for the VSC? I assume the "inlet" side connects to the battery positive-to-positive, since the VSC is seen as a passive element relative to the battery in that sense, but how do I know how to orient the "outlet" side of the VSC relative to the rest of the circuit? [](https://i.sstatic.net/1BQql.png) Answer 1 (1 votes): Your statement "passive elements are oriented opposite to active elements" is incorrect. The positive output of a power source is connected to the positive input of any load. The positive terminal of a polarized capacitor must be more positive than the negative terminal, and so for almost any other component. You may be confused by Zener diodes, where the cathode is connected to the more positive supply voltage. Zener diodes depend on their reverse breakdown voltage for correct operation so must be connected "backwawrds". Discussion on this answer: Comment: By that, I was just referencing what I learned in my college circuits course. It sounds like we're on the same page there. I was specifically targeting the voltage stepdown converter with my question because I'm not confident in whether the positive terminal of its "outlet" side should be connected to the positive terminal of the following loads. Comment: The positive output terminal of the stepdown converter must definitely be connected to the positive terminal of any loads. ================================================================================
Discussion Chain ID: 402829 ================================================================================ User asked: Why hasn't my LED burned out by now? I have a 15 year old ReplayTV DVR. I got it used, I'm not sure when, but probably about a decade ago. It's turned on almost all the time, and it has a blue power LED on the front. The [LED FAQ](https://www.bulbs.com/learning/ledfaq.aspx) says that many LEDs have a rated lifetime of 50,000 hours, which implies that it should only last about 5.5 years when used 24x7. [Green Efficient Homes](http://www.green-energy-efficient-homes.com/faq-led-lights-burn-out.html) says that "an individual LED may well last 100,000 hours", so that bumps it up to 11 years. These sites seem to be about LED light bulbs, not the individual LEDs that are used as indicators on electronic devices. Why has this little guy been able to keep shining continuously for so long? Discussion: Comment: FWIW I have a clock with a 7-segment LED display which I built myself about 35 years ago. It has been in constant use ever since, and still works fine. The display is a bit dimmer than it used to be, but still perfectly readable unless direct sunlight is shining on it. Comment: Look at the warranty for led bulbs, just as a comparison. 10 plus years is normal. So normal that these companies are willing to risk some amount of money that their bulbs, both diodes and power supplies, will run that long. Comment: @Passerby More likely they're betting that most customers will not use the product that long, or will not save the warranty information. And most LEDs are used as components by manufacturers, not individual consumers. Comment: Yes, yes, there's that. But they must still budget for some number of failures AND claims within the warranty period. No company would consider it 0. Comment: In addition to everything else, if the TV PWMs that LED, it might have only been on for a small fraction of those 15 years, even if your human eyeball thought it was seeing light the whole time. Comment: My first instinct was (as many others have stated in various ways) indicator lights, clocks, etc. have LEDs that last "forever" for a variety of reasons - e.g., not subject to high levels of power/heat like LED lighting fixtures, not inherently prone to failure the way incandescent and fluourescent bulbs fail, etc. And then I remembered that I have two dishwashers ~ 18 years old with failing LED indicators in their control panels - controls still work just fine but various indicator lights, most of which are only on **during** the wash cycle, have failed. All of which may be planned... Comment: obsolescence as one dishwasher has started to leak, both have racks wearing out, etc. But I fully expected the LEDs to last "forever" like my much older LED clocks that are on 24/7. Comment: I am quite certain that they are referring to all in one lightbulb replacements, not single LEDs as I have never seen some with such a low rating. Comment: @Passerby If you look at the fine print on those LED bulbs, they're typically rated to last ~ 10 years at **three hours a day** of use, a far cry from 24/7. Comment: @manassehkatz In fairness to your dishwasher manufacturer, being mounted on the machine while it's running is a _high_-stress environment. I have to think that the heavy vibration of the machine during a wash cycle, to say nothing of the potential for heat and/or moisture exposure, could do a lot to shorten those LEDs' lifetimes. Comment: @FeRD I thought about those issues too. It is fairly clear to me that the dishwasher is designed to a level such that under typical usage conditions various non-critical (but still useful) parts start to wear out around the same age that the major mechanical components start wearing out. I doubt it would cost that much more to seal the control panel better, use somewhat higher spec. LEDs and other electronic components, etc. - but with typical dishwasher life on the order of 12 years, why spend an extra $10 on every unit to keep those parts running when the major components will fail anyway. Comment: @manassehkatz A number of answers and comments lead me to consider LEDs to be the "cockroaches" of the electronics world. They'll last long after any other devices have worn out or gone extinct. Comment: If it was in stand-by all this time, I'd be curious how much you could have saved by leaving it unplugged. Comment: LED lighting is presumably pushing the LEDs to get the most light out of them, while LED indicators can be perfectly visible with maybe 10% of their rated current, which has to have a positive effect on lifetime. Comment: @aconcernedcitizen It hasn't been in standby. The DVR is running all the time. Either I'm watching something recorded, or it's waiting for something to record. Comment: @Barmar part of it is that you're comparing high power home LED bulbs (which are expected to put off a decent amount of heat, and suffer for it) and a tiny indicator light, that probably never goes above room temperature. Answer 1 (50 votes): Properly designed, built and used, today's LEDs have incredibly long lives and the wearout mechanisms are not catastrophic in nature. So instead of using incandescent lamp MTTF statistics, a luminosity percentage (70%) is often used to define the lifetime. This doesn't mean that the LED burns out, it means that the light output is only 70% of what it was when brand new. Because the change is slow, you normally don't notice it. For white light applications this makes sense because after a period of time the light works, but may be too dim to be useful in the application such as a flashlight or reading lamp. FWIW incandescent lamps are prone to something similar in that the filament would slowly evaporate leaving a dark coating on the glass shell, dimming the light. They are able to compensate a little bit because the filament glows a bit brighter due to the increased resistance (until it breaks). Discussion on this answer: Comment: I'm not talking about LEDs that are parts of bulbs that replace incandescent bulbs. I'm talking about single LEDs used as indicator lights. Comment: Its' the same technology. "white" LEDs as opposed to RGB types are a blue/ near-UV LED that stimulates a phosphor to give off white light, that's about the only difference (aside from the heterojunction materials etc.). If you wear glasses or know somebody, ask them about that annoying blue rainbow effect that they see in all the solid state car headlights- that's the active LED itself. Even if it's an indicator there's a cutoff point where it's too dim to be seen well. Comment: "They are able to compensate a little bit because the filament glows a bit brighter due to the increased resistance" - Since incandescent lamps are usually powered by a constant voltage, wouldn't increased resistance result in the lamp consuming less power, and thus being dimmer? Comment: whoops I meant to say localized resistance "hot spots". There are several tradeoffs in filament wire metallurgy which over time erode the filament cross sectional area and heating to tungsten to an even higher temperature at that spot. There's a nice review paper by Mathew Peet "Tungsten Filament Lamps A Case Study". There are of course a bunch of academic papers but they are all behind paywalls. If you google the above title it should pop up. Comment: As a side-note, street lights and other "professional" lights often have circuitry to compensate for the aging of LED's They start out at perhaps 70% current, and increase the current over time to still produce the same light output for many years. I have replaced the inside of the ceiling light in the kitchen because I subjectively found it less bright than at installation, and I might have to do the same with the under-cabinet LED's. (Or I might add lights at the front of the top cabinet underside, because the current lights are at the center, and doesn't illumunate the whole table enough Comment: @isdi There's important differences though between white lighting LEDs and blue indicator LEDs. A major wearout mechanism is degradation of the phosphor: I recently replaced some LED bulbs at home and it was obvious the worn ones had a much higher color temperature. The OP's indicator LED has no phosphor so it does not have this mode. Another mechanism is the thermally induced yellowing of the package epoxy. At indicator powers this doesn't happen. Comment: I don't know why people have gotten so hung up on the white light vs phosphor vs indicator issue. To me the common technology is the diode, how you transform the light is secondary (I'm sure somebody will start arguing about clear vs colored epoxy, then we'll be in the audiophile zone and no sane engineer will ever bring up the topic again /joke) Rereading what I wrote, I noticed a typo (since fixed) that nobody has bothered to call me out on, yet everybody is using it in the conversation. Comment: The fact that LED technology can be abused to provide a service is not too important to me (I remember plasma TV screen burn in yet people still bought them by the truckload). Whatever the wear-out mechanisms, the technology is at the point that failure is defined by perception of function, as opposed to something literally not working (burned out light bulb). Comment: If the resistance increases, wouldn't that mean the bulb glows less bright? Since for any fixed voltage, increasing the resistance means lowering the current and thus lowering the power used Comment: Its a bit more complicated, what happens is you get localized hot spots due to erosion/constriction- I have a note on that about 5-7 comments above with more info and a reference. Answer 2 (25 votes): Best guesstimate I have for an indicator LED life span is more than 5,000,000 hours. I don't think anyone would be surprised if a micro controller lasted 10-15 years. More likely one would EXPECT one to last that long. Think about how many pn junctions could fail in a microcontroller. An LED has only one pn junction. An indicator LED will last longer than anyone can live to find out. Indicator LEDs would likely never fail in your lifetime. The average human life time is now about 78 years or 683,280 hrs. Indicator LEDs can last longer than that. The power supply (the weakest link in most products) powering the LED in the DVR has lasted 15 years (23,400 hrs). Reliability is based on not only the LED but the system the LED is used in. [](https://i.sstatic.net/XXG0p.jpg) LEDs rarely die. LED light bulbs die because the driver failed. The rating on an LED lifespan is based on lumen maintenance. * * * A common specification for high power lighting LEDs is for 70% lumen maintenance (that is, output at 70% of its peak intensity) after 50,000 hours of operation. The most notable industry standard is the IES LM-80 (LM-80), which is according to the U.S. Department of Energy an “approved method for measuring lumen depreciation of solid-state (LED) light sources, arrays and modules,” (U.S. DOE). This Lumiled white paper covers the topic in detail: [Evaluating the Lifetime Behavior of LED Systems](https://www.lumileds.com/uploads/167/WP15-pdf) I took Lumileds 149,000 hr estimate graph (Fig 5) and extrapolated it to 1,000,000 hrs. Keeping in mind this is a high power LED tested at high temperature. Indicator LEDs last much longer. [](https://i.sstatic.net/XT96o.jpg) Rule of thumb is the life of a semiconductor is reduced by 50% for each 10° C rise in temperature. In the LM-80 testing a junction temperature of over 130° C is used (120 °C ambient is specified). And indicator LED runs at room temperature. So for that well over 5X longer for an indicator. This is where I get my best guesstimate I have is 5,000,000 hours. * * * That is for lighting LEDs. Indicator LEDs have always been know for very high reliability. AT&T was one of the first to see this. AT&T has found their telephone indicator LEDs would last for up to 50 years. That's 438,000 hours. 50,000 hrs applies to high power (high temperature) that drop to 70%. They last much longer than 50,000 before failure. Lumileds has tested L70 to 148,000 hours with a 50,000 test. If they were go to the point where it could no longer be seen it likely be 500,000 to 1,000,000 hours. See figure 5 in their white paper. And that was a high power high temperature Luxeon Rebel tested at 85°C, 0.35A (Tjunction ≅98°C). **1960s an antiquated 110V GaP LED would last over 438,000 hrs. (50 years)** > At the end of the 1960s AT&T Bell Laboratories immediately realized that there were many possible applications for LEDs. Indicator lamps. were becoming useful in the telephone business. All such lights used at that time in the USA operated using 110 V. An example is the “Princess” telephone, which was intended to be used in bedrooms – the dial lit up when the phone was picked up from its cradle. The “Princess” was a prestigious telephone and the latest fad in the 1960s but had to be installed near a 110 V outlet. A service call to the local phone company was needed if the bulb burned out. If LEDs were to replace the 110 V light bulbs, the phone line could power the LEDs and a 110 V outlet would no longer be needed. In addition, GaP LEDs had an expected lifetime exceeding 50 years when used in telephones, much longer than 110 V light bulbs... * * * LED material makes a difference. From the book Light emitting Diodes by E. Fred Schubert > The reliability of AlGaAs devices is known to be lower than that of AlGaInP devices that do not contain any AlGaAs. High-Al-content AlGaAs layers are subject to oxidation and corrosion, thereby lowering the device lifetime. * * * If a 110 V GaP lasted 50 years then a 2V LED should last much longer. As the IV characteristics of LED have improved the lifespan has also improved. > Low values of [Vf] are consistently correlated with high device reliability [](https://i.sstatic.net/6C5Lp.jpg) Discussion on this answer: Comment: As I said in the question, the LED has been on almost constantly since I purchased it around a decade ago. Comment: I asked to make a point rather than to elicit an answer. Plus you said: "I got it used, I'm not sure when, but probably about a decade ago." How often was it on the first ten years before you owned it? Again rhetorical. Comment: I would be more impressed by the reliability of the power supply powering the LED. Comment: Good point, that is surprising. This was actually a replacement for a previous one, which had some other component fail (I don't remember which). Comment: @Sparky256 200 years or 570 years. Close enough. Less than 3x difference. I still feel my 570 year guesstimate is conservative. By my next lifetime we'll know better. I'm going to wait at least a few hundred years before coming back. Answer 3 (8 votes): ## The indicator LED is quite possibly not operated at nominal power. The lifetime of an LED is typically specified at nominal power. As blue LEDs are quite annoying indicator lights, these are often dimmed down to a less annoying brightness (for example, nominal specified current is 20mA, the actual operating current in a specific device is just 3mA). This increases the useful lifetime of the LED significantly. That is **in addition** to the other answers. The LED will be dimmer by now than when it was new, but it's still useful as an indicator light. Discussion on this answer: Comment: [this answer](https://electronics.stackexchange.com/a/402855/72179) already explains how reduced current and temperature extend the lifetime of a LED and mentions that LEDs get dimmer as they age. Comment: @Dmitry Grigoryev: Oh. Indeed. I skimmed it, and also sis a full-text search across this page...unfortunately, the relevant part of that answer was contained in a graphic. Thanks for pointing out! Comment: Actually, this is a very astute observation. Blue LEDs are unnecessary bright for indication purposes. The "specified current" (20 mA) is tuned by marketing/process engineering to meet the impressive 50,000 (etc.) life time. So running the LED at 1/10th of nominal will likely increase its lifetime by maybe 20,000X, given that all aging models have exponential behavior. Comment: Running below (way below) rated current also vastly decreases the die temperature, which would add another big factor to MTBF. I would say that this answer offers the best explanation to OP question (togheter with my remark about e^+10 factor). Answer 4 (4 votes): The rating is only a MTBF (mean time between failure) > ## LED MTBF > > For any component or system, the MTBF is the mean time between failures. The MTBF is the elapsed time which is predicted between inherent failures of a component or system during operation. > > The MTBF is a figure used in calculations for the reliability of items of equipment. In order to be able to calculate the MTBF of the equipment, it is necessary to know the MTBF of the individual components, e.g. the LED MTBF in this case. > > The failure rate for a component, and the MTBF are linked. MTBF can be calculated as the inverse of the failure rate if it is assumed that there is a constant failure rate, which is not unreasonable as a first order assumption. > > MTBF = Hours of operation / Number of failures > > The MTBF figures are often quoted in the manufacturers data sheets. However the MTBF can be considerably reduced by operating components close to their rated limits. Hostile environments such as high temperature and vibration also reduce the MTBF. > > However when run within their limits, the LED lamps have a long lifetime, and do not fail very often. Source: <https://www.radio-electronics.com/info/data/semicond/leds-light-emitting-diodes/lifespan-lifetime-expectancy-mtbf.php> Without a sample population and testing of that specific LED it will be impossible to tell what the lifetime of that LED is. the manufacturer can only guarantee through what they know about that LED (probably through running it through months worth of testing, measuring the degradation) and then extrapolating that over the lifetime. They then guarantee an MTBF figure and if you get a batch of their LED's on average, they will last more than x amount of hours. But they could last more, the MTBF figure is only a lower bound. Discussion on this answer: Comment: This answer links to a page that talks about what defines a failure, and references mean time between failure, but fails to define failure itself, which is an important distinction for this question. The typical "failure" mechanism of an LED is not to completely stop emitting light, but to dim beyond a defined percentage of its original output. Comment: @Aaron with an indicator light, a failure would probably be defined as failure to indicate or light at all, not the 70% that is commonly used in the industry to define MTBF Comment: which is exactly why I think it's important to mention that distinction. The OP was asking why the LED lasted so much longer than the industry suggested lifetime, and it's because the industry suggested failure criterion is different from his own. Comment: RE: "a failure would probably be defined as failure to indicate or light at all" so 50,000 hrs falls way short of the actual expected lifetime. I'd say 10x short. I would expect an indicator LED to last well over 500,000 hrs. Answer 5 (4 votes): Estimations of life expectancy of electronic components is a tricky business. As one can imagine, manufacturer can't wait 50,000 hours (or something like 2,290,000,000 hours for a RS232 receiver, see page 7 of [this essay](https://www.iwavesystems.com/skin/frontend/default/electronicstore/pdf/Reliability_estimation_for_electronic_design.pdf)) to collect statistics of device failures, market doesn't allow this. All estimations are done using ["accelerated models"](https://www.electronic.nu/en/2015/03/09/accelerated-life-testing-classic-or-calt/). The idea is to set a batch of devices under extreme conditions (voltage, current, temperature, environmental factors) until some devices fail in a reasonable test time (days or hours), assuming no shift in failure mechanisms. Then, using some theoretical models of failure mechanisms and other ASSUMPTIONS, the failure rate gets extrapolated to normal operating conditions. Usually the theoretical models are of exponential type, so small errors during accelerated testing can result in vast differences in estimations for tails of these exponential functions. So the models are usually on a conservative side, to avoid liabilities from catastrophic premature failures. For example, if the accelerated model for a LED did include the air humidity and rust/oxidation factor, but your LED was always at room and dry air conditions, it can last much-much longer than the manufacturer's specified MTBF. Discussion on this answer: Comment: The LM-80 testing standard use 3 different operating conditions 350, 700, and 1000 mA. At 55, 85, and 120 C. So they are tested under normal operating conditions for a minimum of 6,000 hrs. Except 55 C is to low for 1000 mA and outside normal conditions. MTBF does not apply well to LEDs due to the reduction in intensity over time. Answer 6 (3 votes): Those times are rated lifetimes and can be very conservative. So it might well be that most or (in case you are lucky) some of them can handle a factor times more, so 15 years sounds not unreasonable. Answer 7 (2 votes): If the rated lifetime is warrantied, or even relied on, then the manufacturer may be being conservative and/or limiting itself to what it _knows_ to be true, rather than what it _expects_ to be true. It may have to defend itself in a lawsuit! Blue LEDs did not become widely available as cheap indicator LEDs until the late 1990s. In 2010 a manufacturer might not have had much more than a decade's experience of the devices, and it would therefore be risky to state a life expectancy of more than ten years because theory and "accelerated ageing" laboratory experimentation can not substitute for two decades of actual use in the field. There are reasons to hope that disk drives can last ten years in service, LED light bulbs over twenty, solar panels well over thirty. But experience may triumph over hope, and there are presently "known unknowns" concerning the long-term ageing characteristics of such products which only the passage of much time can make known. Answer 8 (0 votes): First as the others have said the lifespan of the LED is a MTBF, second, some manufacturers strobe lights at very high speed, so the light is actually off a fair amount of the time, your eyes just can't register it. This is often done to decrease battery consumption, but I suppose could also be used to increase lifespan. Discussion on this answer: Comment: This might actually be more stressfull to the LED than running it at a constant low current at equal brightness... Answer 9 (0 votes): They run a bunch of LEDs for 50,000 hours and none of them burn out. So they say on the package "Guaranteed for at least 50,000 hours". To guarantee a LED for 20 years would require them to run it for 20 years to test it. Also, there's a probability of an external event, such as a static discharge, causing an LED failure. This rather small probability influences the 50,000 hours vs 100,000 hours rating. ================================================================================
Discussion Chain ID: 402827 ================================================================================ User asked: Can current flow to earth in TN-S Earthing system? [](https://i.sstatic.net/LEGzi.jpg) The above illustration of a TN-S Earthing system shows one shared connection to earth between neutral and protective Earth. Assuming a short circuit occurred, in the brief second before detected by a circuit breaker, I would think that the current would flow back to its source, and not into the earth, as current must flow in a loop (and current cannot flow in both directions simultaneously). In reality, are there multiple independent connections to earth back at the generator/transformer, which would provide the necessary loop? If not, what is the purpose of the physical connection to earth in such a configuration? Answer 1 (1 votes): It all depends on where the short occurs. If one of the three phases (A, B or C) shorts to the equipment frame, then the circuit will be made through the PE conductor. No current flows to earth there. However, it's also possible for a phase to short to something that is itself grounded, but not connected to any PE conductor. That thing might be a water pipe, or even a person. In that case the ground itself forms part of the return path to the transformer's earth. Answer 2 (0 votes): Three phases systems do not need to be grounded in some cases, in the case of 1 phase loads a ground can have an advantage. > First, the system voltage with respect to ground is fixed by the phase-to-neutral winding voltage. Because parts of the power system, such as equipment frames, are grounded, and the rest of the environment essentially is at ground potential also, this has big implications for the system. It means that the line-to-ground insulation level of equipment need only be as large as the phase-to-neutral voltage, which is 57.7% of the phase-to-phase voltage. > > It also means that the system is less susceptible to phase-to-ground voltage transients. Second, the system is suitable for supplying line-to-neutral loads. The operation of a single-phase load connected between one phase and neutral will be the same on any phase since the phase voltage magnitudes are equal. This system arrangement is very common, both at the utilization level as 480 Y/277 V and 208 Y/120 V, and also on most utility distribution systems. Source: <http://static.schneider-electric.us/assets/consultingengineer/appguidedocs/section6_0307.pdf> Answer 3 (0 votes): Step - up transformer closest to generator mostly have star connection on secondary ,mostly with grounded neutral point. So that is connection to source, through ground (in short circuit). In normal operation, three phase system does not need to have N and PE unless you need phase voltage. ================================================================================
Discussion Chain ID: 402826 ================================================================================ User asked: Remote relay control application with a MOSFET I need to control eight solenoid-valves for water drainage outdoors, remotely and simultaneously. The valves are normally closed (NC) type which I guess, in that context, means they open and let the water drain only when they receive ON signal at their input. [Here](https://uk.rs-online.com/web/p/solenoid-valves/8407020/?sra=pmpn) is the exact model and the [datasheet](https://docs-emea.rs-online.com/webdocs/15dd/0900766b815dd865.pdf) for the solenoid valves. From my [previous question](https://electronics.stackexchange.com/questions/402749/confusion-with-interfacing-a-relay-according-to-its-given-datasheet) I have figured out that the relay is 4.5W and I guess passes around max 400mA in steady state. Since I don't know the the inductance of the coils, I thought it wouldn't be more than 10uH. The idea is to keep the 12V power supply and the controller (Arduino in this case) indoors and send the power and the control signal 25m far away to the optocoupler and then to a MOSFET which drives the solenoids. Here is what I came up with so far: [](https://i.sstatic.net/fxu1L.png) Since I don't want false triggering, I decided to use a 4N25 optocoupler at the far end. This both isolates the ground of the 12V power supply and prevents coupling noise. If I use a coaxial cable, it has like 80pF/m. So for worst case, I assumed the total parasitic capacitance of the cable Cp all the way down is around 10 nF. I also assumed Arduino rising and falling edges as 100ns. Zener and the flyback diodes are for taking care of inductive kicks fast. This is based in what I saw in some examples. I found the MOSFET [IRF530](https://www.vishay.com/docs/91019/91019.pdf) suitable for such application current and power. And here is simulation results for power current and the voltage for the MOSFET: [](https://i.sstatic.net/ILFSm.png) According to the datasheet, Maximum Power Dissipation is given as 88W at 25°C. The peak in my simulation shows max 10W. And here is the zoomed view of the power during a switch transition: [](https://i.sstatic.net/s5NEE.png) There is parameter called Maximum Safe Operating Area, but I don't know how to relate it to this scenario and plots. I have made many assumptions such as Arduino digital output rise fall time 100ns; total cable capacitance as 10nF; solenoid LR as 10uH and 30 Ohm. If these assumptions are reasonable, can we say that this MOSFET can handle this application? Is there any fundamental issue with this schematic? **Edit:** (Some other observations: The peak of the MOSFET during the transition is ultimately related to the inductance of the solenoid which I don't know its value. The peak goes to 60W when the inductances are set to 200mH and 1N7433A is used and 40W 1N7433A when not used. I'm doubting the necessity of 1N7433A. And I think it is very important to estimate the inductance of the solenoid.) After PhilG's note on lack of line resistance, I added 3 Ohm resistance before the Cp. Here is the result: [](https://i.sstatic.net/MSqHb.png) That didn't change much, but I increased the solenoid inductances to 100mH each here is the plot (the peak goes up to 40W and with 1N7433A to 60W): [](https://i.sstatic.net/pP5Vz.png) **Edit 2:** This is another version. Added buffer at transmitting side to ease the Arduino digital output currents. 12V power supply is shifted to receiver side. Increased the inductances to 100uH. Added 10 Ohm series resistance for the MOSFET gate. [](https://i.sstatic.net/J1IM6.png) Here is the simulation results for transition power: [](https://i.sstatic.net/5XwVH.png) Is this below safe operating region? **Here is my last edit:** I set the inductance to more realistic one 300mH. I checked the temperature and it doesn't even need heatsink if the simulation is correct. I changed the diodes to 1N4001 because the 1N4148 was a bit too low power. For stability, 100uF cap is added across power supply. And finally one flyback diode for each solenoid. [](https://i.sstatic.net/gaaMN.png) Discussion: Comment: Why are you not switching the power local to the Arduino and just running the two wires out to the solenoids? Comment: Because I will actually control 8 of these in total 64. So if I do what you say I need 8 Arduino. This way I will use 8 pins of a single Arduino for 64 relays. I didn't mention it not to make the question more complicated. Comment: Understood, though you'd still be able to use a single controller. Reason I was asking was the thought of the likely dip on available voltage for the gate drive at the far end of a 50m loop of cable, if you're potentially simultaneously switching more than the one set of valves that's worse still. The dissipation of the FET will depend on driving it to full conduction, and a dip in the gate drive voltage may slow the switching compared to your model - you may want to include the line resistance in the model. It does look like there's plenty of margin in the operating area of the FET though. Comment: Thanks pls see my edit. Do you mean the cable resistance by saying the line resistance? I added 3 Ohm in series before Cp. Or do you mean a resistor between the gate and the opto? Actually I think the biggest issue of is the unknown inductance. How can I interpret the safe operating area for this case? And lastly you said "you'd still be able to use a single controller" I didn't get how is possible. Thanks. Comment: If it makes things better I might take the 12V DC supply to the far end and power it with ac cord. Comment: Please also see my Edit2. I made another version. Comment: I simulated this, the power spike you are seeing on turn-off is largely a result of discharging the gate fairly slowly through that 10k pull-down. You can greatly reduce the energy in that spike by reducing that to 1k or so, or ideally having a proper source/sink gate drive arrangement - most gate drivers sink the gate at 200+mA so that the transition is very rapid. I checked the inductance of similar coils, 100mH seems a fair value to use https://www.bucherhydraulics.com/datacat/files/Katalog/Ventile/Zubehoer/Magnetspulen/Magnetspulen%20D45%20~%20207/MAG-SP-D45-207_400-P-120120-en.pdf Comment: You could consider using an opto coupler with schmitt-trigger push-pull output, such as H11L1? That could increase switching speed and reduce load on the FET. It might drive the gate directly and be faster on and also off. Vcc on receiver side could be cheap with zener+resistor+cap. I did not look if there 12V variants of the coupler. ================================================================================
Discussion Chain ID: 402820 ================================================================================ User asked: Help Identifying/Decoding Ceramic Capacitor I am having a difficult time identifying a high voltage, ceramic capacitor that I need to replace. I've tried at length to research this myself to no avail. I am hoping that someone out there can help me with this. Apart from the first line on the capacitor which I am reading as 220pF ±10%, I don't know how to interpret the rest. I cannot find a meaning for the symbol at the bottom that is a half circle with a bowtie in the middle of it and what does the tilde mean in this context? Cannot determine the voltage etc Thanks! [](https://i.sstatic.net/PYlIH.jpg) Answer 1 (6 votes): Its a murata cap, made in Thailand. Here is a link to [the PDF](https://www.google.com/url?sa=i&rct=j&q=&esrc=s&source=imgres&cd=&ved=2ahUKEwi-sMnQnp3eAhVIDq0KHRUTCXoQjRx6BAgBEAQ&url=https%3A%2F%2Fsearch.murata.co.jp%2FCeramy%2Fimage%2Fimg%2FA01X%2FG101%2FENG%2FDE1_KX_N01F_E.pdf&psig=AOvVaw3TpfHgkHzS6-6RlSW8Tbhd&ust=1540407332661014) Has a value of 220pf Probably one of these [at digikey](https://www.digikey.com/products/en/capacitors/ceramic-capacitors/60?k=murata%20250%20capacitor&k=&pkeyword=murata%20250%20capacitor&pv2049=u2200pF&sf=0&FV=ffe0003c%2Cffec1679&quantity=&ColumnSort=0&page=1&pageSize=500) [](https://i.sstatic.net/FfBvO.png) Answer 2 (3 votes): See [this document](https://www.mouser.com/ds/2/281/c85e-522724.pdf) Page 38: * 221K: Nominal capacitance: 221, K: Capacitance tolerance, K: +/- 10% * KX: Type designation KX, * X1Y1: See Features, item 8: * Rated Voltage: X1: AC440V(r.m.s.), Y1: AC250V(r.m.s.) or * X1: AC440V(r.m.s.), Y1: AC300V (r.m.s.) * 22: Manufactured date class * M15: Company Name Code: M15: Made in Thailand Answer 3 (2 votes): This is marked '221K' which commonly means 220 pF,10% tolerance, in an EIA standard marking. The '250~' indicates that it is rated for 250VAC. Beyond that, the 'X1Y1' string probably indicates that this component is safety-rated for direct line connection (and would be considered a safety-critical component). The color and the lower string probably indicate the manufacturer and possibly even the factory of origin. This reference may help with similar questions: [wikihow](https://www.wikihow.com/Read-a-Capacitor) ================================================================================
Discussion Chain ID: 402813 ================================================================================ User asked: Tesla coil - my primary circuit doesn't work I would like to make a Tesla coil, so I bought a 10 kV 120 W 30 mA neon sign transformer from Aliexpress. First potential problem, while playing with it, I noticed that when it stops arcing (because the probes are too far apart), if I put them closer again it doesn't arc anymore and I have to turn off and on the transformer to generate the arc again. From what I saw online, the arc comes back with a regular NST so I don't know if it will be a problem. On the other hand, if I "short circuit" the probes and then separate them everything works fine, the arc is still there. Next I created a capacitor using wine bottles inside a bucket and salty water, I get around 4.5 nF with 3 bottles. I connected the capacitor in parallel with the NST and I added a spark gap also in parallel (that's all I did for the moment, no secondary or anything, I just wanted to check how it's going to react). When I power everything on I get no sparks on the spark gap, the NST makes the same sound as if it was "short circuited" but nothing! If I put the probes of the spark gap really close together (like 1 mm or 0,04 inches) I do get some really tiny sparks but I don't get this "high frequency discharge" sound (I mean the tazer sound that we hear on teslas). Do you know what's the problem? My guess is the way the NST is built, maybe it's not built the same way as a regular one. Also I tried using 2 bottles and 1 so about 2.25 nF and 1.5 nF, same results. **_UDAPTE :_** @DerStrom8 answered to my question but I'll still send you what I was writing, maybe it will help me for later on, first here is my experimental schematic [](https://i.sstatic.net/X9u0I.jpg) Using an online calculator, I know that with my 10 000V and 30 mA, the optimum value for my capacitor is 9.5 nF (of course I will change the value if I find a heavy 50Hz transformer), my capacitor for the moment is less than that so I think it’s ok for experiment purposes. Then I know the formula F = 1/(2pi(L*C)^1/2), which can be used to sinc/tune the frequency or the “primary circuit” and “secondary circuit” (by that I mean the first capacitor/coil and the second “capacitor”/coil). I also know that the easiest way to tune the frequency is to chance the inductance of the “primary coil” as it’s pretty easy. Since most people tune their tesla coil with trial and error, I deduced that If I randomly size my “primary” coil for experiments, I shouldn’t be a problem There is one thing I don’t quite get, tell me if it works like the first option the second, or both are wrong First : I can almost randomly size my primary coil, I then find my resonance frequency using the capacitance C1 of the wine capacitor and the inductance L1 of my primary that I randomly sized. Then I’ll have to to match this resonance frequency with the correctly sized L2 and C2 of the secondary. And since the calculation won’t be perfect, I then tune a tiny bit the primary coil. Second : I can’t randomly size the primary coil, and in that case can you tell me how to size it ? Also, I don’t think I need the secondary circuit to have the spark effect on the spark gap for the experiment. Also, is 9.5 nF the best value to have the largest sparks in the end ? Discussion: Comment: You haven't built a Tesla coil, so that's a problem. Second is that by connecting a capacitor across the output of a transformer, you are pretty much just short circuiting it. So, back up. Find a site on the internet that explains how to build a Tesla coil - or just buy a kit for your first attempt. Comment: Thanks for you answer, I also added a randomly sized primary widing but I still get the same effect, the schematic of my primary is the same as this one http://www.askamathematician.com/wp-content/uploads/2010/10/tesla.jpg the reason why I tried with no widing is because I saw someone on youtube trying his firsts experiment like that and he got the discharges on the spark gap Comment: Primary doesn't mean that first transformer in that diagram. "Primary" has a specific meaning in a transformer. A transformer has two coils. The one where you apply power is the primary. The other is the secondary. Comment: Seriously. Purchase a kit and build it, and learn how it works. That neon light transformer can kill you. Do something smaller and safer and learn about electronics first. Comment: And for pete's sake, stop trying to build things from youtube videos. Comment: Yes I don't know perfectly the theory of tesla coils (at all), but at least I do basic safety protocoles such as unpluging everything, discharging the capacitor, being isolated from the ground... I even short circuit the NST after use just in case this wierd chinese transformer has capacitors inside. Comment: So you are saying that if I want sparks on the spark gap I'll need to create the whole primary AND secondary of the tesla coil ? Or is it going to work if I just make the primary with the first widing (I'm not talking about the widing of the NST), capacitor, spark gap and NST Comment: I'm saying that your use of the words used to describe the circuit is wrong. It follows that your understanding of the circuit is wrong. Comment: Well, I think I understand the circuit, not every little aspect of it but I do understand it a bit. My english doesn't help, especially the technical vocabulary. Will you help me understand it even more? Comment: Draw a neat diagram of your circuit - that should get around any language issues... and **stop** trying to make it work untill you have shown us a diagram AND had feedback as to what may be wrong. This stuff can, and easily will, kill you... Comment: @JRE Placing a 4.5nF capacitor across a 50/60Hz transformer will not act as a short circuit, since the reactance is between 590k and 708k ohms. The test the OP is doing is actually a common test among SGTC builders used for ensuring the capacitors are operating correctly with the transformer. The sparks should be bright, fat, and loud. That indicates that the capacitor is working correctly (no shorts or opens). Comment: This, of course, assumes that the user is indeed using a 50/60Hz transformer, not a high-frequency version (see my answer) Comment: @Guigui Go find a specialist Tesla coil forum, with experienced dedicated coilers on it, there are several. Stack Exchange is too general purpose, you won't find the specific experienced advice you need. That's where you'll find the right hardware as well. Old iron NST transformers cannot be bought new, so your best bet is to try to buy a secondhand one from a coiler. Most TC dedicated forums have a forsale/wanted page. Answer 1 (3 votes): You have not mentioned what type of transformer it is. Solid-state transformers will not work for Tesla coils, as their outputs are a much higher frequency. They often look similar to the image below: [](https://i.sstatic.net/UXzq7.jpg) You really need the big, heavy, bulky type shown below. [](https://i.sstatic.net/IoeYO.jpg) If yours is a little, lightweight box then it will not work. From your description of the results I am willing to bet you have a solid-state one. With a higher frequency the capacitor will act more like a short circuit (as JRE mentioned in the comments) and it will not charge/discharge in the desired manner. If you do have one of the big bulky ones, however, with a 50/60 Hz output, then my guess is that it has built-in fault protection. Transformers like this often shut off automatically if a fault occurs, which could happen if it detects an open output (example, if your spark gap is too far apart). It will need to be reset (unplugged and plugged back in) before it will run again. These transformers also do not work well for Tesla coils for this very reason. Discussion on this answer: Comment: Thank you so much, I think you answered my question, I think I used a solid state transformer (from what you described), it's this one https://ae01.alicdn.com/kf/UTB84zaZdVfJXKJkSamHq6zLyVXa6.jpg?size=243514&height;=1000&width;=1000&hash;=22caae2397306e27fc8aace9ece35573 Now I'll need to find a heavy one, I already tried but it's really rare where I live Comment: That is indeed a solid-state transformer, as I expected. The bulky ones can certainly be difficult to find, if you don't know where to look. It took me three or four years to find my first one. Another option is an oil burner ignition transformer, used in oil-burning furnaces. Perhaps those would be easier for you to find? Comment: I did try to find some using a craiglist like and by contacting company who work in this domain but I didn't have great success, will keep searching ! Answer 2 (0 votes): If you are not familiar with electrical engineering do not do this. If you are feeding a sinewave to your transformer( wound old-fashioned transformer I presume) the voltage would not be high enough to get a good spark. You can feed the transformer using a 1 microfarad capacitor in series with the output from a dimmer circuit using a triac. This chops the waveform and so the pulses will generate a higher pulsed voltage, Just apply it to the spark gap and then use the series LC circuit shown in the diagram. This diagram is not exactly a Tesla coil circuit but it would spark well. Again if you are not familiar with electrical engineering please do not try this and go for something which uses batteries of low voltages or indeed a switched car ignition coil feeding a sparking plug. Just be careful and no large capacitors across the spark gap. The tuned LC circuit shown should be fine. ================================================================================
Discussion Chain ID: 402803 ================================================================================ User asked: Multisim - How to create a 2-pin red/green LED in one part I would like to pass the output of an LT1413CN8 op-amp through a 2-pin red/green LED (looks white when off) and back to it's inverted input. In Multisim, there is a red/green LED option but that is a 3-pin configuration. If I drag and drop a green LED and red LED from the component menu, wire them up tail to head, and transfer the design to Ultiboard, 2 separate LEDs and their footprints appear (which is expected.) Is there anyway to build a custom component made up of those 2 LEDs, but with only 2 pins and 1 footprint? Or, is there a component that I am not seeing in the component menu that solves this issue? Or, is there a recently-updated library with this part? I am using Multisim 14.1 Thank you. Discussion: Comment: Red AND green or a bi-directional red OR green? Answer 1 (0 votes): The 3 pin red/green is called common cathode. A 2 pin with red OR green is a bidirectional LED e.g. [Kingbright WP937EGW ](http://www.kingbrightusa.com/images/catalog/SPEC/WP937EGW.pdf) Then there is an LED with both red and green in the same package e.g. [Marktech Optoelectronics MT2030-HRG-A ](http://marktechopto.com/pdf/products/datasheet/MT2030-HRG-A.pdf) A red green in the same package has the same model as any other LED. If looking for a bidirectional then search for "bidirectional LED". Discussion on this answer: Comment: Misunderstood, thanks for the info. It's both red and green in the same package, similar to the Marktech one. And I'll just add a regular 2-pin LED to my schematic. Thanks again ================================================================================
Discussion Chain ID: 402800 ================================================================================ User asked: Can I replace rechargable batteries with (super)capacitors? I need a very small UPS just to give an embedded device time to shut down when power is lost. There are a variety of solutions that use LiPo batteries to provide extended runtime; they typically take USB input and manage both the charging and failover to battery on power loss. Can I replace a single-cell LiPo (nominal voltage 3.7v) in a charging circuit with a pair of 2.7v supercapacitors wired in series and have it mostly "just work" assuming that (a) there is already some sort of current limiting in place on the charging circuit and (b) I include a passive balancing circuit between the capacitors? In this situation, I would be under-charging the capacitors (to 3.7v, vs the combined 5.4v capacity in this example). What impact does that have on their behavior? Discussion: Comment: A LiPo charger may refuse to charge a "dead" (substantially undervoltage) cell, so you may need to replace the charger with something (resistor?) if there isn't enough leakage to get the voltage to the point where the charger considers injecting current safe. Comment: Keep in mind that, unlike a battery, the voltage on the capacitor will begin to drop the instant you start discharging it. You will need to see how much headroom you have voltage-wise, and also calculate the amount of energy you will need to see if you have enough capacitance to keep the thing up long enough. Comment: When contemplating caps instead of batteries, always compare the energy stored vs. volume & weight, because that's most often the deal killer. A 1-farad, 5V capacitor can store 12.5J at 5V. That's roughly the energy equivalent of a LiPo battery with a capacity of 1mAh. You can't **find** LiPo cells that small! Comment: @TimWescott Note that I am explicitly not trying to achieve the same runtime I would get with LiPo batteries. I'm looking for < 60s of runtime, for which I think the caps should be sufficient. Comment: How much current does your device draw? What is the minimum voltage before it cuts out? Comment: @larsks: if you've done the math, all well and good. Comment: @evildemonic The device draws around 400mA. The batteries/capacitors feed into a boost converter that can in theory take input as low as 1.8v, but because the charging circuit is targeted at LiPo batteries it may cut off around 3v. Comment: Yes, but not practical with a boosted 400 mA load. Answer 1 (4 votes): You could do this, but will it work? The charging circuit will be confused as it is built to charge/discharge at certain voltages. Because lithium ion batteries are considered dead below a certain threshold (like 3.0V) the UPS charging circuit may not switch on at all because a supercapacitor will have no voltage initially. As far as the capacitor goes, it doesn't matter if it is charged below a threshold, the main thing to worry about is the breakdown voltage (max voltage) and that you don't exceed that rating. It can hold any value between the max voltage and zero. [](https://i.sstatic.net/u5vUz.png) Source: <https://learn.adafruit.com/li-ion-and-lipoly-batteries/voltages> [](https://i.sstatic.net/n19cq.png) Source: <https://www.tecategroup.com/ultracapacitors-supercapacitors/ultracapacitor-FAQ.php> Discussion on this answer: Comment: After you posted the OP said: The device draws around 400mA. The batteries/capacitors feed into a boost converter that can in theory take input as low as 1.8v, but because the charging circuit is targeted at LiPo batteries it may cut off around 3v. ================================================================================
Discussion Chain ID: 402796 ================================================================================ User asked: Turn on/off ESP8266 by a transistor I would like to turn off and on a circuit by another circuit. I believe that could be easily achieved by a transistor but when there is a voltage regulator and an ESP8266 with wide range of input current I'm lost. I have the ESP8266 programmed to send a notification when it's turned on. The V1 supply has unfortunately too low current to power the ESP so I have to power it by the V2 (4xAA 1.5V batteries should be probably enough to feed the voltage regulator 3.3V + 1.1V it's dropout and some transistor dropout) The circuit below is my amateurish attempt that can be probably all wrong. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f7LHRP.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Discussion: Comment: My advice is using a voltage regulator with a shutdown input. There are **plenty** of those available. Simpler, cheaper, known to work. Comment: You are going to have a hard time turning on that transistor using high-side switching. The reason for this is that it will be difficult to get the gate voltage high enough above the source voltage. Comment: A high side switch typically needs to be a P-FET or a PNP. To use an "N" device you need a voltage booster. Something like a Richtek USB power switch chip has that built in, though there are better alternatives. Since you need a regulator anyway, picking one with a shutdown input and low current in shutdown mode would be a lot simpler. Comment: Follow Janka's advice. Comment: Would you like to turn your ESP "on or off" remotely ? Because what you are describing sounds kind of like a "sensor" when someone opens a switch, in practical use for example when somebody opens a door. Then it would be much easier to define one pin as an input pin, so that when the loop ( switch ) is closed, you get a positive or negative input, and therefore the notification. Comment: As you say, it's kind of sensor that when somebody opens it, pretty rarely in my case, I would like to receive a notification. As it would be opened for a few seconds maybe once a month. It would be a waste to have it turned on all the time. Comment: Thanks Janka for advice and also for other suggestions. Answer 1 (0 votes): As suggested in one of the comments, there is a simpler and more efficient way to do this using a DC-DC converter rather than a linear regulator. Here's one way to do this: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2ffXLeD.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) This uses a [Microchip MIC23050](http://ww1.microchip.com/downloads/en/DeviceDoc/mic23050.pdf) high-efficiency buck regulator so you can power it directly from your 4 AA battery supply. The EN input can be driven directly from a logic output. The choice of the diode D1 is not critical -- we just need a small (~0.5V) voltage drop from the nominal +6V of the supply. Not only is this simpler and has fewer parts, but it's also pretty inexpensive - around US $1 for everything. Discussion on this answer: Comment: Beware that using a DC-DC converter in a *radio* circuit may require taking extra care to ensure that it does not introduce a source of interference or distort the output signal. It definitely can be done, and it is more efficient in most cases, but it requires more care than a linear regulator would. Naturally both are available with enables. Comment: Good point. Also, circuit layout is typically more critical with this kind of supply vs. a linear regulator, but it's much more efficient which may be useful for a battery-powered application. Comment: Thank you for the provided link but unfortunately I can't get one around or find it on ebay. I have found LM2576T-3.3 that seems to be a good alternative!? Comment: The LM2576 is a good part, if a little more expensive and a little less efficient, but very solid part and available from multiple vendors. My recollection is that it needs a relatively higher input voltage (5.4V?) so you will want to make sure that it meets your needs. ================================================================================
Discussion Chain ID: 402788 ================================================================================ User asked: Output impedance of STM32H743 MCU? How do I find the output impedance of the STM32H743 (and potentially other similar devices)? I've looked through the datasheet (DS12110 Rev 5) and the reference manual (RM0433 Rev 5) however haven't found much information. I'm mostly interested in the SPI lines, and want to match the track impedance to the output impedance using a series resistor. For now I've put in placeholders of 33R, thinking the PCB trace could be around 50R and the output impedance around 20R. Discussion: Comment: It's probably not going to matter. Unless your SPI lines are extremely long, you don't need any sort of termination at all. If they are long enough that you get significant ringing on the waveform, your 33 ohm placeholders will 99% likely take care of the problem, and if they don't, it's a quick trial and error to up the value. Also, I doubt your SPI traces will be 50 ohm, that's a pretty wide trace on many stackups and you can use narrower traces without any trouble. Comment: A good how-to to get the matching resistor if you don't have access to sim software: https://blog.lamsimenterprises.com/2010/12/22/drivers-output-impedance-from-ibis/ You may have to dig through the IBIS file info (big chip, big file). (I have no affiliation with the site) Answer 1 (10 votes): Output impedance of (typically CMOS) output driver for any MCU can be calculated/estimated from VOH and VOL electrical characteristics [from datasheets](https://www.st.com/resource/en/datasheet/stm32h743bi.pdf). [](https://i.sstatic.net/0bMM3.png) The meaning of this table is that if a 8 mA load is connected to ground and GPIO is driven HIGH, the drop between Vcc and output is 0.4 V. It means that the internal equivalent impedance of GPIO port, per Ohm's Law, 400mV/8mA = 50 Ohms. Same calculations are valid if the load is connected to Vcc, and the pin is driven to LOW. The table says the residual voltage is no more than 400 mV. Again, it is equivalent to 400/8=50 Ohms or less. There is one caveat however. Most MCU have simplified GPIOs, where the impedance depends on load. In this particular case the specifications (same Table 60) says that the voltage drop is 1300 mV if the load takes 20 mA, which makes the output to have roughly 1300/20 = 65 Ohms. In short, VOH and VOL data at specified load give you an estimation of output impedance of CMOS GPIO driver under 65 Ohms worst case (for STM32H743), and likely close to 40-50 Ohms typical. If your track's impedance is 70-100 Ohms, you will need to add a 22-33-47 Ohm series resistor at driving side if you want a neat waveform. Answer 2 (3 votes): It's not common to specify the output impedance of digital logic, because the voltage/current behavior is nonlinear. The best you can do is look for graphs of typical output current vs. output voltage and estimate the slope of the line for your region of interest. Answer 3 (2 votes): For ST specifically they usually share their IBIS models which are used in simulating high speed lines. Answer 4 (1 votes): In the datasheet for the STM32H743xI there's a paragraph "Output buffer timing characteristics". They have a table with t[rise] and t[fall] into given capacitive loads at each of the four possible output pin speed settings, where > The fall and rise times are defined between 90% and 10% and between 10% and 90% of the output waveform, respectively From that data you should be able to calculate (estimate) the output impedance. Answer 5 (1 votes): The output impedance will vary as the output FETs are turned on and then turned off; the operating region is the FET_IN_TRIODE, once the FET is solidly on. In TRIODE, the FET looks like a fairly linear resistor, as long as the voltage excursions are less than 50% of the FET threshold voltage; with Vthreshold of 0.3 volts (an estimate of numerous modern CMOS processes), you can have 0.15 volts reflection and still have a fairly dependable RESISTOR action. However the output impedance will **VARY** with temperature, and with VDD, on the PCB. And well or tub or bulk noise will also affect the FET behavior, tho you may not detect this minor delta_Rout. And as the semiconductor foundary implants atoms to form the Nchannel and Pchannel devices, there will be variations in the conductivity (the output resistance) because thermal annealing will not be precise. Depending on the exact implanting used, the channel doping may be the **DIFFERENCE** of two implant cycles, and slight errors of implant-time and spatial fluctuations of implanting because of variations in the plasma-ion-cloud density will be magnified by the differencing. Summary: you will have to FINETUNE that resistance for every system you ship. IMHO So ..... keep the edges SLOW; set the slewrate SLOW. ================================================================================
Discussion Chain ID: 402786 ================================================================================ User asked: Specifications of this Signal Generator Can anyone please tell me which is the maximum voltage and current that can be provided by the signal generator [HP 83650B](http://www.testequipmenthq.com/datasheets/Agilent-83650B-Datasheet.pdf) ? I need that information and don't know where to find it Discussion: Comment: If the information is not in the datasheet, ask your supplier or the manufacturer. Answer 1 (4 votes): On the second page of the data sheet, there's this table [](https://i.sstatic.net/coyRv.png) 83650B has a maximum output power (into 50 ohms) of +10dBm below 26.5GHz, +5dBm below 40GHz, and +2.5dBm above 40GHz. Unless you have the attenuator version that is which reduces the power. So what's +10dBm? 10dB above 1mW, or 10mW. 10mW into a 50 ohm load is an rms voltage of 0.707 volts, or a current of 14.1mA. If the output is levelled properly, then into an open circuit it will deliver twice this voltage. Into a short circuit, it will deliver twice this current. For unlevelled operation (ie turned up to the max), you're likely to get an unspecified amount more than these figures, which will vary with frequency. 5dB in linear ratio is 1.778, reduce those voltages and currents by that factor for operation 26.5 to 40GHz. There is a way to get a little more voltage into loads that have a higher resistance than 50 ohms.You still get the same power. There are two ways of transforming the impedance. The first is to buy an RF transformer, from people like MiniCircuits. The second is to use a quarter wave of intermediate (square root of source*load) impedance transmission line. For instance, if you had a 200 ohm load, a \$(2n+1)\frac{\lambda}{4}\$ length of 100 ohm line would match it at the frequencies for which n was an integer. With four times the load resistance, the voltage into it doubles. Discussion on this answer: Comment: The 50 ohms that you mention are from the signal generator or the input of the oscilloscope? I hope it's from the signal generator Comment: Why do you say that 10mW into a 50 ohm load is an rms voltage of 0.707? The calculation gives me 0.0141 V Comment: `The calculation gives me 0.0141 V` What calculation? The way I do it is this. You know P=IV, and V=IR, so P=V^2/R, or V^2=PR, or V=sqrt(PR). 50 * 0.01 = 0.5. sqrt(0.5) is 0.7071 V rms. That's why I say that 10mW into a 50 ohm load is an rms voltage of 0.707. Comment: The 50 ohms I mention is the load impedance the power is defined into. It's also the nominal output impedance of the generator, as all RF equipment has controlled impedance inputs and outputs, usually 50ohms, though video equipment tends to use 75 ohms. Most high frequency scopes have switchable 50ohm and 1Mohm impedance. Make sure you know which it's set to when making the measurement. Comment: Yes, I know that. What you're saying is that at the ouput of the signal generator (using the 50 ohm output of the signal generator) I can have a maximum of 0.707V and 14.1mA. And that's the maximum no matter what's the input of the oscilloscope or the impedance of the cables that I use between the signal generator and the oscilloscope. Is that right? Comment: No, I said you can have double the voltage into an open circuit (a scope's 1M input is 'open circuit' at a low enough frequency, low enough given there's also usually 30pF in parallel) and double the current into a short circuit. An when you're unlevelled, you might get a bit more, or a lot more. Comment: Imagine that my circuit is: signal generator (50 ohm output) ---> coaxial1 ---> coaxial 2 ---> channel2, and the coaxial1 is connected to the channel1 of the oscilloscope. Both channels are with 1Mohm and 9pF, for example. Which are the current and voltage there? Comment: How can coax 1 be connected to ch1 and to coax 2? You'd need to draw a circuit diagram. There are several ways to make that connection and they all have non-trivial effects. You'd also need to specify what frequency you're working at, and the lengths of the cables. BTW, there is a way to get more voltage into non 50 ohm loads, which I've added to my answer. ================================================================================
Discussion Chain ID: 701167 ================================================================================ User asked: STM32H7 UART DMA Issue I have two MCUs, first one is STM32F070F6P6 which sends data over USART2 TX DMA and second one is STM32H755ZIT6 which receives data over USART2 RX DMA. Also notice that STM32F070F6P6's TX Pin connected to the STM32H755ZIT6's RX Pin. this is STM32F070F6P6's USART2 DMA setup: [](https://i.sstatic.net/hjYNU.png) [](https://i.sstatic.net/tbFOL.png) [](https://i.sstatic.net/1OJ4x.png) and this is source code of STM32F070F6P6's UART transmitting // Global variables volatile u8 uart_dma_tx_done_ = 0x01U; u8 dma[8] = {0, 1, 2, 3, 4, 5, 6, 7}; // Interrupts void HAL_UART_TxCpltCallback(UART_HandleTypeDef *huart) { if(huart->Instance == huart2.Instance) { uart_dma_tx_done_ = 0x01U; } } // Inside main function while (1) { if(uart_dma_tx_done_ = 0x01U) { err = HAL_UART_Transmit_DMA(&huart2, dma, 8); } } I've checked it with Logic Analyzer and it sends data over uart. Here is STM32H755ZIT6's UART configuration: [](https://i.sstatic.net/bOmZq.png) [](https://i.sstatic.net/8VaCC.png) [](https://i.sstatic.net/67MVI.png) and the source code for STM32H755ZIT6: // Global variables u8 dma[8]; volatile u8 uart_dma_rx_done_ = 0x01U; // Interrupt void HAL_UART_RxCpltCallback(UART_HandleTypeDef *huart) { if(huart->Instance == huart2.Instance) { uart_dma_rx_done_ = 0x01U; } } // Inside main function while (1) { if(uart_dma_rx_done_ == 0x01U) { err = HAL_UART_Receive_DMA(&huart2, dma, 8); uart_dma_rx_done_ = 0x00U; } } The problem is that I do not receive data via DMA, u8 dma[8] array is empty(all zeroes). I've tried different DMA streams but did not work. Also it works without DMA e.g Polling method. Also u8 dma[8]; array is not allocated in DTCRAM because address is 0x24000304, so DMA can access to it. Also I have overrun error often, but clearing this flag does not helps. Sometimes it never enters RX callback after first or several times. What else can I do? Discussion: Comment: You do not show initialization. Check that clocks for both UART and DMA are running and both are initialized. Using debugger check UART and DMA register. Most probably or one of them report error, or you will notice something strange, like all regs zero, wrong pointers value or other issue. Comment: MX_GPIO_Init(); MX_DMA_Init(); MX_USART2_UART_Init(); this is the initialization code for both MCU. Are you saying that UART and DMA clocks speed must be equal? if so how can I set DMA clock speed? Comment: What about the D-Cache? Is it enabled? If yes, then temporarly disable it and check if it solves your issue. You have to set up the MPU (Memory Protection Unit) such that the Cache is bypassed when reading the memory region where your DMA variable stays. Another option would be to check if the DMA is reporting any error. The information is stored somewhere in the HAL dma struct. The error code is also stored in a register in the DMA peripheral Comment: @Mau5 I enabled D-Cache but did not help, then I disabled it, also did not help. Also configured MPU, by stetting u8 dma[8] buffer address .. I do no have any DMA error, only UART errors: noise error, frame error and overrrun error. Comment: ok so then cache is not a problem. what about your DMA config? on the CubeMX screenshot for the H7 we can see the DMA request is created for UART_TX (not RX) and correspondingly the direction is memory to peripheral and not peripheral to memory. Change that and check again Comment: @Mau5 wait... I created DMA request on H7's RX (not TX) because H7 is receiving data from another MCU's TX. Comment: The picture in your post tells something different Comment: @Mau5 oops.. corrected, upload wrong image, now it's correct Comment: @Alatriste no problem :) Another thing I see, is that you are sending messages from the F0 immediately. The H7 might be unable to handle the RX callback fast enough between the calls, which leads to the overrun error. Furthermore, if the controllers are not well synchronized, the H7 RX function could be called while the F0 is already sending data. You would then start capturing data at random points in a message, which could lead to the observed noise error. Try to add a large delay before the TX function on the F0 (e.g. 1s) just for testing. Comment: @Mau5 ok , I'll try Comment: @Alatriste any updates? Comment: @Mau5 not yet.. ================================================================================
Discussion Chain ID: 402785 ================================================================================ User asked: Testing the integrity of cable shielding for suitability I am currently working with an ECG cable, is there a way for me to test the integrity of the shielding of the cable without using it directly on an ECG monitor to check for interference. Discussion: Comment: Are you testing for assembly faults, or for cable suitability? Comment: for cable suitability Comment: It would be good to edit that into your question, as comments may vanish at any time. I'm afraid I don't have an answer, I suspect there is no easier way. But maybe someone else will come along. Comment: There are several ways to test cable shielding effectiveness, but to be relevant they should apply to your equipment's needs, otherwise you may be wasting your time running inapplicable tests, or worse miss something because of test methodology. Does the monitor have any sort of specification on the "standard" cable itself? To give you an idea, for low frequency you typically have the 50/60Hz line noise, which shielding really doesn't do much to get rid of in an ECG situation (unless you put the patient into a Faraday cage), you have to do a differential signal measurements. Comment: On the other hand the input circuitry may be sensitive to high frequency RF signals (to some extent), but without knowing the range and reference cable performance spec you have no idea what specifications your cable needs to meet. That said you can search for cable shield reduction factor and transfer impedance for some of the techniques used (aside from anechoic chambers with RF signal generators etc. $$$ and difficulty in getting numbers that are accurate on the latter. Answer 1 (0 votes): Cable shielding depends on the % coverage by the woven braid with its gaps. Thus a solid shield (aluminum? foil) with a contact wire is the better type of coax cable. For excellent control of electric fields, the external fields must **NOT** be able to find a path to the center-conductor. Hence the need for a solid(foil)shield, not a woven shield. All this will get you some Electric Field shielding. Magnetic fields are a different matter. ================================================================================
Discussion Chain ID: 402782 ================================================================================ User asked: Wire connector with hole only large enough for the conductor and not the insulation jacket I am trying to find a connector for a PCB that has an aperture sized to allow only the conductor to pass through and not the insulation jacket. I found a drawing [here, see part B of drawing below](https://electronics.stackexchange.com/questions/129907/what-is-the-best-way-to-solder-these-wires-to-circuit-board) that illustrates basically what I am searching for. [](https://i.sstatic.net/uiegy.png) Does anyone know the name of this type of connector? The connection of the wire does not have to be solder, but could instead be a spring clamp for example. Thank you Discussion: Comment: There are all kinds of wire-to-board termination products out there. You need to take a look. But the cheap approach that many use is simply glue -- either hot-melt glue (not recommended) or some form of silastic. The key is to prevent any movement of the wire at the vulnerable point you've identified. Comment: try "eyelet PCB" searching Mr.Google Comment: @DaveTweed I reworded the question to better fit the rules. Comment: pass the insulated wire through another hole in the PCB or use a cable tie to attach it to the board ================================================================================
Discussion Chain ID: 402778 ================================================================================ User asked: BLDC (Brushless DC Motor) vs PMSM (Permanent Magnet Synchornous Motor) The differences between BLDC and PMSM are very small and for what I have seen while reading about it, is not clear to many of us. Most of the articles I have read say that the main difference is that the BEMF of a BLDC motor looks more trapezoidal and the one for PMSM looks more sinusoidal, however I can't understand what is the difference on their construction; is it the wounding? their geometry?... The main reason for my question is that I want to understand which control method should be used on each motor to have the best performance of if any control method can be used on both. Answer 1 (2 votes): In a BLDC motor, the windings are concentrated on salient poles, so producing a voltage waveform that's more trapeziodal than sinusoidal. In a PMSM, the windings are distributed over several poles, so producing a voltage waveform that's more more sinusoidal. These differences mean that BLDC motors are slightly cheaper to produce, but may be slightly less efficient, noisier and have more cogging, than PMSMs. Discussion on this answer: Comment: Thanks for your answer. My concern now is about the control method that sould be used. I understand that it would be a trapezoidal commutation for BLDC and a sinusoidal commutation for PMSM, but I just found a solution from Allegro MicroSystems that uses sinusoidal drive for a BLDC... which makes it confusing. Comment: While there's some effort put into making the emf waveform trapezoidal on BLDCs, it often ends up somewhere between the two, resulting in there being little difference in the efficiency of operation using either sine or trap - but sine drives tend to be quieter operating, which is a factor in some applications. Comment: The voltage produced by a BLDC vs a PMSM running as a generator may indeed be shown by either sinusoidal or trapezoidal OUTPUT. This has NOTHING to do with how you elect to drive the motors. You can drive with any 3 phase signal you want (Trap or Sine) including PWM. The PMSM will typically give smother positional between pole positions, so is excellent for servo applications (3 phase stepper motor), while the typical BLDC will have non-linear spacing of the angular positions when used as a servo. The differences are actually less significant than you think if used in a closed loop servo. ================================================================================
Discussion Chain ID: 402770 ================================================================================ User asked: What does "off-state output terminal voltage" in optocouplers mean? I was looking at possible options of what optocouplers to use in my project. I was looking at these parts. [https://www.fairchildsemi.com/search/?searchText=MOC3023-M#N=&&Nao=0&&Ntk=All&&Ntt=MOC3023-M&&Ntx=mode+matchallpartial&&Nty=1&&showAll=true&&showHrd=false](https://www.fairchildsemi.com/search/?searchText=MOC3023-M#N=&&Nao=0&&Ntk=All&&Ntt=MOC3023-M&&Ntx=mode+matchallpartial&&Nty=1&&showAll=true&&showHrd=false) I am looking for a zero-crossing optocoupler. As I look into their data sheet, I came into the term _"off-state output terminal voltage"_ I tried googling the term but it just redirects me to data sheets of other components. It just so happens that also this _"off-state output terminal voltage"_ is the only major difference in the datasheets of the optocouplers that I see. Can I get the MOC3163M that is rated off-state output terminal voltage = 600v even though my application is using 220 V? Answer 1 (2 votes): It refers to the maximum voltage you can have across the detector pin when it's turned off. It is equivalent to the Vce max of a BJT or Vds max of a MOS. Any value below it will work fine. ================================================================================
Discussion Chain ID: 402765 ================================================================================ User asked: Writing to FLASH on MSP430F5529 I am having some trouble writing to FLASH on the MSP430F5529. I have gone through the examples provided by TI and read through the user guides and part datasheet, but have been unable to find the problem. My goal is to save the baud rate enumeration in FLASH and look it up on boot. Applicable code is below: static const uint32_t baudRegister = 0x1980; // Baud rate register flash location (Info A) //Change baud rate void changeBaud(uint8_t baudEnum) { eraseSegment(baudRegister); // Erase flash segment writeFlashByte(baudRegister, baudEnum); // Write baud enumeration to FLASH WDTCTL = 0; // Force uC reset } //Erase flash segment void eraseSegment(uint32_t address) { int8_t *flash_ptr = (int8_t *)address; __bic_SR_register(GIE); // Disable interrupts FCTL3 = FWKEY; // Unlock FLASH control regs FCTL1 = FWKEY + ERASE; // Select segment erase *flash_ptr = 0; // Dummy erase byte FCTL3 = FWKEY + LOCK; // Lock FLASH control regs __bits_SR_register(GIE); // Re-enable interrupts } //Write byte to FLASH void writeFlashByte(uint32_t address, uint8_t data) { uint8_t *ptr = (uint8_t *)address; __bic_SR_register(GIE); // Disable interrupts FCTL3 = FWKEY; // Unlock FLASH control regs FCTL1 = FWKEY + WRT; // Enable writing of segment *ptr = data; FCTL1 = FWKEY; FCTL3 = FWKEY + LOCK; // Lock FLASH control regs __bis_SR_register(GIE); // Re-enable interrupts } changeBaud() is called from within main(), and it is passed an enumeration for the baud rate (example: 1 = 300bps, 2 = 600bps, ... 6 = 9600bps, 7 = 14400bps, etc). When I run eraseSegment() the contents of the FLASH at address 0x1980 remain as 0xFFFF. I think this is expected (0xFFFF means cleared). However, when I run writeFlashByte() when I get to the line `*ptr = data;` it does not seem to do anything. While debugging I have confirmed that `data` has the correct enumeration value and `ptr` is the correct address, but for some reason writing `data` to `*ptr` does not load the memory with the value of `data`. I am quite new to writing data to flash, so this one has me stumped. The code above is based on TI's examples available in MSPWare. What might cause this problem? Answer 1 (2 votes): To erase and write to the Information memory, you have to clear the LOCKINFO bit in the FCTL4 register. This bit is usually cleared on reset already, but it doesn't hurt to check. But information memory A is different (and 0x1980 is in that range). It has another lock bit LOCKA in FCTL3. This is set on reset and prevents erasing and writing to information memory A. To clear that bit you have to write a 1 to it (counter intuitive). I would suggest you use a different information memory location, as information memory A holds some calibration values from TI which you probably don't want to erase (if my memory serves me right, it's been a few years). Discussion on this answer: Comment: Right on the money. Switched to address 0x1880 (Info C) and it worked right off the bat. Many thanks! ================================================================================
Discussion Chain ID: 402761 ================================================================================ User asked: MEMS Microphone noise floor power level & audio noise spikes measurement I have a circuit with a MEMS microphone and would like to be able to measure the audio noise spike contents and check the noise floor power level in the audio circuit. My intention is to connect the oscilloscope to the MEMS microphone but before that I would like to know the procedure to analyse the signal shown in the oscilloscope. This is, do measurements need to be done in specific ambient control? Is it necessary to use a specific audio signal for the MEMS microphone to receive and transduce? On the other hand, maybe using audio fft analysis tools could help. Is there a free one that can be use for this purpose? Discussion: Comment: Have you compared the scope noise floor specs with the expected voltage levels of the mic noise? Comment: So basically I should measure the MEM mic output noise in the oscilloscope and compare it to the datasheet specs? Comment: What exactly are your trying to measure? A microphone, *by definition*, will convert the ambient acoustical noise into electrical noise. Determining the amount of noise contributed by the microphone itself is not a trivial exercise. Comment: Yes, I understand, that´s why I am asking...I would like to measure the idle noise in the ciurcuit right after the MEM microphone. The circuit has a filter after the microphone so I would also like to measure it after the filter and compare both values. I don´t know if this is possible (w/o an anechoic chamber) nor how to do it Comment: In that case, you want to disconnect the microphone and replace it with a resistor that represents its source impedance. Comment: Sorry, I´m not explaining quite well...what I need is to check the microphone performance so what I would like is to to check noise floor pwr level and audio noise spike contents in order to evaluate possible issues in the audio track line Comment: I will edit the question. sorry for my question and explanation, it´s not clear... Comment: Must this MEMS sensor perform well, with air_conditioning rumble providing the background acoustic energy floor? Comment: Yes, it is supposed to be used in a room with air conditioning...nonetheless maybe it is necessary to use an anechoic chamber to measure these parameters correctly. ================================================================================
Discussion Chain ID: 402760 ================================================================================ User asked: Supplying power to PCB with USB voltage (2.5V) regulator I am designing a normal PCB board. I want to put a USB voltage regulator to supply my PCB. I don't need to design the voltage regulator. I just want to add it to supply voltage in my PCB circuit. The output will always be 2.5V (not more than that). Which USB voltage regulator do you think will be good to add and is there any CAD model of that module so that I can add in my PCB design? Discussion: Comment: What do you mean with USB voltage regulator? USB voltage is 5V. Do you mean you want to boost from 2.5V to 5V? It is much easier if you edit the question and tell us your supply voltage, what voltage you require it to be regulated to, your current draw and any other constraints you may have, such as space/cost etc. Although think about how you word it because if you are just straight up asking what part to use, then product recommendation questions are *off topic* here Comment: I meant the input to the voltage regulator will be USB type and the output will be 2.5V whatever the input is. The output will be connected to the circuit of my PCB. I want to know any good type of voltage regulator (means reliable) which I can solder on my PCB board. Comment: People might be getting confused by the "input will always be 2.5V" language. You should really edit your question to make what you're asking much clearer. Answer 1 (0 votes): After clarification from OP I understand that the supply voltage is from a USB, and it needs to be regulated down to 2.5V. If this is the case, then it is easy enough. You can simply go to an online retailer such as Digikey, Farnell, Mouser or any of the others and look through their voltage regulator section. They have parameter searches, so if you want a particular package due to space constraints, then you can select that. You can then view results based on lowest price first if cost is an issue. If you know the current your load will be drawing and you know any other specifications that may be important, then put those in as well. The search results will show you all the available ICs that fit your specs. If you don't have any constraints, and it is a simple enough project, then any old 2.5V regulator that accepts a 5V input will do. If you do have a pretty heavy load, then be sure to check the thing won't heat up too much! Discussion on this answer: Comment: remember to look at the datasheet and check the recommended application circuit (usually there is one even if it's a diagram in some corner of a page). Some regulators get finicky with their input and output capacitor values if you have long input power cables, etc. Comment: DigiKey has a number of suitable DC-DC converter modules that are billed as linear voltage regulator replacements, if the OP doesn't want to burn up power in a linear regulator, or roll his own high-current switching supply. ================================================================================
Discussion Chain ID: 402756 ================================================================================ User asked: Receiving power from antenna (Homework) The question: "At a carrier frequency of 2 GHz, assuming a transmit antenna gain of 3 dBi and a receive antenna gain of 0 dBi, calculate the line-of-sight received power at a distance of 100 m from the basestation (in units of dBm). Assume 100 mW enters the transmit antenna port." My attempt: The equation to use $$P_{r}=\frac{P_{t}G_{t}G_{r}\lambda^2}{(4\pi R)^2}$$ I am not sure what to do next, I think that \$G_r=0\$, hence the \$P_r\$ will be 0 since the numerator is. EDIT: Thanks for the help, I iwll try to solve it now: \$\lambda=\frac{c}{f}\$, Therefore \$\lambda=0.15\$ m \$R=100\$ m \$P_{t}=0.1\$ W \$G_t=10^{0.3}=1.996\$ \$G_r=10^0=1 \$ Hence \$P_{r}=2.844*10^{-9}\$ W \$=-55.5\$ dbm Is this correct now? Discussion: Comment: Why do you think it is 0? Comment: Because it is 0dbi. In general I struggle with what units should I use where. Comment: dB values are just factors of some -- sadly mostly context specific -- baseline values, like an antenna with a gain of 0dB has a factor of 1 for its received power Comment: So whenever I see dbi I should convert it to dB? What about the \$\lambda\$? How do I find it in this question? Comment: no, you should understand what it means in the specific context. Comment: Perhaps I should, however right now I don't hence my question... Comment: Have a look at this: https://learnemc.com/working-with-decibels Answer 1 (3 votes): You are confusing dB with "linear" units. To convert from mW (a linear unit) to dBm (decibels with respect to 1mW), use the equation: Power_dBm = 10*log10(Power_mW) * * * As a general rule of thumb, you should always be very suspicious if you're ever multiplying two numbers in dB. Note the following property of logarithms: **log10(uv) = log10(u) + log10(v)** (Note: Log base 10 shown here, but this is true for any base) This means that if u and v are initially in linear units, and you're multiplying them together, that's equivalent to taking their logarithms and adding them together (or, converting to dB and then adding them together). Multiplying two numbers in dB has no obvious meaning that translates to linear units. * * * Ok, back to the original question. The equation you presented is only valid for linear units. In this case, your powers (Pr and Pt) are in mW, and your gains (Gt and Gr) are unitless - or, perhaps more precisely, they are mW per mW. So, to use the equation correctly, you need to convert any numbers which are given in dB or dBm back to linear units, plug them in to the equation to find Pr, and then convert Pr back to dBm. * * * As analogsystemsrf pointed out, there is an equivalent version of the Friis formula which uses inputs in dB - note that now the terms are added together, rather than multiplied. Answer 2 (0 votes): You have an exercise in PathLoss. That formula is PathLoss = 22dB + 10 * log10 [ (distance / wavelength)^2 ] (1) where the 22dB comes from 4*pi in the spherical spreading of energy. To compute the received power, you need to know the transmitted power, the TX antenna gain, the RX antenna gain, and the PathLoss. Here the pathloss assumes only the losses as computed in equation (1), and no other losses: no rain, no reflections, no tree leaves, no diffraction over the top of hills, etc. ================================================================================
Discussion Chain ID: 402753 ================================================================================ User asked: STM32F103C8T6 - I2C communication with TI FuelGauge BQ78350 I am trying to establish communication between TI BQ78350 FuelGauge and STM32F103C8T6 using I2C/SMBus. The following is the I2C configuration used for the standard HAL I2C library. static void MX_I2C1_Init(void) { hi2c1.Instance = I2C1; hi2c1.Init.ClockSpeed = 100000; hi2c1.Init.DutyCycle = I2C_DUTYCYCLE_2; hi2c1.Init.OwnAddress1 = 0; hi2c1.Init.AddressingMode = I2C_ADDRESSINGMODE_7BIT; hi2c1.Init.DualAddressMode = I2C_DUALADDRESS_DISABLE; hi2c1.Init.OwnAddress2 = 0; hi2c1.Init.GeneralCallMode = I2C_GENERALCALL_DISABLE; hi2c1.Init.NoStretchMode = I2C_NOSTRETCH_DISABLE; if (HAL_I2C_Init(&hi2c1) != HAL_OK) { _Error_Handler(__FILE__, __LINE__); } } When I try to transmit something to FuelGauge, using the following code there is no proper acknowledgement and response. Only the address byte is getting transmitted. HAL_I2C_Master_Transmit(&hi2c1,11<<1,0x09, 1, 100); This is how the waveform looks in an oscilloscope. [](https://i.sstatic.net/8yyNC.jpg) On the hardware side, I am using BSS138 Mosfet to level shift between 5V fuel gauge and 3.3V STM32F103. Pull-up resistor value is 3.3k. Any pointers to the cause of this issue would be helpful. Thank you. Discussion: Comment: "Pull-up resistor value is 3.3k.": I noticed that you say 'value' and not 'values'. Confirm that you have pull-ups on both SDA and SCL. Please add a schematic. Comment: Singaram - You said: "*5V fuel gauge*" but according to its [datasheet](http://www.ti.com/lit/ds/slusb48/slusb48.pdf) the bq78350 is *not* a 5V device - Vcc is 2.4V to 2.6V. Although it appears to have different restrictions for its SMBus voltages, the fact that you refer to it as a "5V fuel gauge" makes it unclear how you are using it. Therefore, as just requested by *Chris*, please edit your question and add your schematic, and also explain what you mean by the term "5V fuel gauge". Thanks. Comment: Schematic would be nice, a simple implementation of the BSS138 level shift would cause a signal inversion as well. Answer 1 (1 votes): Your signal does't look clean and it's probably the reason you are having problem. It is probably related to your mosfet drive, and maybe some capacitance on the line. For I2C, you don't need level shift. As for a 5V chip, the threshold for a logic "1" will be lower than the 3.3V, so you simply need to put your pull-up resistor to 3V3, as both IC controlling the I2C lines should be open drain control, your SDA/SCK line will never go above 3V3. So remove all level shift mosfet, and connect your pullup to 3V3. You can also decrease the pullup to 1k to have quicker edge. Answer 2 (1 votes): A lot of the STM32 pins are 5V tolerant. So you can probably skip the level shifting part, especially for an open drain architecture like I²C where the output level is determined by the voltage you pull up to. The pins cannot output 5V, but tolerate an input up to 5V. Have a look in the datasheet where the I/O level is given. A "FT" denotes a pin which is 5 V tolerant. [](https://i.sstatic.net/as0Tk.png) Answer 3 (1 votes): Aside from the voltage and level conversion issues already mentioned; there is no problem in the transaction itself. The MCU performs exactly what the code tells it to do. It may not be what you want though. It transfers one byte from MCU memory to the chip I2C address. The data is sent from pointer that is set to point to MCU address 0x09. This address apparently holds a byte 0x00 that is sent over the bus. Most likely you want to point to a buffer or variable that holds the data to be sent - in this case you most likely want to send 0x09 which is a command to read voltage. Answer 4 (0 votes): I don't see the problem you're talking about. The slave ACKed both bytes. You can tell when the slave is controlling the bus because, conveniently, its ground is shifted a bit from the master's ground. Here's my breakdown of your o-scope shot: * I assume there's a start that's not shown on your o-scope trace. * At the beginning of the o-scope trace, the slave is clock stretching for some reason. * The first byte comes in and is acknowledged by the slave. * The second byte comes in and the slave clock stretches again, at the end of the second byte but before the ACK. * The slave releases the clock stretch, and then ACKs. * Stop. You might want to figure out what all the clock stretching is about. ================================================================================
Discussion Chain ID: 402752 ================================================================================ User asked: Removing/Subtracting Lead Resistance Using Op Amp Circuit I'm working with RTD sensor, and need to use Op Amp circuitry. Can someone explain to me how this Op Amp circuit work to remove the lead resistance? So that Rw1, Rw2, and Rw3 vanish, hence the output from Op Amp Vout3 = IREFF * RTD [](https://i.sstatic.net/6DHcv.jpg) along with the calculation please if possible... Answer 1 (0 votes): I'll just give an intuitive answer with some numbers. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f1T2lJ.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) _Figure 1. The circuit redrawn._ * We'll leave out RW2 and R7 for now since there is no significant current flowing to the + input. * With 1 mA flowing through the RTD the voltages are as shown in Figure 1. Note that the bottom of the RTD is at 2 mV and the top at 102 mV. * The + input is also at 102 mV. * The right side of RW1 is at 104 mV. * The op-amp is in an inverting mode configuration. That means that the output will move to that value that makes the - input equal to the + input (102 mV). Since the amplifier input is 104 mV and 2 mV is dropped across R5 another 2 mV will be dropped across R6 since both R5 and R6 are the same value. * The result is that the output is 100 mV which is the correct value for 1 mA through 100 Ω. R7 is included to remove any errors due to op-amp bias currents. The - input bias current is feeding into two 100k resistors so a value of half of 100k is used on the + input. The missing 0.1 Ω is presumably to allow for RW2. Discussion on this answer: Comment: Actually 49.9 ohms is a standard resistor value, 50 ohm values are used in RF systems and are often oddball wattage, sizes and usually cost >> than an E96 scale part. Comment: `@isdi: Thanks. I haven't memorized beyond E12! I didn't know that. ================================================================================
Discussion Chain ID: 701164 ================================================================================ User asked: How to multiply by 3 a natural number given in binary, using combinatorial logic? How to multiply by 3 a natural number in _n_ -bit binary representation? Adding _x_ to 2 _x_(_x_ shifted one bit position to the higher significance positions) reads simple enough. For a ripple carry adder, this requires 2 half adders and _n_ -2 full adders. But shouldn't knowing one summand is twice the other allow improvements? Simplifications, even speed-up? _Simple/cheap_ and _fast_ depend on the cost and timing model, including the set of primitives to build from. Other metrics include _power-delay product_. Programmable logic basic building blocks ever changing, I'm most comfortable with # of transistors in static CMOS, say, no more than 7 channels in series (between any output and either power rail). This would make the basic gate the And-Or-Invert gate starting from two transistors per input; I suggest to include odd and even parity up to 5 inputs (implementation options including pass transistors/gates). Answer 1 (4 votes): In [_Efficient Multiply-by-3 and Divide-by-3 Algorithms and Their Fast Hardware Implementation_](https://ir.nctu.edu.tw/bitstream/11536/23816/1/000331343200023.pdf), Chin-Long WEY, Ping-Chang JUI, and Gang-Neng SUNG present a _Unit Cell for Addition_ : UCA that has a simpler carry chain. Comparing apples to apples (full adders alternating between _inverted carry out_ and _inverted carry in_), it is the same speed as a full adder. (I take the paper's timing analysis with a measure of salt as well as their assumptions about building a ripple carry adder from FAs.) The _sum_ outputs being from "parity gates" in both alternatives, the cost difference is nine transistors per UCA vs. twelve per FA (the availability of one more inverted bit per pair possibly making the 3-input parity implementation simpler, for a smaller difference, still). [Carry chain link pair: full adder](https://www.falstad.com/circuit/circuitjs.html?ctz=CQAgDOB0YzCsICMkDMAmALItYeIJyJwBscaaIcECVlApgLSKIBQAZiCmBiOTymV6ZeEZAjDQ0LAO6dBiAOzE5FHAA5wLALIgM6JEt3EeiDDwhpIcdp2681GgaocikVqLhkreGCE94KFGAsAObe6H6CKCjKEMEcBBTMqiRI2LyIbuKSXmipahap+LG5+ZEUBZoASrr6lXoU+nG61OBtEtayiWlJ+M4awbLq9o52aC7BADJIZrypyXOxbWwAhgA2AM50lJrT3cZIfZxBSCCrm9vipcqKyv63mhy+Fi7+4xry7hKeXUcH3QtBjMeHk7mNUkDQUhxotgZohmANN1nocgl4UciYCNNAAnWpJQwNECVUSwFh4okPIkRNqIMmyfw0xl2eKonreBZoTJiDxSDhcEzEcpIIUZLK8rz+YreEmS+Sze4woECoT8OyIUXK+SE-QPLUVCBE2VDVKYQrKNCBR4iDTvWF2nDi75SE03QxQ4as4Z8e3CR0853XWwg1I0oHUx2Mx2QxFs73CVkY9L3dJwFBOnKyDFHJNonAKOFQ0wgq08ADCAGsmCx8-iDMoMAdhjwADWVoNMqLRyXgsEghO5WMaiyxg5TG0gJuxprLdZbHbh-Q0jCVMPo1d2Fd+btZuqGyrG3QH-eidJAshImEX7HnmEHa-YAbr0Q5yqWtGyOBHYuUI7v+GULM96zI+AFwCBV6zHa55HJUX5JGez7EtQsFxF48HBr+jQ7ke24odhaEcOBJhXt+MJchmnhEVBLgYQ6ohfJmE7dMMw4ASxLjehMNhqBq7JKEiqbpgGTECXCYmgUCYnSmJsocIEoiihJooUSJVGTsICwSekqmMT8k5WqBxCGbMQLGQaBkUNKrLEJp6TmeyunZPpGGVA5h7uRAslobItkmLBfHdECvE3AFNyIbuBLKCQoiGGZhmGBJcXoaKDwxRO54qbGCkZV4OVsTlnrod+QFDqZXhCkipWCR+Gn+RQW5ssEtZqCu9bEm+sblhWAA6AAOrCyElyitUiyV4qN7WTWGSBkhNbUPJNJKzTA2jEgthgOKIpm8FYeXEBoB5tR5Vo0hha4cKxKnzCp3J6XydUihADlsU5Eq+XZFCVeyZmaaKflNUhP6NUFxWqFaAPQRVp2OmJa6yNNsMHccPmWZhDkXY9Zpo9j-r3dDUU4wOHCQy4Dn0ZRLo46k5NWlJjo+oVsZScjNJwyyXghWyXNQxwPMuGJdqfM5VOkxohXcUNyPY4LdM2BL4vS5xDEi-tY3KILzPywzwiC36KvvY9+x+r4uyATwwH8CcEDnPOVzTNe94wjOmS25c1rXnajVC0k+NETCoEg1ewn40AA) [](https://i.sstatic.net/20iwn.png) [Carry chain link pair: UCA](https://www.falstad.com/circuit/circuitjs.html?ctz=CQAgDOB0YzCsICMZICYaoOyYMxgByoBsAnCZiHBAlZQKYC0iiAUAGYir75JEQ5xUvakkgIUYVO07dOqACwgBQ1ApCLEYqJJYB3JYKSYiBoYhJCwe00gs30PKwFkb5oTnwa+4TmOlceAPtZDS0JKX1lTnl+QyxLFgBzGzxFKJwcEwgrfSDEbyDVRSsON2FOOBN8kU1xaAiKqsQVSqR5YutUVuZ3Qx7wayj+ofaB-TLq2xVZHKmZQNkgqwAZIyq7Zp4yiEQQNgBDABsAZzpKAdXEY0ouJFvBRx8Dk7PxTu7rrvWE3O67IbsszK8hw0x4IJ+ckU8hIJiKN0cnRCsPmlG8VmSUTg1yifEeGMalE+rTxPlmXwRNgeY0J1IpcFGJTmlQg9O8oTqOhcWNuHkULJ8qD8HCCAqx7NEnIaPJ4WMZg0McGaVNuTKCMJMUQ151q2mlhnasoN+Gy-hCoJsEJ1YXq1mBFrKSzt10dam2nTddnh8PJam9izUQOudLU1N90JR6pRQLsVrKApjZm8E2VKzm-TKJp8u2ep3OacyPBRhZAWeyeyOebe+ittYtCes8iIEZM1O1sxl6mblNmTcU8JDHRr3eB3Z9CrMsZHgMbFrrYIGHDb9dj9cleuscFj8h4W6EO9NACVKLGYCBmxAYuXLyJr8LKdq9+oUQhdeFN3YlUIn2GP9-7p+8pLvc3g-hKb62i4P63EQrRhr4cDSFaAqPuBNo6DWL63I+8qYa2AH-oiySPtc2qkqayQ-sGdjkTSbZYbu6KNt22p9j2s77vW2EWr2KLxhsM54Wsz7fDSVqircTo1g67IWk6x5Pv0F5IKmPgxPmZJ+PoinKopuEiSp34bKmjZ8cq2qIEB6gyZefGgeu77abckyDgMlH-GA-L-JkZJ-tE1BepgCTAQsu5eiEDmQSek5CLBomslp0XMl6BB0Rs1ExYulIDl6agchuIXlIp9kQToxH5EoPnyBVJamhwJagpeNXoOokUYeoFXqjVnliZ1QUdXCMzSCWFLVXCcFtQ0Y2GQN-m9YN4JyUNkR9OZFX9B2RBFpqW2EptgStA1LW9ut5lmZCWo1QaZ4dtdAX7jdfnTU+V4DEAA) [](https://i.sstatic.net/EkqQcm.png) Discussion on this answer: Comment: For an utterly stupefying result about *division* by 3, see [How to divide a natural number given in binary by 3](/a/701802/274544). ================================================================================
Discussion Chain ID: 402750 ================================================================================ User asked: hard drive BLDC motor I can't work out what the issue with my setup to control a 2.5" hard drive BLDC motor is. I have a 3 pole 2.5" hard drive connected to the following drive circuit, but the motor isn't spinning. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fDFrsK.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) I'm using a current sinking shift register to drive the MOSFETs so they need to be pulled up by default. The motor driver seems to be working correctly, the arduino code is simply static uint8_t motorVectors[6] = { 0b100100, 0b100001, 0b001001, 0b011000, 0b010010, 0b000110}; int vectorPos; void setup() { Serial.begin(9600); for(int x=2; x<8;x++){ pinMode(x,OUTPUT); } } void loop() { //AB digitalWrite(2, 0); digitalWrite(3, 0); digitalWrite(4, 1); digitalWrite(5, 1); digitalWrite(6, 1); digitalWrite(7, 0); Serial.println("AB"); delay(10); //AC digitalWrite(2, 0); digitalWrite(3, 0); digitalWrite(4, 1); digitalWrite(5, 0); digitalWrite(6, 1); digitalWrite(7, 1); Serial.println("AC"); delay(10); //BC digitalWrite(2, 1); digitalWrite(3, 0); digitalWrite(4, 0); digitalWrite(5, 0); digitalWrite(6, 1); digitalWrite(7, 1); Serial.println("BC"); delay(10); //BA digitalWrite(2, 1); digitalWrite(3, 1); digitalWrite(4, 0); digitalWrite(5, 0); digitalWrite(6, 1); digitalWrite(7, 0); Serial.println("BA"); delay(10); //CA digitalWrite(2, 1); digitalWrite(3, 1); digitalWrite(4, 1); digitalWrite(5, 0); digitalWrite(6, 0); digitalWrite(7, 0); Serial.println("CA"); delay(10); //CB digitalWrite(2, 1); digitalWrite(3, 0); digitalWrite(4, 1); digitalWrite(5, 1); digitalWrite(6, 0); digitalWrite(7, 0); Serial.println("CB"); delay(10); } all seems to be working, I don't have an oscilloscope so I cant check the output waveforms over time but the output of the driver seems to be working correctly when I test each phase shown in the code. I there anything glaringly wrong? I have checked other answers and they seem to agree with the setup I have here. Discussion: Comment: the motor isnt spinning, sorry completely forgot to add that! Comment: 1) yes I just want it to be open loop, I don't need speed control. 2) combining questions 2 and 3, yes I need the pulled up as I'm using an current sinking shift register to drive the mosfets. as for turning 3 devices on at any one time, there should only ever be 2 transistors on per phase. for example AB: Leg-A PMOS: on NMOS: off, Leg-B PMOS: off NMOS: on, Leg-C PMOS: off NMOS: off Comment: Can you indicate which Arduino pins are connected to which FETs? Comment: I think you indicated the wrong resistance value on R10, R11, R14 and R15. Answer 1 (1 votes): The first thing I would to would be test commutation, you should be able to turn one pole on at a time and have the motor turn to that position (or just measure the voltage at the motor). An oscilloscope would be really handy to make sure your waveform is working right. You should see something like this: [](https://i.sstatic.net/XK3vh.png) Source: <https://www.instructables.com/id/BLDC-Motor-Control-with-Arduino-salvaged-HD-motor/> Make sure there is no load on the motor (these motor's do not have very high torque loads) You may need to ramp the motor's speed to get it to turn from a dead start. Another thing you could try is run your code and then twist the motor by hand to see if you could get it to start. Answer 2 (1 votes): With BLDC motors and open loop commutation, you can't immediately commutate at the RPM you desire. If your stator field's RPM is far greater than your rotor's RPM, then the rotor will never "catch up" to the stator rpm. We would call this "slip" in the AC motor world. But this is the BLDC world, and things are different. We must commutate synchronously, or the system will not work. The solution here is to ramp or soft-start the motor. Don't immediately commutate your stator at 5000 rpm (for example). You must first ramp the rpm from 0 up to 5000 rpm in some interval that works well for your system. This gives the rotor a chance to "catch up" to the stator field before switching it again. An obvious symptom of an out of phase commutation is a buzzing sound. I wonder if you hear any noise when you try to run your motor or not? ================================================================================
Discussion Chain ID: 402749 ================================================================================ User asked: Confusion with interfacing a relay according to its given datasheet? I'm confused about interpreting a datasheet to interface a relay. In my application, a solenoid-valve is going to be turned on every 30 minutes to drainage water periodically. The control signal will come form an Arduino digital output pin. I have to use [this](https://uk.rs-online.com/web/p/solenoid-valves/8407020/?sra=pmpn) model, and by reading [the data sheet](https://docs-emea.rs-online.com/webdocs/15dd/0900766b815dd865.pdf) I am very confused how to interface it. First of all there is this warning in the datasheet: [](https://i.sstatic.net/ytRk4.png) Unfortunately the model I have Z1D according to the data-sheet does not have surge protection. What is meant by that a TVS? Here is the schematics I was planing to use to turn on and off the valve: [](https://i.sstatic.net/kKoNg.png) But I cant infer from the data-sheet whether I need a fly-back diode or not. I cant even find what is the input current the solenoid draws. Is my schismatic adequate? How can I make this interfacing more robust according to the datasheet? Answer 1 (1 votes): The RC contact bypass is a snubber, since it bypasses the switch if the combination is low enough an AC control signal may pass enough current to keep the solenoid/valve energized even if the switch is open. Insofar as the current requirement, the only specs I see that you can calculate that from are the VA ratings which which are for the purposes of DC VA(watts)=(current*voltage) so a 12V coil dissipating 9.5W yields a current of 1.26A. From sheet 5 you have a size 1 with a power consumption of 4.5W, so 12V/4.5I=0.375A This determines the current the transistor or FET must switch -at a minimum- (the coil resistance will drop at lower temperatures, and even though self heating will bring the resistance back up, that takes a bit of time). A 2N4401 has a maximum recommended operating Ic of 500mA, which to me is a bit close to 375mA. It also degrades the current gain (you have to push more current through the base to get the collector current to your desired value. For a 2N4401 it means about 50mA of base current to get that 500mA collector current. It also impacts the heat dissipation requirements. We want to operate the NPN in saturation, so Vce is 0.75V at 500mA (it's higher than normal because we're operating close to the limit). multiply 0.75V by 500mA and you get about 375mW of power dissipation in the transistor, so you will want to heat sink it at least. A TO-92 plastic package by itself has poor thermal conductivity. You would be better off finding a TO-220 style package transistor, or get a clip-on heat sink (worse solution). If you add the nominal base current at saturation your dissipation goes up to about 400mW, and your TO-92 is around 80C in temperature (at the nominal thermal resistance of 200C/W per datasheet). I would recommend picking another transistor. Discussion on this answer: Comment: I think I will for a SSR solution with high current capability. Now I have to tun on eight relay at a time. I think I need to open another question for that. Comment: Eight all at once or individual control? SSRs give you lots of options, for a 12VDC coil you have lots to choose from, just mind the heat dissipation capabilities. Check the CPC1779 (Ixys part) for example. Not endorsing it, just note the current capability when a decent heatsink is connected. Comment: Eight at once. But I might also use a MOSFET with opto. I will come up with a new question and let you know soon. Comment: Here is my new question https://electronics.stackexchange.com/questions/402826/questions-about-a-remote-relay-control-application-with-a-mosfet It took me a while to prepare it. Answer 2 (0 votes): TVS means Transient Voltage Suppressor, it's a type of component. You better put a flyback diode, it's cheap and at least you are covered. The warning means to be careful of the leakage current of protection circuit you may put in serie with the valve. Your circuit will work fine (with the Flyback diode). ================================================================================
Discussion Chain ID: 402748 ================================================================================ User asked: Light circuit for RC car I'm building a small light system for an RC car, this is the schematic: [](https://i.sstatic.net/Lycot.png "Circuit") The power source is 5.5 V. These are the LEDs that I am using, [KKHMF 100個 3mm LED 発光ダイオード LED電子部品バッグ 5種類 各20個](https://www.amazon.co.jp/gp/product/B078MPBQYL/ref=oh_aui_detailpage_o01_s00?ie=UTF8&psc=1) \- two white, three red and one green. I've used an online resistor simulator for calculate them, I hope that they are right I would like to add a blinking capability to four of them, and I've understood that I need a microcontroller. Here my questions: * Are the resistors correct? * What microcontroller can I use and how I can connect it? The car is very small (1/30 scale) so all the parts have to be at very low consumption and very small, able to resist to mild vibration and some shocks. Discussion: Comment: With a microcontroller there are almost no boundaries in terms of blink pattern, etc. But maybe a MCU is overhead here.. How do you wish it to blink? Which at which frequency and duty cycle? Comment: Dear Stowoda, thanks! I want just a normal blinking, like the one in your car, with like a 0.5 second between blink. What do you recommend? thanks! Comment: @Stonemarten If you want an MCU board you could use this : https://www.ebay.co.uk/itm/Mini-Device-for-Arduino-Nano-V3-0-with-PRO-ATMEGA328P-Module-Board-Hot-New-NN/263998923005?hash=item3d778fe0fd:g:xkgAAOSw4JZby1gn:rk:20:pf:0 Comment: Stonemarten, for exsample a https://en.wikipedia.org/wiki/Multivibrator or maybe a NE555N. There are many solutions to to let a LED blink. Comment: Part "shopping" questions are off topic. Almost any MCU can do this, the real question only you can answer is what packages you are willing to work with. Answer 1 (1 votes): It seems your calculation are wrong. To calculate the resistor for the LED you should do: (VCC - Vled) / Iled. With the max brightness and the lower diode limit you should use (rounded to E12 serie): [](https://i.sstatic.net/dTXmM.png) * white 150 ohm * red 220 ohm * green 220 ohm For blinking the LED, you have tons of possible way, MCU is probably what will give you most of the freedom. A good and simple way to start is to use an Arduino which is made for people to learn easily. Discussion on this answer: Comment: I think you may have used the Vf off the schematic rather than the link. Comment: No I used the link Comment: I was just wondering why you have different value than me. Any ideas? Comment: @Misunderstood I do not know what you considered but for a start you have 2 values while there are 3 LEDs, then you use 20mA while the spec provides different range for different LEDs. I used minima and maxima for the leds to stay withing the safe zone. Comment: @Misunderstood I added the table with the numbers on the answer. Comment: Thank you. Now I understand. Very safe approach. I could not read the ad. I just used example common values and gave a link to the LED resistor calculator. And I kinda recommended not to use those LEDs. Answer 2 (1 votes): > Are the resistors correct? No the resistors are not correct. Could not read the description only the voltages. [](https://i.sstatic.net/ETZUL.jpg) Using the average voltages: 5.5V supply, 3.2Vf @ 20 mA = 115 Ω 5.5V supply, 2.0Vf @ 20 mA = 180 Ω [](https://i.sstatic.net/c8y7Z.jpg) Source: [LED Series Resistor Calculator](https://www.hobby-hour.com/electronics/ledcalc.php) > all the parts have to be at very low consumption and very small 66 vs 100 Why 5.5V? 3 AAA batteries is 4.5V. 3.3V, if available, will be more efficient. You should use the brightest LEDs you can find. The higher the mcd or lumen, the lower the current needed for the desired brightness. Cannot read the specs on the LED you chose, but for example let's say the green is 100 mcd, 3.2V @ 20 mA. There is a Cree [C503B-GAS-CB0F0792 ](http://www.cree.com/led-components/media/documents/1300-C503B-BAS-BAN-GAS-GAN.pdf)green LED, 5mm, 53,650 mcd @ 20 mA To get 100 mcd out of the Cree LED. You would only need 100mcd/53,650mcd x 0.02A = 370 µA That's 0.000851 watts 0.85 mW vs. 115 mW for 20 mA for a 13,529% less power. **Bottom line, use a bright LED at a lower current.** * * * If you could use surface mount LED: The brightest and smallest: [Luxeon Color C Line](https://www.lumileds.com/uploads/571/DS144-pdf) > What microcontroller can I use Atmel is always a good choice. Here is an ATtiny85 from Adafruit [Adafruit Trinket - Mini Microcontroller](https://www.adafruit.com/product/1500). [](https://i.sstatic.net/106lo.jpg) Uses Arduino IDE Smaller and lighter than the Arduino Nano. Nano: 45 * 20 * 3mm 6 grams Trinket: 27 x 15 x 4mm 1.85 grams I could not find a smaller lighter LED blinker circuit. They do exist, just could not find one. This PCB was a blinking LED for a Logitech mouse package. The blinker circuit is under the block blob. [](https://i.sstatic.net/IGsh7.jpg) * * * Side note: If you are using AAA alkaline batteries, you will do much better with the lithium. The lithium starts with 1.6V, and at 400 mA for 1 hour, holds the voltage above 1.4V. Where the 1.5V alkaline would drop to 1.2V. If using Li-ion use Lithium Nickel Manganese (NMC) for highest power. Discussion on this answer: Comment: thanks Misunderstood!!! Sorry for the basic questions but I'll put 6 leds in parallel, and in the simulator I put that number... Do I need to consider them as single unit even if they share the current? Comment: the 5.5v come from an other output (for the ESP) because that chassis doesn't have the light OEM set up. This is what I've measured, the car is powered by 4 AAA batteries Comment: thanks for recommend the trinket! is one fine for all the leds? I need the blinking of 4 of the 6, not all. Since it is 3v, do I need to add a resistor to reduce the input? is it not a waste of energy? Comment: I'm using 2,550mAh Ni-MH Panasonic evolta black as batteries, not too expensive (here in Japan) and last around 30 minutes. Thanks a lot!!! Comment: There is a 5V trinket version. A resistor would not save energy. You would need a switching regulator to reduce the voltage efficiently, but that might add too much weight because it requires an inductor. I thought you may race them. Then the lithium would give you an advantage, Comment: you are right, we want to be fast :) sorry the battery that I'm using are 950mAh... what lithium do you recommend? it seems that there aren't too many AAA format and I would like not to burn the house while charging :) Comment: do you think that adding 0.5v to the trinket will destroy it? thanks a lot for your help!!! Comment: I am not familiar with the trinket. It may have an on board regulator that will drop the 5.5V input to 5V. The 3.3V version has a regulator to drop a 3.6V Li-ion battery voltage to 3.3V. I just verified, and the 5V version will take 5.5V. There is a 5V regulator: https://cdn-learn.adafruit.com/assets/assets/000/010/774/original/adafruit_products_trinket5.png?1378223478 Comment: Very good thanks!!! I'll buy the trinket and start to play :) thanks so much for the help, appreciated!!! Answer 3 (-3 votes): LEDs in parallel do not share the current unless you buy hundreds, measure them all and group them into piles having the same forward voltage. Discussion on this answer: Comment: OP is not questioning that. The leds are in parallel with current limiting resistors per led, so the issue with parallel leds is not present here. This does not answer the question. ================================================================================
Discussion Chain ID: 402745 ================================================================================ User asked: LIS2DH12 Watermark and Overflow Interrupts at the same time I'm working on a project that uses the LIS2DH12 accelerometer by ST ([product page](https://www.st.com/en/mems-and-sensors/lis2dh12.html)). I have a couple of questions about it, and as it is quite a common part, I wonder if anyone here knows the answers: I would like to know if it's possible to activate two interrupts, watermark and overflow, in the same pin. I tried to set them up, enabling latching interrupts in INT1 in CTRL_REG5 and setting both watermark and overflow in CTRL_REG3. When I get a watermark register, I read INT1_SRC, but that returns 0 (I would expect it to return 0x80, interrupt active) and it doesn't clear the interrupts. I don't know if the overflow interrupt ever kicks in, as I can't clear the watermark without reading the FIFO (I would expect that by enabling latching interrupts, I could clear the interrupt by reading INT1_SRC, and then leave the samples unread to trigger the overflow interrupt). In case somebody is asking why would I do this, I'm a bit paranoid, and don't want to miss an interrupt and end up losing data. Also, I know that I have a second INT pin, but I can't use it at the moment. //Setup code // set increment bit so we can write to multiple registers with one SPI command accel_transfer_buf[0] = LIS2DH12_REG_CTRL_REG0 | LIS2DH12_MULTI_BYTE_RW; //The register address will increment on every write // CTRL_CFG_REG0 accel_transfer_buf[1] = 0x10; //Magic word of the CTRL_REG0, it needs to be that. // TEMP_CFG_REG accel_transfer_buf[2] = LIS2DH_settings.tempEnabled; // CTRL_CFG_REG1 accel_transfer_buf[3] = 0; //Don't write to ctrl1 yet, as that will turn the accelerometer on, do it as the last step in the config // CTRL_CFG_REG2 accel_transfer_buf[4] = 0; //Disable High pass filters, see AN5005 // CTRL_CFG_REG3 accel_transfer_buf[5] = LIS2DH12_BITS_I1_WTM; //Interrupts enabled in INT1 pin: watermark // CTRL_CFG_REG4 //Block data update enabled(AN5005), big endian, accelerometer range, normal mode 10bit, 4 wire SPI accel_transfer_buf[6] = LIS2DH12_BITS_BDU | LIS2DH_settings.accelRange | LIS2DH_settings.HiResMode; // CTRL_CFG_REG5 accel_transfer_buf[7] = LIS2DH_settings.fifoEnabled | LIS2DH12_BITS_LIR1; //enable fifo, interrupts latched // CTRL_CFG_REG6 accel_transfer_buf[8] = 0; //No int on INT2 pin (it's disconnected anyway). Interrupt polarity set to active High // REFERENCE accel_transfer_buf[9] = 0; //Reference for interrupts [...] //Later on... accel_transfer_buf[10] = LIS2DH12_REG_FIFO_CTRL_REG; accel_transfer_buf[1] = LIS2DH_settings.fifoMode | ((FIFO_THRESHOLD - 1) & 0x1F); [...] //and finally accel_transfer_buf[0] = LIS2DH12_REG_CTRL_REG1; accel_transfer_buf[1] = LIS2DH_settings.accelSampleRate | LIS2DH_settings.HPLPmode | LIS2DH_settings.zAccelEnabled | LIS2DH_settings.yAccelEnabled | LIS2DH_settings.xAccelEnabled; When I get an interrupt, I do accel_transfer_buf[0] = LIS2DH12_REG_INT1_SRC | LIS2DH12_READ_REGISTER; uint32_t errorCode = SPIDRV_MTransferB(spi_handle0, accel_transfer_buf, accel_transfer_buf, 2); checkErrorCode(errorCode, "DEBUG"); debug_logln(VERBOSE, "Accel Int: 0x%02X", accel_transfer_buf[1]); And I would expect to get `0x80`, but I get `0x00` (and there are no errors in the transfer). 1) Do you know if what I'm doing with the latched interrupts is correct? 2) Do you know if what I'm trying to achieve with the two ints in the same pin is possible? Thanks! Answer 1 (1 votes): Turns out it can't be done. Only the X/Y/Z High/Low interrupts can be cleared by reading REG_INT1_SRC, the watermark interrupt can't be cleared by other means than by reading from the FIFO. ================================================================================
Discussion Chain ID: 402741 ================================================================================ User asked: How can I determine a resolution of 4:2:2 YCbCr image? I fetch data from 420 TVL camera, and now I just want to see this image, the only thing I need is resolution to draw it on my screen. How can I determine this? BWP M420MD -- camera, I'm getting DCMI data from decoder [TVP5150AM1](http://www.ti.com/lit/ds/symlink/tvp5150am1-ep.pdf) Discussion: Comment: Which camera? Do you have a datasheet for the camera? Comment: Add in the question Comment: Enlish datasheet? Comment: @AlexandervonWernherr, couldn't find but I don't think it is matter, decoder datasheet states that resolution 720x525 but I couldn't prove this, because I didn't understand how to correctly read how many pixels I get between to HSCLK. Comment: The answers should be in the decoder datasheet. The camera is analog. Answer 1 (1 votes): TVP5150 will give 720 active pixels regardless of input signal. But the horizontal total will be either 864 or 858 pixels depending on signal being PAL or NTSC so that depends on your camera. You get two clocks per pixel as the data output is multiplexed between Y data and C data. C data is also multiplexed between Cb and Cr. Discussion on this answer: Comment: I'm sorry but in documentation "active pixels per line" -> 720 , "lines per frame" -> 525. Doesn't this mean that resolution is 720x525? Comment: No, 525 is the total interlaced lines per full NTSC frame. Comment: Could you please elaborate this for me? I really doesn't understand why the number of lines are nor equal to the vertical resoultion if lines are interlaced it's just means that there are odd and even fields so number of lines divided by two. And maybe you can help me with my next problem, how should I configure DCMI->ESCR DCMI->ESUR registers for embedded synchronization with SAV EAV codes on STM32H7? I understand that there are should be 4 SAV EAV codes (line start, line end, line start with VB, line end with VB) for each of the fiels, so 8 in total. but there I only can configure 4 of them Comment: If it's a NTSC camera, it will output 525 lines, of which 480 or so contain active picture area as and the rest are used for synchronization. ================================================================================
Discussion Chain ID: 402738 ================================================================================ User asked: How does this fire alarm system transmit data on two-wire? In the fire detection industry, analogue addressable systems use control panels and detectors (and devices such as interfaces) which communicate with each other by means of a protocol. What protocol is this? [](https://i.sstatic.net/eB9NP.png "Analogue addressable system diagram") Can anyone help me find information about it? Discussion: Comment: Honeywell defined such a protocol, decades ago. About 20 volt signaling, on an 80 volt DC power rail. All this from memory. Answer 1 (1 votes): What protocol is used is impossible to say unless I have access to the technical documentation of the units and/or can reverse-engineer them. We can assume that it is some kind of communication protocol suitable for one shared connection (no separate TX, RX, clock etc. but one bidirectional signal). With some electronics it is possible to make data and power share the same pair of wires. This is nothing new, the old wired telephone system already used it! Here are some links that show how this can be done: [Transmit Digital Signals and Power Over Same Wires](https://www.maximintegrated.com/en/app-notes/index.mvp/id/1863) [Using SN65HVD96 to Create a Power-Over-Data and Polarity Immunity Solution](http://www.ti.com/lit/an/slla336/slla336.pdf) The basic idea is that the power is DC and the data is AC. With some electronics (that can be as simple as an RC filter or a transformer) the two (data, power) can be combined and separated in each device. Discussion on this answer: Comment: Thanks for your share. It's a useful information for me Answer 2 (0 votes): If you visit [bacnet.org](http://www.bacnet.org/), you will find all the major fire alarm manufacturers are listed as members. The protocol was started in the mid 80s and has evolved. It's called [BACnet](https://en.wikipedia.org/wiki/BACnet). When I youtube it, it wants to point me to rs485, yet I know 485 maxes out at 64 devices? Uses terminating resistors, uses 2 conductors plus plus and minus. Discussion on this answer: Comment: Hi Carl and welcome. Whilst this appears to answer the question, there is also another question contained within it. Stack Exchange is a Q&A; site, not your usual forum of threaded messages. Please separate, and edit out the question and [ask] your own question, referring back to thsi question, using the URL, if need be. To learn more about how SE works, please take the [tour]. Comment: RS-485 doesn't max out at 64 devices if you use the right transceivers. It's all about max capacitive loading presented by the receivers. You should delete this post and post it as a brand new question. Comment: Any rs485 I have worked with max out around 64, and always wants a terminating resistor 470 ohms I remember, just to keep the noise down. Answer 3 (0 votes): The fire sensor might use M-Bus or a protocol (most likely, proprietary) similar to M-Bus. [](https://i.sstatic.net/slbEo.png) To transmit the command, the master sends it as a voltage impulses. To transmit the answer, the peripheral uses short high current consumption impulses. Answer 4 (-1 votes): I studied the technologies about how to transmit data and power on two-wire and found an answer for this issue. The result of study show that analog 4–20 mA current loops are commonly used for electronic signalling, with the two values of 4 & 20 mA representing 0–100% of the range of measurement or control. These loops are used both for carrying sensor information from field instrumentation, and carrying control signals to the process modulating devices, such as a valve In the case of a fire alarm, 6 mA could be normal, 15 mA could mean a fire has been detected, and 0 mA would produce a trouble indication, telling the monitoring site the alarm circuit had failed. Some 4–20 mA field devices can be powered by the current loop itself, removing the need for separate power supplies, and the "smart" HART protocol uses the loop for communications between field devices and controllers. Here are some links: <https://en.wikipedia.org/wiki/Current_loop> <https://fieldcommgroup.org/technologies/hart/hart-technology-detail> However, I haven't make sure that the addressable fire alarm Systems are using. Can anyone help me confirm that this is right or wrong? ================================================================================
Discussion Chain ID: 402736 ================================================================================ User asked: Achieve -12~12V PWM Signal isolate I have used IL300 to isolate 0~5V PWM signal before and it works great. The circuit is shown below. But now I need to isolate -12 ~ +12V PWM signal. Is there any possibility or suggested circuit to achieve it? I have no idea about the negative voltage, but I have found some IC like Adum32XX etc. but the input voltage are all about 0~5 V. [](https://i.sstatic.net/Uiij0.gif) Discussion: Comment: How is the PWM frequency? Comment: Just for 1KHZ any suggest? thanks. Comment: what output voltage do you need ? Comment: positive voltage between 0v to 12v and negative between 0v to -12v like 12v~-9v or 8v~-2v something like this Comment: Why wouldn't you isolate the digital signal then do PWM->DC (if required) later? Comment: Just add a RS232 self-powered converter, such as MAX3232 series, to your existing output. Answer 1 (1 votes): This circuit is for analog voltage with diode emission correction, to have precise analog isolation. For PWM signal you don't need something that fancy. If you need an output with 0-5V, you have nothing to do, as the low edge will be blocked by the emitting diode, it would be 0 and thereof output 0, the positive edge will work as normal. Just make sure the diode has a maximum reverse voltage above 12V, or add an additional external diode. Discussion on this answer: Comment: Sorry ,I'm not good at English , I think u misunderstanding what i'm asking,what i'm saying for 0-5 is mean that i can produce any voltage between 0 to 5 so as -12v ~+12v Answer 2 (0 votes): The Linear Opto has a CTR around 1% to 1.5% so a buffer is needed that can handle 24V swing. Fortunately there are new Rail-to-Rail CMOS Op Amps rated for 40V, so you may use isolated +/-12V or less. [OPA991](https://www.ti.com/product/OPA991) ACTIVE Order now 40-V, single 4.5MHz, rail-to-rail input/output, low-offset-voltage, low-noise op amp ================================================================================
Discussion Chain ID: 402734 ================================================================================ User asked: STM32F030(K6) Systick not triggering (BOOT0 problem) I'm trying to write a simple program for a STM32F030K6T6 microcontroller. The problem I am facing is the more common "Systick is not working" problem. The code is generated using Cube32MX (Firmware 1.9.0) and compiled in Atollic true studio 9.1.0. What I'm trying to do is to toggle a led with a delay of 500ms. The strange part is that I can't get it to work on the STM32F030K6T6 and it works out of the box on the STM32F030R8T8. The systick handler is never called and thus the delay function blocks. When stepping through the assembly code it is obvious that the microcontroller is in an infinite loop while checking system ticks. However, if the code is executed continuously it jumps further down the program into an other loop (which i can't identify). What I can't understand is that for two microcontrollers with the same core I obtain very different results. I checked the difference in the two complete project but could not find any differences besides the fact that some peripherals registers differ. Does anyone has experience with these kind of problems or has any thoughts on what I can do next? Answer 1 (2 votes): Starting from the hardware I discovered the problem. In my PCB design BOOT0 was unintentionally connected to VCC thus booting from SRAM. Which when stepping through the code using the debugger is not obvious. Connecting BOOT0 to GND solves the problem. ================================================================================
Discussion Chain ID: 402732 ================================================================================ User asked: Rating between power cord and equipment My country's power supply is AC 220 V. My equipment is rated 220 V 5 mA and linked to a power socket rated 250 V 15 mA. Will my equipment be fine? Answer 1 (1 votes): Mains equipment and power sockets are _usually_ rated in amps (A) rather than milliamps (mA) - so I would assume that: * The equipment requires 5 A * The socket can supply up to 15 A (although this (at least in Europe) is usually 13 A) Regardless of this, the socket will only supply the current that is required. So your equipment only requires a third of the current that the socket is able to supply - so there is no problem in that respect. If it situation was reversed, and your equipment needed 15 A and the socket could only supply 5 A, then there would be a problem, and the equipment would not be able to function correctly, or overload the socket. * * * When matching devices and power supplies Just remember: _Voltages need to be matched, whereas current drain needs to be less than the supply._ In other words: * If the current capacity is greater than that required by the device, this is not a problem. * If the voltage of the supply is greater than that required by the device, then that will probably fry the device. ================================================================================
Discussion Chain ID: 402730 ================================================================================ User asked: SPICE circuit to find AOL and noise gain of Transimpedance amplifier In Chapter 10 of Art Kay's book "Operational Amplifier Noise", he gives a SPICE circuit (pp.179) that can be used to generate the noise gain, AOL, and current-to-voltage gain. Could anyone explain to me why put the source VG1 in the way shown in the picture, and why not at the non-inverting input side. And, also, the book writes "Note that the 1-TH inductor is used to break the feedback loop from an AC perspective but allow for a DC connection. The 1-TF capacitor allows the signal source VG1 for AC coupling into the loop at extremely low frequencies." Could anyone give more details about these two lines? I would greatly appreciate it if you kindly give me some references. Thank you very much. [](https://i.sstatic.net/g43R0.png) Answer 1 (1 votes): This technique is often used in simulators. Generally speaking, _every_ type of simulation in Spice goes something like this: 1. Read the netlist and build up the circuit. 2. **Determine the operating point**. 3. **Do simulation-specific calculations** (eg. small signal analysis) using the parameters found in step 2. 4. Destroy the circuit. During step 2, Spice will assume that the circuit is **quasi-static**. This basically means it will try to find a solution of the circuit that can go on for an eternity without anything starting to change in time. This is called **DC**. At DC, it means that: * Capacitors behave like an _open circuit_ , because in rest: $$i_C = C\frac{dv_C}{dt} = 0$$ Or put in words: no current can flow through the capacitor because else it wouldn't be in rest. * Inductors behave like a _closed circuit_ , because in rest: $$v_L = L\frac{di_L}{dt} = 0$$ Or put in words: no voltage can exist across the inductor because else it wouldn't be in rest. During step 3, typically time/frequency-dependent effects come into play. We can then choose \$L\$ and \$C\$ such that they behave completely different as follows: * Capacitors can be made to behave like a _short circuit_ , if: $$v_C = \frac{1}{C}\int_{-\infty}^t i_Cdu \xrightarrow{C\to\infty} 0$$ Or put in words: if the capacitance is made larger, the voltage change over the capacitor can be made smaller making the capacitor behave more like a short-circuit. * Inductors can be made to behave like an _open circuit_ , if: $$i_L = \frac{1}{L}\int_{-\infty}^t v_Ldu \xrightarrow{L\to\infty} 0$$ Or put in words: if the inductance is made larger, the current through the inductor can be made smaller making the inductor behave more like an open-circuit. Note that this all can be summerized quite neatly in the Fourier-domain: $$\begin{align} Z_C &= \frac{1}{j2\pi f C} \\\ Z_C &\xrightarrow{C\to\infty} 0\\\ Z_C &\xrightarrow{f\to 0} \infty \end{align}$$ And for inductors $$\begin{align} Z_L &= j2\pi f L\\\ Z_L &\xrightarrow{L\to\infty} \infty\\\ Z_L &\xrightarrow{f\to 0} 0 \end{align}$$ Simulators can't work with infinite values, so instead we choose a very large value such that it doesn't affect the behavior of the rest of the circuit. > Could anyone explain to me why put the source VG1 in the way shown in the picture, and why not at the non-inverting input side. If the amplifier has a perfect _common-mode rejection_ , then the result can be made identical if you placed the source at the positive terminal (you also need to change you measurement point too). This is generally speaking not the case though, so it is safer to inject the signal in the feedback loop, which is closer to how the OL gain should be interpreted. Answer 2 (0 votes): > Could anyone explain to me why put the source VG1 in the way shown in the picture, and why not at the non-inverting input side. The author decided to break the feedback loop at the output of amplifier. You could hypothetically break loop anywhere, but at a low-impedance output, or at a high-impedance input are the easiest choices. AC source \$V_{G1}\$ is the AC test stimulus to study loop-dynamics. > And, also, the book writes "Note that the 1-TH inductor is used to break the feedback loop from an AC perspective but allow for a DC connection. The 1-TF capacitor allows the signal source VG1 for AC coupling into the loop at extremely low frequencies." Could anyone give more details about these two lines? If you calculate the impedance of this two circuit elements you will see the feedback loop is closed at DC and open at any practical AC frequency (say 1 milliHz and up). An AC sweep in spice is the small-signal linear response about a DC operating point. If you don't allow your circuit to have a stable DC operating point, the AC simulation results have little meaning. ================================================================================
Discussion Chain ID: 701159 ================================================================================ User asked: Why use a loopstick rather than a choke for MW radio frequency reception? For reception in the medium wave range (500-1600kHz) a ferrite rod (loopstick) has a measured inductance of Lc=2mH and a resistance Rf=5 ohms, whereas an RF choke with Lf=2mH has a resistance Rc=8 ohms. Given that a choke is much smaller than a ferrite rod, why do medium wave (AM) radios use a ferrite rod rather than a choke to tune into radio stations? **Context** : I am using a choke (4mH) and a capacitor (2.2nF) in parallel in a tank circuit with a resonant frequency of 50kHz, and I am wondering if I should be using a loopstick instead of a choke. I am using a choke because I need to minimise weight. **EDIT1** : The following text and image were added for information after answers were received. From the comments below, it seems to matter that the choke has ferrite caps. Not sure if this is relevant, but I am trying to receive (not transmit) RF signals. [](https://i.sstatic.net/OWTa8.jpg) Figure 1. Picture of a (very) spare choke, with the plastic coating removed (I managed to break the wires inside in the process of removing the plastic). The material at both ends (caps) of the coiled wire is magnetic (ferrite?). **EDIT2** : This edit has also been included as a [new question](https://electronics.stackexchange.com/questions/701556/why-do-loopsticks-and-chokes-receive-rfs-equally-well), so please put any responses there. The circuit in Figure 2 was used to test predictions made in answers to this question. The inductor was either a) a choke with Lc=0.54mH (R=3.2ohms) (as in the figure 1), or b) a loopstick with Ll=0.6mH (R=8.3 ohms)) (Figure 3, from a radio clock). A sinusoidal 1V (p2p) signal from a signal generator was injected across the whole circuit. The frequency was adusted to maximise the voltage across the tank circuit, which corresponds to the resonant frequency, measured as f0=40kHz (for both the choke and the loopstick). As an aside: The measured p2p amplitude across the tank circuit at f0 was 57mV, so that 57mV/1000mV = Z/(Z+20k), so, solving for Z yields Z = 1200 ohms at f0. Finally, I disconnected the scope from the circuit, and used the scope to generate an RF signal at f0 through a long wire antenna. I then measured the amplitude V induced across the tank circuit at a short distance from the antenna. Result: With the loopstick, Vl = 4mV, whereas with the choke, Vc = 3mV. This seems to suggest that both the choke and the loospstick are almost equaly good at converting the RF signal into voltage. What am I missing? [](https://i.sstatic.net/uFhv0.jpg) Figure 2. Circuit used to estimate resonant frequency f0 and impedance Z of tank circuit at resonant frequency f0. [](https://i.sstatic.net/GgfOy.jpg) Figure 3. Loopstick used to replace choke in tank circuit. Discussion: Comment: Might be good to wind your own on a core designed for the application. https://fair-rite.com/product-category/inductive-components/antennarfid-rods/ Comment: You may want to ask your latest edit in a separate question; expecting more from existing answers, or new different answers, is veering dangerously close to "changing the question". Comment: James, If we are done here, please take note of this: [What should I do when someone answers my question](https://electronics.stackexchange.com/help/someone-answers). If you are still confused about something then leave a comment to request further clarification. Answer 1 (5 votes): That coil serves two purposes: **antenna** and **resonator** (the resonator may require an associated capacitor). A choke is a terrible antenna, but may have lighter weight than a loopstick's ferrite. Andy's answer shows how a ferrite rod collects AC magnetic fields, aiding its purpose as antenna. If you wish to limit weight, use a long rod with small diameter. Such a rod is fragile, because ferrite is brittle. Stacking rods end-to-end is theoretically possible, but very difficult to do practically, because magnetic coupling from rod-to-rod involves an inevitable air-gap. The alternative to ferrite rod antenna uses a large-diameter solenoid. The large diameter makes the resulting inductor a fairly efficient antenna with directional characteristics similar to a loopstick. However, with no ferrite, a great length of wire is required, which is also weighty. For example, a 1m diameter coil of 50 turns has about 5mh inductance. A choke inductor might have 5mh inductance, but is likely designed to confine magnetic field to itself, so that it doesn't radiate - opposite of what you want for an antenna. Some inductors inside a radio are used with a capacitor as **resonators** and not as antennas. In this case, they tend to be choke-like, with carefully-confined magnetic fields. Small size is a design objective. Answer 2 (2 votes): > _why do medium wave (AM) radios use a ferrite rod rather than a choke to tune into radio stations?_ For long/medium wave reception what "we" want is a diameter that is as large as is possible. Clearly, space limitations prevents a 1 metre diameter ferrite rod so we compromise and pick a diameter of around 10 mm. But, we also want a long ferrite rod as per this image below: - [](https://i.sstatic.net/hDlDm.png) Image taken from [this answer](https://electronics.stackexchange.com/questions/664553/am-receiver-antenna-coil/664570#664570) and you should be able to see that a bigger diameter rod will attract more flux lines from the prevailing radio wave you are trying to detect. So, dimensions are important if we want to detect a signal. It's all about concentrating the magnetic flux and inducing as much voltage as we can in the coil wrapped around it. > _I am using a choke because I need to minimise weight_ You might get away with a choke but smaller is definitely not better and also, the choke needs to be open to external magnetic field influence i.e. it can't be a closed-form core like a toroid or similar. A barrel/drum inductor will work but, if the dimensions are small, the received signal will also be small. Drum/barrel inductor from [here](https://www.globalsources.com/product/soft-ferrite-core-choke-coil-filter-inductor_1165593169f.htm): - [](https://i.sstatic.net/U4yJk.png) Discussion on this answer: Comment: You drawing is misleading: magnetic fields don't quite work that way. The drum core, in particular, makes a poor antenna. The easiest way to see this is with the reciprocity principle: apply a current to the coil and see where the field lines go. To get the best transmission, the field lines should make big loops as far as possible from the coil. By reciprocity, that's also the best for reception. A long rod makes big loops, but a drum core concentrates the field just outside the windings. Good for avoiding crosstalk from a choke, not so good for an antenna. Comment: @JohnDoty the drawing in my answer is not the magnetic field produced by the inductor but the prevailing magnetic field from a remote EM transmitting antenna. Maybe you thought I was showing the fields produced by the core? A drum core (basically a modified ferrite rod) doesn't have equal reciprocity as a magnetic field transmitter and a receiver. Therefore the reciprocity idea just doesn't apply. Comment: I know what you were trying to do, but as I said, it's misleading. It suggests that a drum core is good as an antenna (it isn't). The response of a core to an external field is a tricky problem to attack directly: it's much easier to use reciprocity. Comment: Reciprocity is totally invalid for either a ferrite or drum. I really must insist that you don't try and use this as an argument and, I must also add that the image is reasonable in that that is exactly what a ferrite rod does in concentrating a magnetic field and, the image specifically says ferrite rod on it. Comment: You can certainly use a drum or barrel coil and have done so myself. They are not very good for the reasons given in my answer. I am in no way shape or form suggesting a drum is good. Please read it again in case you missed something viral in what I wrote. Comment: If you take the end plates off a drum, its field spreads out and it is a better antenna. But that's not what your answer implies. Comment: Why do you think reciprocity is invalid? You need something like Faraday rotation to make nonreciprocal electromagnetic systems. That's not present here. Comment: Of course it's EM. Maxwell's equations apply. Comment: It's a similar thing with microphones. Really small microphones can have masterly frequency responses and really excellent quality but, ask them to produce a decent spectrum of emitted sound and you'll be disappointed. Comment: @JohnDoty sorry but we're going to have to disagree. Comment: Yet big microphones make more signal, just as you'd expect from reciprocity. Small microphones need more amplification. Similarly, a short dipole is a fine receiving antenna for LF, with appropriate amplification. Comment: The only thing that shouldn't be reciprocal here, is the application: you would use a loopstick where the poor gain is acceptable for some reason. In this case, because atmospheric noise dominates at such a level that signals must be that much stronger and therefore little receiver gain is required; the converse is not true, a transmit antenna must be high efficiency to radiate such power. But this is not the usual meaning of "reciprocity"; I would use "asymmetry" for this. Comment: @Andyaka Do not attempt to hide expletives with alternate characters. They are [not allowed](https://meta.stackexchange.com/a/22233/299342), either spelled correctly or with alternate characters. This will be your only warning. Comment: Did the link say that expletives with some characters replaced is not allowed? ================================================================================
Discussion Chain ID: 402726 ================================================================================ User asked: Cosimulation Error on Advanced Design System I want to use [BLF2425M9LS140](https://www.ampleon.com/products/rf-energy/2.45-ghz-transistors/BLF2425M9LS140.html), Power LDMOS transistor, to do cosimulation on ADS. I have got transistor's PCB design from its site and have done required procedure but when I try to convert layout to schematic model then simulate it, I get following error: [](https://i.sstatic.net/KldzD.png) I_0 is the name of the PCB layout and I cannot see the vendor simulation component:[](https://i.sstatic.net/OykRL.png) What should I do? Answer 1 (1 votes): Did you remember to include the vendor simulation component? This is an example from when i did some simulations with some Infineon transistors.. This had to be in the schematic to work. [](https://i.sstatic.net/M1DLV.png) Discussion on this answer: Comment: I edited the question @Linkyyy Comment: @AldrichTaylor: Ok, well i just added the library to ADS and tested it, it doesn't give me any errors. How did you add the library? DesignKits -> Manage favorite design kits -> Add zipped design kit.. ? Comment: I did the same thing @Linkyyy but unfortunately it gives an error. Can there be any other reason? Because I also converted layout to symbol to simulate on schematic. Can this problem be related to that process? Comment: @AldrichTaylor: Maybe. try creating a new project and simulation without the the layout and see if it works. I don't have any experience with it unfortunately. Comment: I solved the problem. After creating emModel from layout sim, you should click emModel in choose view from simulation in schematics ================================================================================
Discussion Chain ID: 402722 ================================================================================ User asked: Can I modify my 120v 30a soldering iron to be hotter? And how? Not getting hot enough and solder melts real quick and rolls away. Discussion: Comment: If the solder melts "real quick" then the iron is hot enough... It is experience that is required... Comment: A 3.6kW iron doesn't sound like something you use for electronics... Comment: A 30A soldering iron would be an absolute **monster.** A 120VAC outlet can't even deliver that much current. Did you maybe mean 30W? Comment: If the solder melts, it's getting hot enough. If the solder rolls away from where you want it to be, you are not getting the area you want to solder hot enough. You need to learn how to solder, don't blame your tools. Answer 1 (1 votes): No, do **NOT** modify the soldering iron. Although, I am confused as to _why_ you want to do it. You say that you want it to be hotter, but you also say the solder melts real quick and rolls away. To me, it doesn't sound like the iron isn't getting hot enough. It is likely that it needs to be cleaned. The tip may have gotten oxidised and it will affect the performance of the iron. You can get some bits to clean the tip such as a [brass wire sponge](https://www.amazon.co.uk/Aoyue-Soldering-Cleaner-Sponge-Needed/dp/B005C789EU) or you can use a [tip tinner](https://www.kitronik.co.uk/blog/clean-maintain-soldering-iron/) to help maintain the soldering iron. Other than that, you just need to learn more skills in the use of the iron, and also how to look after it. ================================================================================
Discussion Chain ID: 402719 ================================================================================ User asked: Quantization: levels or intervals? Assume a 2-bit midrise quantizer with (voltage,codeword) pairs (-3,0),(-1,1),(1,2),(3,3) where step size delta is clearly 2V. Now, calculating PSQNR using the intervals, we have 20log_10(V_peak/qnoise_peak) so Vmax = 3V or 1.5delta. Of course quantization peak error is delta/2 so I should have 1.5delta/(delta/2)=3 in the log. Here's the problem: textbooks and almost every tutorial I saw take 2^qbits=2^2=4 inside the log function. I feel like the number of levels(4) gets confused with the number of intervals(3). I'm pretty sure I'm the mistaken one, can you explain me how? Answer 1 (0 votes): Peak signal to quantisation noise ratio (I think that's what you mean by PSQNR?) is a rather unusual thing to calculate for signal converters. If you are truly interested in the peak signal and noise, then that comes out as 1.5delta for your example, and counting the intervals is relevant. What we normally do in signal processing (radio, radar, audio, that sort of thing) where the energy of the signal is all important, is to use rms. It's useful to think about the signal potentially going a little beyond the peak converter levels, and so counting the levels is more appropriate. Of course, when you get to practical word sizes, N being say 4 or more, the difference between \$2^N\$ and \$2^N-1\$ becomes insignificant. Be very careful you understand which measure, peak or rms, your various text books are using, and why. Also check whether they are just making a large N assumption. ================================================================================
Discussion Chain ID: 402714 ================================================================================ User asked: Under what circumstances would [email protected] be lethal? Besides obviously sticking an output of 5V directly to the heart. Are there areas inside the body where resistance in ohms is so low that a 5V electric potential would be fatal? I got into an argument about this with my roommate after he made a joke about sticking an lightning apple lightning cable directly up his urethra. I told him that his brilliant idea could cause a nasty shock since internal body resistance is so low. He, however, insisted that the lowest internal body resistance still sits at a few hundred ohms and 5V (5V 2.1A Charger) would not suffice to provide a dangerous current. Would it be possible for internal resistance in this area to be so low that even 5V or less would be dangerous? Say it took a path up the bladder and through the kidneys and to the heart. Discussion: Comment: Sounds like medical college grad joke. If you have multimeter, propose him to measure the resistance in his urethra. Not sure where second probe will go though. Depends on the area of medicine he is studying. Comment: Plausible: https://skeptics.stackexchange.com/questions/39869/killed-by-9v-battery-via-multimeter Comment: Ha ha. This really made my morning. :-) Since the + and - terminals will be very close together, I doubt that the current will travel all the way to the heart. It might result in a shock or tinkling sensation in the urethra area. Comment: If you lick on 5V, you will feel it for sure, but not more than that. Comment: Somewhat related to https://skeptics.stackexchange.com/questions/39869/killed-by-9v-battery-via-multimeter Comment: don't do this. I mean, don't stick *any* part of *any* electrical appliance up your urethra. stuff like this will a) upset the HNQ again, b) fuel the Darwin Awards and c) have us end up with the obligation to ship devices with new hazard signs depicting prohibited uses noone wants to see. Comment: I think the biggest dangers from a 5v @2.1 amp power supply would be 1) somehow starting a fire with it and allowing fire to go out of control, or 2) someone throwing the PS very hard at your head. Otherwise the 115 (or 220 ) vAC outlets all over your house are far more dangerous. Comment: "[email protected]" May not mean what you think it means. If you see it on a wall-wart power supply, then the "5V" part _usually_ means that the supply will try to maintain 5V, and the current will be controlled by whatever is connected to it. The "2.1A" usually means, that if the device tries to take _more_ than 2.1A, then the power supply will fail to live up to its end of the bargain, and something else will happen. There's a range of possible something-elses, which cover the space between the power supply gracefully shutting down at one end, and it belching smoke and fire at the other. Comment: Re, "...a path up the bladder and through the kidneys..." Electricity in the body is not constrained to follow the same pathways as body fluids. As far as electricity is concerned, your entire body is just one big bag of salt water. Answer 1 (14 votes): if applied for a long duration electrolysis can cause acid/alkali burns - see warnings about swallowed lithium button cells. Discussion on this answer: Comment: You're right, but the question seems to be more about a charger than battery cells. Surely eating a 5V charger would also lead to some injuries, though. Comment: Lookup videos of button cell batteries inside sausages. This is what kills kids when they swallow them. Comment: @dim yeah it's not the same, but a 5V 2A supply is stronger than a CR2032, the voltage is higher and the available current is greater, there is more potential for fatal injury Answer 2 (12 votes): Except if you proceed with a surgery to apply the 5V directly on the heart, or some other vital organ, it certainly can't be lethal. The resistance between any two accessible points on your body is either: * Rather low, because the two points are very close together, possibly on a wet surface (e.g. the tongue... or the urethra, whatever...). So a significant current goes through, and you can feel it (it could hurt), but it won't kill you because the current will not disturb or harm any vital organ because they aren't in its way. * Very high, because the two points are far away from each other, in which case the current will be so low you probably won't even notice. The NIOSH states "Under dry conditions, the resistance offered by the human body may be as high as 100,000 ohms. Wet or broken skin may drop the body's resistance to 1,000 ohms". "Wet or broken skin" could be the equivalent of what you have on the tongue (urethra?), so at 5V it would give 5mA. Which apparently translates to "perceptible but no muscle reaction". See also: <https://en.wikipedia.org/wiki/Electrical_injury> Discussion on this answer: Comment: '"Wet or broken skin" could be the equivalent of what you have on the tongue (urethra?)' - But the tongue, and the inside of the urethra, aren't covered by any skin at all. It seems dangerous to generalize from "wet or broken skin" to "no skin". Comment: @Tanner I assumed "broken skin" means "no skin at that location". I may be wrong, but anyway, if you choose these locations (tongue/urethra), you'll end up in the case where there is no vital organ in the way... Well, now that I think about it, maybe not... If you put one pole on the tongue and the other in the urethra. At that point, I don't know. And I don't want to try. Comment: Would you mind to change the wording of "current takes the path of least resistance" because it's wrong? Comment: @Jasper Indeed. But honestly, I don't know how to state "current takes all paths, in 1/R proportion, so the least resistance path will take most of the current, and longer paths will take very little in proportion, because their resistance are magnitudes higher" in an intelligible way without confusing everybody. Feel free to edit if you think of a good way to state that with a few words that don't get in the way of the rest of the statement. Comment: I tried........ Answer 3 (5 votes): He may feel a localised electric shock, with 5V stimulating sensitive areas. The two electrodes for the 5V supply are both within the cable though, so current will only pass through a very small portion of his urethral area. It certainly will not reach his heart, unless he breaks the cable open and pierces his skin with a connector. On another note, I have friends who engage in putting things up their urethra. (It's known as "urethral sounds".) Whether adding 5V would cause significantly more pain than the already-painful act of sticking a cable up there, I couldn't say, but simply stuffing something up there is definitely not comfortable. (Which is why they do it, of course.) The average USB cable is relatively large, compared to the urethral hole. I assume he's planning on cutting the connector off, because that simply would not fit up there without causing damage. Even with the connector cut off though, a cable that size is likely to cause some injury for someone who is not used to this. Also the cut-off end of the cable will be rough and will likely also cause damage - there's a reason that people who do this use medical equipment, which is made of smooth, rounded metal. The risk of infection is therefore also very high. At best, your friend is in for some serious discomfort. More likely, your friend is on his way to hospital, and thereby to infamy via hospital war story. At worst, Mr Happy may be permanently damaged, and your friend will never pee normally or have sex again. Not recommended. Discussion on this answer: Comment: [TMI](https://en.wiktionary.org/wiki/too_much_information) Comment: I learnt something new today :) interesting to see what people do with themselves and how it is called Comment: @pipe You read that the question, saw that it involved the OP's friend sticking a USB cable up their knob, and you ***still*** scrolled down to read answers? I'd say you opted in on this information. ;) Comment: @Anonymous On my side, I could have lived without this information. I can feel pain just by thinking about it. Comment: @dim humor apart, you may be surprised how many people you know may be of this kind. They all have urethra, and this question should be viral as everyone has phone charger these days. If you recall putting light bulb into the mouth. As a curious and responsible person, I would like to learn on the motives and first aid for stranger doing something like this! If I would not be an engineer, I would be a doctor (well, doctor is the one engineering human beings - so we all are a kind of doctors here). Comment: @Anonymous I doubt you'll need to learn how to administer first aid for something like this. It's not immediately life-threatening. The "viral" advice would be that Rule 34 applies - if you can imagine it, there's porn of it, or at least someone is doing it because they *really* enjoy it. And based on that, the chances are pretty good that kink groups will be able to give advice on how to do it sensibly and safely. (Whilst some kind of injury is frequently involved in kink, you do want to minimise the risk of *accidental* injury.) So inform yourself of the risks before doing it. ================================================================================
Discussion Chain ID: 402712 ================================================================================ User asked: Effects of impedance mismatch on RF signals from antenna I'm building an antenna array that operates at high frequencies (around 2 GHz). I want to use a SDR dongle that has a 75 ohm input impedance as receiver, I've also bought the coax cable, a 4 way adder and a line amplifier that have 75 Ohms as well as the Antenna. The problem is I need to connect the antenna to a Low Noise Amplifier (LNA) and the LNA to the adder and eventually to the SDR. but they only sell 50 Ohm input/output impedance LNAs. My question will this have a huge impact on my signal? what is the effect of this mismatch? is reflection going to be really significant? Discussion: Comment: @Mikey im using RTL-SDR ================================================================================
Discussion Chain ID: 402710 ================================================================================ User asked: How to operate a BLDC motor? I am using an Arduino Uno to operate a BLDC motor using IR2110 MOSFET driver and IRFZ44N MOSFET. But every time, all the low side MOSFETs and phase 3 driver(IR2110) are burning. In this position my motor is only vibrating but not moving.[](https://i.sstatic.net/cYhFD.jpg) How do I solve this? void AH_BL() { PORTB = 0x04; PORTD &= ~0x18; PORTD |= 0x20; TCCR1A = 0; // Turn pin 11 (OC2A) PWM ON (pin 9 & pin 10 OFF) TCCR2A = 0x81; // } void AH_CL() { PORTB = 0x02; PORTD &= ~0x18; PORTD |= 0x20; TCCR1A = 0; // Turn pin 11 (OC2A) PWM ON (pin 9 & pin 10 OFF) TCCR2A = 0x81; // } void BH_CL() { PORTB = 0x02; PORTD &= ~0x28; PORTD |= 0x10; TCCR2A = 0; // Turn pin 10 (OC1B) PWM ON (pin 9 & pin 11 OFF) TCCR1A = 0x21; // } void BH_AL() { PORTB = 0x08; PORTD &= ~0x28; PORTD |= 0x10; TCCR2A = 0; // Turn pin 10 (OC1B) PWM ON (pin 9 & pin 11 OFF) TCCR1A = 0x21; // } void CH_AL() { PORTB = 0x08; PORTD &= ~0x30; PORTD |= 0x08; TCCR2A = 0; // Turn pin 9 (OC1A) PWM ON (pin 10 & pin 11 OFF) TCCR1A = 0x81; // } void CH_BL() { PORTB = 0x04; PORTD &= ~0x30; PORTD |= 0x08; TCCR2A = 0; // Turn pin 9 (OC1A) PWM ON (pin 10 & pin 11 OFF) TCCR1A = 0x81; // } Discussion: Comment: Please add oscillograms of all your control signals. Comment: sorry,I cannot provide all the MOSFET wave form due to lack of oscilloscope Comment: It will be VERY difficult to diagnose the problem without the waveforms, as you don't know if you are driving the FETs correctly at all. You may shoot them through and not even know it. Comment: then you can maybe add the source code of how you drive your mosfets Comment: void AH_BL() { PORTB = 0x04; PORTD &= ~0x18; PORTD |= 0x20; TCCR1A = 0; // Turn pin 11 (OC2A) PWM ON (pin 9 & pin 10 OFF) TCCR2A = 0x81; // } void AH_CL() { PORTB = 0x02; PORTD &= ~0x18; PORTD |= 0x20; TCCR1A = 0; // Turn pin 11 (OC2A) PWM ON (pin 9 & pin 10 OFF) TCCR2A = 0x81; // } Comment: void BH_CL() { PORTB = 0x02; PORTD &= ~0x28; PORTD |= 0x10; TCCR2A = 0; // Turn pin 10 (OC1B) PWM ON (pin 9 & pin 11 OFF) TCCR1A = 0x21; // } void BH_AL() { PORTB = 0x08; PORTD &= ~0x28; PORTD |= 0x10; TCCR2A = 0; // Turn pin 10 (OC1B) PWM ON (pin 9 & pin 11 OFF) TCCR1A = 0x21; // } Comment: void CH_AL() { PORTB = 0x08; PORTD &= ~0x30; PORTD |= 0x08; TCCR2A = 0; // Turn pin 9 (OC1A) PWM ON (pin 10 & pin 11 OFF) TCCR1A = 0x81; // } void CH_BL() { PORTB = 0x04; PORTD &= ~0x30; PORTD |= 0x08; TCCR2A = 0; // Turn pin 9 (OC1A) PWM ON (pin 10 & pin 11 OFF) TCCR1A = 0x81; // } Comment: use the edit function and then include your codes into your question Comment: There is no need to add a parallel resistor on the gate, specially not 1k it has too small resistance. The gate driver has a push-pull output, when no voltage is present the low side is conducting. But the probable cause of burning MOSFETs is the cross conduction Comment: At first i have done experiment without resistor,at that time MOSFET was very hot.After that from google i got the information to add an extra 1K resistor.So that the resistor is there. Comment: this code used for IR2104 driver NOT for IR2110. Answer 1 (1 votes): I think the most common causes for burning lowside mosfets are: missing deadtime in PWM mode or errors in commutation tables. What I would advice: * Make a simple commutation table in a switch case without PWM. Just to check that the motor will turn and your electronics are correct (voltage and current should be limited by using an lab power supply). Or don't connect the motor and measure the gate voltages with a multi-meter step by step. * Be sure to do the math on the components. Focus on MOSFET turn on/off times, rate of gate charge, max driver current, and max drain source voltage. This allows to calculated a correct bootstrap capacitor value (are you using 22uF? this is **way** to high). * Start digging in the microcontrollers datasheet to find a way to enable complement PWM with deadtime, if this is not available most of the current will freewheel through the MOSFET's diodes which can be the cause of extreme overheating. So a quick but very dirty fix is adding parallel (with lover Vf) diodes to the MOSFETs. Discussion on this answer: Comment: Yes,all MOSFET are conducting under switch case condition. 22uF capacitor due to high frequency PWM signal(31KHz).That is the body diode of the MOSFET. Comment: Without motor electronic part working perfectly. Comment: Try stepping through the cases without PWM (on/off) and the motor connected. It should turn in this case. But mind the fact that the bootstrap capacitor should be charged before the high gate can be turned on. Removing the 1K resistor could also prevent draining the capacitor to quick. Comment: Actually i don't understand what u are telling,switch means physical switch or switch case(code) ,What you are talking about. Comment: I meant stepping through the switch cases (motor commutation steps). This way it is possible to verify the commutation table and the MOSFET drivers. Initialize the circuit by turning all the low MOSFETs ON for a few milli seconds to charge the bootstrap capacitors. When this works step for step you can try hooking up a motor to verify that it is rotating. ================================================================================
Discussion Chain ID: 402704 ================================================================================ User asked: Vo in an RLC circuit So I have this RLC circuit: [](https://i.sstatic.net/Mvh7P.png) And its equations for voltage addition, current conservation, ohm's law and a solution of those equations (Vo). Then there's this RLC circuit: [](https://i.sstatic.net/HDLK9.png) With another set of new equations for current conservation and voltage addition, since a capacitor and inductor have been added in series with the resistor. I want to obtain new equations for the current conservation, voltage addition and the solution (which is the output voltage Vo) to this other RLC circuit, [](https://i.sstatic.net/KMXdf.png) which is just like the 2nd RLC but with another resistor added in parallel with the capacitor and inductor. Thanks in advance! Answer 1 (2 votes): > i want to obtain new equations for the current conservation, voltage addition and the solution (which is the output voltage Vo) to this other RLC circuit which is just like the 2nd RLC but with another resistor added in parallel with the capacitor and inductor. Add a term for the conductance of the added resistor into the appropriate equation, and you'll have it. Answer 2 (0 votes): You question was geared towards finding the equations, so this will likely not be accepted as an answer. But you can use the [Extra-Element Theorem](https://en.wikipedia.org/wiki/Extra_element_theorem). This theorem says that the new transfer function _with_ the resistor, is the transfer function _without_ the resistor (\$H_\infty\$) that you already determined, then modified using: $$ H(s) = H_\infty(s)\frac{1+\frac{Z_n}{R}}{1+\frac{Z_d}{R}} $$ Where \$Z_n\$ and \$Z_d\$ are driving point impedances that are much simpler to find than solving a system of equations. * \$Z_n\$ is found by assuming that \$V_i\$ takes on whatever value such that \$V_o=0\$. You usually don't need to know \$V_i\$ to determine \$Z_n\$ though. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fzzXuI.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) \$Z_n = \frac{V_0}{I} = 0\$ * \$Z_d\$ is found by applying an input where \$V_i = 0\$. So this is just the impedance you see where you insert the element. $$ Z_d = \frac{V_o}{I} = (Ls) || \left(\frac{1}{Cs}\right)||\left(R + \frac{1}{Cs} + Ls\right) $$ ================================================================================
Discussion Chain ID: 402703 ================================================================================ User asked: Understanding charge and discharge of a capacitor I feel bad at this point. This will be my last post about it, however, I will explain myself more clearly and more transparent so everyone doesn't need to guess my issues. Never been so confused with a circuit before. I am trying to analyze a precision Rectifier circuit with a capacitor at its load/output. The end goal is: Trying to predict the circuit's output as well see the behaviour of the circuit to see if it needs further improvement. I am going to go through this circuit step by step and my thinking process and hopefully you can tell me where I went wrong, and show you where I get stuck. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2feyLoB.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) * How I am going to approach this circuit is: Assumptions 1. DC analysis because due to the diode changing the topology or state of the circuit depending on the uprising or down rising of the wave. 2. Steady - State. I am going to assume the capacitor will be significantly charged 3. We need to know which state the diode is in (Forward bias or reverse bias). 4. Current travels from High electrical Potential to Low electrical Potential Starting the analysis: Since we are working with a diode I would assume you will have to work out the math at each "positive cycle" and "negative cycle" of the wave. [](https://i.sstatic.net/LeBjh.gif) [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2faTf20.png) In order to find if the current is positive coming out of the OP-AMP, we need to find all the missing voltages (Vout). In matter of fact to find the current of the components, we need to find the missing voltages anyways. $$ \text{Node "0V"}: \frac{0-5}{2k\Omega} + \frac{0-V_{out}}{2k\Omega} = 0$$ $$ \frac{-5}{2k\Omega} - \frac{V_{out}}{2k\Omega} = 0$$ $$ \frac{-5}{2k\Omega} = \frac{V_{out}}{2k\Omega}$$ $$ V_{out} = -5$$ Concluding all our missing voltages, putting this back into the schematic. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fh76yu.png) * * * _I get stuck here at this point_ What I am thinking to myself right now: is that I want to do the current law where In = Iout, however, I only have one current going into a node thus I can't find the rest as shown \$ I_{n} = I_{out} \$ \$ 2.5\text{ mA} + ??? = ??? \$ and I don't know how to get the rest of the current, if I knew how to get at least the current out of the capacitor I would be able to find out the op-amp's current plugging it into the equation above. The thing is, I said assume steady state so I guess I can have the Capacitor become short, however, another problem is that it doesn't tell me if the capacitor is charging or discharging them. * * * [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fKzSJw.png) Same strategy here, finding the voltage, however this time the topology of the circuit change as the op-amp isn't connected via feedback anymore. Thus we can assume this is just a simple RC Circuit (simplified). \$ H(s) = \dfrac{1}{0.0004*s+1}\$ We take the \$\lim_\limits{s\to0}\$ we get: \$ H(0) = 5 \$ Putting it back in the schematic: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fyPJGi.png) Looks like our diode assumption worked out, thus when the sine wave is rising up (0-90 degrees) the diode is in R.B. * * * _I get stuck here at this point_ What I am thinking to myself right now: I still don't know if the capacitor is in a charging state or a discharging state. If I were to give it a guess the capacitor is just a short and the current has no current flowing through it, but this is all due to the steady state assumption. Once again gives me the problem if not knowing if the capacitor is charging or discharging during the period of (0-90 degrees) during the rise of the sine wave. * * * [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fi5q6m.png) * * * _I get stuck here at this point_ What I am thinking to myself right now: is that I want to do the current law where In = Iout, however, I only have one current going into a node thus I can't find the rest as shown \$ I_n = I_{out} \$ \$ 2.5\text{ mA} + ??? = ??? \$ and I don't know how to get the rest of the current, if I knew how to get at least the current out of the capacitor I would be able to find out the op-amp's current plugging it into the equation above. The thing is, I said assume steady state so I guess I can have the Capacitor become short, however, another problem is that it doesn't tell me if the capacitor is charging or discharging them. * * * [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fKsUtQ.png) Same thing finding all the voltages, but this time all the voltages are found due to the previous rising wave charging the capacitor. Applying it to the schematic. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fXfyRF.png) * * * What I am thinking to myself right now: This is the only thing that makes sense as I guess the capacitor is now acting like a voltage source, so its evident that the current is flowing out of the capacitor and discharging. However, I am confused about the assumption of the diode wouldn't it always be open for any \$V_{out} > 0\$ the? and input > 0? * * * This is long enough and hopefully explains my points, I won't go into the negative cycles, as hopefully its the same thing as the positive. Sorry if I got messier towards the end it got pretty late writing this. Discussion: Comment: I tried to clean up, but then I noticed there are some duplicated sections like: "What I am thinking to myself right now: is that I want to do the current law where In = Iout" which make this post needlessly long. Could you clean up the post first? (also, the introductory of "This will be my last post about it" is fluff, it's not supposed to be in the post nor anywhere, consider removing it) Comment: For positive DC voltage at the input, the diode will block the opamp from the rest of a circuit. So you will end with a simple RC circuit. The circuit time constant is RC = 4kΩ x 100nF = 0.4ms. Therefore after 5RC = 2ms the capacitor voltage will reach the value of an input voltage (end of the charging phase). And nothing interesting in this circuit is happening. Comment: Yeah I understand that much, but I am more talking about what state the diode is in and how to find the current of the capacitor branch to verify my diode assumption is correct Answer 1 (7 votes): > What I am thinking to myself right now: is that I want to do the current law where In = Iout, however, I only have one current going into a node thus I can't find the rest as shown You're already off track at this point. You don't need to solve KCL to understand the circuit. You basically already have it solved. The input voltage is +5 V, and the op-amp inverting input is virtual ground. Therefore 2.5 mA through R1, therefore 2.5 mA through R2. Therefore the capacitor node is at -5 V. That's it. You know to get to -5 V, therefore 0.5 uC must have at some point flowed out of the capacitor to charge it to that voltage. But wait, the diode has its anode at the op-amp output and its cathode at the capacitor. So the op-amp couldn't have drawn charge off the capacitor this way. You should have been modeling the diode as an open and not a short for this part of the input cycle. So now go back and analyze this part of the cycle with the diode as an open. And remember that when the negative feedback loop is broken, the inverting input no longer acts as a virtual ground. Discussion on this answer: Comment: 1\. I mean I still want to know if the capacitor is discharging or charging, and I cant know this if I dont know the current coming from the capacitor branch 2\. I dont know that, can you explain to me in detail how is that 3\. I dont understand this as well, but I did do an analysis of a R.B diode if you keep reading down Comment: @Pilsz, you know which way the current is going by how the voltage is changing. And you can find how the voltage is changing without using KCL (for the case where the diode is forward biased). Comment: I agree you can find the current is going by the change in voltage, but doesnt current "split" once it hits a branch (when more than one wire meet up). So I wouldnt know which way current is going after that branch Comment: i=CdV/dt. That's all you need to know. Comment: Would it be i = 100nF (5/0.002) ? Comment: I mean, since this is DC analysis can DC current even go through a capacitor ? and Since its still an assumption you need to check the signs of the current coming from the op amp cause their can be change its going into the op amp Comment: @Pilsz, if you just want a DC analysis, you can remove the capacitor. But since you talked about an AC source with a time varying voltage, we assumed you didn't want just a DC analysis. ================================================================================
Discussion Chain ID: 402699 ================================================================================ User asked: Confused why outputs of a priority encoder could be X instead of 0 or 1 So this is the truth table given for the Priority Encoder: [](https://i.sstatic.net/q3dIU.png) and this is its logic diagram: [](https://i.sstatic.net/nzv4s.png) I am extremely confused with the part where the outputs `x` and `y` are labeled as `X` (where D0 D1 D2 D3 are all zero). First of all, how could an output be a "don't care" term? What that would mean is that when D0 D1 D2 D3 are all zero, `x` and `y` are either 1 or 0. But that does not make sense at all. How could an output have an indefinite value when we have definite inputs? As you can see from the diagram, `x = D2 + D3` and `y = D3 + D1D2'`. So if you put zeros to all inputs it is clear that `x` and `y` should be 0. Then why is it shown as `X` in the truth table? Discussion: Comment: I think they mean that if V is false, nothing is sopposed to care about the vales of x and y. Ie. the inputs of whatever that the outputs connect to need to have "don't care" in their truth tables. Comment: it is not `undefined` ... it is `don't care` ..... the truth table came before the circuit .... the designer of the truth table decided that those values are irrelevant Answer 1 (1 votes): To me this is a by-product of all those logic synthesis programs (Quartus, Vivado, etc.) Because the priority of the V(alid) signal overrides the values of x,y outputs, it effectively gives the synthesis algorithms another degree of freedom when optimizing the logic (this is an extremely simple version of course). In more complicated scenarios if you say in your truth table that x,y must also be 0,0, when V is 0, then the program may over-constrain the logic map and as a result use more gates, whereas if you have a truth table that only cares that V=0 when presented with all 0's inputs and x,y values don't matter you may save some gates (for other uses). Discussion on this answer: Comment: The part that I dont understand in your answer is that, what makes V superior to x and y? Why must we say that do not care about x and y when V = 0? Is it for pure convenience and not to cause "distraction" for programs? Thanks. Comment: @Huzo, V is for "valid". If V is low, it's telling the next circuit that the encoder didn't get a valid input, so it's encoder outputs are not useful. Since the next circuit now knows the other outputs aren't useful, it doesn't matter what outputs are actually produced. ================================================================================
Discussion Chain ID: 402695 ================================================================================ User asked: Schematic help - Unknown capacitors for Raspberry Pi project I'm recreating a Raspberry Pi project and ordered a custom Pi hat to follow their schematic. The only issue is that it doesn't have all of the information. I've emailed the creator but am yet to hear a response. The actual [schematic](http://www.smbaker.com/wordpress/wp-content/uploads/2018/03/piseeburg-schematic.jpg): [](https://i.sstatic.net/6IP7M.jpg "Schematic") The [PCB](https://644db4de3505c40a0444-327723bce298e3ff5813fb42baeefbaa.ssl.cf1.rackcdn.com/d43e4bbeefd925914d29dc280e8d3a56.png): [](https://i.sstatic.net/Y5Y7W.png "PCB") The project is here: [Converting a Seeburg 3WA Wallbox into a Remote for a Modern Music Player](http://www.smbaker.com/converting-a-seeburg-3wa-wallbox-into-a-remote-for-a-modern-music-player). I'm trying to figure out what the capacitances of C1, C2 and C7 are and where they go on the board as it's not very clear. Based on his photo of his final product, he didn't use one of those capacitors (I think it's C2). My guess is that C1 and C7 are the same. Anyone out there to help? Answer 1 (3 votes): C1 is a bypass capacitor for the IC that is just beside. Since not all the parts are labelled, it's difficult to know where it is placed on the board. My guess would be the one on the center right, before the dashed line. C2 seems to be a bulk cap for the relay, so that there is no power drop when the relay is activated. C7 is also probably a bulk cap for VDD. Although it's not obvious where it's placed on the board and seems it might not be there at all. The circuit could work without those caps, although it is usually very recommended to have bypass cap (like C1) as you might start to get into some very difficult to understand issues if they are missing. For C2 and C7, those are like reservoir of power, the circuit might also work without. ~~There is something more of a concern on this circuit, is that the relays doesn't have a[flyback diode](https://en.wikipedia.org/wiki/Flyback_diode). Unless it's relay with integrated flyback diode, when switched off, the coil of the relay will generate a high voltage spike that might kill the ULN2003 or more components. ~~ Flyback diodes Included in the ULN2003 Discussion on this answer: Comment: I seem to recall the ULN2003 has those integrated within (don't have the datasheet, so I'd double check to make sure (bedtime for me). Comment: the ULN2003 has flyback diodes for each output, connected to the COM terminal so it's okay. That's exactly what they are there for. Comment: You are correct, my bad Answer 2 (3 votes): Looks like Damien beat me to it :-) C1, C7 would be the Vcc decoupling capacitor for the I2C parallel port IC_X (no designator in schematic that I can see, but given the footprint right below IC2), and IC2, its located by the notch on IC2 and D5. Normally these are 0.1uf ceramic. IC1 relay driver based on pin connections (6,7,8 going to ground) is to the left of C4 and C2 is the ceramic bypass to to free-wheel diode common (pin 9). C2 is a -polarized- capacitor located just to the left of JP3 (note the + sign when installing). Value there not easy to determine, given typical sizing/voltage at 5V for a 2-3 safety margin of 10-16WVDC I'd say 4.7-22uF given the overall radial diameter. Discussion on this answer: Comment: Thank you! I used 0.1uf capacitors and will report back when I have tested the product. He didn't use C2 at all in his version, so maybe it is there as needed. ================================================================================
Discussion Chain ID: 701157 ================================================================================ User asked: Behavior of modules changes after synthesis I am making a simple module that has a 8-bit counter that counts to a specific number that is written to an 8-bit register. It consists of said counter with asynchronous reset, a register with write-enable input which allows the value to be written and also a combining block that compares values from two other modules and gives a pulse. The pulse is also wired back to reset input of a counter. The code of **register** (paral_reg8): module paral_reg8( input [7:0] data_in, input clk, input WE, output [7:0] data_out ); reg [7:0] reg_data = 0; always @(posedge clk) begin if (WE) begin reg_data <= data_in; end end assign data_out = reg_data; endmodule **Counter** (synchro_clock8): module synchro_clock8( input clk, input rst, output reg [7:0] data_out ); always @(posedge clk or posedge rst) begin if (rst) begin data_out <= 0; end else if (clk == 1) begin data_out <= data_out + 1; end end endmodule **Comparison module** (block): module block( input [7:0] data_in, input WE, input rst, input clk, output pulse_out ); wire [7:0] clock_out, reg_out; wire clock_rst; synchro_clock8 clock( .clk(clk), .rst(clock_rst), .data_out(clock_out) ); paral_reg8 register( .data_in(data_in), .clk(clk), .WE(WE), .data_out(reg_out) ); assign clock_rst = pulse_out | rst; assign pulse_out = clock_out == reg_out; endmodule I have also made a testbench to test the behaviour of the modules (tb_block): module tb_block(); reg WE, clk_rst; reg clk; reg [7:0] data_in; wire pulse_out; block blk( .WE(WE), .rst(clk_rst), .data_in(data_in), .clk(clk), .pulse_out(pulse_out) ); always #2 clk = ~clk; initial begin clk <= 0; data_in <= 8'd16; WE <= 1; clk_rst <= 1; #14.1 WE <= 0; #15.1 clk_rst <= 0; #1000 $finish; end endmodule The problem is when I run **behavioral** simulation, modules work correctly: [](https://i.sstatic.net/s4Xsm.png) However, after running synthesis and running **post-synthesis functional** simulation, the behavior changes and everything stalls (notice that `pulse_out` is always 1 as opposed to almost always being 0 before): [](https://i.sstatic.net/39iGx.png) Also, the register inputs is converted to D, E (as I understand to input and reset) and Q (output) and Q never changes despite the constant value of 10 on D and going clock. **Edit:** After implementing and testing solutions [provided by toolic](https://electronics.stackexchange.com/q/701163) (i.e. using synchronized `pulse_out` and making asynchronous reset on the register and fixing code pattern), I came to conclusion that the problematic module is `paral_reg8`, which, even though is converted to trigger after synthesis, doesn't save the `data_in` value (`D` on second waveform) which results in `Q` to equal zero. It can be checked if you were to connect `data_in` directly to comparison: In `block`: ... // with paral_register8 removed always @(posedge clk_comp) begin pulse_out <= clock_out == data_in; end ... **Is the Verilog code incorrect, or I don't understand the meaning of post-synthesis simulation?** Additional info: I am using Vivado 2019.1, and the target device is Digilent Arty S7-50 (xc7s50csga324-1) Discussion: Comment: It looks like you edited an answer into your question, which will be confusing to future visitors reading your question. If so, you should post an Answer instead. Answer 1 (2 votes): I can reproduce your behavioral simulation results with other simulation software. This is based on the code that you provided. The Verilog code looks fine for the most part, but there are a few things you could improve. In the `synchro_clock8` module, you should not use `if (clk == 1)` because it is not a common synthesis coding pattern. That may cause a problem when you are synthesizing the code for your FPGA. Carefully look through your synthesis log files for any error or warning messages. Here is a better way to write the code: module synchro_clock8( input clk, input rst, output reg [7:0] data_out ); always @(posedge clk or posedge rst) begin if (rst) begin data_out <= 0; end else begin data_out <= data_out + 1; end end endmodule Another issue is that you are using an asynchronous reset which is the output of combinational logic: `pulse_out`. This could have glitches which could reset your logic when you don't want it to. It would be better to synchronize the signal to the clock before connecting it to the counter reset input. Since this will incur one clock cycle of latency, you need to understand if that is a problem. Initializing a signal in the declaration works fine for behavioral simulation: reg [7:0] reg_data = 0; Perhaps your synthesis tool chain supports this, but you should consider using the asynchronous reset signal to reset the `reg_data` in the `always` block. When running post-synthesis simulations, there are other considerations. For example, some simulations can be run with annotated timing delays, while others can be run without delays. Look into your documentation to see what options are available to you. ================================================================================
Discussion Chain ID: 402696 ================================================================================ User asked: Antenna Design Procedures I live in a residential area and I want to test and design an antenna in my garage. I plan on using my signal generator as the power supply and a RTL - RDS dongle connected to my computer as the receiver. The signal generator spans from 0 to 60 MHz. The amplitude has a range of 5 to 20 volts. My question is will my em waves interfere with my neighbors? If so what can I do to test designs and not affect the neighborhood? Discussion: Comment: Would [electronics.se] be a better home for this question? Comment: I’ll move it over there. Comment: What sort of tests? The garage will interfere with the antenna - at those frequencies it needs to be outdoors and in the clear, as objects in close proximity can have a significant affect on characteristics. Answer 1 (3 votes): Aside from the being technically illegal to be radiating like that (unless you're below the CFR47 Part 15 unintentional radiators limit, at 5V highly unlikely unless your antenna is really inefficient at those frequencies): Off the top of my head, most people would notice AM radio, CB some of the (really) old RC control stuff. You'll be hitting several Amateur Radio bands- they may find you before the FCC van does (if you're in the USA) as well as a bunch of international radio bands, amongst other (government) services for long-range communications and radiolocation services. FCC maintains a table for usage even if not detailed, you have to go to the CFR sections to pull those details out. Priority 1 is to reduce your signal strength output- absolutely no reason to be transmitting high field strengths it's all linear. Discussion on this answer: Comment: What voltage would you recommend? Answer 2 (3 votes): Consider buying an antenna analyzer. This is exactly their use case. An antenna analyzer is a device that injects a low power signal into an antenna and measures complex impedance. This is done over a range of frequencies. As an example, mine cost a few hundred US dollars and works up to 500MHz. There are many brands at different price points, each using different methods for accomplishing the task so it is worth reading reviews to understand what makes them special. Mine was a little more expensive, partially because of the extended frequency range and partially because it is capable of determining the sign of the complex frequency. Regarding voltage level, asked in an above comment, that really depends on the antenna's radiation resistance. The parameter of interest is radiated power (v^2/R). I do not know what the FCC limit is, but it is likely below 0.05 watts, possibly far below. If R is 50 ohms (reasonable for a quarter wave dipole, but very low for a folded dipole) then max V is under 1 volt. Discussion on this answer: Comment: I was hoping someone could move it to a comment. It does not even try to address the question being asked and is likely, I assumed, quite useless, even if fully fleshed out. But maybe folks had not heard about this specialized equipment; not particularly expensive and makes antenna experiments much easier. Comment: You can also ask around (Amateur Radio community) to see if anybody has a Vector Network Analyzer (VNA) which the antenna analyzer is basically a subset of. Getting one with an s-parameter test set makes it even easier, and you can sometimes find good deals on them (yes there is an extra zero on that price tag, though). HP made them by the boatload and the 80s technology is pretty robust. ================================================================================
Discussion Chain ID: 402690 ================================================================================ User asked: Load current computation of complicated resistance network I'm reading Electronic Principles 6th edition by Malvino. Problem 1.28 describes a network of resistors that I would like to know how to solve mathematically instead of experimentally (as described in the book). I got the response below from another site. The author used a slightly different schematic which I accept, although his answer looks reasonable, it was not confirmed by my simulation. Using his schematic is he right? How can the math be done if the resistors are not all the same at 1 ohm? [](https://i.sstatic.net/1rrWN.jpg) Discussion: Comment: Try a Y-Δ transform or two, see where that takes you. Comment: Without the symmetry entailed by setting all of the cube resistors to be equal (or at least the 3 sets which are used in the computation) the problem gets very messy indeed. There are 6 voltage loops which obey KVL, and 8 corners/nodes which obey KCL, and you would need to simultaneously solve the 14 equations which are produced. This would be tedious, to say the least, although this is exactly the sort of thing computers are good at. And speaking of such, my SPICE simulation comes out exactly in agreement with this answer, so I suspect your simulation was done wrong - you should recheck it. Answer 1 (0 votes): The solution to the 'cube body diagonal resistance: all same value resistors" is trivial to solve. The trick is to connect up 'symmetrical' points as they all have at the same voltage. The system then collapses into standard parallel and series resistors. If the resistors are different you have to make, as @WhatRoughBeast says, a system of simultaneous equations. There are computer programs to solve those but YOU still have to write the equations. My guess is you need 7 equations: One for each side of the cube and a seventh for power..ground loop. By the way: you can also solve this also if you have impedances instead of resistors. It just gets a bit more challenging. I wrote program to solve up to 20x20 complex equations but have not used it yet ================================================================================
Discussion Chain ID: 402688 ================================================================================ User asked: Precision Adjustable Voltage Reference Can a low-cost, low-resolution RDAC and a precision voltage reference by used to make a coarsely adjustable high-precision DC voltage reference? Consider for example the [AD5121](https://www.analog.com/en/products/ad5121.html) 7-bit RDAC with ±5ppm/°C drift and 8% resistor accuracy driven by the [ADR4525](https://www.analog.com/en/products/adr4525.html) reference with 1.25μVpp from 0.1 to 10Hz and 4pmm/°C drift. Assume that the output will be buffered with a zero-drift amplifier. The initial resistor accuracy aside, will this circuit give me an adjustable voltage with DC performance nearly as good as the reference on its own? The reference will be used to periodically null the input of a 24-bit ADC for precision DC voltage measurements at the 5ppm level. I ask this because only high resolution DACs and RDACs provide DC (1/f) noise specifications like the voltage references do. If the low-resolution DAC can really act as a resistor with 5ppm/°C TC then I would expect it to work fine. On a related note, there are no SPICE models for these RDACs so do they really behave enough like a discrete resistor/pot to simulate as such? Discussion: Comment: The unavoidable reference for a dac is the legendary Jim Williams’ application note 86. https://www.analog.com/media/en/technical-documentation/application-notes/an86f.pdf . The note has some years but the fundamentals remain. Comment: This TI design looks relevant but the MDAC seems overkill to do pretty much what I describe above: http://www.ti.com/lit/ug/tidu964/tidu964.pdf Answer 1 (6 votes): The 5ppm is only a **typical** spec, and there is **no** guaranteed maximum. Also the 35ppm is a **typical** spec (of total resistance drift). Note that the 3-sigma element resistance drift over lifetime is in the **hundreds** of ppm so some parts can be pretty bad. You don't see those changes directly in your configuration but they can result in side effects if there are temperature gradients on the chip (from internal or external heat flow) or stresses. The tempco of the 'wiper' resistance is surely much, much higher but you say you will buffer that so it may not be an issue. It will also be somewhat sensitive to supply voltage. When you get down to the ppm level things like the stress on the die (from board flexing, from soldering, from environmental changes) can affect the value of "semi-precision" resistors like the on-chip parts in question. If it's designed to be a high precision part they can put extra cost in there to compensate (perhaps by using symmetrical resistors that compensate for each other). We don't really know how carefully they've designed that chip. I don't see what good a SPICE model would do you for a part like this- you're looking at deviations from the nominal so a calculator and sharp pencil (and a caffeine-sharpened mind) are usually your best tools. Bottom line- if you need guaranteed specifications you should specify parts with guaranteed performance. Otherwise you may find yourself trying to make a silk purse of a sow's ear. Discussion on this answer: Comment: There is a 30x difference in cost between parts like the AD5121 and the AD5781 so I am trying to get a feel for what is necessary to do the job. I would like the stated noise performance of the AD5781 but I don't care at all about dynamic performance or resolution. I'll probably just need to get one of these on the bench and try it out. Comment: Contact the ADI Applications Engineers. I suspect they answer these sort of tradeoff questions all the time. ================================================================================
Discussion Chain ID: 402687 ================================================================================ User asked: What are the considerations for designing a capacitor bank? I am trying to understand capacitor banks and capacitor discharge, and how to work out what I need to generate a short pulsed current. If I would like to use capacitor discharge to produce a sudden burst of current in a circuit. This would be triggered by a MOSFET acting a switch connecting the load. What do I need to consider when selecting the capacitor, and what determines whether I need a capacitor bank, and what configuration it is, series or parallel? I am looking at pulsing a 40 A current through an inductive coil (2 uH) and would like a rise time for the current of less than 1 us, which would require 80 V to drive it according to my calculations for the coil. When considering the design of the capacitor load, I think the first thing is to make sure it can handle the voltage supply. The capacitance will determine the charge and discharge time in combination with the resistance of the circuit. What other factors do I need to consider? What dictates whether one needs to create a bank of capacitors, or if a single capacitor would be sufficient? And can the voltage source be left connected to the capacitor load, while the system is operating (switching)? Or would be a one-shot type of thing, charge the capacitor, disconnect, press the switch for the capacitor to discharge into the inductive load, reset? Discussion: Comment: You need to consider the capacitance. How much energy do your capacitors need to dump into the coil? Work out the equations to tell what the capacitance is that you need to store that much energy at your desired voltage. Be careful about resonance, make sure your circuit doesn't end up oscillating. Comment: Also if you are -stopping- the pulse just as suddenly (you don't mention a fall time) you need to consider polarity reversal on the capacitor bank. Polarized capacitors (aluminum, tantalum) dielectric films degrade when reverse biased. If it's just a charge dump, you'll probably be OK. Answer 1 (1 votes): Vary basic formula: $$ u_L=\dfrac{di_L}{dt}$$ will give you 80V. But this is just inductor voltage not the supply and the rest of the circuit. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fYRyqr.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) If you solve the right part of the circuit you will get a second order differential equation, damped or oscillating result. Now you need to make a whole circuit before asking just about bank capacitor. Not only the desired current slope is important, but also a current decay. You may find similar test setups like Marx generator, to get a whole idea. [Marx generator](https://en.wikipedia.org/wiki/Marx_generator) ================================================================================
Discussion Chain ID: 402683 ================================================================================ User asked: Voltage gradient across an antenna (and how it drives an AM radio) Edit: I was interested how is voltage gap maintained across an antenna. It seemed to me that an antenna might be like a wire where if there's a voltage at the top, the same voltage would be at the bottom, and hence no gradient and no current flow. Several individuals explained to me that antenna is not a simple circuit element and goes beyond basic circuit analysis, and so there is no contradiction in it having different voltage at the top and bottom, which would lead to current flow. One question that still bothers me: [](https://i.sstatic.net/OZFiQ.png) Let's say that at one moment there's a positive voltage at the top of the antenna (10V relative to bottom, say), and current flows from top to bottom. But at the bottom where the antenna is actually connected, voltage is 0. That seems like the end of the journey, and it's unclear to me how the presence of a gradient in the antenna, also creates a voltage gradient in the circuit that drives the circuit elements? On the other hand in the pic below it makes sense to me as the circuit is connected at 2 points in the antenna and there's a voltage differential between the 2 points that drives current to the radio circuit: [](https://i.sstatic.net/b7naq.png) Old question: In circuit sims and in theory, ground always maintains zero volts. Thus if the point to which the ground is connected has more than 0V, some current will flow into the ground, while ground still maintains 0V despite incoming current. But it looks like that in most real cases ground is merely a theoretical construct, and unless the circuit is earthed, the point labeled as "ground" can't actually maintain 0V, if the point to which the "ground" is connected in the circuit is above 0V, and current flows into the "ground". Is there an element or some way to get "real" grounding, such that when the "ground" is connected to say a 1V point in a circuit, the "ground" will maintain 0V, despite current flowing from the 1V point to the "ground"? Otherwise the point labeled "ground" is just a loose wire that will quickly acquire the 1V of the point it is connected to, and not maintain zero volts. My motivation is radio antennas where I'd like to have one end of the antenna connected to a permanent zero volts, so that when the top end of the antenna gets 1V, currently will flow from top to ground, while the ground maintains zero volts despite current flow. [](https://i.sstatic.net/D7J9e.png) * on the left almost no current flows (just tiny bit to get other end of wire to match voltage of source), while on the right current flows steadily. If this was a real circuit, what can I do to make it behave like the one on the right, and not like one on left? I have antennas in mind, so that's why the simple solution of having 2 sided AC voltage source (i.e. like an AC 'battery') that maintains the voltage gap, like in the pic. below, won't help.. [](https://i.sstatic.net/Y6U5h.png) Thanks for your help! Discussion: Comment: Ground is **defined** to be 0 V. It can't be anything else. Even if its voltage is oscillating by 200 V relative to Earth, that means the earth voltage is changing as far as your analysis is concerned, not that the ground voltage is changing. Comment: If there's current in that dirt, "earth" over here may not be the same potential as "earth" over there. And all voltages are relative -- we **define** ground as being 0V, but it's better to say "so many volts with respect to ground", or "so many volts from point A to point B". Comment: @ThePhoton thanks for answer. I expanded my question with a picture to better illustrate what i meant by my questions. Comment: @TimWescott thanks for answer. I expanded my question with a picture to better illustrate what i meant by my questions Comment: Consider that the sources in your schematic are actually 2-terminal devices. If you include the hidden terminal it will make the answer more obvious. Comment: @ThePhoton I suppose that what i'm trying to get at is how an antenna maintains a voltage gradient, so current could flow. Wouldn't an antenna be like my left pic., and there won't be a voltage gradient from to to bottom, and hence no current? Comment: @Daniel Consider capacitance. Comment: @Daniel, 1. An antenna is not a lumped circuit element so many of the usual rules of circuit analysis (like KVL and KCL) don't apply when working with one. 2. As a rough model, like Felthry says, you can consider there's a parasitic capacitance between the antenna and ground. 3. If you want to drive the antenna relative to the actual earth ground, you'd want to connect some other part of your circuit to the actual earth ground. Comment: @ThePhoton - points 1 and 2 explain helped me understand. You know, about point 3, in retrospect, I don't mind the voltage diff between the antenna and the earth. All I wanted to see is that there could be a voltage diff between the top and the bottom of the antenna. Comment: @ThePhoton I wonder whether the new question I asked about the antenna is a tricky one or just plain obvious and i'm missing something that's easy to see.. Thanks for any help.. Answer 1 (3 votes): New Question: To answer your newer question, I think you'd be better off studying a little bit about the [distributed element model](https://en.wikipedia.org/wiki/Distributed_element_model) and transmission-line theory first. From the linked Wikipedia article (emphasis mine): > The distributed element model is more accurate but more complex than the lumped element model. The use of infinitesimals will often require the application of calculus whereas circuits analysed by the lumped element model can be solved with linear algebra. The distributed model is consequently only usually applied when accuracy calls for its use. Where this point is dependent on the accuracy required in a specific application, but essentially, it needs to be used in circuits where the wavelengths of the signals have become comparable to the physical dimensions of the components. An often quoted engineering rule of thumb (not to be taken too literally because there are many exceptions) is that **parts larger than one tenth of a wavelength will usually need to be analysed as distributed elements.** If you were to excite your antenna with a low frequency source (or a DC source, let's say), then your intuition is correct: current would flow for a very short period of time until the voltage across the antenna was stabilized. But when exciting it with an AC source of a suitable frequency (i.e. a frequency where the wavelength is, let's say four times as large as the antenna, making the antenna a quarter-wave in length), the voltage will never be the same across the whole antenna, since the source is changing as fast as it takes the wave to reach the top of the antenna. In other words, there is no way for the bottom of the antenna to be fixed at a total of 0V, but it can have a DC potential fixed at 0V (with an AC potential swinging above and below 0V). This is what The Photon was mentioning in his comment talking about driving the antenna relative to the actual earth ground: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f0tN5o.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Here, the DC source is 0V (i.e. it could be omitted), meaning your antenna's bottom end is fixed at earth potential on average. The AC source will excite a sinusoidal voltage at the bottom of the antenna, swinging from +1V to -1V at 1kHz. We'll assume the antenna is a quarter-wavelength (at 1GHz, that's about 3 inches long). I've also included the typical distributed model for a transmission line. That is how regular wires are modeled once the frequency of excitation becomes fast enough. In your second schematic, with diode-detector circuit, you say the circuit is connected at two points to the antenna, but that's not true. The antenna is only connected to the node at the top-left of the circuit. The resistors are _not_ part of the antenna. * * * Old question: A quick answer: I think a \$\frac{\lambda}{4}\$ (quarter-wave) monopole antenna precisely describes what you're asking about. In the case of a monopole antenna, the end of the monopole facing the ground plane is actually a node of the voltage standing wave. Call that point GND, and that point will "maintain \$0\text{V}\$"; it is the node of a standing wave (i.e. no change in magnitude), and by calling it GND you've _defined_ it to be \$0\text{V}\$, full-stop. I'm still not sure I entirely understand your question, and schematics don't necessarily convey what you're trying to get across. By _definition_ , ground is \$0\text{V}\$. Any part of your schematic that touches a GND is _fixed_ at \$0\text{V}\$, since a wire in a schematic is defined to be a perfect conductor. For example, in your first picture, **exactly** zero current flows because there is no loop. GND is just a symbol we use to define where \$0\text{V}\$ is, and nothing more. You can't have a GND in a schematic that has any potential other than \$0\text{V}\$. I think your confusion stems from the following: > But it looks like that in most real cases ground is merely a theoretical construct... In **all** cases, ground is merely a theoretical construct. Discussion on this answer: Comment: @Daniel Thanks for the acceptance! However, in StackExchange fashion, it's typically good etiquette to not accept an answer for about a day or so to encourage others to write more answers. Comment: "monopole antenna" - is a telescopic antenna an example of a monopole antenna? I mean, you said: "exactly zero current flows because there is no loop". and that's the problem i have. I wish to create a voltage gradient from top to bottom of antenna, without connecting it to physical earth. It sounds promising if a monopole antenna knows to maintain such a voltage gradient by itself, and current flows across it. (per your comment, I removed the acceptance for now.) Comment: @Daniel Yes, I'd say so (but I'm not particularly well versed in antenna theory). Try looking up "whip antenna." Comment: @Daniel Any antenna will have a "voltage gradient from top to bottom of antenna," regardless of if it's touching the earth or not. Comment: I'm just concerned that it would be like in my left pic. in the question, where any momentary voltage gradient will be "neutralized" as small current would flow to the bottom to make that point of equal voltage to the top point, and afterwards no current would flow anymore. Comment: @Daniel Antennas are a special kind of black magic ;). With the right excitation (i.e. correct output impedance, correct frequency, etc.), a time-varying source will cause a standing wave in the antenna, and it will "look" like a load that is connected to ground (on the end that is just floating in air!). That's not exactly what happens, but I think is a decent explanation if you haven't studied any electromagnetics, microwave, or antenna theory. Comment: oh that's so interesting! No worries about explaining how the physics of it work, but if they somehow figured out a way to keep the gradient between the time varying source and the bottom of the antenna so current can flow, that's perfect for me. I just hope that a cheap telescopic antenna would be able to do that for common radio frequencies. Comment: @Daniel I've updated my answer to address your new question. Answer 2 (1 votes): In most electronics, "Ground" is simply the point in the circuit that we choose to call "Zero Volts", and use as a reference when measuring voltages elsewhere in the circuit. In AC power distribution and in some radio antenna systems, "Ground" is really "a connection to the Earth". Discussion on this answer: Comment: Thanks for your answer. I expanded my question with a picture to better illustrate what I meant by my question.. Answer 3 (0 votes): I'm not an expert on antennas but I have some experience in pcb design which might help. Having a good reliable ground is important in circuits and crucial in sensitive analog circuits. If you have a good power supply which can maintain it's value in all situations, then it's - node is your true ground. All the current in the circuit should come back here (unless there's an antenna involved which I dont know what happens). When a component needs to be connected to the ground you need to make a path with lowest possible impedance to the minus pin of the supply that's one of the reasons they use an entire layer of a pcb for ground node in the circuit, that way a very low impedance path would be available for every component in the circuit. As I said before I'm not an expert on antennas, but I suspect the same scenario applies to your antenna. You should connect one side with lowest possible impedance to where all the current is supposed to flow. I hope it helped. Discussion on this answer: Comment: thanks for answer Sadegh. I expanded my question with a picture to better illustrate what i meant by my question.. ================================================================================
Discussion Chain ID: 402681 ================================================================================ User asked: Power consumption measurement on the bench I've been using the Atmel Power Debugger to sort out power consumption issues on some µController based circuits... and have been pretty pleased. Unfortunately, it's limited to a maximum of 5.5 volts and I need to work on some circuits which are a little above that range, up to 18 V. Can someone recommend a method and or off the shelf hardware to help me get going on DC power measurements in the 0-18 V range? What are some options for logging power consumption over several hours... maybe as long as 24 hours to evaluate circuit / firmware performance? A different post ([How to Measure Power Consumption on Extremely Low Power Devices?](https://electronics.stackexchange.com/questions/294180/how-to-measure-power-consumption-on-extremely-low-power-devices)) mentioned the [µCurrent Gold Multimeter](https://www.eevblog.com/product/ucurrentgold/) adapter to utilize with a multimeter, but it's out of stock. Any suggestions would be greatly appreciated! Discussion: Comment: Providing you don't want to measure sleep state current below about 100uA you could use a INA219 and Arduino to log power usage. Comment: A few years ago I had a [similar issue](https://gr33nonline.wordpress.com/2015/08/03/choosing-which-multimeter-to-buy/), and I plumped for the Uni-T UT71D - cheap (considering what it offers) and has data logging. EEVBlog also recommended it. Comment: I do not know what current range you are in, but perhaps the VA mode on the EEVblog 121GW? Comment: Labjack is a decent low-cost and easy-to-use data acquisition system. You would need to add a current sensor of some sort (like the INA169 breakout board). In addition, you would need a resistor divider for the voltage to bring it down within range of the labjack ADC input. You can place the divider so that the divider current does not flow through the shunt. Log all data to a PC. Comment: On any of these shunt-based current measurement devices (such as INA219 and INA169) you can increase the shunt resistor value to increase sensitivity. You only run into problems if the current varies over a wide range. Larger shunt means larger voltage drop. Comment: @mkeith Unfortunately you can't just increase the sense resistor and get every lower current sensing capability for the INA series. The input bias current can over 20uA, so even 100uA with any real accuracy is a challenge without buffering the input sensing. Comment: @JackCreasey, I will admit I didn't even look at that. My bad. Maybe a diff-amp then built from precision op-amps. ================================================================================
Discussion Chain ID: 402673 ================================================================================ User asked: I need 5v@500mA to 12v@5A for 2.5 seconds every 5 minutes I've run into quite the problem. I have a load that requires 12v@5A for under 2.5 seconds. However, my supply is a USB 5v@500mA. This is not an immediate load. The load will only need to be activated once per 5 minutes, so I have some time for charging of possibly capacitors or a lipo. What would be the best way to go about this? I've could not find any boost converter for that much of a power increase, so I know I'm going to have to store that charge somehow. I've researched adding a lipo and a charger circuit, however, I cannot seem to find a 3S lipo charger that is in a package with exposed leads. In previous exchange forums the BQ24115 was recommended, however I don't have the capability to solder that small of a device currently with my time restraints. Also, I don't see how that chip monitors 3 cells, as all the applications provided in the datasheet seem to be for only a 1 or 2 cell LiPo, which I still can't figure out how the chip balances the cells as I see no hookup for "cell 1 sense" or "cell 2 sense". There has to be an input somewhere for it to read the individual cell voltages, assuming that chip can do balance charge. Capacitors. I don't know very much about them, however I do know it is a potential route. A colleague recommended I charge capacitors individually, then use a transistor to arrange them in series for the load dump. (because I need 12v out from the caps, with an input of 5v). Any help would be much appreciated! Thank you. Discussion: Comment: Rather than use the difficult-to-solder chip, try looking through the selection at https://www.digikey.com/products/en/integrated-circuits-ics/pmic-battery-management/713 Comment: "*I've could not find any boost converter for that much of a power increase*", good, if you did find any then it would've been a scam. Comment: What exactly is that 12V@5A load? Comment: @HarrySvensson I have a device that requires 12v @ 5A to activate. Comment: @jsotola Yes I actually have 500mA to spare. I understand V stands for volts, not sure where I messed that one up. Comment: Sorry for the vagueness here but if you have time constraints, a simpler technology to use/charge would be a SLA battery. Granted it'd be bulkier/heavier but it's off the shelf for chargers, adding an overcurrent cutout should be relatively easy. Comment: 12V@5A is 60 watts. 2.5 seconds * 60 watts is 150 Joules. You can't easily suck a capacitor completely dry, so let's look for a cap that can hold 200J. That works out to about 2.7 farad. So you **could** use a honkin' big bank of 16V capacitors, charged to 12V over the course of (150J / (5V * 0.5A) = ) 60 seconds, but my oh my that'd be a large capacitor bank (just go shopping for enough 16V caps so that the sum of their capacitance is 2.7 farads). So that's out, unless you're a happy lunatic. Comment: So, after my own comments, I'd go with batteries. SLA would be cheapest, LiPo may be lighter of the two, but require more care and feeding, and LiPo's tend to show their unhappiness by bursting into flame, while SLA's just die undramatic (and safe) deaths. In any case, pay close attention to the discharge rate -- you're going to be more limited by the current the battery can deliver than by the total amount of charge it can hold. Comment: RE "I've could not find any boost converter for that much of a power increase, " That's not surprising because a boost converter doesn't provide any power increase at all. The product of the output voltage and current, \$V_o I_o\$, will always be less than the product of input voltage and current \$V_i I_i\$. Comment: @TimWescott thank you! I will take a further look into seeing if I can't make that work. Answer 1 (1 votes): At 12v at 5 amp, for 2.5 seconds, you need to store 150 joules. At 100 volts across a capacitor, the formula Energy = 0.5 * C * V^2 may guide you. A one farad cap at 100 volts holds 5,000 joules. Thus you need about 0.03 Farad cap. Discussion on this answer: Comment: And for OP's case, he'll need a 12F cap for those 12V... Comment: @aconcernedcitizen That is assuming that he can get all the energy from the capacitor which is very unrealistic. Something more realistic would be to charge the capacitor to, say, 100 V and then use a buck converter to get it down to 12 V. In other words, \$J = \frac{C}{2}V^2 => J = \frac{C}{2}(V_{high}^2-V_{low}^2) => C = \frac{2J}{V_{high}^2-V_{low}^2} => C = 30\$ mF, assuming 100% energy conversion. - And yes, he could connect one end of the capacitors pins to the 5 V rail so the capacitor will be charged to 100-5 = 95 V which might be an easier capacitor to find. Comment: @HarrySvensson True, but then he'd also need a boost converter for the 100V rail. The plot thickens. :-) Note that I am not saying it's impossible, just a bit more complicated than one would need (which is also not saying OP is not willing). Also, I was wrong, it's 2.something F, I mistakenly (right word?) calculated for 5V not 12V (got confused with 5A). Comment: Yes, it's 2 something F. F that. F it. You're right. Comment: Boosting the voltage up to 100 and then dropping it back down to 12 seems like unnecessary power losses. Comment: @HavocRC boosting up to 100V improves the storage efficiency of the capacitor. Note that voltage is the squared term in the capacitor energy equation. It allows you to store a larger amount of energy in a much smaller capacitor, lowering part size and cost. Comment: @ChrisFernandez thank you man I will check it out and see if I can't make something like that work Comment: @HavocRC well, sure. It might be unnecessary power losses. You decided to not answer my earlier question. So **we** will never know, **you** might. - also, pushing it up to 100 V and then stepping down to 12 V ensures that you will get ~12 V out. Whereas not boosting it up will always give you a voltage drop over time. At t=0 you might have 12 V available, at t=2.5 maybe you’ve discharged the capacitor to 8 volt. Whereas with the 100 V it would be maybe at 20 V and since 20>12 you can still step down to 12 V. But 8<12 V => problem...? Again, **we** don’t know because you decided to not answer. Comment: @HarrySvensson I'm super confused what question I didn't answer I read all the comments I must be severely missing something! I understand what you are talking about with the 100v cap now, I did some research. I'm currently working on a circuit. Comment: Anyways thank you everybody for the invaluable info! Comment: @HavocRC "*I have a device that requires 12v @ 5A to activate.*" is not a proper answer to "*What **exactly** is that 12V@5A load?*". But anyways, good luck. Comment: @chris Fernandez, a 150 joule capacitor will have approximately the same physical size whatever the voltage - you don't get to use a smaller "size" by using a higher voltage. Comment: @ Jasen That makes sense. With the energy stored in the volume of the dielectric, as the polarized molecules are twisted in the Efield between the plates/foil to store the energy. Comment: @Jasen are you sure? Picking one arbitrary example: For a 150 joule capacitor, you could use either 1F, 17.3V or you could use 1mF, 550V. Looking at Digikey, I'm seeing the higher voltage capacitors at about 1/2 the physical size, and 1/3 the cost: 4638PHBK-ND vs ALF20C102FP600-ND. Maybe there's something I'm missing? Can you elaborate on your argument that they should be the same size? Comment: It was an approximation, increasing the voltage 30 times has led to only a 2/3 reduction in physical size. ================================================================================
Discussion Chain ID: 402672 ================================================================================ User asked: STM32 SPI not working as I expect it should based on online reading I am using an [STM32F103C8](https://www.st.com/en/microcontrollers/stm32f103c8.html) to connect to a Hope RF95W transceiver IC for the purpose of learning. I am only trying to read the chip version register, then write a config register that has a 0x00 reset value and then read it to make sure my write code works. The RF95W datasheet says about SPI transfer: > SINGLE access: an address byte followed by a data byte is sent for a write access whereas an address byte is sent and a read byte is received for the read access. The NSS pin goes low at the beginning of the frame and goes high after the data byte. > > MOSI is generated by the master on the falling edge of SCK and is sampled by the slave (i.e. this SPI interface) on the rising edge of SCK. MISO is generated by the slave on the falling edge of SCK. > > A transfer is always started by the NSS pin going low. MISO is high impedance when NSS is high. The first byte is the address byte. It is comprises: > > * A wnr bit, which is 1 for write access and 0 for read access. > > * Then 7 bits of address, MSB first. > > To me this means that reading a register requires only one transfer. Sending the address of the register, then waiting for the `SPI_I2S_FLAG_RXNE` flag, then the value of this register will be in the SPI data register. However what's happening is I need two sequences of these write/flag/read operations to get the value: uint8_t read_register(uint8_t address){ uint8_t data; GPIO_ResetBits(GPIOA, GPIO_Pin_3); // slave select (low) delay_ms(100); while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_TXE)); SPI_I2S_SendData(SPI1, address); // send while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_RXNE)); data = SPI_I2S_ReceiveData(SPI1); // read received while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_TXE)); SPI_I2S_SendData(SPI1, address); // send while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_RXNE)); data = SPI_I2S_ReceiveData(SPI1); // read received GPIO_SetBits(GPIOA, GPIO_Pin_3); // slave deselect (high) return data; } Only by having these send/receive and then another send/receive can I get the expected value from the register. If don't make the second `send`, the receive returns a `0x00`. Writing is a little more straightforward, because it's a write of address, followed by a data write. void write_register() { uint8_t numRead1 = 0; GPIO_ResetBits(GPIOA, GPIO_Pin_3); // slave select (low) delay_ms(100); while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_TXE)); SPI_I2S_SendData(SPI1, 0x40 | 0x80); // send while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_TXE)); SPI_I2S_SendData(SPI1, 0x7E); // send while(!SPI_I2S_GetFlagStatus(SPI1, SPI_I2S_FLAG_RXNE)); numRead1 = SPI_I2S_ReceiveData(SPI1); // read received GPIO_SetBits(GPIOA, GPIO_Pin_3); // slave deselect (high) } In this case, I expect numRead1 to be `0x00` which is the default value of the register I am writing to. A subsequent call to `read_register` with the same address returns the value I wrote to it. But I am sure there's a fundamental mistake in what I am doing which if not corrected will lead to bigger problems down the road. Any thoughts? Answer 1 (6 votes): The slave device can only communicate when it is provided a clock from the master (your STM32). This complicates reading from the slave, because you have to cause the master to provide enough clock cycles for the slave to respond. When you send an SPI command via `SPI_I2S_SendData()`, two transmission actually happen during the same eight clock pulses. The first is that your byte is clocked out of the MOSI line. But, at the same time, data is being clocked _in_ to the microcontroller via the MISO line. But since the slave doesn't get the full command until the end of these transactions, it doesn't present any data to the bus. This results in a received value of 0x00 or 0xFF. Then you need to provide an additional eight clocks to allow the slave to return the actual value. With the STM32, this is done by sending a "dummy byte" to the slave. **Note that, in the first transmission, the master ignores whatever arrives from the slave. In the second transmission, the slave ignores whatever is sent by the master.** The code should look something like this: // Activate the SS pin GPIO_ResetBits(...); // Send the command SPI_I2S_SendData(SPI_BUS, txbyte); // When the byte completes sending, the RXNE flag will get set // and must be cleared by reading the Data Register. // Notice that the value in the data register is ignored. while (SPI_I2S_GetFlagStatus(SPI_BUS, SPI_I2S_FLAG_RXNE) == RESET); SPI_I2S_ReceiveData(SPI_BUS); // Notice there is no variable assignment here! // Now get the response. Load the data register (DR) with a dummy // byte to start data reception. SPI_I2S_SendData(SPI_BUS, 0); // When the dummy byte completes sending, the RX buffer will contain the // response byte. Get it. while (SPI_I2S_GetFlagStatus(SPI_BUS, SPI_I2S_FLAG_RXNE) == RESET); rxbyte = SPI_I2S_ReceiveData(SPI_BUS); } // Release the SS line GPIO_SetBits(...); Discussion on this answer: Comment: Some chips (maybe not this one) will preemptively send their status register during the address word. It costs essentially nothing, and it's not infrequently wanted, in which case only a single word's worth clocks is needed. Comment: Very true, @Chris :) I only wanted to present a basic, generic case. Answer 2 (4 votes): The Hope chip has to get the address of the register you wish to read, that happens on the first byte transfer, at which point it's loaded into the Hope SPI MISO register to be transmitted as the next (dummy) byte is sent out by the master (since it's a read operation). Alternatively the next byte transmitted out can be another read/write operation, but the pump has to be primed so to speak, with reads being sent back on the next byte SPI transaction. Discussion on this answer: Comment: Thanks Isdi! I suspected as much but wanted to verify. Comment: Do you have an example of a professional / clean code that does this? I am a hobbyist but I am a soft. developer and want my code to be clean! Comment: I'm a believer in writing code that the coder can understand 1 year after looking at it. I've seen some TI embedded stuff that makes an embedded programmer with 40 years cringe with the amount of pointer passing (my words not his) just so they're "unified" across their SimpleLink platform. One thing I would do is check the setup time for the chip select, I'm positive you don't need 100ms, probably closer to 100ns; but check the Hope datasheet to be sure. ================================================================================
Discussion Chain ID: 402670 ================================================================================ User asked: Taking Quizbowl buzzers and connecting to a computer Recently I Bought quizbowl buzzers from buzzersystems.com and the buzzers i received use an rca cable. [](https://i.sstatic.net/zY22i.jpg) If you did not know basically, when you click a button, it sends a signal to a box which receives it and lights up/makes a sound. [](https://i.sstatic.net/KZAHO.jpg) Is there anyway that I can somehow connect this to my computer so that every time I click the button, it sends the signal of the enter key on my keyboard? Preferentially something that uses usb to reconfigure the signal. Sepcs 22AWG, uL2464#22x2c cord Normally open, momentary push-to-close switch 0.050 ohm (max when new, measured at button) * AC specs (current and voltage): 3A @ 125 VAC 1.5A @ 250 VAC (250VAC is max AC voltage) * DC specs (current and voltage): 24 VDC (max),10A (max) Note: LOW DC VOLTAGE! Anyone know if this is equivalant to what type of normal rca cable? Audio, video,mono or dual channel etc. Discussion: Comment: the button is most likely only a switch .... it does not generate a signal, but it connects the two connections together Comment: the reason i think it is a switch is because after you click the button, the signal remains and a light, lights up. And this light stays on until you click another button which is a reset button. Comment: i was not very clear .... i meant to say that it is only a switch, there are no other electronic components inside the handle .... that means that you can use the device anyplace where you have a pushbutton switch Comment: I do not wish to strip the end of the wire and get rid of the rca cable. Can i just have an rca to usb adapter and program it? Comment: If this is just a switch and cable, any USB device expecting audio on an RCA connector will not do anything when you press the button. Just because the thing happens to use an RCA connector does not mean it carries audio or video information. You can use a female RCA connector to connect to the switch - no need to cut the existing connector off. Answer 1 (6 votes): > Is there anyway that I can somehow connect this to my computer so that every time I click the button, it sends the signal of the enter key on my keyboard? Preferentially something that uses usb to reconfigure the signal. Yes you can do both. Find a secondhand USB keyboard. This shouldn't cost you anything. Open it up and removed the keyboard controller PCB. [](https://i.sstatic.net/Quuvx.jpg) _Figure 1. (1) The PCB and contacts. (2) and (3) the matrix keyboard which you'll be dumping._ * Examine the keyboard matrix before you dump it and see if you can find which contacts are the 'rows' and 'columns'. * Plug in the keyboard. * Go to <http://www.keyboardtester.com/>. * Using a wire select a row and jumper it to each column in turn while monitoring the online keyboard tester. If you don't find the Enter key on the first row then repeat the procedure for the next row, etc. * Connect the two Enter terminals to a phono socket and then you can plug in your original controller without modification. I used the controller in the photo and the contacts were covered with some kind of coating which wouldn't take solder. It scraped off quite easily and I soldered the wires on. I developed this technique to make a foot-operated switchboard for controlling a slide show while playing the guitar. I stopped testing when I found the combinations I wanted. _Table 1. The Lenovo keyboard matrix._ [](https://i.sstatic.net/ra1Ds.png) You could wire several of these controllers to send the key signals '1', '2', '3', etc., to a program or even to WordPad set to a very large font. You would see the keypress sequence on the screen as '213' or similar but if someone holds down the button you might get '21111113'. Discussion on this answer: Comment: is there anyway i can connect the wire directly without having to strip and cut of the rca male end? Should i buy a female end to usb and cut that up/ strip it? Comment: just found out the specs of the wire. it is a 22AWG, uL2464#22x2c cord and Normally open, momentary push-to-close * 0.050 ohm (max when new, measured at button) * AC specs (current and voltage): 3A @ 125 VAC 1.5A @ 250 VAC (250VAC is max AC voltage) * DC specs (current and voltage): 24 VDC (max),10A (max) Note: LOW DC VOLTAGE! Comment: "Is there anyway i can connect the wire directly without having to strip and cut of the rca male end?" I already gave a solution to that problem in my answer. Read it carefully. Comment: what type of phono socket should i find or does it not matter as long as i connect the wires right? Comment: @Victor: You need to think a little more before posting. An RCA socket is just a pair of metal contacts so the type doesn't matter. You have said that the switch is just a plain switch - again a pair of metal contacts. There is nothing to go wrong. ================================================================================
Discussion Chain ID: 402668 ================================================================================ User asked: Missing soldermask on some pads of mcu After designing a board in Kicad with an SMT32L0 on it, I sent it to seeedStudio and when I received it, I noticed that some of the pads on the stm32 are missing soldermask: [](https://i.sstatic.net/I8mQM.jpg) I checked the gerber file for the soldermask and there is no apparent hole in the stm32 pads : [](https://i.sstatic.net/MdfrE.png) [](https://i.sstatic.net/eUXNM.png) I noticed that the pads missing the soldermask are tied together, but in two place there is also a pad that is not tied to the rest of the group that is missing soldermask which makes this impossible to solder by hand. Upon inspection with a microscope, I noticed that the missing areas are all in the same shape which looks like this : [](https://i.sstatic.net/hTFVp.png) (blue is pads and copper and black is the cutout in the soldermask) What happened with my pcb? Here is the back soldermask layer with a gerber viewer : [](https://i.sstatic.net/AzHDn.png) with the back copper : [](https://i.sstatic.net/ook2F.png) Discussion: Comment: Did you receive just one board or are there multiple board with exactly the same problem locations? Some background- for the really fine pitch components, a lot of board houses just don't have the process control down well enough, especially for small runs with particular technologies (there are many soldermask application systems, not all are equal in resolution nor $). The house should have a standard spec sheet describing what their capabilities are. In practice for packages like TSSOP you rely on the paste stencil to get the solder meniscus to form properly with rework at inspection. Comment: per their spec their white soldermask minimum dam is 0.15mm, ref: http://support.seeedstudio.com/knowledgebase/articles/1159990-solder-mask-dam Comment: The proof is in the gerber files; not the KiCAD design files. If the gerber file is correct, then this is a seeedStudio problem. If you haven't already, view your gerbers with a third-party viewer such as gerbv (free). Ensure that your source files actually are correct, then give seeedStudio a call. It may be that they are unable to do what you want, but they may have simply made a mistake... Comment: I understand that, but I am curious st to why it is only around pins tied together and the shape of the cutout that is the same. Also the width of my soldermask between the pads is 0.254mm. Comment: Regarding hand soldering you can lightly remove excess solder by using a solder wick after soldering the pins down. Wicking action will draw off the excess solder. It take some practice, but it works. Just make sure you carefully inspect the pins afterward to make sure there are no solder bridges by the body or misaligned pins. You definitely don't want to mash on these as they have no real mechanical strength. Comment: bitsmack is correct, though, no matter what the original KiCAD file indicates, you must go to the Gerber file to see the actual output- that's what the board house will use. To me the KiCAD program indicates no solder dams at all, but given the plethora of design rules that can be incorporated into the Gerber generation, you always need to check those over to be safe. Comment: I have added screenshots from a gerber viewer. Comment: None of your images appear to show *any* solder mask between the pins. It looks to me as though they've given you more than you asked for. If you were expecting a little strip of solder mask between each pin then your design files are wrong. Comment: There's still something odd about that "Gerber view" either the wrong layer set is being used, or there's some suspect intelligent software being used. You shouldn't have labels like that on a Gerber file (pin numbers, netlist, etc.) Comment: Also, word of advice. **Never short QFP pins like this**, since it will always looks like a soldering failure. Answer 1 (3 votes): Notice that the images of your soldermask simply show large rectangles which span multiple pins. I'm assuming that this is accurate, although perhaps if you zoom in you would see that they are actually smaller rectangles which just look like they're connected. Anyway, if they really are large rectangles, this instructs seeedStudio to remove these areas _completely_. That is, **as submitted, none of the pins should have soldermask between them.** It looks like seeedStudio's algorithms added soldermask webbing for you where it seemed appropriate, but the algoritm failed to know your intention for the bridged pins. I haven't used KiCAD, but either your footprint doesn't have individual mask openings, or the software is set to gang them all together (likely in the Design Rules). Regardless, these can be soldered with care, so you don't necessarily need to scrap the existing boards... Good luck :) Discussion on this answer: Comment: You are absolutery right! I used a footprint inlcuded with kicad and when I went into the footprint editor I noticed that there is no information on the soldermask in the footprint itself. It all happens in the design rules! Good to know :) Now to hand soldering ... ================================================================================
Discussion Chain ID: 701155 ================================================================================ User asked: LED passes the current through itself but doesn’t turn on I have ten LEDs connected in series that all have the same characteristics. When I slowly raise the voltage, nine of them turn on but one of them in the middle of the circuit stays off. The LED which stays off passes the current, I presume. I say this because I don’t have any extra diodes in place to pass the current in case of a broken LED. When I turn on the voltage a bit more, then the previously unlit LED turns on too. One more thing: Turning off the voltage makes the poorly-performing LED turn off later than the others, for about 2 seconds. Discussion: Comment: Please post a schematic. Comment: 1\. What colour LEDs? 2. Are they all the same type / batch? 3. What voltages do these effects occur at? Comment: `Turning voltage off makes [one particular LED turn] off [seconds] later than [all?] others` That would imply they are *arranged in one line* rather than `connected in series` - assuming *turning off* means *instantly* rather than *over more than 10 seconds*. Comment: Do you have a capacitor directly attached to the nonconforming LED? Comment: As already mentioned, it behaves as if there were a capacitor in parallel with this LED. Or this LED doesn't have the same characteristics. Or there is a defective connection. Comment: Can you post a schematic, or at least a picture, or tell us what capacitors exist, and where they're connected? Even a phone-picture of a schematic hand-drawn in pencil works better than nothing. Answer 1 (2 votes): All LEDs really have different characteristics, even LEDs from the same reel, even from the same piece of crystal. They can be binned, which does better, but you will still have variations. If you carefully measure the point at which each individual LED lights up to the same level (place it next to a "standard" LED that is lit by a power supply and a series resistor set to -- do not use a battery, as the voltage may change more than you want over the course of your testing.) The LED which illuminates last will have a higher forward voltage when it reaches the illumination of your standard. Think of the water analogy. The LEDs that light up are like sprinklers with their orifices at a lower height, so as you turn the water spigot slowly on, the water finds the easiest path, and comes out of the lower sprinklers. The one up on the hill gets nothing until you increase turn the spigot on even more, and the pressure "reaches" the lone sprinkler up on the hill, where it finally starts emitting water. * * * I expected this behavior with the LEDs in parallel, and was surprised at the behavior with the LEDs in series, but it happens in both cases. My explanation is that the energy being expended at the LED has to overcome the band-gap in order to emit light, and that energy gap slightly varies from LED to LED. Full disclosure, I'm still not a full EE, so hopefully this explanation will be corroborated by other answers. * * * Finally, the Joule thief circuit handles this "problem" somewhat by providing pulses, and where the pressure (voltage) is high enough, the "dimmer" LED still lights up, but more dimly. I've even had LEDs where I could tell that the bonding wire was loose, and the Joule thief made it light up fairly evenly. This should work with PWM as well because PWM uses the maximum voltage and turns it either all-on or all-off, and the high pressure (voltage) of the all-on part should (usually) turn all of the LEDs on. * * * Commenter Fredled said: > Your explanation are exact but it would be surprising to see such a big difference in behavior from LEDs "exactly the same" like staying completely off while others are all completely on. You could expect, at worse, one led a bit dimmer than the others. – Fredled At the boundary where it happens, the relatively small differences get greatly magnified. To me, this seems very similar to what happens with a constant current going into a long-tailed pair, making a very small difference in current greatly magnified, making a comparator. If using a two discrete transistors long-tailed pair, any poor matching, or temperature difference, should be very evident. Also accentuating the effect is our own eyesight, when our pupils dilate in the dim light. Also, I have found this to be common -- the rule, rather than the exception to the rule. Take any dollar store LED light bulb, dim the lights, and light up the circuit board until they just start to illuminate, and you will see variations in brightness, and frequently significantly so. [](https://i.sstatic.net/QxrzT.png) [](https://i.sstatic.net/XQtze.png) [](https://i.sstatic.net/xPreN.jpg) Discussion on this answer: Comment: Your explanation are exact but it would be surprising to see such a big difference in behaviour from LEDs "exactly the same" like staying completely off while others are all completely on. You could expect, at worse, one led a bit dimmer than the others. Comment: @Fredled -- I have added more to my answer, including pictures of LED light bulb circuit boards, all exhibiting this behavior. Adding even just a little more brightness removes any ability to discriminate differences in brightness (though I do believe that they are still there -- they are just, percentage-wise, completely insignificant). Comment: LEDs requiring a minimum amount of current to start emitting light was a thing maybe 50 years ago (due to the state of GaAs semiconductor technology the time), but now that is not a thing, at least in undamaged LEDs. I've seen some strange behaviours in damaged GaAs and especially heterojunction LEDs so maybe something is wrong with that particular unit. For example, there may be literally a short on the tiny die that acts as a resistor in parallel with the junction. Comment: @SpehroPefhany -- I am only telling you what I am experiencing, as I pursue my interest in taking el-cheapo lights from China apart and playing around with them. And I do see it all the time, but only happens in that very specific voltage where most of the LED's turn on, but not all of them. If you do what I do, you will see what I see. What you are saying is the common perception because nobody bothers to look at the transition-on voltage range. I'm quite sure that what you are saying is quite true (in yours and everybody else's experience). I am also quite true that I'm not dreaming this up. Comment: @SpehroPefhany -- Why would you study el-cheapo LED's? Interestingly, this is my expertise, and not yours. Why? Because I'm currently not well-funded. And I've been giving myself a good foundation in electronics so that I can get a good firmware job, and not be completely ignorant of what my software is actually doing. Perhaps I should look at my one good CREE light bulb. Hmmm..... Comment: @MicroservicesOnDDD Be sure to study (inadvertently) self-flashing el-cheapo LEDs (I have several, from failures of cheap 'Harbor Freight' style flashlights, I even rebulbed a couple, just for the heck of it). Comment: BTW, some LED suppliers have a 'B' grade of LEDs that slightly or completely don't meet specs, something like 2/3 or 3/4 of them are 'usable' (maybe a bit dim or have a higher than spec Vf). These are never offered directly to rich countries (maybe some get sent via dodgy dealers on eBay etc) but they can sell well to poor countries where the labor to sort them out is inexpensive. Comment: @SpehroPefhany -- I have seen those self-flashing LED's, with the bond wire actually vibrating visibly inside. And thanks about the 'B' grade LED information, which was very interesting. Comment: @MicroservicesOnDDD It's true that, at just the the amount of current or voltage to start lit them up, the difference becomes much more obvious. Once they chine at a higher level, you don;t see it anymore because your eyes are not able to distinguish between strong light and a little bit less strong light. Funny tidbit: I had a batch of 5630 LEDs form AliExpress. All are fines but once in a while, instead of warm white I get pink-white. ;) Comment: @SpehroPefhany "LEDs requiring a minimum amount of current to start emitting light was a thing maybe 50 years ago". Low power LED (i,e, 0603) can be lit with extremely minimal current, with almost no minimum requirement. Power LED and COB of several watts still require a minimum current but this minimum is still very small, The more powerful, the higher the minimum current to start emitting. ================================================================================
Discussion Chain ID: 402664 ================================================================================ User asked: Using Voltage Regulator (9v to 5v) I’m trying to ‘hack’ a LED Fire-effect light bulb to work on a 9v battery. Using a multimeter I can see that the bulb converts mains voltage to 5v. I’ve got my hands on a 9v-to-5v voltage regulator (spec sheet - <https://dm-components.com/eBay%20pdf/AMS1117.pdf>) and did some experiments. When I plug my multimeter into a simple battery circuit I get 7v (the battery I’m using must be a little flat). [](https://i.sstatic.net/alb2Z.gif) However, when I put the multimeter into the voltage-out part of the regulator, I get 6.3v…not the 5v I’m expecting. [](https://i.sstatic.net/ouiD5.gif) What am I missing? And any advice for a newbie to electronics on how to convert 9v battery to 5v? Discussion: Comment: I want you to understand that taking these pictures was a really smart move on your part. Good job. Answer 1 (2 votes): A three terminal voltage regulator requires a ground (or for adjustable regulators, divided output voltage) connection. Your pictures clearly show that you have none. You must provide this connection, otherwise the regulator has no way to monitor its own output voltage, so its feedback loop cannot requlate. Many regulators also require capacitors on the input and output for stability. Please see the regulator's data sheet for the recommended connections and required capacitors. Discussion on this answer: Comment: @bluefrog: Also, many regulators require a minimum load current to produce the correct output voltage - too little load current may cause the output voltage to be higher than spec. Comment: Thanks for your responses, it’s really helped kick me in the right direction. I moved to LM7805 regulators and now get 5v outputs - super! As Peter has expertly predicted,I’ve come to another problem. the 9v battery drains to a point that is out of the volt tolerance,killing the circuit with juice in the battery. Are there components/tools that output 5v, and allows the battery to continue powering the circuit once it’s drains below the rvolt tolerance (or boasts the output to 5v until the battery is dead)? I’ve seen the name Buck Converter flowing round, am I on the right track? Comment: The problem had nothing to do with the choice of regulator, and everything to do with not wiring it up properly. A 9v battery is almost certainly not what you want to use for your project. ================================================================================
Discussion Chain ID: 402662 ================================================================================ User asked: Find the best components and ICs How do a newbie find the best components ? is there site or something ? the part number is not exactly user friendly. I know there are the classics, that I suppose improve over the years, but there are also modern alternatives... Discussion: Comment: "*How do a newbie find the best components?*" Best for what? "*Is there site or something?*" Yes, component suppliers have websites. "*The part number is not exactly user friendly.*" What are you hoping for? "*I know there are the classics, that I suppose improve over the years, ...*" No, they stay the same over the years otherwise you couldn't replace one in a repair. "*... but there are also modern alternatives.*" Yes there are. You have to read the datasheets to compare the important parameters for your application. Comment: what is `or something`? .... what is a user friendly part number? Comment: Experience, mostly. For something generic (op amps, logic) I'll search a distributor website (Digikey, Mouser, Arrow...). For something more specialized, I'll search a specific manufacturer I've had good luck with in the past for similar ICs. Comment: @jsotola something could be a pdf. A user friendly part number could be ST4AUDIOOPAMPS10W2018 lol, but i that you cant search if not specific. Comment: @Transistor "No, they stay the same over the years otherwise you couldn't replace one in a repair" that make my question even more important. Comment: "ST4AUDIOOPAMPS10W2018" = user friendly? What's next, error 502? Answer 1 (0 votes): it depends vastly on what you are trying to accomplish. the best component is one which can do the job you want it to do, for as long as you want to do it, where you want to do it, so as to speak. There are some components, particularly aerospace-type microcontrollers come to mind here, that are extremely expensive. this is mainly due to the testing and additional radiation hardening involved, but there is no way you would use one in a completely unrelated application, like a TV remote or some such. The best approach is to define a full and comprehensive specification for what you want to do, and then select components based on that. This can go out the window a little bit in industry, as some companies have huge stocks of some components they just want used, so you can see micros lurking in some devices that are definitely overspec for what they are doing. after that, find a good online shop like digikey, mouser, element14 or RS, and use their parametric filters to select the right component. some things like capacitors perform best at certain frequency ranges, for example electrolytics are only really suited to lower frequency, such as ripple blanking on power supplies, whereas ceramics are used for high frequency applications, such as removing DC bias from some AC signal, such as audio. carbon film resistors also tend to add noise, and wirewound have an inductance all of their own... I hope this helps, otherwise perhaps consider re-phrasing your question. Discussion on this answer: Comment: yeah I guess that sites like mouser are the best option... Thanks for the generic information too! ================================================================================
Discussion Chain ID: 402661 ================================================================================ User asked: Hamiltonian-inspired energy function for power grid stability I'm looking at [this](https://ieeexplore.ieee.org/document/5618968) paper which proposes an energy function for a 3-bus power system example. I'm trying to replicate the results in the paper but am uncertain about the `D` parameters in Sec III. In particular, the authors verify that with a certain `A` matrix adjusting the gradient dynamics, the model has a stable equilibrium, but I'm confused about the `D` parameters in this matrix. Here is the relevant section:[](https://i.sstatic.net/8y0OC.png) [](https://i.sstatic.net/aUrdS.png) EDIT1: it looks like the `D` terms are some sort of rotor damping. EDIT2 (follow up question): I'm having trouble tying out the dimensions of the `A3bus` matrix to the `Abus` matrix. Specifically, the dimensions of `Mg` seem off. It appears that the `g` means both slack and generator node, but then I don't see how to fit `A3bus` into the `Abus` structure. Any advice? EDIT3: [this](https://ieeexplore.ieee.org/document/7444204) paper helps somewhat but is still a bit unclear on the interpretation of the `Pi` matrices. Thanks! Discussion: Comment: What page specifically were you looking at? Comment: Sorry, just realized I uploaded a different but related link. Let me extract the pages of the paper I'm referring to Answer 1 (0 votes): Stub of an answer right now, but the `D` parameters refer to machine damping values in the classical swing equations. The `epsilon` parameter is a singular perturbation of an algebraic constraint related to the reactive power flow. ================================================================================
Discussion Chain ID: 402648 ================================================================================ User asked: Is grounding necessary for a re-purposed laptop charging brick? If I have re-purposed a laptop power brick, is it important to ground it or in certain use cases could one get away without earthing the power brick? I bought a class D amplifier board off eBay which requires between 10V and 24V with sufficient power. I got hold of an old laptop power brick from a local charity store and spliced the wires to gain access to the 18.5V and GND wires. After wiring the board up and connecting it to my laptop using an aux cable, I got a lot of screeching as a result of a ground loop. By using tape to insulate the earth on the power brick (the one powering the aforementioned amplifier) I can silence the screeching. The power brick says it should only be connected to a grounded outlet. I can see why it could be important for a laptop to be referenced to ground, however is it dangerous to operate the power brick in other scenarios without the earth connection? If it is very important to be connected to earth, what exactly can go wrong if one chooses to not use the ground connection? [](https://i.sstatic.net/G0Vvf.jpg) Discussion: Comment: Why would it be unsafe to use with a laptop while safe to use with something else? Answer 1 (2 votes): It is dangerous to use this without grounding, the ground protects you and the laptop in the event of a fault (short). It also lets the current go to ground and activate safety features in your house like circuit breakers or fuses. Use the ground. Answer 2 (0 votes): As a general rule for all things, where a ground is supplied, it is supplied for a reason. This could be safety features in the product which cut power in the event of a short,EMC reasons, or (strongly related to EMC) preventing the release of ionizing radiation, such as in a microwave. ALWAYS use an earthed socket for an earthed appliance ================================================================================
Discussion Chain ID: 402645 ================================================================================ User asked: What PWM inputs are needed to drive a 3 phase BLDC using the HIP4086 IC driver chip? I am building a motor controller for a BLDC (w/ Hall sensors) using a Teensy. My circuit looks like the typical application diagram in the datasheet (<https://www.intersil.com/content/dam/Intersil/documents/hip4/hip4086-a.pdf>): [](https://i.sstatic.net/qg7RG.png) My micro controller correctly reads in the Hall sensor inputs and can identify which position the rotor is in. My question is, if I want to pull (for example) Phase A high (+), Phase B low (-), and keep Phase C floating, what PWM should I be writing to the pins AHI, ALI, BHI, BLI, CHI, and CLI. I know this is probably clear in the data sheet, but I am having trouble understanding the switching logic of the triple half bridge. Answer 1 (0 votes): I guess : xLI=0, /xHI=1 [](https://i.sstatic.net/ocY9a.png) [](https://i.sstatic.net/iDxVI.png) You have to use 2 MCU outputs per phase. Discussion on this answer: Comment: So would xLI=0, xHI=1 pull a phase high? Does that mean the opposite pulls a phase low? I'm still confused. Comment: @sudo127 Yes any other combination will force transitors to conduct, either high or low. You have to put some pull-up resitors on DIS to make sure, that the IC won't operate at the MCU startup, when the IO's are not yet initialized. Also you need a certain dead time between swaping the HI/LO state to avoid cross conduct. Comment: @sudo127 So would xLI=0, /xHI=1 pull a phase high? No, the phase will float. Answer 2 (0 votes): The schematic you show has the !HI and LO inputs paired together. This means that you only need one signal to drive each phase, but that either the top or bottom FET in each pahse will always be conducting. This is commmon with a sinusoidal drive, where each phase is fed a continuously varying PWM to approximate a sine voltage at the motor terminals, but as you indicate that you want to have one phase floating, I assume you're aiming at a trapezoidal drive - which you can't achieve with that arrangement. You'll need to control all six inputs independently. For each possible arrangement of Hall sensors, which can be disposed in various ways around the stator, and winding (phase windings can be connected either way into the wye or delta pattern, reversing the physical direction of rotation) there'll be a table of required switchings - this should be available from the motor manufacturer. [](https://i.sstatic.net/zyRla.jpg) This is taken from the datasheet for the [DRV8307](http://www.ti.com/lit/ds/symlink/drv8307.pdf) showing a typical table. Since your HI inputs are inverted, you'll need to invert the signals to them. The note (1) about synchronous rectification is a bit of a misnomer (that's used in switchmode supplies) but operates the same in inverters - it switches on the FET that would otherwise have current circulating through the body diode, which reduces losses and improves efficiency. Discussion on this answer: Comment: This is a lot of really helpful information, thanks! I just have a few short questions to really make sure I got this locked down. So for State 1 in your last diagram, Phase U is floating, Phase V is high and Phase W is low, correct? (If so, I know I would have to write Low to Phase V HS to pull it high since my HI is inverted, right?). Also, is altering the PWM signal the preferred method of going about speed control of the BLDC? Or should that be taken care of another way (besides the point here, a quick yes/no/maybe is fine). Comment: All those points are correct. The only means of controlling the speed on a BLDC is to either vary the supply voltage, or to use PWM which effectively does the same thing, but is easier to achieve. Most controllers will incorporate a PI loop to dynamically change the PWM values to regulate speed at a desired setpoint, but open loop works for non-demanding applications. Comment: So if I were to use PWM with my IC chip (with inverted HI), a lower PWM at the HI input of the phase pulled HIGH would cause the motor to spin faster than a higher PWM at that same input, correct? Similarly, I would also have to apply a PWM to the LI input of the phase pulled low, right? Comment: You can get away with just applying PWM to one of the sides, and leave the other on for the whole step, or switch both, but that increases both switching losses and the loss across the body diodes during the off period. With charge pump fed high side drivers that use the output swing for operation, it's common to apply the PWM to the high side so that the charge pump cap keeps getting recharged with each switching and doesn't risk falling too low by the end of the step. The non "A" version of this chip appears to have an independent charge pump, so that isn't an issue here. ================================================================================
Discussion Chain ID: 402643 ================================================================================ User asked: Designing a constant current pulse circuit I'm looking for help designing a constant current pulse through a variable load impedance of 10-100k (R4). The ideal response is shown below. This waveform was measured from an off the shelf instrument without access to the design files. The attractive component is the square wave that it generates. It spends a solid couple of milliseconds at my intended current. [](https://i.sstatic.net/SeHz8.jpg) My current design results in a circuit response as shown below with a sharp rise then fall (not ideal). [](https://i.sstatic.net/i4pys.jpg) I'm hoping for my circuit response to more closely match that of the response shown above. What modifications could be made in order to square out the waveform? [](https://i.sstatic.net/jQVzG.jpg) Discussion: Comment: Your ideal response looks rather less than ideal so could you specify what it is about the trailing edge slowly decaying back to zero that is at all attractive to you? What circuit produced the "ideal" waveform? Comment: Sure, the ideal waveform was measured from an off the shelf instrument without access to the design files. The attractive component is the square wave that it generates. It spends a solid couple of milliseconds at my intended current. Comment: Is the ideal response required to integrate to something near zero? Comment: If so, you might try differentiating an asymmetric triangle wave. Comment: IMO it has to be at least 2nd order, or maybe more. You circuit has a 2st order response. Comment: Are you liking the slightly underdamped response at the other side of your first graph? Or is that response something you'd also like changed? Andy brought this up. I'm not sure there is an answer here yet. You merely talked about the part you liked. Which wasn't all of what we can see there. Finally, is R4 10k to 100k? Or 10 to 100k? I can't tell. And what's the magnitude of the current you want? Or is that variable, too? Comment: I'm not too concerned with the underdamped response on either result. The design goal is for a constant current pulse around of about 10mA over a variable load for a duration of around 200us. R4 is a 10k pot used to bias the BJT. Comment: @zciwor I think I see a fixed R4 resistor on the other end of a transformer. Are we looking at the same schematic? Also, you write in your question, "variable load impedance of 10-100k (R4)", which sounds odd if what you mean is biasing a BJT. I do see the X1 pot there of course (and did before.) And the value is 10k as you say. But I'm kind of muddled up now by what you wrote, show in the schematic, and are now saying. Oh, well. Comment: You have a 1:8 transformer with 2.8 V drive, ~22V output. Why not design with a 30 V supply and leave out the transformer ================================================================================
Discussion Chain ID: 402642 ================================================================================ User asked: Increasing Amp Output of a battery So I have battery cells with a rated capacity of 3.5Ah and a nominal voltage of 3.5v Now, say I have a system that requires 12A for a period of 10 seconds. For this battery it is advised not to discharge beyond 2C or the efficiency hit becomes unreasonable. From my understanding, I can increase the amount of batteries in parallel to increase the capacity, but cannot increase the available current. Correct? Will this cell be unable to meet the 12A requirement? I think I'm missing a concept here. At 1C this battery can discharge 3.5A for 1hour. So then can it discharge 14A for 15 minutes then? If that's the case, then can I not use a much lower c rate to achieve this requirement? at C/10 I discharge .35A for one hour. Or it could be more if I decrease the time, possibly getting me my 12A for 10 seconds. What is the limit on this? Discussion: Comment: If you put batteries in parallel, you increase their maximum current proportionally, without changing the voltage. If you put them in series - you increase the voltage, without changing the maximum current. That's much of a theory. Comment: I think you're misunderstanding what the C rate is. C/10 means you can discharge the cell in about ten hours, though depending on the cell you might get more than ten hours out of it at this rate; lower currents often mean higher efficiency. You can't get any higher current than 0.35 A at C/10 because that's the definition of C/10. Answer 1 (1 votes): > For this battery it is advised not to discharge beyond 2C A 2C discharge rate for a 3.5 Ah battery would be 7A. So, the manufacturer is recommending that you do not draw more than 7A from a single instance of this battery. > From my understanding, I can increase the amount of batteries in parallel to increase the capacity, but cannot increase the available current. This is partially correct. By placing multiple batteries in parallel, you do increase the capacity, and you CAN increase the available current. In fact, most battery packs have multiple cells both in series, to increase the available voltage, as well as in parallel, to increase the available current. With two of your 3.5Ah batteries in parallel, you'd have 7Ah of capacity, and your 2C discharge limit would be 14A. Two batteries in parallel should be able to handle your 12A load safely. PS: Just be careful when trying to recharge these batteries, especially if they are Lithium Polymer. LiPos require careful cell balancing in order to be charged safely. Answer 2 (0 votes): If you put two 3.5Ah batteries in parallel, you now have a 7Ah battery, and a 2C discharge current is 14A, meeting your 12A requirement. A rated capacity of 3.5Ah probably means the 10 hour rate, which is 350mA for 10 hours. Unfortunately, as the discharge rate goes up, the actual battery capacity falls. You might get as much as 3Ah over 1 hour at 3A, but it could be less. It will be less over 15 minutes. There's a reason that manufacturers rate their batteries at low rates! If you have the datasheet for the battery, see if the manufacturer is upfront about the capacity at higher discharge rates. ================================================================================
Discussion Chain ID: 402634 ================================================================================ User asked: How (not) to set the house on fire? With a recently renewed spark of interest in electronics, I’m now starting to solder stuff and build more permanent devices than before with breadboards. But with great power comes great responsibility! Some of these devices may eventually be powered on 24/7, without adult supervision. While I was pretty confident I could unplug a breadboard while watching it, I don’t have the same peace of mind considering permanent devices. Worried by videos of raspberry pi catching fire, and other diy electronics going really wrong, I started looking for guides on... you know, safety. Alas, I found nothing with enough details. I know not to tinker with mains. I know transistors can get really hot (burned a finger once). But that’s it really. So. As the various comments pointed out, there’s no hard and fast rule for safety, and I should test my circuits. Makes sense. However, being new to the field, I’m unsure what to test for. Overcurrent could be one thing, but further than that, I’m lost. What are the main safety tests that a circuit design should go through before being left unsupervised? Discussion: Comment: Given that even professional things sometimes going really wrong there can't be a failsafe guide Comment: Just more smoke detectors and fire extinguishers at reach.. Comment: @EugeneSh. CO2 fire extinguishers, not powder. Otherwise one small mistake destroys the entire room. Comment: @Jeroen3 details on that? Comment: A CO2 fire extinguisher only emits gas. This leaves no residue. A powder one emits toxic corrosive powder. Everything electronic in the room can be tossed. Go learn about fire extinguishers! Comment: Toxic corrosive. What the... thanks for the heads up, I’ll go read more. Comment: *Worried by videos of raspberry pi catching fire* I think you have to **really mistreat** an RPi for it to catch fire. I would say you need a reasonable powerful supply and apply too much voltage and/or in reverse polarity to make an RPi catch fire. This could have been done deliberately for a video. Comment: Well you’re right, it was an overclocking incident. But the exact same issue could arise in one of my circuits even if I didn’t intend it Answer 1 (3 votes): For being on the safe side, you will have to get professional. And what distinguishes a PRO from a beginner? The beginner only thinks of what he can do to get the circuit working. Once the circuit is working, the job is done. A PRO thinks of all reasons that could go wrong with the circuit and most importantly, he makes a lot of tests (I.e. short circuit tests) to verify if the circuit behavior during failure. So this is not a question of which book to read, but it’s a question of your attitude towards building a (safe) circuit. Discussion on this answer: Comment: That sounds wise, but it is my problem actually. I don’t know what can go wrong and how. I was hoping some resource exists that lists the most frequent issues, or at least how to test for them. Comment: Start with the power supply of your circuit. What happens if you short this power supply? How hot will it get? Comment: Hey that’s a good question, I don’t know. I was mostly planning t use wall adapters, but I’ll test this. Not without a fire extinguisher though. But unless I have some computer doing that for me, I can’t possibly test all the combinations of shorts in a circuit, can I? How to select what to test first? Comment: You could also add a fuse to your power supply and test this setup. BTW: You normally don‘t need to test all short circuit possibilities in your circuit, because it’s not the short circuit that produces heat (because a short circuit has low impedance), it‘s the driving source (e.g. power supply) that can catch fire if you have a short somewhere in your circuit. Comment: I’ll blow fuses then :) but I feel like every component can generate enormous heat in the right circumstances, like transistors, resistors, or even wires... testing it all sound like an impossible task Comment: if you use a wall wart type of power supply, then it should already have the necessary over current protection built in, as long as it has the correct labeling from UL or other testing agency (i would not trust cheap asian knock-offs with questionable labeling) ================================================================================
Discussion Chain ID: 402632 ================================================================================ User asked: Where MOSI is triggered low or high Sending and Receiving Data //Function to send and receive data for both master and slave unsigned char spi_tranceiver (unsigned char data) { // Load data into the buffer SPDR = data; //Wait until transmission complete while(!(SPSR & (1<<SPIF) )); // Return received data return(SPDR); } What part of it sets the pin (MOSI) high and low to transfer bit. All i see is the awaiting for the interrupt bit (SPIF). Does AVR MCU automatically handles all routine regarding pusling pins just by setting SPE bit to 1 ? "To send data, load the data into the SPI Data Register (SPDR), and then, wait until the SPIF flag is set. When the SPIF flag is set, the data to be transmitted is already transmitted and is replaced by the received data. So, simply return the value of the SPI Data Register (SPDR) to receive data." Another line from the same post - i do not expect that mcu will start transmitting as soon as i put data in data register Discussion: Comment: "i do not expect that mcu will start transmitting as soon as i put data in data register" well, that's exactly what happens, if things are correctly configured. Answer 1 (1 votes): "What part of it sets the pin (MOSI) high and low to transfer bit." This line: SPDR = data; sends the data out. Discussion on this answer: Comment: omg such an old question, but yeah i figured it already :) Answer 2 (-1 votes): The system is single buffered in the transmit direction and double buffered in the receive direction. This means that bytes to be transmitted cannot be written to the SPI Data Register before the entire shift cycle is completed. When receiving data, however, a received character must be read from the SPI Data Register before the next character has been completely shifted in. Otherwise, the first byte is lost. In SPI Slave mode, the control logic will sample the incoming signal of the SCK pin. To ensure correct sampling of the clock signal, the minimum low and high periods should be longer than two CPU clock cycles. When the SPI is enabled, the data direction of the MOSI, MISO, SCK, and SS pins is overridden according to the table below. For more details on automatic port overrides, refer to the IO Port description. Table 23-1. SPI Pin Ove <http://ww1.microchip.com/downloads/en/devicedoc/atmel-42735-8-bit-avr-microcontroller-atmega328-328p_datasheet.pdf> ================================================================================