text
stringlengths 334
1.17M
|
---|
Discussion Chain ID: 408728
================================================================================
User asked: Ferrite bead in cable or in device?
I am wondering, I made a MIDI circuit and was advised to use ferrite beads in my device for MIDI input/output. It is a similar to the following circuit (only the L1/L2 ferrite beads are important for my question): [](https://i.sstatic.net/sbNFd.png) However, in most USB cables, there is a ferrite bead inside the cable. If it is advised to use ferrite beads with MIDI, why aren't ferrite beads standard inside the cable? Or otherwise, why do USB cables use ferrite beads, and they are not within the USB device/adapter? Below is an example of a USB cable having a ferrite bead (I assume) on both sides; btw, most generic USB cables do not have them, this cable is for charging a mobile telephone. [](https://i.sstatic.net/fzw9k.jpg)
Discussion:
Comment: I think you may be mistaking ferrite beads in USB cables for a surrounding ferrite core that magnetically couples all wires in the USB cable. Maybe you can provide a link to a USB cable that uses ferrite beads in each wire?
Comment: @Andyaka I added a picture, I thought it would be the same (ferrite bead/ferrite core), Im a beginner in electronics.
Answer 1 (4 votes):
Ferrite beads around a cable raise the impedance for common mode signals. That is the main reason that they are external to any device, on the cable. Common mode signals can be present on differential pairs and in this case a common mode choke inside a device would suffice. But common mode signals can just as well be present on e.g. the ground signal towards the cable. In that case only a bead around the whole cable section will help. And in case you are not aware: only a few microvolts of common mode signal suffice to violate EMC compliance rules in case they are present on a cable. This is because the device ground (e.g. metal case or PCB GND plane) in combination with the cable combine to an almost perfect antenna.
Answer 2 (-3 votes):
A USB cable sends a single serial data stream and therefore the ferrite Core near the input suppresses any Electromagnetic Interference. Midi-Din Cables are Balanced and run one machines expecting balanced inputs so any EMI is filtered out by the input circuitry.
================================================================================
|
Discussion Chain ID: 701743
================================================================================
User asked: What is this 6-pin SMD from an ethernet switch?
Can anyone please identify this 6-pin SMD integrated circuit or what it does? I could not find it by the code written on it. It is from an ethernet switch and I need to replace it. The switch accepts 5-12V input. Note: I have another one of these boards and this IC is blown out on that board and the writing is unreadable. so I took a picture of this one. but since they both have the same symptoms I figured that I also should replace this one to see if it would work. [](https://i.sstatic.net/ljFAC.jpg)
Discussion:
Comment: You state that you don't know what it does and that you need to replace it. How do you know it is faulty, if you don't know what it does?
Comment: Given the inductor, some sort of dc-dc
Comment: The pinout and general function matches e.g. TPS560430, LMR50410 or LMR51606, but not the marking.
================================================================================
|
Discussion Chain ID: 408727
================================================================================
User asked: I2C: Trying to read multiple registers, getting first register repeated instead
I´m trying to read registers 0x28 through 0x2D from the L3G4200D (gyroscope, [datasheet](http://4tronix.co.uk/arduino/specs/L3G4200D.pdf)), which is part of the GY-80 board, using the esp32 ([I2C info](https://docs.espressif.com/projects/esp-idf/en/latest/api-reference/peripherals/i2c.html)) as a master, which is part of the LOLIN32 board. But I am getting the first byte repeated eight times instead and I can´t figure out why. I do get the right result when reading the registers one by one. The registers are found in the datasheet here: [](https://i.sstatic.net/5OkJp.png) This is the I2C packet seen trough my oscilloscope (picoscope): [](https://i.sstatic.net/KWFSB.png) Zoomed in on the write part: [](https://i.sstatic.net/LOkfY.png) Zoomed in on the read part: [](https://i.sstatic.net/g6UtF.png) I´m using this code to send the packet: //I2C init: i2c_config_t conf; conf.mode = I2C_MODE_MASTER; conf.sda_io_num = GPIO_NUM_16; conf.sda_pullup_en = GPIO_PULLUP_ENABLE; conf.scl_io_num = GPIO_NUM_17; conf.scl_pullup_en = GPIO_PULLUP_ENABLE; conf.master.clk_speed = 400000; i2c_param_config(I2C_NUM_0, &conf;); i2c_driver_install(I2C_NUM_0, conf.mode, 0, 0, 0); //function call: uint8_t gyroData[6]; getWireRegister(GYRO, OUT_X_L, &gyroData;[0], 6); //GYRO = 0x69 , OUT_X_L = 0x28 //function: bool getWireRegister(uint8_t device, uint8_t reg, uint8_t * receiveData, int amount){ i2c_cmd_handle_t cmd = i2c_cmd_link_create(); //create command to tell device what to send and read the registers i2c_master_start(cmd); //startbit i2c_master_write_byte(cmd, (device << 1) | I2C_MASTER_WRITE, 0x1); //send device address and tell it that the master is writing , ack check is enabled i2c_master_write_byte(cmd, reg, 0x1); //tell it what register to send , ack check is enabled i2c_master_start(cmd); //repeated startbit to tell it to send stuf to the master i2c_master_write_byte(cmd, (device << 1) | I2C_MASTER_READ, 0x1); //send device address and tell it that the master is reading and it needs to write , ack check is enabled if(amount > 1){ i2c_master_read(cmd, receiveData, amount-1, I2C_MASTER_ACK); //give the device space to write } i2c_master_read(cmd, receiveData+amount-1, 1, I2C_MASTER_LAST_NACK); //give the device space for its last bit and tell the device it is done writing i2c_master_stop(cmd); //stopbit i2c_master_cmd_begin(I2C_NUM_0, cmd, 10000); //send first I2C message i2c_cmd_link_delete(cmd); //delete first message return true; }
Discussion:
Comment: Read 5.1.1 and Table 17 of the sensor datasheet and confirm if you are doing it right!
Answer 1 (3 votes):
I found the problem!, I totally missed the part of the datasheet that explains how to send it I2C packets (section 5.1.1 as MaNyYaCk pointed out). When reading this device, least significant 7 bits you send should be the address of the register you want to read, the most significant bit tells the device if it should increment the register address when reading multiple bytes. To fix this problem I had to change the following line of code: i2c_master_write_byte(cmd, reg, 0x1); //tell it what register to send , ack check is enabled To: i2c_master_write_byte(cmd, reg | (0b10000000), 0x1); //tell it what register to send , enables the increment register address bit , ack check is enabled
================================================================================
|
Discussion Chain ID: 408725
================================================================================
User asked: Differences between Colpitts oscillator circuit designs
What are the differences between this colpitts oscillator design? I need to build one for the transmitter of my wireless energy circuit for my project in our school, but I don't know what to use. [](https://i.sstatic.net/EWt46.png)
Discussion:
Comment: Removed all of the unnecessary "fluff" from your question, so that it's easier to read. No need to thank us before we did anything. This is a place where people come to ask and get help, so: welcome!
Comment: What would be helpful to know would be a) why Colpitts? b) what frequency? c) where exactly do you extract the energy for your wireless energy transfer from said circuits?
Comment: d) school: what level are we talking about? Essentially, do they expect you to have in-depth knowledge of power electronics, or is this an electronic beginner's project?
Comment: just only electronic beginners project
Comment: i just saw someone from the net using colpitts oscillator for his wireless energy project so i decided to use one..for the frequency im going to use between 100khz to 120khz and for the power supply for my circuit im going to use 12 volt battery
Answer 1 (5 votes):
> What are the differences between this colpitts oscillator design? [](https://i.sstatic.net/YPUxP.png) The one that sticks out as being different to the other three is (3) (bottom left) because it does not use positive feedback to the BJT base. The other three do use positive feedback to the base and this is fine at low to middle frequencies (up to a few tens of MHz) but when you get to higher frequencies the BJT's miller capacitance messes with things and (3) is preferred. In fact, as frequency rises into high VHF and UHF this fifth colpitts oscillator is the turn-to choice: - [](https://i.sstatic.net/Lez7G.png) Does #5 exclusively only run at VHF/UHF - no it will work at low frequencies and, given that I'm happier with this version I always use this it for whatever frequency I need. If you look closely at (2) and (4) there is no difference. (1) differs from (2) and (4) by replacing the RFC (radio frequency choke) with a resistor and this makes component selction choices simpler but will run out of steam at higher frequncies a little before (2) and (4). [Common collector Colpitts oscillator working principle](https://electronics.stackexchange.com/questions/383127/capacitors-ground-between-connection-colpitts-oscillator)
Discussion on this answer:
Comment: thanks, now i can go and build this for the transmitter of my wireless energy
Comment: Don't forget that the output from the Colpitts oscillator is "weak" and needs to be buffered by another transistor if you are trying to create a significant magnetic field for use in wireless energy transfer (on of my pet subjects!).
Comment: can u give me schematic sir i dont understand what u mean by buffered by another transistor im just new to this things
Comment: I would also recommend that you consider operating at a higher frequency such as 500 kHz (should this be allowed for your project). The coils will be easier to make and you will tend to get a better energy transfer and, the frequency isn't so high as to cause real problems in making a power amplifier to deliver that frequency. Of course, if you were able to work at it over a longer time period I'd go for the industry standard 13 MHz.
Comment: its ok to use higher frequency..i just randomly pick 120 khz for starter
Comment: I can't produce a circuit as easily as that because it all depends on what components you have to hand and what your coil design is and how you are resonant tuning it. I would say that you should google solutions and raise a new question on the subject because it is fundamentally different to what you have asked here and more people will likely be able to contribute.
Comment: Here is a useful link: https://www.eleceng.adelaide.edu.au/students/wiki/projects/index.php/Projects:2015s1-71_Inductive_Power_Transfers - you should read more about the subject and find solutions on-line that already have solved a lot of the problems. Another link: https://www.powerelectronics.com/pmics/wireless-power-receiver-supports-contactless-battery-charging
Comment: when you say "Don't forget that the output from the Colpitts oscillator is "weak" and needs to be buffered by another transistor " did you mean to amplify the output of the oscillator? im sorry if my questions are bit dumbed.
Comment: A buffer amplifier doesn’t have to amplify the voltage, it just has to provide an output that can drive a few hundred mA to your coil and has a reasonably high input impedance so that the oscillator output is not excessively loaded.
Comment: so i need a current buffer instead of voltage buffer
Answer 2 (0 votes):
Three circuit you've shown have this KEY signal inversion: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2foiDxa.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Along with the polarity inversion of the grounded-emitters in those 3 circuits, the net loop polarity is INPHASE, required for such an oscillator. To remain on frequency, you should use one of these as your master oscillator. Then buffer this oscillator into a class "C" power amplifier, and use a PI filter to attenuate harmonic distortion and transfer the desired energy into your inductive antenna.
================================================================================
|
Discussion Chain ID: 408724
================================================================================
User asked: circuit test is performed on low voltage side ,and reading are given of high voltage side
There is a question in vk mehta in which open circuit test is performed on low voltage side ,and reading are given. of high voltage side and magnetizing branch ,excitation branch current is asked.how is this possible?
Discussion:
Comment: Hi and welcome to the ElectricalEngineering.SE. You question is unclear: without any schematic it would be difficult to say and explain why the statement is right/wrong. Please provide context and information, I you want to help other members help you with your question.
================================================================================
|
Discussion Chain ID: 408722
================================================================================
User asked: Very slow turn-on time BJT (BUV27)
I have been asked to select a replacement BJT for a resonant circuit which uses the now obsolete BUV27. I have selected some based on V(CE) and hFE but all selected types perform a lot worse (low efficiency, more heat) in the circuit. The t(on) time of the BUV27 is very high (400-800µs) compared to the storage/turn-off times (0.5µs/0.12 µs). Why is this so? How would I go about finding a replacement? Most datasheets I have looked at don't even specify the turn-on time and if they do it is a lot faster.
Discussion:
Comment: Since you are trying to find a replacement for an high voltage transistor specifically designed for high speed switching you should have look very carefully at the storage time \$t_s\$: this is the real responsible of the switching performance of the device.
Comment: No standard bipolar transistor needs 800 microseconds to turn-on. What is the datasheet param?
Comment: @analogsystemsrf I found the [datasheet](https://www.onsemi.com/pub/Collateral/BUV27-D.PDF) and it does indeed list a turn-on time of 0.4 ms typical, 0.8 ms max.
Answer 1 (2 votes):
> The t(on) time of the BUV27 is very high (400-800µs) compared to the storage/turn-off times (0.5µs/0.12 µs). Why is this so? It's a typo - they meant to say micro seconds as per this data sheet from an alternative supplier: - [](https://i.sstatic.net/nBkKL.png) It's always worth digging around to get to the bottm of things if something looks suspicious. I note that both ST and ON semi have made the same error on the data sheets. > How would I go about finding a replacement? You start by analysing the circuit and then trying simulations with different transistors - you can't expect to find a replacement by only comparing data sheets.
Discussion on this answer:
Comment: Thank you for your input - especially the part on having to understand the circuit. The problem is that data is very limited, it uses a very special transformer that is specially made. But you are right of course. I just would have liked to take a short route.
================================================================================
|
Discussion Chain ID: 408716
================================================================================
User asked: Design a T flip flop and draw the asynchronous state diagram
I am supposed to design a T flip flop using logic gates (asynchronous sequential circuit) and also draw the state diagram. I don't really understand why the output doesn't change from 0 to 1 when there is a transition from B to D in the given figure below, because for the T flip flop the state 11 causes toggle action, doesn't it? Can someone help me figure this out. [](https://i.sstatic.net/r2HhA.jpg) [](https://i.sstatic.net/2FffI.jpg) Truth table for T flip flop: [](https://i.sstatic.net/xZ6Rz.png)
Discussion:
Comment: Welcome to EE.SE! This appears to be a homework question. As such, you need to show us your work so far, and explain which part of the question you're having trouble with. For future reference: Homework questions on EE.SE enjoy/suffer a special treatment. We don't provide complete answers, we only provide hints or Socratic questions, and only when you have demonstrated sufficient effort of your own. Otherwise, we would be doing you a disservice, and getting swamped by homework questions at the same time. See also [here](http://meta.electronics.stackexchange.com/a/5120/7036).
Answer 1 (1 votes):
No, it's the 1->0 transition of P (TP = 10) that causes the output to toggle.
================================================================================
|
Discussion Chain ID: 408715
================================================================================
User asked: USB C Spec Compliant way of splitting power
I'm trying to get a Y Splitter going on, where one of the sides is passthrough on the CC pins and the other side has a step down/buck converter that can take 5-20v input and always do 5v output. I came up up with this rough diagram but there's a flaw where if USB C passthrough is not connected, the CC pins on USB C upstream remain floating. I think because of default profile this would work but it seems wrong. What's the correct way of doing something like this? [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fO7e6x.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion:
Comment: " What's the correct way of doing something like this? " Use a hub. I could say more but that's about it. The correct way is with a hub.
Answer 1 (2 votes):
The **spec compliant** way of doing this requires a circuit that speaks the USB protocol (and in particular USB Power Delivery) to both Upstream and Passthrough ports, and is capable of shutting down power to the Always 5v branch. This is because **USB always requires a device to negotiate for the amount of power it wishes to use**. (This has always been true; even original USB required you to negotiate for the full 500 mA and to stop using even 100 mA on request.) In the depicted circuit, Passthrough will negotiate with Upstream, but Always 5v will not participate and so its load will not be accounted for. It is quite possible that this circuit will **work** in your specific case while being noncompliant, because USB hosts often do not strictly enforce power limits. In the cases where it does not work, one of these things will happen, as with any overloaded power supply: the upstream host will shut down output because it detects overcurrent, it will supply reduced output voltage, or permanent damage will occur. Unfortunately, I can't advise you on the specific chips or modules you might use for this purpose, because I only know USB from a "power user" perspective (and a few facts I've heard along the way) and not a device designer's. * * * There are also two things I noticed that are wrong with your "Always 5v" port, ignoring the question of what it gets its power from: * A USB-C receptacle should not supply Vbus power when nothing is connected. [This mistake is known as "Vbus hot"](https://web.archive.org/web/20190324211230/https://plus.google.com/102612254593917101378/posts/GEvCNc5hARR) and it is **dangerous** because it means that you can plug it into another power source (via an A-to-C cable) and one of them will be backfed, possibly causing damage. * 5.1 kΩ resistors are for legacy **device** adapters, not host/upstream/power-supplying ports. If you want to make a "dumb" power-supply USB-C connector, then * It must be a **plug** , not a receptacle. * [The CC lines should be connected to Vbus with 56 kΩ as if you were producing an A-to-C cable](https://www.chromium.org/chromium-os/cable-and-adapter-tips-and-tricks). * The D+ and D- lines should be shorted (as for a USB Battery Charging port). This way it is equivalent to the result of plugging an A-to-C cable into a USB Battery Charging type-A power port. Given this, it would be simpler and more widely usable to provide a Type-A receptacle with data lines shorted (USB Battery Charging 1.2 device), and use a commercially available A-plug-to-C-plug cable, unless you specifically want to reduce physical bulk.
Discussion on this answer:
Comment: This makes sense. I wonder how other devices do this when they have hubs that power multi USB A ports + potential passthrough. They seem to have solved the problem I'm trying to solve.
Comment: @Mr.Adobo Hubs have USB controller chips in them doing the necessary negotiation. And even then, most of the USB-C hubs currently available don't support arbitrary configurations, which is why they often have the form of a bunch of USB-A ports or other non-USB ports, plus _one_ designated power-input port. It's possible to make a fully general USB-C hub, but it's not easy and cheap yet.
Comment: "It must be a plug, not a receptacle." Meaning it has a captive cable?
Comment: @endolith We could imagine a device with a rigidly attached plug, or a cable with a non-USB connector on the other end, but a captive cable is the practical form, yes.
================================================================================
|
Discussion Chain ID: 408713
================================================================================
User asked: Using B0505 for connecting phone chargers in parallel
I am planning to charge four 18650 Li ion batteries that are connected to four TP4056 in parallel making 4 amps in total to charge them in their usual rate. I was thinking of connecting two 2 amp phone chargers in parallel to charge the circuit but found this [article](https://electronics.stackexchange.com/questions/107469/connecting-phone-chargers-in-parallel) that it won't work. 1. Can I use a B0505 to isolate the connection in between these two chargers? 2. I only managed to find 1-3 watts of B0505, I calculated a 10 watt B0505 to allow 2 amps to flow through, Can I also connect B0505's in parallel?
Answer 1 (0 votes):
1, 2 No , it's pointless to use B0505 you will have the same issue connecting the outputs in parallel. Better use two resistors 0.1 ohm in series with each phone charger ( I suppose you have two 5V USB wall adapters) that will balance the current. TP4056 can work down to 4.5V so the voltage drop on the resistors is insignificant. **Edit following the comment I will explain better why putting two identical 5V wall adapters in parallel is not such a bad idea at it seems.** This is not similar with two batteries in parallel, the adapters cannot sink current like a battery can. The battery with a lower voltage will sink current from the other battery maybe heating up and discharge the other battery. The adapters have a diode that prevent them to sink current when the output voltage is higher than nominal. Even the ones without a diode are acting the same. What happens is that the internal regulator circuit shuts down slowly and do not transfer power to the output. For small amounts of overvoltage this is reversible and when the voltage is lowered the regulator will transfer power to the output again. For higher overvoltages the regulator might activate a protection and require unplug to work again but for small, in the accepted range, overvoltage this is not happening because small transitory overvoltage is normal when you plug or unplug a load. Also if you force a higher load than the nominal the voltage will drop due the maximum power limitation of the adapter. Again, as long as the voltage drop is not to high this is also reversible. Actually this voltage drop is used by phones and tablets to detect the maximum current that can be sourced by the wall adapter by increasing the charge current until the voltage drops under the accepted limit (usually 5V). So when you connect in parallel two identical adapters with slightly different output voltages if the load is requiring under half of the power the higher voltage adapter will source all the current, then form half to full power the other one will source the additional current needed. Adding the resistor will balance the current a bit, still the the highest voltage adapter sourcing most of the current needed. If you're asking, I did that many times and in practice it works, never had any issues.
Discussion on this answer:
Comment: just to confirm, balancing the current would be the greatest issue right?
Comment: @kit It's not really an issue, because it's a longer explanation I will put-it in my answer.
Comment: Can I have a comment for the downvote? If somebody ever burned a wall charger in this way please share your wisdom with us. I did that ,it worked and I explained why.
Comment: thanks for the added explanation, your method seems reasonable. But the slightest doubt I have because of the uncertainty makes me think of another solution. My circuit requires a 4 amp supply, 3 solutions, 1. your method. 2. a DPST switch to split two TP4056 and have each pair connect to their own respective 2 amp supply(total of 4 amps) or to just 1 (2 amps only with half speed/slow charge). 3. find a 5v 4amp charger and have its output compatible to usb micro port. I'll try them all and report back if I have some results.
Comment: @kit Agree. Both 2 and 3 are safer.
================================================================================
|
Discussion Chain ID: 408709
================================================================================
User asked: Is a bigger resistor different from a smaller resistor with same color stripes?
I changed a resistor with same color stripes Yellow, Purple, Gold, Gold on a Pioneer surround system but the only difference was that the I put was a bit bigger. The problem is the system went into protected mode because of an error, I forced reset it and the fuse blew up. Was it because of the resistor I changed? UPDATE: It was **not** a fuse that blew up, It was 2 of D5SBA60 silicon bridge rectifier that blew up. There is leakage from there. I have pics of the 2 silicon bridge rectifiers and the resistor that I changed: [](https://i.sstatic.net/vPd1J.jpg) [](https://i.sstatic.net/65sef.jpg) I measured this resistor in ohms and only shows open line, other one is ok, about 5 ohms. I will be replacing it for a good one, to me it looks like it leaked.
Discussion:
Comment: You could have the tail wagging the dog: A blown component that you *see* may result from another *unseen* fault. Such incomplete troubleshooting may result in cascading failures.
Comment: Perhaps something shorted the power supply like a loose screw?
Comment: Do you mean like a screw that fell and made contact or a screw that was not in all the way? Im thinking it could be either. But not sure, the rectifier both have screws in the middle to keep it cool. Otherwise I did not know how important it was to have them all screwed, I was only going to test.
Answer 1 (2 votes):
> Is a bigger resistor different from a smaller resistor with same color stripes? In general, a resistor can be characterized by three values: * The resistance * The maximum allowed power * The behavior (change of resistance) when the resistor gets heated The color stripes tell you about the resistance (and about the tolerance of that value). So if the color stripes are the same, the resistor has the same resistance. If the resistor's maximum allowed power is too small, the resistor will heat up and may be destroyed (e.g. burn). There is no problem if the resistor's maximum allowed power is higher than required. Although this is not sure I would expect that a "bigger" resistor allows more power than a smaller one. Typically you can forget about the behavior when the resistor gets heated. > The problem is the system went into protected mode because of an error, I forced reset it and the fuse blew up. Was it because of the resistor I changed? You didn't change the resistor just for fun but because your system did not work any more. In this case you can nearly be sure that the resistor was not the only part that was destroyed. If you only change the resistor, the other parts that were destroyed still are destroyed. I guess that these parts caused the fuse to be blown - not the resistor.
Discussion on this answer:
Comment: There's also a voltage rating. 10MOhm and 1000V give just 10mW, but the voltage would not care about a 0603 resistor and just jump over.
Comment: UPDATE: It was not a fuse that blew up, it was 2 of D5SBA60 silicon bridge rectifier that blew up. I know because there was leakage from there.
Comment: Ok, the problem was the speaker output volume was too low, and I read AC voltage and that speaker has lower voltage than all other speaker output. So, I would assume that a bad capacitor caused the resistor and rectifier to go bad?
Answer 2 (1 votes):
> The problem is the system went into protected mode because of an error, I forced reset it and the fuse blew up. Was it because of the resistor I changed? Well, you could have inadvertently changed the resistor for an inductor: - [](https://i.sstatic.net/6keUQ.gif) Or you could have assumed that the component was a resistor when in fact it was an inductor. Either way _might_ cause problems.
Discussion on this answer:
Comment: I checked and it was specifically a fireproof resistor.
Comment: I'm unsure what a fireproof resistor and and, how did you check it?
Comment: correction *flameproof resistor, 1.2w 4.7 ohm 5% NTE, its labeled, I got it from frys. Also I need to update info, it was not a fuse that blew up, it was 2 of D5SBA60 silicon bridge rectifier.
Answer 3 (1 votes):
Typically the larger the resistor, the more power it can handle. For example: [](https://i.sstatic.net/Bzd2g.png) ([Image source](https://www.mikroe.com/ebooks/components-of-electronic-devices/resistor-dissipation)) That, however, would not be the source of the problem you are experiencing, because higher power rating at the same resistance just means the resistor is less likely to blow.
================================================================================
|
Discussion Chain ID: 408706
================================================================================
User asked: How to simulate this pulse in LTSpice?
A quick question, I have this pulse as an input to some device: [](https://i.sstatic.net/GH1HP.jpg) I just need to simulate it in LTSpice. I have the values of voltage obviously, and I know how to simulate that fall time. I just need to know how to simulate that spike at the beginning of the pulse. **Edit** : Here is a close up of the spike, measured: [](https://i.sstatic.net/03kgK.jpg) Thank you!
Discussion:
Comment: PIecewise-linear source function. You're just going to have to make a guess about how long that spike lasts --- is it 2 us or 200 ns?
Comment: I'm sorry but do you mean a voltage source in series? how can I do what you mean? About the spike, I assume I'll guess, I don't know if it matters that much.
Comment: Okay so I've thought about what you said about the spike so I added an image of it as well...
Answer 1 (4 votes):
You could try something like this: [](https://i.sstatic.net/ZGbm4.png) Where you can use the measured values (overshoot and ripple) to determine the frequency and damping. \$M\$ is the peak overshoot, \$\zeta\$ is the damping. $$M\approx 1-\frac{\zeta}{0.6}$$ $$\omega_d=\omega_n\sqrt{1-\zeta^2}$$ $$T=\frac{2\pi}{\omega_d}$$ Note that your sampling frequency is not quite enough to precisely determine the parasitic oscillation, so you will have to rely on your "guts", as well. I used the dice to throw some values there, for exemplification. Also, I exaggerated a bit with the very small value for the rise time, compared to the period, but that's up to you to test. Optionally buffer the output if you're not comfortable with that parallel RLC driving whatever it is that comes afterwards. You could also use a `PWL` source, as suggested in the comments, but that will onyl give you what you _see_ on the oscilloscope, as oposed to what actually _is_. If you're fine with that, godspeed.
Discussion on this answer:
Comment: First, thank you for your answer. I don't really understand how I can find the values of these variables though. is *M* measured in volts? is damping measured in seconds? And what is w? 2*pi*f?
Comment: @Eran I would've edited my answer, but it may be more affective if you searched for "2nd order time response" and follow up some of the links, because it really is a bit of explaining. What I did is a mashup, a quick example, but another possibility is to simply use a voltage source with a lowpass RLC, set up properly. And all this implying that the overshoot you have is 2nd order, not more. Still, it's not a bad path to follow.
================================================================================
|
Discussion Chain ID: 408698
================================================================================
User asked: Can double-pole breakers trip each side separately?
How many of you have used double pole breakers? Are double-pole breakers just two single pole breakers physically joined? Someone stated that only one side of the double pole breaker provided short circuit protection. Picture below is the exact GE model. Anyone familiar with it? Does only one side trip? The person who tested the 2-pole breaker to have only 1 side tripping is an US citizen who has done many tests with it. See the middle of this blog. <http://myphilippinelife.com/philippine-electrical-wiring/comment-page-1/> Could it be a counterfeit product? Quoting him: > "The assumption that the two halves of DP breakers can serve as SP breakers proved to be very wrong. The double-pole breakers are NOT just two single pole breakers physically joined. We found this out the hard way when we had a total short in one of our circuits and the 20 amp breaker did not trip, but instead melted a #12 AWG wire. This must have been a huge overload, far beyond 20 amps. > > We then tested the breakers on a test circuit. We found that only one side of our double pole breaker provide short circuit protection. It’s unknown which side may provide over current protection. Presumably, breakers made to be used as single-pole provide both protections in a single breaker, as do double-pole breakers used as a unit." I need to know this because I'm powering up 240v load and there is ground wire to the enclosure. If not both can trip, what would happen if the live line that shorts to the enclosure is connected to the breaker side that doesn't have short circuit protection?
Discussion:
Comment: There are some “2pole” breakers that have protection on the phase side and the neutral is just a switch. Don’t expect the seitch to offer protection... usually obvious as one is thinner...
Comment: I would, as a non-expert layman, expect a double pole breaker to be a breaker that cuts both sides if it trips. Nothing about that name suggests to me that both sides of the circuit have breakers in them, just that both sides get cut. That may be a bad interpretation
Comment: Where did you find that comment? We can't analyze it out of context.
Answer 1 (6 votes):
There is no need for confusion, one just needs to **read the specifications**! You have 1p breakers, one protected conductors. You have 2p breakers, two protected conductors. You have 1+n breakers, one protected conductor, one switched conductor, polarity sensitive. And 4p or 3+N for three phase with or without neutral protection. Look at the symbols. One protected conductor. [](https://i.sstatic.net/Mf0Xt.png) Two protected conductors. [](https://i.sstatic.net/tHfm1.png) These symbols are printed on the unit.
Discussion on this answer:
Comment: The symbols on the 1+N tell even more. The tiny **x** says only the 1-2 switch has the 3/6/10kA switch-off capacity printed on the device, while the N-N switch has to be switched off under no current conditions. There is a mechanical arrangement to ensure that for the "normal" use case.
Comment: The X indicates it is a circuit breaker. Both have the T part, indicating a isolator/disconnect switch, and it is it not a simple signal switch without T part.
Answer 2 (1 votes):
A two-pole circuit breaker is effectively two single pole breakers with their handles tied together, so that when either breaker trips, both will be turned off.
Discussion on this answer:
Comment: Pls read updated post above. Someone has tested the GE TQL line and he confirmed only one side of the 2 pole offers short circuit protection.
Comment: Pls see edited main post for the identity of the person and the tests.
================================================================================
|
Discussion Chain ID: 701739
================================================================================
User asked: Reference Voltage Tracking for DC-DC boost converter
I have a boost converter which works perfectly with an s-domain controller (using a type-3 compensator and dual loop). Now, I need to do this using digital control (z-domain). I have converted the s-domain tf to z -domain using c2d with tustin/prewarp. The Bode plots match for s and z. But controller does not track the 48V reference. Instead it just reaches 38V as shown in graph. I do not recognize why the controller does not track the 48V reference. Does it has to do something with c2d command or the blocks are wrong in simulink? **Boost Specs:** * Vin = 30 V * Vout = 48 V * L = 10 mH * C = 220 μF * R = 10 * fs = 10 kHz **Gvi = s1 , Gid = s2** s1=(0.03372*s^2+168.8*s+1.35e5)/(s^3+1045*s^2+45000*s); s2=(9.151e5*s^2+9.152e10*s+9.151e10)/(s^3+1.015e6*s^2+9.151e10*s); z1=c2d(s1,0.001,'prewarp',2*pi*100) z2=c2d(s2,0.001,'prewarp',2*pi*100) The repeating sequence frequency is 10 kHz. The square wave generator frequency is also 10 kHz. [](https://i.sstatic.net/zfJD2.jpg) [](https://i.sstatic.net/UFb3x.jpg)
Discussion:
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.
Comment: Sorry my bad. I tried some changes in the statement and highlighted the problem.
Comment: @Boost_Guy What is your question?
Comment: My question is what am I doing wrong that in z domain the boost converter does not track the 48V reference.
Comment: It's nearly working actually.
Comment: Yes it is. But still not working as good as it was working in s domain. In s domain it was actually tracking 48V. But in z domain it does not track 48V. I tried different z transfer functions with different sampling time and critical frequency but it does not work.
Comment: I'm not super familiar with Simulink these days but does it track below 38V? If it does, then something may be saturating
Comment: If I use 40V as reference then it will track till 33V. If I use less than 40V reference then tracking fully fails and Vout=Vin=30V.
================================================================================
|
Discussion Chain ID: 408696
================================================================================
User asked: What would an acceptable replacement be for a discontinued Motorola HCT174A?
I am trying to replace a Hex D Flip-Flop on an Amiga A4000 motherboard. The original chip has the label HCT174A XAA346 [](https://i.sstatic.net/WqqK7.jpg) I believe the datasheet describing this is the [MC74HCT174A](https://pdf1.alldatasheet.com/datasheet-pdf/view/4356/MOTOROLA/MC74HCT174A.html) (though I can't find a reference to the `XAA346`), however, a BOM for the Amiga Motherboard lists 74HCT174, SOIC package 74HCT174, SM, EIAJ Package (as an subsititue) When when I search Mouser.com I find [5 possible choices](https://www.mouser.com/Semiconductors/Logic-ICs/Flip-Flops/_/N-55d5e?Keyword=74HCT174%20SOIC&FS=True) and the [TI CD74HCT174M](https://www.mouser.com/ProductDetail/Texas-Instruments/CD74HCT174M?qs=sGAEpiMZZMvxP%252bvr8KwMwD64K6n%252b0blWpUBIr7RET4I%3D) ([datasheet](http://www.ti.com/lit/ds/symlink/cd74hct174.pdf)) seems like the correct choice, is there anything to keep in mind when sourcing a replacement?
Discussion:
Comment: What did that? battery acid? all the copper is gone, it looks very hard to repair.
Comment: yeah battery acid, I actually have a reprinted A4000 D Rev. B motherboard that I am transferring the non-damaged original chips over to. Amazingly when I received this motherboard it actually booted with this damage, though some diagnostic software suggested it was slower than Amiga 5000 so I'm sure some bizarre things were going on inside.
Answer 1 (4 votes):
74HCTxxx is a standard logic family (just as 74HCxxx, 74LSxxx, 74ALSxxx, etc.) All manufacturers were supposed to abide to the same nomenclature, input and output logic levels, fan-in, fan-out, and timing. Parts within the same family are supposed to be manufacturer-independent. Furthermore, 74HCT parts were designed to interoperate with both 74HC and 74LS parts, to give more freedom to the designer.
================================================================================
|
Discussion Chain ID: 408690
================================================================================
User asked: Disadvantages of Buying FT2232H Chips of Uncertain Origin
I was planning to buy [this FT2232HL](https://www.aliexpress.com/item/FT2232HL-USB-to-UART-FIFO-SPI-I2C-JTAG-RS232-module/32946861816.html) FTDI board from Aliexpress for basic FIFO applications. It is obviously fake; being cheaper than the entire chip itself and having no "FTDI" marking on top of it. I was wondering, what should I expect from this product in terms of performance and endurance? Will this device function properly or simply missing a key feature that is not noticeable at first look, such as the 4K buffer or some important protection? No need to mention infamous "FTDIgate", I suppose. I'm basically an electronics hobbyist, so simple words really appreciated, although not necessary. Thanks...
Discussion:
Comment: I have some devices here that were built with FTDI "behave similar" IC -- the CH340G/CH341G. You might be referring to those. If so, they are not exact duplicates. They solve similar problems, but I think they require slightly different drivers under Windows, for example. So far as the devices I have here? They work just fine. I've had no problems. But I haven't made extensive use of them, either. Mostly, I've just lost any fear in using them, I suppose.
Comment: not everyone pays digikey's retail price.
Comment: FTDI could brick them with a driver update
Answer 1 (7 votes):
I would recommend you to buy something else. FTDI is known for their practices, they're updating their drivers so they brick/damage non-genuine chips. It's not worth to buy FTDI chips from china (sometimes are affected even chips from reputable sources). I would recommend another chip from another vendor. Like CH340 etc.
Discussion on this answer:
Comment: Comments are not for extended discussion; this conversation has been [moved to chat](https://chat.stackexchange.com/rooms/86233/discussion-on-answer-by-chupacabras-disadvantages-of-buying-fake-ftdi-chips).
Comment: This would be a useful answer if the question were about the common FT232RL, but it is actually about a very different, more specialized and more obscure product, the FT2232H
Answer 2 (3 votes):
Disadvantage, if it doesn't work as described in the datasheet, you have no guarantee of support, possibly no refund, and wasted time. Really bad fakes may damage something. That's basically it for a one off project part. The problems really come in at scale, for commercial products or products that can result in safety hazards. Recall costs, litigation, factory rework, bad p.r. etc.
Answer 3 (1 votes):
To the best of my knowledge, there are no fake FT2232 chips. In the wild, only fake of FT232RL and FT232BL have been spotted. I have used the very same purple CJMCU FT2232H board (bought from ebay) for doing JTAG. It worked just fine.
================================================================================
|
Discussion Chain ID: 408688
================================================================================
User asked: Raspberry pi zero + Arduino Lilypad
I was hoping to make a gesture+flex sensor controlled glove using an Arduino Lilypad and Raspberry Pi Zero W. I was wondering how I could connect the two boards to communicate between them? This is so I can take the flex sensor/accelerometer outputs, play with them in python, then send data over wifi to my pc Thanks in advance.
Answer 1 (2 votes):
Raspberry pi and lillypad both have logic-level UARTs, that's probably the easiest way. If you're running the lillypad from 5V you'll need a logic level converter for the interface with the 3.3v UART on the raspberry pi SPI is also an option, but again you'll need a level converter. Some lillypads have USB if yours is one of them then that'd work too
Discussion on this answer:
Comment: Thanks Jasen, if I connect the raspberry pi to the Lilypad via USB-MicroUSB, will that supply 5V current? And can they communicate through the USB port?
Comment: some lillypads have USB if yours is one of them then that'd work too (edit)
Comment: Thanks, do you know how to grab the input that is coming through the USB port on the RPi? *EDIT**I will ask stackoverflow if you consider this a programming question*
Comment: `/dev/ttyUSB0` probably. or ask on "rasp-berry pi".
================================================================================
|
Discussion Chain ID: 408686
================================================================================
User asked: Modifying USB 2.0 Hub to use an upstream Type C connector won't communicate Data
I have taken a [cheap Amazon Basics USB 2.0 Hub](https://rads.stackoverflow.com/amzn/click/B003M0NURK) and have started soldering wires on it with a [USB C plug breakout I bought from Pololu](https://www.pololu.com/product/2585) I soldered the Vbus, Gnd, D+ and D- respectively from the USB C to where the Upstream USB A is on the hub and while the power is working fine, the Data pins don't seem to communicate effectively. I think this has to do with the fact of using a random wire to do this which might not be impedance matched (or something along those lines) but I have no idea how to debug this and solve the problem. I am not trying to plug both the A Male and the C at the same time, just left them there both for testing. The A male plug still works fine but my C plug won't transmit data correctly. I already checked if based on the sloppy soldering anything was shorted and all connections are good. While what I want is for this to work, I also don't know how to debug this so any help or hints into what to try to find the issue and fix it is greatly appreciated. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fKGG3q.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) [](https://i.sstatic.net/5wnCf.png) [](https://i.sstatic.net/4WIDi.png) [](https://i.sstatic.net/vEOJ2.png)
Discussion:
Comment: What do you mean by a "splitter"? Can you share a schematic of what you built?
Comment: @ThePhoton Just removed that part because it's not really relevant. Sorry for misleading you. The tl:dr is I want to change the upstream USB A to an Upstream USB C for now, but the Data pins aren't working.
Comment: Can you share a schematic of what you built? "I just started soldering wires onto it" doesn't tell us much about what you built.
Comment: I'll try and whip one up in LucidChart. If you have any suggestions on better software to draw the diagram I'm all ears.
Comment: Click on the schematic button while editing your question and you can use the built-in editor. It's not perfect for this situation, but will do the job.
Comment: @ThePhoton done.
Comment: As long as you don't connect both the USB A and USB C at the same time, this could work in principle. Are you trying to use it at Full Speed (12 Mb/s IIRC) or High Speed (400 Mb/s)? How long are the wires from the original circuit to the USB C? (A photo might help)
Comment: Wires are around 8 inches long. I just cut a piece of speaker wire I have that I use for hobby projects. I'll add pictures in a sec.
Comment: @ThePhoton added some overall pictures but I can take more specific ones. also added a link ot the cheap hub I tore open.
Comment: 8 inches is going to be a problem for High Speed connections. Try to make the wires as short as possible (1" or less if you can).
Comment: I'll give that a shot in a sec. Would cutting an already working USB Cable and using those wires help? or will cutting them change the impedance and make them not work anymore?
Answer 1 (2 votes):
There are two fundamental problems with this re-work: 1. You cannot use "speaker wires" to transfer USB signals. If anything, you should use a piece of standard USB cable for this. USB data lines must have 90 Ohm (+- 15%) differential impedance to work properly. You can't debug this and the only solution is to use proper USB 2.0 cable (which has D+/D- as a shielded twisted pair), and make soldering ends as short as possible. 2. You cannot "split" the connection and keep your old cable. It means that you need to cut off your old cable, you can't have a fork on USB data lines. Hanging ends of cable will produce horrible signal reflections, and USB doesn't like it at all. To debug the USB connectivity issues you need a USB protocol analyzer, something like Teledyne-Lecroy Mercury T2, or Total Phase Beagle 480, or Ellisys Explorer 260, which run for $500-$1000, or maybe some cheaper clones from Alibaba or eBay.
Discussion on this answer:
Comment: Would you suggest splicing the A end and then attaching my C breakout on the spliced ends?
Comment: @Mr.Adobo, yes, this would be a solution. Just make sure that both R1 and R2 resistors are soldered. More, since you are using Type-C receptacle (not plug), you need to use both sides of connector A6+B6 for D+, and A7+B7 for D-.
Comment: Thankfully the breakout board I got handles all that. I'll give this a shot now. Thanks for the input!
================================================================================
|
Discussion Chain ID: 408683
================================================================================
User asked: use battery to generate weak electric field?
i am a biology student interested in how marine animals react to weak electric fields. My professor and I want to do a trial experiment and were hoping to rig something up ourselves for cheap. Is there a simple way to generate a very weak electric field in sea water (on the order of microvolts)? I thought of using a battery with two leads placed about 1 cm apart to generate an electric field that is essentially localized to the ends of the lead. A 1.5 volt battery is way too strong though. Would it work to add resistors? How best to calculate the amount of resistance needed - or is this just ridiculous to even consider? Is there an off-the-shelf solution? Or do I need to tell my professor this is impossible without specially engineered equipment?
Discussion:
Comment: You're going to want to know the conductivity of your water, I think. Note that microvolts is not a unit of electric field; electric field strength is measured in volts per meter.
Comment: And by the second part of that comment I mean: please clarify your requirements. I suspect this will not be that difficult a thing to do, it's just not clear exactly what you want to do.
Comment: It is not tremendously difficult to generate small voltages, even at substantial currents. You should talk to your professor to better define what you want to test and bring the information back here to get better advice. Describe the range of signals you'd like to test, the ideal test space (do you *want* your electrodes 1cm apart or would it be better to have a large chamber and electrodes 1m apart? Is this a device to roam the sea floor with, or do you intend to use caged fish?
Comment: My first thought is put a resistor in series in the circuit, to make a voltage divider using the resistor and the seawater. The resistance you need in the resistor would be related to the seawater's resistance, so you'd have to measure that.
Comment: There is a difference between an electric field and a current. Using electrodes will generate an electric field AND a current that will corrode the electrodes and introduce electrolysis products into the water. Capacitively coupled conductors will not produce either a current or electrolysis.
Comment: @EdgarBrown The *corrosion* depends on the materials used for electrolyte & electrodes. [Graphite](https://en.wikipedia.org/wiki/Graphite#Electrodes) is pretty inert for your typical electrolytes, meaning that it does not corrode as much, compared to other materials.
Comment: @HarrySvensson I used “corrosion” as a layman shorthand for the more appropriate terms reduction/oxidation (redox) reactions. Even though carbon itself is relatively inert, at a high enough voltage (as little as 1V) all conductive materials (including salt water) will undergo redox reactions.
Answer 1 (1 votes):
There are two main problems with creating a known stable electric field in sea water to see its influence on marine animals. 1) When a current passes through sea water it changes the chemistry. I would wager that sea animals also respond to the gradients of chemicals that would be released by the action of the current just a strongly as to the electric field. It's a major part of the experiment design to separate the two effects. 2) The voltage measured between electrodes and the sea water depends on the electrode material (think battery), and the recent history of the current that's flowed in or out of the water in the vicinity of the electrode (in batteries, this is called polarisation). As the current flows, and as time passes, the polarisation potential changes. This means that what you measure on the electrodes could be a volt or so different from the potential in the free body of sea water. Trying to establish what the electrical field in the water is, to \$\mu V\$, using measurements at electrodes that could be a varying volt or so wrong, is clearly doomed. It's going to very easy to poke a couple of wires from a battery into a test cell and see animals react. It's going to be very hard to do it in a way that's _reproducable_ , especially by others. I think your best bet, even for a 'quick look see', will be to use a 4 terminal setup (look up Kelvin connection). Use a porous pot, or similar semi-permeable membrane, submerged in a larger vessel. Your animals and sense electrodes go in the pot. Your drive electrodes are outside the pot. This will isolate chemical changes at the current carrying electrodes entering the experimental area. Sense the field within the pot with an identical pair of non-reactive electrodes connected to a meter. Platinum electrodes would be good and reproducable, though stainless steel, nickel or carbon might do for an initial test. Drive the field with a pair of electrodes outside the pot. Similar considerations for electrode materials, though they don't need to be identical. Initially, an adjustable lab power supply will be all you need, keep adjusting it by hand to keep your sensed field constant. Later, you can add a feedback amplifier to drive the electrodes to keep your sensed field constant. The amplifier is the easy bit, come back here once you have the rest of the setup going, and we can help you with that.
Discussion on this answer:
Comment: As the question talks about “electric field” a purely capacitive setup should also work.
Comment: This is really helpful. We will try this pot-in-a-pot approach. To clarify what we want to do, we have a 30 gal aquarium into which we'll introduce starfish and other invertebrate animals. We want to see if the animals will be attracted to or avoid or ignore a localized electric field. Clearly we need not to electrocute the animals and we want our electric field to be small and relatively reproducible. Thanks!
================================================================================
|
Discussion Chain ID: 408681
================================================================================
User asked: Why does this crystal oscillator have a window?
I came across [this](https://www.digikey.com/product-detail/en/epson/SG-3040LC-32.7680KB3-PURE-SN/SER3697TR-ND/2403389) device just now, and I can't think of any reason for it to have the window that it has. [](https://i.sstatic.net/xBcgz.jpg) This isn't just a cutaway display image, either; the datasheet specifically mentions that you should avoid getting glue under it to avoid cracking the glass: [](https://i.sstatic.net/9Itsr.png) So, what is the purpose of this window? Surely it increases the cost of manufacture, so it wouldn't be there without some good purpose, right? I can't see it being for trimming, either, as [what seems to be exactly the same part](https://www.digikey.com/product-detail/en/epson/SG-3040JC-32.7680KB3-ROHS/SER3696TR-ND/2403388) is also offered in a different package that doesn't have a window.
Discussion:
Comment: Probably some type of trimming of the frequency has to be done in manufacturing after packaging. Once the trimming is done the window goes on. Or possibly the part can be laser trimmed through the window, though I'm not sure if that's possible.
Comment: @JohnD I looked into that after you commented and found that the same part is sold in packages without such a window as well, so while it was a "wait why didn't I think of that" level of obvious answer, it doesn't seem to be the right one. Details appended to the question.
Comment: Another guess: the window package is low-profile (1.2mm) others are thicker. I'm wondering how a lead-frame can be encapsulated in pure epoxy and still leave wiggle-room for the tuning-fork? Maybe a pure-epoxy mold requires more height than a thin-glass cap to assure clearance.
Comment: Is it possible that Digikey shows a windowed version only to illustrate what is inside the package? Rather than to suggest you can get windowed parts? The datasheet they link doesn't (to my reading, anyway) show a windowed option.
Comment: Oh well, guess not then. Sounds like @glen_geek may be on to something though.
Comment: @jonk I've added an image highlighting the part where the datasheet mentions the use of glass in the package. A cutaway view was my first thought as well, though I've never seen digi-key do one before, but seeing that in the datasheet was what really made me wonder.
Comment: @glen_geek Hmm, that would make sense.
Comment: Well it can't so we can see if it's vibrating (Only kidding - the glass will be facing the PCB.) I'd go with the laser trimming. Remembering that the old EPROMS had quartz windows on them that passed UV you might find that these are UV laser trimmed.
Comment: @Transistor What do you say to the fact that it also comes in packages without a window, then?
Comment: @Felthry: I say nothing!
Comment: The tutorial from Epson https://www.digikey.com/en/ptm/e/epson/spxo-and-vcxo/tutorial implies that the crystal is encapsulated in a ceramic package and that the chip is either inside this package or the package and chip are embedded in a plastic package. I am guessing that the lowest profile is obtained when one side of the ceramic package is exposed and that this glass is part of the ceramic package. Perhaps it isn't practical to encapsulate a crystal in plastic alone?
Comment: @SteveHubbard has it right. The crystal has to be hermetically sealed preventing gas migration into the chamber, so plastic alone will not work. Glass is an excellent material for creating gas-tight hermetic seals with through-conductors.
Comment: @SteveHubbard Could you write that up as an answer so I can accept it? Thank you!
Comment: @JohnBirckhead I did ask Steve to write it as an answer, but I think you might have something to add too, so I thought I'd give you a ping.
Answer 1 (7 votes):
@SteveHubbard has it right. The crystal has to be hermetically sealed preventing gas migration into the chamber, so plastic alone will not work. Glass is an excellent material for creating gas-tight hermetic seals with through-conductors. The crystal chamber will be filled with a dry inert gas or a vacuum.
Answer 2 (3 votes):
The tutorial from Epson digikey.com/en/ptm/e/epson/spxo-and-vcxo/tutorial implies that the crystal is encapsulated in a ceramic package and that the chip is either inside this package or the package and chip are embedded in a plastic package. I am guessing that the lowest profile is obtained when one side of the ceramic package is exposed and that this glass is part of the ceramic package. Perhaps it isn't practical to encapsulate a crystal in plastic alone?
================================================================================
|
Discussion Chain ID: 408679
================================================================================
User asked: What LED driver should I use
I am wiring up a house where the kitchen has multiple LED strips. All I have is a wire hanging out of the light strips. And as the LED lights are built into the cabinets I cannot get inside them to see any labels on current, voltage etc. I have multiple LED drivers in the house but are not sure which one goes on which light. Is there an easy way to figure this out?
Discussion:
Comment: Can you fit a camera in there? Or a cheap endoscope? Do you have any information about the original driver? Unless it's a custom job it is very likely 12V or 24V drive, but are you sure a driver isn't already embedded? If so the wires may require line voltage, and the nature of the bit sticking out may provide hits. You may need to experimentally determine the rating. If you get a dimmable current driver and a voltmeter, you can slowly increase drive current while you watch the brightness, and when you reach a plausible brightness at a standard voltage measure the current. A bit risky.
Comment: Thanks, I inherited this job from a person that left the company. He has left multiple 12v and 24v drives laying around the site with no indication as to what lights they go on. No driver is not embedded as very thin wires coming out of light and we have the drivers. Yes we have info about the drivers, its just a matter of matching them up to the correct lights. The lights are strips built into the cabinet and I cannot see any way to get into them without damaging them, even an inspection scope would be hard to get in.
Comment: Thin wires? How thin, about what gauge? Are the drivers constant voltage or current? Any adjustments possible? What are the current ratings of the drivers? Manufacturer and part number? What can you see regarding the strips? PCB or tape? Color? Length? Can you see components, e.g. resistors? How about some pics of the strips, cabinet, wires, and drivers?
Comment: Yeah guage and the exact label on the casing would help. If you really need to be sure, stick an endoscope in there or try to find the purchase records. It is very unlikely you will burn the LEDs out if you try the 12V driver first, but yeah, due diligence first. 24v drivers will almost instantly burn out 12V leds.
Answer 1 (3 votes):
You said you cant get to the lamp. How will you change the lamps in the future? You really do need to get in there and find the label with the specifications. Or you can contact the cabinet maker/installer. Then size your power supply according to the lamp power requirements.
Discussion on this answer:
Comment: It's probably high end custom cabinetry and he's probably trying to figure it out without involving the millworkers. If they have to return to site and take apart something fancy, even for a short visit it could run $300+damages. Because of their long life, I've seen LEDs used in quite a number of "semipermanent" installs, especially in areas with fine finish. @WaynePatt Do make sure you thoroughly check if there's an easy uninstall method for the cabinets. Some mounting methods are surprisingly easy to pop open once you figure out how they work but still feel rock solid.
Answer 2 (0 votes):
More information would help. especially about the drivers. See my comment. Knowing as little as I know now, I would use a constant current LED driver with a wide supply voltage range and current adjustment from zero to full power. I would set the current to about 20 mA. If they emit any light, measure the voltage. Decrease the current to 10 mA and measure the voltage. If the voltage is the same, then there are no current limiting resistors. If they do not emit any light, then incrementally increase the current up to 100 mA. Measure the voltage. You could also use a voltage supply with current limiting. Set the current limit low and increase then voltage while monitoring the current. LED strips are powered with voltages that range from 5v up to hundreds of volts. Without knowing more I cannot even guess what test voltage/current ranges to use. If you had no drivers I'd start with a 24V CC driver like a Mean Well HLG-40-24B, emphasis on type B for a wide range current increments. If no light is emitted than a 36V then a 54V. Even description of the strips could help, even just length and width.
================================================================================
|
Discussion Chain ID: 408678
================================================================================
User asked: Digital Circuits (GATE)
For two input AND gate what will be the output if one input is 3.3v and other input is 5v? Ref: VCC=5v, GND=0v.
Discussion:
Comment: What does the datasheet say?
Comment: What are your thoughts? What do you think might affect the output?
Comment: Also, what logic standard? CMOS or TTL will give the same result for this particular question, but there are others out there: ECL, CML, ...
Comment: This is completely unanswerable without more information. Provide the specifications for the specific AND gate you have in mind.
Answer 1 (1 votes):
It depends entirely on what logic family the gate comes from. If it's a TTL gate, the output will be high, because any input above about 0.8 V is considered high. If it's an HC family CMOS gate, in principle there's no guarantee what the output will be. To be a valid high input, the voltage must be at least \$0.7 \times V_{dd}\$. Realistically, 3.3 V will always be effectively high, and the output will be high, but specifications like propagation delays will not be guaranteed. If it's an ECL gate, 3.3 V is too low to be a valid logic high and the output will be low (low being a voltage between \$V_{cc}-1.95\$ and \$V_{cc}-1.63\$ for the MECL 10H family). Of course there are many other logic families, so you should be sure you know which one you are using when trying to answer this kind of question.
================================================================================
|
Discussion Chain ID: 408677
================================================================================
User asked: Dim 20ma LED in retrofit application
I've done a day of research and haven't found a clear path to my problem. I thank you for taking the time to help! Retrofit application in 1985 VW Jetta (MKII). My instrument cluster lights, the ones that actually shed light onto the gauges, are stock incandescent. Marked 12v and 1.2 watts _Everything is in DC._ [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f4ZOgh.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Ok, in the schematic, I couldn't find a symbol identical to what is in my manual, but I believe them to be the same. To understand the Bently wiring diagram/manual: thin lines are internal connections with in components, I believe the wiper and one post of the integrated dimmer pot are internally connected. Bold lines are actual wires. VW's part number for the switch unit is 191941531A [](https://i.sstatic.net/FyKUw.jpg) Second part of understanding the manual is terminal I.D.'s. \--Terminal 30 is 12v+ coming into switch, \--Terminal 58b is output from pot to dash illumination lights, \--Terminal 58 is output power to parking lights, more importantly it is internally supplying 12v+ to pot when the switch is turned on, \--The remaining terminals should not be of concern in this project. I've tested the pot with my meter and ranges from 0.002 ohms up to 25 ohms, so it tests to be 25ohm pot. I want to replace the incandescent bulbs with plain-Jane, oldschool, 20mA 5mm Red LEDs. I can simply plop in my LEDS, 3 in series, with a 470ohm resistor at the tail to ground. I can then supply 12v and have lights, easy peasy. I've factored a max voltage in choosing 470 resistor of about 14.5-15v. That should provide a safe buffer, and I don't mind if the LED isn't at "FULL" power since after all they aren't linear devices and I can't physically detect a difference between said voltages. Even if at 12v, it was slightly dimmer, so be it. To complicate matters, I want to be able to dim these 3 small LEDS, ideally using the stock dimmer pot, which is part of the main headlight switch. But I am well aware that LEDs need their current limited, where as incandescent's can be controlled by a pot(voltage i think), and that trying to control and LED with a pot(voltage) is not the way to go. Yes, a pot, if used with an LED, will create a "hard to use" curve, where it's either on, or has an extremely low travel to get to dimming; among other problems. It doesn't work with what I have since I've tried it, where in my case they just stay on no matter what I dim the pot to. How do I take some of the ways to limit current, control the LEDs with the stock pot, and get the desired result? I'm not sure I follow how to use buck drivers, or PVM, or other ways to tackle this. Can a 555, opamp, or LM/Txxx regulator work, and basically make a small "relay" that is controlled by the stock pot? What I have worked out so far, but doesn't dim as desired: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fz7e54.png) [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fsgXhb.png) I'm looking for simple. I'm not trying to "save power", or go to any extremes, just want to design something simple, easy, and that I can plop into place w/o redesigning the wheel. Thank you again! :EDIT: Arrow 1 is pointing out the old bulb sockets. Unfortunately the bulbs that fit in only made contact to the old style circuit foil, and not to any connector and wires. So I can't use the old bulbs,e tc. Arrow 2 is pointing out the LED bar I'm only using for testing and playing around, but the 3 red LEDs I plan to use will fit in a similar manner. Arrow 3 is showing it nicely fitted into where it needs to go. You can get a glimpse of where the wire is running to [](https://i.sstatic.net/4RPDR.jpg) Arrow 4 shows the position of the board that will supply power to the LEDs, and a close up of the spot where I will place a screw terminal for the two wires that will power the LEDs. One may notice the spot for the resistor that will tie the LED neg to ground (through a trace on the back side that isn't visible). [](https://i.sstatic.net/kIxQu.jpg)
Discussion:
Comment: For comparison, my old 99 Camry had a rheostat for the illumination dimming. It worked just fine with 3 leds + resistor setup, dimming from full brightness to off. What voltage are you getting after the dimmer pot is reduced? That should tell you how much dimming you should be seeing.
Comment: Ah, the problem is that it's 25 ohms, so at full on, your leds are seeing 500 ohms, so only a small difference in current, like 1mA less so not enough to look dim. Now I'm wondering how my Camry's rheostat works...
Comment: Do you want to continue to use the existing potentiometer for the purposes of dimming? Even if that means some "re-wiring?" Also, where does that wire go, off-image to the right (and also up), from the pot? I see that the two lights aren't the only thing coming off of it.
Comment: Thanks folks. Well, I'm not sure how a rheostat works, I think it's just a potentiometer that has the wiper and one outer post tied together. So I may already have a rheostat and am calling it a pot.
Comment: @jonk-Ok, yeah, so I guess I could disassemble it and rewire it. Ideally, yeah I would like to use the existing control to make it dim, knowing [even preferring] that I may have to add a device.
Comment: @jonk-The other wires you see in the Bentley manual are mentioned in the last schematic: Cigarette lighter illumination bulb, the heater control illumination, and an external oil pressure gauge light (that's the one that will remain incandescent since it is accessible and a common bulb). For the sake of my experiment, we can disregard them if it complicates stuff, but they shouldn't matter. I did trace them all out and they simply go to bulbs that get grounded.
Comment: @Passerby- I'm not seeing much of any change in voltage when I have it connected to a "wall wort" 12v 1.5a power supply, which is much less then what a running vehicle, or 12v car battery put out. Maybe I'm not testing correctly, but using the LEDs to test, the voltage stays the same when I operate the dimmer.
Comment: @JLaf Well, the problem is the load they also present. If they weren't part of the circuit in your Jetta (and I don't know if they are), and the pot was exclusively for the cluster lighting, then that would allow some options in keeping it wired in place. Given that there may be other incandescent attachments in parallel, it complicates things. Incandescents vary their resistance as they heat up. So the circuit will present a complex and varying divider to the cluster section. Eliminating that, by converting to LED, would be helpful.
Comment: @jonk. That answers that, all incandescent bulbs will be replaced with LEDs to make it easier. The cig lighter and heater lights were already replaced with one 20ma green LEDs in each, with some 600-ish resitor on each, then grounded. I didn't [and still don't] really care if they dim, but if they can dim witht he cluster that'd be cool too.
Comment: @JLaf Do you have access to the (+) voltage at the cluster lights (and elsewhere the LEDs would be?) Or do you only have access to ground at those locations?
Comment: Why? What's wrong with incandescent? There are many after market products for instrument panel lighting. General rule is if you thought of it, someone else did too. If it's a good idea, there is likely a product available that is cheaper and easier than a DIY job. Personally I like the LED light pipe products.
Comment: @ Misunderstood, it's a drawn out story. The original cluster "circuitry" was actually a "foil" type circuit; a plastic sheet with wire traces sandwiched between another plastic sheet. It's 33 years old, deteriorating, rare, expensive to replace, I can go on. The illumination lights for that dash are dependent on that circuit foil to work right. It's far easier to mount three 5mm LEDs then to try to somehow make a bulb work again. The old foil has been replaced with a much smaller board I made on EDA. I only have to run a dual wire to the LEDs from the new board> it's getting done. light pipe?
Comment: @jonk, I'm not sure I follow. Let me try to add a pic of the back of my cluster, and the testing LED bar. Thanks again for the input!
Comment: @Misunderstood, I guess I can justify making a few things, after all I designed a PCB and had it produced to iron out the cluster, I see no reason to get lazy now :) Also, the LEDs will last the rest of the cars life, and even one incandescent bulb change can justify doing a little more work now then taking the cluster back out later.
Comment: @jonk, did the new pics help answer your last question? I have the connection for "DashLights", (+) terminal is coming from the dimmer switch output, the (-) goes to the "R-NEW", and the new resistor ends on the ground. Below the "DashLights" terminal is the "Clock" which is straight ground, and always 12v(+).
Answer 1 (2 votes):
You can't draw in "comments", so here is an idea circuit that might get you going in the right direction. You can put as many LEDs in series as you need and you may have to play around with the resistor values. Two potential problems: the pot may not be linear and you have to turn the pot in the opposite direction from where you are now to dim. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fPaM8X.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion on this answer:
Comment: thank you my friend! I will throw some parts onto the project board and report my results. Just to clarify, "Q1", that's a PNP transistor, right? Can you recommend tolerances, or some spec on it? That may the one part I don't have ready in my parts bin:( I'm certain it's easy and quick to find, so if I don't have one, I'll get one asap and test this out! Thanks again John.
Comment: Q1 is a PNP. How it works (I hope):
Comment: Q1 is a PNP. How it works (I hope): With the pot at 0 ohms, the base is about 0.6 volts below the 12 volt rail, so Q1 is off. You may have to adjust the values to achieve this depending on the transistor beta. When the pot is turned on all the way, the base voltage is about 1.1 volt lower than the 12volts, so the emitter is about 0.4 volts lower, meaning you have 0.4/20 or 20 ma. Turning the pot between gives you an adjustable current source. The transistor could see about 10 volts at 20 milliamps or 200 milliwatts, so just about any PNP will be ok.
Comment: Thanks for helping. Well, all i could find lying around was a SMD transistor, marked 2a, which i found was a pnp. i soldered on a couple legs to throw it on my test board, found some resistors, and tried it out. well, the LED burnt out with in a second or three. I rewired with a resitor after the LED, going to ground. It just glowed like normal, but the dimmer switch did dim it by a barely visible amount. I'm gonna order a regular PCB tranistor, and try it again, but i'm thinking some values may not be right,. more testing required, and I'll report my result. THANKS AGAIN for the input.
Comment: i'm more of a mechanical guy, and if I was using mechanical devices i can draw this analogy: I currently have one gear, say 10 tooth. It only rotates 180*, and the old component attached to it rotated where it needed to, back and forth. The new component doesn't move through the same range, so a second "step up/down" gear needs added to change the ratio of output to input. This "second gear" is what I'm looking for electrically. Electronically, I imagine a component can take my incoming weak single and amplify it's "swing", and if I understand correctly , a pnp does that -i think?
Comment: I added a resistor to give you some additional current limit if the transistor fails.
================================================================================
|
Discussion Chain ID: 408674
================================================================================
User asked: What type is this fan motor and how best can I control its speed?
This is from an old Westinghouse fan and I am not clear on this motor type and how to best control its speed. [](https://i.sstatic.net/l7N3r.jpg)
Answer 1 (2 votes):
This is a Shaded Pole Induction motor. Simple, Robust, Ineffecient. Voltage control will work on a fan type of load. This is not ideal but it is simple and robust.
Discussion on this answer:
Comment: So I can apply simple rheostat (resistance) to the line voltage then?
Comment: @Chris1964 No, rheostat control (though it would actually work) is not what you would use. You could use a standard fan Triac control ( an example here: https://www.amazon.com/dp/B004Q01PQI/ref=psdc_13397451_t2_B000X4PMRY) or an autotransformer (fixed switch positions) unit such as these: http://www.fansandspares.co.uk/assets/shop/datasheets/1213782136_Pages_from_big_book_of_fans_&_spares-115.pdf
Comment: Thanks! I found a KB Electronics Solid State Motor Speed Control Part# KBWC-15K which supposedly supports a shaded pole motor and has a triac design. I looked up triac speed control apparently a triac turns on and off really fast (variable to some secondary voltage that is controlled by a rheostat) and turns the load on and off at an adjustable rate. So essentially the fan gets full power but in time slices. Do I have this right?
================================================================================
|
Discussion Chain ID: 731526
================================================================================
User asked: USB-C to 3.5 mm audio jack using MAX20328
I'm trying to build a USB-C to 3.5 mm audio jack adapter using a MAX20328. This is my schematic: [](https://i.sstatic.net/oRBVeOA4.png) What else do I need and/or have missed? I just want basic functionality so I can connect a headset with a 3.5 mm audio plug to the USB-C port of my phone. What are DM_AP1/DP_AP1 and DM_AP2/DP_AP2 used for? On the evaluation board it looks like they are connected to two female USB-A ports.
Discussion:
Comment: This is not a chip for beginners (if you are not, forgive me); it requires configuration over I2C, which is not connected on your schematic, USB layout is not trivial, and the entire package can fit between two adjacent pins of a DIP package. Furthermore, it does not appear to be designed to drive any sort of headphone or speaker directly.
Comment: AP1/AP2 means audio path 1 and 2, typically used for daisy chaining multiple speakers and/or microphones. If your application is simply a USB-C to single audio jack, i.e. only mono or stereo sound systems, I don't think you'd have to worry about that.
Comment: Thanks, do I need to configure the ic over i2c everytimes it boots or can I do it once?
Comment: if even if you get the design right, you have essentially no hope of assembling this without specialist equipment - the package is insanely small (5x5 array on 0.4mm pitch, the whole chip is just over 2mm square).
Comment: Yeay I do understand its tiny :) anyway it seems you have to write the MODE bits and the EN bit over i2c to enable the ic and thus not what I wanted. Can any one suggest another ic that is suitable. I want as few extra components as possible, such as external clocks for example. And preferable with a small footprint.
Comment: Analog Devices already offers an assembled and tested [evaluation kit board for this product](https://www.analog.com/en/resources/evaluation-hardware-and-software/evaluation-boards-kits/max20328aevkit.html), start there instead of trying to build your own from scratch. Especially with such small package size. But read the documentation first; it's not clear to me whether a fault-protected multiplexer is really what you want here. Your question makes it seem like you actually want some kind of USB-C to 3.5mm audio adapter, something like an audio CODEC not a MUX.
Comment: Here's the Analog Devices product selector table for audio codec (coder-decoder or adc-dac) parts: https://www.analog.com/en/parametricsearch/13041#/
Comment: Yes @MarkU you are correct, its not a mux I want. Im changing my design to another ic.
================================================================================
|
Discussion Chain ID: 701736
================================================================================
User asked: Force-sensitive resistors to measure impact
I am trying to utilize three FSR's to make a target that measures the impact force of a gel blaster that shoots water-based beads. The FSR's are connected to a 4-channel opamp and an ESP32 board and prints out the voltage 0 (no force) to 3.3 (max. force). The issue I am running into however, I believe the impact happens at too fast of a rate for the sensors to catch. Right now I have the FSR's taped to a thin piece of plastic, with the idea that the impact of the bead would trigger the FSR's. They don't measure anything upon impact. I'm unsure if this is a sampling rate issue (measuring once every 1ms), or due to the physical capabilities of the FSR. I have attached the logic below. void setup() { Serial.begin(115200); for(int i = 0; i<3; i++){ pinMode(fsrPins[i], INPUT); } analogReadResolution(12); } void loop() { int totalForce = 0; for(int i = 0; i < 3; i++){ int rawValue = analogRead(fsrPins[i]); voltage = (rawValue *3.3)/4095.0; forces[i] = newtonConversion(voltage); totalForce += forces[i]; delay(1); } Please let me know if anyone has any ideas on how to complete this idea. Are there components better-suited for this task than FSRs?
Discussion:
Comment: remove all calculation code ... focus on one sensor ... read sensor value and if it's over a certain trigger value, then print value ... adjust trigger value and repeat if necessary .... that will determine if the sensor is actually suitable
Comment: The water based beads may be too soft/compliant for your FSR. Their impact probably doesn't generate a sharp, impulse like response. Why don't you try some BBs and see what the results are.
Comment: Can you see any activity when you press slowly on the FSR?? Are you sure it's working *at all*?
Answer 1 (1 votes):
It's more likely that the Arduino is just missing a very short-lived event. My easiest recommendation would be to pare your code down to bare minimum, as @jsotola recommends in his comment. The best recommendation is until you know what your signal looks like, give up on trying to acquire it with a microcontroller at all, and use an oscilloscope with a manual trigger setting to try to capture the transient event. Further-- these FSR's are not all that people believe them to be. It can be pretty tough to use them in a way that's repeatable.
================================================================================
|
Discussion Chain ID: 408673
================================================================================
User asked: Beginner Question - Solder won't stick to a certain wire
I am trying to tin some wires as they won't stick to the IC pins that I'm soldering them to. The problem I am having is that the solder won't stick to the wire. My iron is fine as can solder other things just fine. I also tried a different wire and the solder stuck very well and I was easily able to solder them to the connectors, this wire is just too thick so I have to use the other one. I have tried to get the solder to attach to the wire with and without flux but no luck. These are the wires I'm using: Specification: * Type: 30AWG * Total length: 280m/11023.6" * Material: Tin Plated Copper, Plastic * Outer diameter of single core wire: - Approx. 0.55mm * Diameter of copper core: Approx. 0.25mm * Temperature resistance: 80 degrees [Wire.](https://www.ebay.co.uk/itm/280M-30AWG-Tin-Plated-Copper-8-Wire-Wrapping-Wire-Colored-Test-Cable-Reel-UK/292700828916?hash=item44265434f4:g:c4QAAOSwB19b5q6F:rk:11:pf:0) (Dead link, also not available on the Wayback Machine.) Similar to [this wire.](https://www.amazon.co.uk/8-Wire-Colored-Insulation-Wrapping-B-30-1000/dp/B075LTMNHY) [](https://i.sstatic.net/lTq2u.jpg) This is the solder I am using: [](https://i.sstatic.net/cYg1j.jpg) Can anyone give me any tips to get it to stick? It's giving me a headache.
Discussion:
Comment: Are you getting the wire up to heat?
Comment: Hi, I've tried 350C & 400C. The highest temperature on my iron is 450C, I could try that. Do you think that's the issue? Not enough heat on the wire?
Comment: Does the solder melt when it touches the heated wire? (Remove the soldering iron first)
Comment: It doesn't. I tried heating the wire with the iron and applying the solder but the solder just sticks to the tip of the iron and ignores the wire. Since it works perfectly with a different 22(or 24 awg) wire, I am thinking perhaps it's the material (tin plated copper) which is the issue? I'm not sure.
Comment: Enameled wire. Scrap it first. Or use a lighter.
Comment: @passerby means "scrape" it first. As in remove the enamel (or actually probably epoxy) coating.
Comment: What kind of flux are you using?
Comment: A link to ebay doesn't help us much. Please provide a link to the actual manufacturer's data sheet.
Comment: is that flux cored solder? does it make smoke when you melt it?
Comment: "Wire-wrapping" wire isn't meant to be soldered. It is used for solderless connections where you wrap it tightly around a square post using a special tool. The corners of the post bite into the wire creating a good connection.
Answer 1 (3 votes):
Try first sanding with fine sandpaper, or carefully scraping with knife. I've encountered high-temp WW wire which simply cannot be tinned. It does work OK if sanded first. Very abnormal. Something in the plastic insulation either coats the metal, or produces a thick (and invisible) tarnish layer. IF NOT SANDED FIRST, then with lots of time, heat and flux, it eventually will tin. (Time, like 20 or 30 sec.) I don't know if this indicates thick oxide being reduced, or thin polymer being burned off. What a pain. And it wasn't some fly-by-night source; one of the normal suppliers IIRC Alpha wire.
Discussion on this answer:
Comment: Interesting, Ok I will try this suggestion tomorrow using fine sandpaper on the wire or scraping with a knife before tinning. I'll also try turning the temp up. It's annoying, for this small project I have lifted a few small IC pins which I thought would be the hardest part, not tinning the wire! Thanks, will report back tomorrow.
Comment: Just use the sharp edge of a knife, held normal to the wire, and scrap along.
Answer 2 (0 votes):
A tin plated copper wire is very easy to solder. But for a lead free solder with some copper in it you need a soldering iron with higher temperature. The isolation of a wire wrapping wire should be removed before soldering. This kind of isolation does not melt away during soldering.
Answer 3 (0 votes):
Use flux and use the right flux. If you are using lead free solder use flux that is also more compatible with lead free solder. The best one I've found (so far) is chipquick SMD291. I've had no trouble soldering 30AWG wire to pins with a little bit of this flux applied.
================================================================================
|
Discussion Chain ID: 408666
================================================================================
User asked: How does flux change polarity in full bridge SMPS transformer?
Take a full bridge switching circuit connected to the primary of a transformer. Assume: No load on secondary. Voltage into full bridge is DC. Duty cycle of switching is 50%. At t = 0, full bridge connects voltage to primary, lets call it "positive". Faraday's law says slope of flux will be opposite in magnitude, and flux will increase (negatively) linearly until half cycle is over and voltage flips. At that point, flux will increase (positively), and so on. What I see here is that flux starts at 0, and reaches some negative peak, then heads back to zero. It never crosses into positive territory and never changes sign. In typical full bridge SMPS design, how is flux made to be bipolar and actually change polarity? I am assuming it is desirable and possibly required to make it do this in order to prevent flux walking and also because if current is to change polarity in secondary, flux must also change polarity.
Answer 1 (1 votes):
> What I see here is that flux starts at 0, and reaches some negative peak, then heads back to zero. It never crosses into positive territory and never changes sign. This certainly happens and is a real problem with power transformers. It happens because the current through the inductive element is the integral of the applied voltage and this is the main reason why transformer primaries can reach high core saturation levels when voltage is initially applied. Another name for it is "inrush" current. If you simulated the circuit with initially a half width pulse at the beginning all would be fine and you would see flux equally distributed both negatively and positively. For [another answer](https://electronics.stackexchange.com/questions/355814/soft-start-for-transformer) last year I drew the following picture. It was related to a regular power transformer that was "switched-on" when the voltage sine wave was passing through zero volts: - [](https://i.sstatic.net/ZVuX6.png) As you can see, the current (red) starts from zero amps and rises to a larger-than-normal value initially. This is the same effect you are describing and the maths totally underpins the situation. However, for a real transformer with losses, the current waveform can acquire an average zero value after a few cycles and that is what the picture is attempting to show. Eventually the current settles down to the lower image in the picture. It's worth noting that instead of initially activating the transformer when the sinewave voltage (blue) was passing through 0 volts it was activated at the peak of the voltage, the current waveform would be naturally passing through 0 amps and you would not see this effect. And that is exactly the same as initially driving it with a half pulse as mentioned earlier. In reality these problems die-down due to real losses in the core and copper. Try simulating with a small resistance in series with the primary or a load on the secondary and see what happens. [Related question](https://electronics.stackexchange.com/questions/99106/high-inrush-current-causing-large-voltage-spikes)
Discussion on this answer:
Comment: Thank you Andy. I've seen your other answers on here and they've been helpful. I suspected this issue was essentially transformer inrush current but my intent is more an SMPS application and I didn't want to muddy the waters. From what I can tell reading white papers on industrial transformers (like transformers at factories), this problem is common even today. However, I would think in an SMPS application, something like this would be easily addressed since the switching is controlled, but I can't seem to find anything on it. Like a full bridge SMPS feeding a primary. Any ideas?
Comment: Also I'd like to say, I suspected your answer was the way, but staring at the waveforms, I haven't been able to grok how it eventually stabilizes with real losses, as you describe, but thats my problem, I just have to keep thinking on it. I've seen some other people point out thats the solution as well.
Comment: I think several amps chips have current limiting especially those used in flyback controllers.
================================================================================
|
Discussion Chain ID: 408664
================================================================================
User asked: Do ultrasonic transducers generate sound because of current, voltage, or change in either of those?
I have been working on a pulse generator circuit which will be used to drive an ultrasonic probe. In the circuit below, the 50Ω resistor is modeling the probe. [](https://i.sstatic.net/LKO69.png) I have researched the piezoelectric effect, but different sources explain it in different ways. Some have said that they are activated by current, and others have said they are activated by AC. Since I am using DC voltage pulses to control the transducer, I am wondering if this will operate as I require. PSPICE outputs the following graph for the circuit shown above, measured from the node above 50Ω resistor. Am I correct in thinking that the piezoelectric crystals in the probe would only generate ultrasound during the change in voltage? Or would there be some ultrasound emitted during the high of 220V as well? [](https://i.sstatic.net/tmBPe.png)
Discussion:
Comment: You should model the piezo by a capacitor instead.
Answer 1 (2 votes):
Piezoelectric crystals appear electrically as capacitors (since they basically consist of two electrodes surrounding a dielectric material. However, at their resonant frequency they behave closer to a pure resistance. In any case, as with any electrical impedance, applying a voltage to them will cause a current to flow. Similarly if you force a current through them, they will develop a voltage equal to the product of the current and their impedance. Usually, though, piezoelectric crystals are considered to be voltage driven because their reaction to electrical stimulation is easier to describe and measure in terms of voltage, rather than current. The current will vary considerably with frequency as the crystal's resonant frequency is approached. In any case, if you want to generate ultrasound you will need to drive the crystal with an AC signal preferably at or near its resonant frequency to get the best efficiency (its also easier to drive as, mentioned earlier, it appears close to a pure resistor at its resonant frequency). Driving it with the waveform you show is probably not a good idea as only the spectrum of the waveform near the crystal's resonant frequency will be useful. The fast rise and fall times mean high harmonic energy which could excite higher modes in the crystal and cause problems with your drive circuit as the harmonic currents could get large.
================================================================================
|
Discussion Chain ID: 408663
================================================================================
User asked: Isolation Transformer with 115kV primary
Supposed you are using an Isolation Transformer with 115kV primary, should you worry about the capacitive current going through it? What would happen if you touch one of the output leads? Remember an isolation transformer secondary is independent from ground. I always used isolation transformer when diagnosting circuits so I'd not get a shock or the equipment broken by having the path to ground. To get better understanding. I'd like to know what would happen if the ground rods in North American utility pole were say stolen and at the same time your service panel ground rods didn't work because say the contacts got molds or disconnected and contact to ground completely lost . This would make the utility tansformer secondary floating, so your appliances enclosure could become live. What would happen if you touch the appliances metal enclosure like metallic washing machine body, would you get a shock? or be electrocuted theoretically? But how can you get shock when you were isolated from ground already.
Discussion:
Comment: 115kV and 115V are different beasts, which is driving and confusing your answers.
Answer 1 (1 votes):
Let's get something straight: are you REALLY talking about a 115 kV i.e. 115 000 volts transformer? You should NEVER touch any parts of such transformers when live nor even go near any for that matter. Power transformers of such voltages almost never have a floating ground because they're almost always made as autotransformers i.e. with a single winding where the secondary taps into the winding somewhere, thus they share a common ground. The reason they do this is because they need to have voltage regulation on one or both sides.
Answer 2 (1 votes):
Leakage to Earth ground may consist of many sources and the bottom line is how much leakage current exists in your residence if a ground fault should occur. i.e. the short circuit ground current, Isc. Isc could be quite high so redundant grounds are used. Units are often rated for 250uA and Systems with multiple power supplies limited to 1.5mA of ground noise current. Converted to impedance depends on the current frequency, line, f or 2f or SMPS rate which is much higher. * Moisture leakage impedance from the line and neutral to earth ground of all appliances ( e.g. washing machine in basement, extension cord on wet grass ) * with **resulting open circuit voltage on floating ground** * insulation impedance of your feet to earth (salty sweat & leather soles might be 100k~10M vs water-proof rubber shoes 10M~10G) but capacitance depends on noise current frequency * resulting current I(f) = Voc(f) /Z{load leakage + feet) * each SMPS might be up to 250uA leakage on its line filter to earth grounded units which can add up significantly if powered on. * worst case might be touching earth ground water-tap or SS sink and floating stove with high short-circuit current. ( but these are usually plastic now for cost reasons) Redundant earth grounds mitigate this hypothetical question with earth bonding at distribution transformer, possibly at the service entrance and to underground conductive water/natural gas pipes. ## Anecdotal. Having felt the leakage current of an ASUS laptop on the tip of my kneecap sitting in a lawn chair with bare feet on damp grass, the current at high frequency ( 40kHz?) feels more like a burn than at low line f. Now if you have dozens of computers with earth bonded line filters for its SMPS, this burn sensation would rise sharply and you touch both an ungrounded stove to an earth bonded water sink. The high f current might not necessarily excite the muscles to freeze in contraction as they respond to low audio spectrum rates down to DC. _I suspect this experiment would hurt you._ BTW the feeder 115kV primary transformers are usually floating DELTA windings and it is the DT secondary service low voltages that are Y or "WYE" connected with Neutral centre earth-bonded at the Distribution transformer (DT)
================================================================================
|
Discussion Chain ID: 408657
================================================================================
User asked: Connectors for arcade buttons and connect 12V LED to a 5V tollerant micro
I did buy a board from this site, which basically allow me to connect buttons, switch and other controls with ease and no need to program anything: <http://derekspearedesigns.com/dsd-36-button-controller-avx.html> Now, I did order some buttons and realized that they are made for some sort of connector; I tried to solder wire on the contacts but the wire breaks at the junction, as soon as you move the connection a bit. This is how the buttons looks like: [](https://i.sstatic.net/3FMBg.jpg) Is there a connector that slot into these connections; and is solid enough to not come off? I did look at sites that sell arcade accessories, and the only thing they sell is daisy chained wires; which is not what I need, because the board I own, require 2 connections for each button. I could cut and modify the chained wire but I want to see if I can get the correct connectors first. The second issue is related to how to power the button LED; since they support 12V. I did buy a 12V step up that works fine with the square buttons, which takes the 5V from USB and output 12V for the LED; since the switch connections are separated from the LED connection. But I also use this type, which has just 3 poles instead of 4; and my concern is that the board seems to be 5V tollerant, so if I add the 12V coming in from the step up device; I may fry the board? [](https://i.sstatic.net/roUcv.jpg)
Discussion:
Comment: Your first picture isn't related to the second one. I probably missed in the text where you discuss why. Meanwhile, the first picture appears to show a switch body that is secured to a common microswitch. I've never had any trouble soldering those. If you have wires that just break free with a little tension, then I'd be worried about your soldering technique: surface prep, flux usage, and possibly cold solder joints. Can you show a picture of the results of your soldering work prior to it breaking free?
Comment: Thanks, the 2 buttons are different; also the connection size seems to be different. For the first one I have tried on 2 buttons, and one of the 2 broke so I threw it away, while the second has the broken wire issue. The breakage happen not on the solder joint but on the wire itself; am I using a wire that is too thin maybe?
Comment: I misunderstood you, then. (1) It's possible that you are dealing with crappy "copper" wire. Some, cheaply made, is such a terrible amalgam that it is already brittle and becomes even more brittle under heating. (2) You may want to select wiring that is braided or twisted from many fine wires. I sometimes go to the trouble to buy copper wire made from 19 smaller filaments. It's flexible. (3) You may need heavier gauge, regardless. ... Perhaps you could show a picture of the wire and your soldering job, as well?
Comment: If the wire breaks you may be cutting into it when you strip the insulation.
Answer 1 (1 votes):
They're called "quick connects". Here's a link to [the DigiKey site](https://www.digikey.com/products/en/connectors-interconnects/terminals-quick-connects-quick-disconnect-connectors/392?cat=1442842), although any distributor (not to mention your local auto parts store, and maybe even Radio Shack) will have them.
Answer 2 (1 votes):
Those are blade connectors, or quick disconnect connectors. You can get connectors, just measure the width of the tab, and look for quick disconnect blade connectors. Try to get the proper crimping tool as well. They are also solder tabs. What you describe is a cold solder joint. This happen a when the connection you are trying to make is not heating up the metal enough. Large metal connections need more heat so it depends on how you are trying to solder, and the strength of your soldering iron. As for the second switch type, you are probably correct. The center pin is common to both the led and the output. If this is for a gpio input, simple method is using a voltage divider at the output. Use it to bring down the 12V back to 5V.
================================================================================
|
Discussion Chain ID: 408654
================================================================================
User asked: How do 24v or 48v solar/battery inverters provide power for houses that rely on 110v?
I've been learning about solar systems and I keep seeing that the systems feed power in to batteries, which is then fed in to the house via an inverter, typically 24v or 48v. However, most houshold electronics are rated for 100-240v, and grid power shows up as 110v. My novice understanding leads me to think that at such a lower voltgae, the Amp draw would be much higher and cause breakers to switch off.
Discussion:
Comment: This is a very broad question and it sounds like you haven't done any research yourself before asking here. What have you learned about residential solar photovoltaic systems, and what specifically is confusing?
Answer 1 (2 votes):
The battery system is 24 or 48 volts. The inverter takes in 24 or 48 volts at high current, and converts it to standard AC voltage (110V or 220V) at lower current. That's what the house electronics actually use. ("Inverter" is sort of an informal name for a DC to AC converter.)
Discussion on this answer:
Comment: I feel dumb. Looked up inverters on a supply store and just now saw the second half of '48v dc inverter' is 'to 110v ac'.
Answer 2 (2 votes):
Well, for one running things on a lower voltage doesn't necessarily mean a higher current draw. For instance, resistive loads like incandescent lights and electric heaters would draw less current at a lower voltage. Things like switching power supplies would attempt to compensate for the lower voltage by drawing more current. However, this isn't entirely relevant as you mentioned a key component: the inverter. The inverter will convert your 24v or 48v DC into 110v AC to power any connected AC devices. The waveform coming out of the inverter is a decent approximation of what comes from the electrical grid, so the devices should behave normally and draw the same amount of current that you would expect if they were connected to normal AC line power. Where you will see an increase in current draw is at the input to the inverter, but the system would be designed to handle this.
================================================================================
|
Discussion Chain ID: 408653
================================================================================
User asked: NGSPICE dc simulation error
I want to do dc simulation of differential amplifier circuit, and this is my .cir file looks like: [](https://i.sstatic.net/q8nUE.png) When i run simulation, ngspice give me an erorr: Supplies reduced to 0.1000% Warning: singular matrix: check nodes vin1 and vin1 Supplies reduced to 0.0000% Warning: singular matrix: check nodes vin1 and vin1 Warning: source stepping failed doAnalyses: iteration limit reached run simulation(s) aborted
Discussion:
Comment: It would help others help you if you provided a text version of your image, as well as (if possible) a separate (intended) schematic which you believe mirrors your spice deck. I'm not inclined to sit down and read each and every drain, gain, source, and body connection you show in order to map out what you intended. A schematic makes it a lot easier to compare the text to what is intended, as well as judge same.
Comment: @jonk I work this on linux mint in terminal using vim editor to make that circuit description file, so i don't have schematic of that circuit. This is differential amplifier with active load(that 3 pmos transistors) and current mirror for polarization( nmos transistor M6 and M7). V4 is voltage on inputs (Vin1 and Vin2) of diff pair.
Comment: I can't work with an image. Can't copy the text and it is too much trouble to attempt to replicate your results if I have to type it all in by hand. I understand what you are trying to achieve here. Whatever is the problem is likely some minor "typo" of sorts. Or a minor misunderstanding. But I've no energy to type all that in to find out.
Comment: Hint: What is setting the common mode input voltage?
Answer 1 (0 votes):
Your input voltage source (V4) is floating. There is no path to provide it a reference to the ground node That makes the problem singular.
================================================================================
|
Discussion Chain ID: 408647
================================================================================
User asked: Dispersing a static field from a touch circuit - escape room
I run an escape room, inside a puzzle we have is where players need to hold hands and touch 2 screws to complete a circuit and trigger a switch. I don't have the exact specs, but it's going to look something like this: <https://www.frightprops.com/human-circuit-puzzle.html> It sits in a wooden box (2x2x4). It was working fine during the summer. The problem is, since winter time, the trigger will go off just by walking next to it. Alternatively, you can touch the wooden box to make it go off as well. So, I could try and ground it (im not sure if this particular controller has a ground - (cheap chinese box)...but I was wondering if there is a way to just reset it back to how it was. Any ideas? Thanks
Discussion:
Comment: Given what you write I'd guess it uses a MOSFET and that the colder wintertime lets more static build up on humans walking around the place. This tells me this is a cheesy design that isn't well-managed to measure actual conduction of a current, but instead depends upon applying a voltage via humans to a FET gate. Should have been differently designed. I fear we'd need a schematic to do much good for you. Otherwise, we'd just need to do a new design you'd have to build.
Comment: Maybe the humidity in the room changes the dielectric of the air. Increasing ESD. Check the humidity, possibly install a humidifier.
Answer 1 (0 votes):
There's a > 50% chance that you can fix this with a 1 MOhm resistor between each screw and the negative battery/power supply terminal of the lock box. If this somehow makes the device no longer function with contact, try 4.7 MOhm. The theory is that the lock box capacitive sensor is measuring against ground, which is a common case, and that the static build-up needs to be dissipated there. Human skin contact resistance is usually well below a megaohm, so the magnitude of the bleed resistor seems to be big enough to not interfere too much with the circuit. You should be able to jerry rig this with some solder, or just some conductive glue, and some bent-wire resistors from Fry's or Digi-Key or your old forgotten electronics experimenter's kit :-)
Discussion on this answer:
Comment: I'll give this a try - thanks! - Humidifier is my next go to.
================================================================================
|
Discussion Chain ID: 408644
================================================================================
User asked: Need help understanding simple FM transmitter
I made a simple FM transmitter following <https://maker.pro/custom/tutorial/how-to-make-an-fm-transmitter> and it worked! Now I need some help to understand how. [](https://i.sstatic.net/A8IDV.jpg) My coil is made of 1 mm copper wire has 6 turns and 8 mm wire diameter. According to this online calculator: <https://www.eeweb.com/tools/coil-inductance> this means that: L = 3.9e-7 H I did not have any 5 pF trim capacitor so I used a 3 pF capacitor instead. Am I correct in assuming that the frequency this will transmit on can be found by looking at the L1 C2 as a LC oscillator and using the frequency formulae: fR = 1/(2*pi*sqrt(LC)) ? If so I should get fR = 147 MHz. Which is strange since I received the signal on 91.5 MHz on my radio. In a LC circuit I understand that the signal decays exponentially over time. That is hopefully not happening here. Why? Because of C4 maybe? Also what is the purpose of C1? If I want to increase the range of this FM transmitter somewhat can I do this by simply replacing R2 with a 470 Ohm resistor? Are there free simulator programs that let me see the resulting spectrum at the antenna?
Discussion:
Comment: Some stray or transistor capacities would add to the C2 5 or 3 pF. The coils inductance would not be very precise too.
Comment: @Uwe: so the effective C in the fR formulae is larger than 3 pF? Larger C leads to smaller fR. Does this mean that I am using the correct formulae?
Answer 1 (4 votes):
Resonant frequency formula is nearly correct. You have _mostly_ one L - stray inductance is not included. But you have _four_ capacitances that can be assumed in parallel: * C2 (obviously) * C3 (it is actually combined with \$ C_{be} \$ of the transistor) * \$ C_{bc} \$ of the transistor * Antenna reactance, which is often capacitive. \$ F_r= \frac {1}{2 \pi \sqrt {L(C_2 + C_3 + C_{bc} + C_{ant})}}\$ Again, stray capacitance hasn't been included - it will cause \$F_r \$ to be even lower. Because L's and C's are so small, using this formula to hit a desired frequency is very difficult. This is an oscillator whose amplitude doesn't decay, but grows until non-linear losses limit the amplitude. C4 is the element that mostly causes positive feedback - making this transistor oscillate. C1 is a "bypass" capacitor that grounds the transistor base at the oscillating frequency, but allows low-frequency audio to change base voltage. At audio frequencies, reactance of C1 is mostly insignificant. Everybody wants more range. Making R2 too small will kill the oscillations. Power output might increase, but you'll hardly notice range improvement. A power amplifier would improve power, but would likely violate FCC rules (in America). Using SPICE to see the FM modulation would be _extremely_ tedious. You must use a transient analysis with time-step small enough to have many steps at the oscillating frequency (about 100 MHz). Yet the simulation must run for milliseconds.
Answer 2 (1 votes):
in an LC circuit thye signal decays, but the transistor is an amplifier ant it prevents the decay creating an oscillator. R1 limits the power available to amplify the signal and thus puts a hard limit on the output power of the oscillator. replacing it with a smaller resistor would make more power available but would also reduces the gain of the amplifier- there's no guarantee that it would increase the signal amplitude. a better move would be to put a choke there instead. increasing the supply voltage will also help.
================================================================================
|
Discussion Chain ID: 408641
================================================================================
User asked: MOSFET: What is considered "large voltage" when finding early voltage via experimental method?
I have found that to get early voltage you can take the tangent a I vs V MOSFET characteristic graph at "large voltages" and wherever the lines intercept the negative x-axis is the early voltage (see wikipedia graph below) [](https://i.sstatic.net/k6TmJ.png) I am trying to do this with my graph, but am having trouble determining what constitutes "large voltages". At first I just added a trendline for the entire curve and realized that did not work. At what voltage do I need to start extrapolating my curve data to get early voltage? [](https://i.sstatic.net/o99ZU.png)
Answer 1 (2 votes):
I am not a specialist in Solid-State physics, but recall that the "Early Effect" was first identified for BJT, as a good approximation of I-V characteristics for different base currents. In MOSFET there is some resemblance (but versus Vgs), so the shapes of MOSFET I-V curves are also sometimes characterized by "Early Voltage". However, this is still an approximation, and it doesn't work well for MOSFETS. Identification of "linear I-V" section is somewhat subjective, and the negative ("Early") voltages derived by extrapolation of I-V curves may not be identical for different Vgs curves, that's why you are having difficulties. In other words, the dynamic impedance (RdsON) for MOSFETs is not only dependent on Vgs, but also on Vds, that's why the RdsON is so fuzzy-specified in MOSFET datasheets.
Discussion on this answer:
Comment: I see. Perhaps I could extrapolate my 10 different gate voltages, and offer a range (fairly large range at that..) for the early voltage.
Comment: @AustinBrown, in HSPICE models people use "modulation length" instead of Early voltage VAF for MOSFETS, (LAMBDA = 1/VAF). However, the MOSFET output resistance shows a more complex dependency of operating point that can't be expressed with a single VAF and respectively a single LAMBDA parameter. https://www.edaboard.com/showthread.php?143914-How-to-get-early-voltage-from-hspice-simulation
================================================================================
|
Discussion Chain ID: 701735
================================================================================
User asked: Converting TO-263 to TO-220?
I’m trying to repair an amp where the power MOSFETS (HUF76639) are no longer available in a TO-220 package. They’re currently available in TO-263 package. I’m thinking of adapting the TO-263 package as a solution. The setup is pressing the TO-263s against a vertical heatsink with a bar, insulated by Sil-pad. See photo belows. The G and S leads would be bent (slightly) to clear the heatsink. A 21 AWG wires would be soldered from the leads to the board. Wires would be used to alleviate mechanical stress (between the board and TO-263) on the soldered connections. The questions/concerns I’m running into are 1. Will the TO-263 case withstand the mounting pressure? 2. The drain lead is ~1.5 mm long, barely enough lead to solder it seems. Is this too short? 3. Has anyone tried out the above setup or similar and had success? 4. Any obvious limitations that would make this venture too risky? The power MOSFETs on this amp usually stay below 50C. See links for TO-263 and TO-220 case specs. I couldn’t find a datasheet on the TO-263 case mounting pressure. I’m guessing is doesn’t exist since the package is designed to solder onto a board. [](https://i.sstatic.net/cmJMg.jpg) [ [Device - HUF76639S3](https://www.onsemi.com/pdf/datasheet/huf76639s3s-d.pdf) [TO-220 Mount Pressure](https://www.infineon.com/dgdl/Infineon-Infineon-AN2006_12_Mounting_Considerations_TO220_FullPAK-AN-v2.1-en.pdf-ApplicationNotes-v02_01-EN.pdf?fileId=db3a304320896aa201208a8b700d0029#:%7E:text=The%20recommended%20mounting%20torque%20is,screws%20should%20not%20be%20used.&text=Clip%20mounting%20ensures%20that%20force,and%20thermal%20contact%20is%20good.&text=There%20are%20a%20number%20of,in%20an%20extruded%20heat%20sink.) [TO-263 Package](https://www.infineon.com/cms/en/product/packages/PG-TO263/PG-TO263-3-2/) [TO-220 Package](https://www.infineon.com/cms/en/product/packages/PG-TO220/PG-TO220-3-1/) [](https://i.sstatic.net/aUuYF.jpg) [](https://i.sstatic.net/ijalR.jpg) I used this Molex connector as a sort of cast form soldering the leg to the middle pin, and to align the other two legs for soldering. <https://www.mouser.com/ProductDetail/Molex/560124-0101-Cut-Strip?qs=1YYxJJMLJH1jZhYDkeoY4Q%3D%3D> So far so good after 1 week. Heat cycling is my main concern. [](https://i.sstatic.net/sTo22.jpg)
Discussion:
Comment: There is nothing connected to that middle pin according to the datasheet you linked to. The drain is the metal tab. Can you figure out some way to use that instead?
Comment: The drain pin? The drain has a shortened pin (1.5mm). The plan is to solder a wire onto the 1.5mm drain pin.
Comment: The datasheet you linked to has no drain pin. It says "DRAIN (FLANGE)", indicating the metal tab. The 1.5 mm pin is not connected to anything.
Comment: Oh, I see. How can you tell the middle pin isn’t connected to anything? There are TO-263 variations where the middle pin is connected to the drain, so I’ve assumed this the same with the shortened pin. Thanks.
Comment: *How can you tell the middle pin isn’t connected to anything?* - the datasheet doesn't say it is connected to anything. It isn't even a "do not connect". I guess it is just a vestige of some manufacturing process: it was cheaper to keep that part of the lead frame and chop it off short than any alternative they could find without making up a new production line for a different lead frame. *At a guess.*
Comment: I see thanks! The package diagram shows the middle pin is not copper. Okay then there’s no need to proceed. I thought of using an adapter but that would cause clearance issues.
Comment: It would be best to find an electrically-equivalent device in a compatible package, but I imagine you could use a *thin* copper sheet between the transistor and the heatsink for a drain contact, if things get desperate. Or maybe you could solder a lead onto that tab, but if it's a class-D amp then it could go horribly wrong with stray capacitance and inductance, from what I understand.
Comment: It’s class AB. The Creek Audio 5350SE or Destiny. The design engineer recommended IRL540N as a substitute. I actually installed those recently after accidentally shorting IRL2910s, which are also no longer available. I’ve been wondering if there will be any noticeable sound signature differences between IRL540N and the hufs. Adding a copper sheet seems too desperate. Thanks for the help.
Comment: FWIW: AFAIK, the vestigial middle pin is part of the leadframe, coined out of the tab piece, and always connected to it (it is also safe to assume this construction for TO-220s). It may not always protrude from the package, but often does.
Comment: @TimWilliams So, are you implying that if a continuity check from the vestigial pin to the tab (drain) shows they're connected then it'll be safe to solder to that vestigial pin? It would make things simpler for the OP.
Comment: Thanks! :) Just checked on another Dpak package I have at home, and they are connected.
Comment: @Gregory In that case it looks like Tim Williams has come up with the winning comment :)
Comment: There’s still concern for question #1. Can the case withstand mounting pressure?
Answer 1 (1 votes):
> The G and S leads would be bent (slightly) to clear the heatsink. Just a caution, do this carefully, as bending the leads against the body will stress them quite a lot. Get a pair of thin-jaw needle-nose pliers and grasp at the base of the pin, then bend against that. That'll be a safe way to straighten the pins out (or bend them wherever else you need). And then tacking on extension leads of solid wire or whatever to reach the board, is a fine strategy here. > 1. Will the TO-263 case withstand the mounting pressure? > I don't see why not; it's made of the same solid encapsulant as anything else. > 2. The drain lead is ~1.5 mm long, barely enough lead to solder it seems. Is this too short? > I'd probably avoid using the pin nub, just because it's short and small, prone to breaking, and may have encapsulation on it making soldering difficult. You can just as well lap a wire on the top side of the tab; enough sticks out to solder onto, and the wire length likely doesn't make a difference here (I might be concerned if this was an SMPS). There is some risk of solder flowing around the backside of the tab; avoid getting flux here, and if it ends up lumpy (mind that the native tin plating (when applicable) may itself flow on heating), you can always file or lap the surface flat/smooth again. (If using a file, use a fine flat type; if lapping, use a medium stone that's known to be reasonably flat, or the old wet-or-dry sandpaper on plate glass or the like.) Not that it'll make much of a problem with the Sil-Pads there, really just as long as it's not blobby, it'll be fine. > 3. Has anyone tried out the above setup or similar and had success? > I can't say I've seen many D(2)PAKs used in maximal power dissipation setups (i.e., they're rated more or less identical as TO-220s, nevermind they're almost always surface-mounted making this spec useless), but aside from the hand work to fit them here, I don't see why not. And it doesn't sound like this is a very powerful application anyway. > 4. Any obvious limitations that would make this venture too risky? > Not really, other than the jankiness of the solution, which I suppose you're already aware of. I would prefer finding a substitute; but I appreciate that may be easier said than done, or beside the point ("rolling" different types), and in any case isn't the object of this question, so that's fine.
Discussion on this answer:
Comment: Thank you for addressing the questions and concerns, and more. The instructions and details are appreciated. The top side of the tab has much more area to solder to. This project seems viable. But I don’t know if the amp will sound different. I’ll be sure to follow up in the outcome and photos.
================================================================================
|
Discussion Chain ID: 408640
================================================================================
User asked: Is an external crystal overkill is this case?
I am designing some boards that are powered and communicate through Cat 5 cables using a bit banged form of protocol inspired by quad spi. Using the bus network topology in a half duplex manner, I am able to communicate reliably with 10kHz clock. Since I am using the classic atmega328p-au do I have to worry about putting an external clock or it should do the job fine with just the internal RC circuit? Modified image of [this](https://electronics.stackexchange.com/questions/286457/quad-spi-serial-or-parallel): [](https://i.sstatic.net/5mNdZ.png)
Discussion:
Comment: could be interesting WRT crosstalk
Comment: @Jasen are you thinking of whitened clocks?
Comment: cat5 has 4 pairs, this schme has 6 signals - it's going to get messy however it's done. I've also seen dielectric absorbtion on cat5 which may mess with the slow signals, and with the data if there are long runs of 1s or 0s.
Comment: That was kind of hard to read. I've split it into sentences and paragraphs as seemed reasonable to me. Let me know if I got it wrong.
Comment: @Jasen the other two are GND and 12V to power the boards and each board consumes 50mA.
Comment: I was thinking about using the data lines as differential pairs so the only pair not differential would be the token/clock pair. the max cable length i tested was 1.5m so i am not sure about the subject.
Answer 1 (4 votes):
You don't need a reliable clock at all, since this is a synchronously clocked bus: Your `CLOCK` signal determines when bits are sampled / set, so all that must be the case is that the data bits are latched on the edge of your clock signal. So, no, there's no need for external clocking. In fact, in SPI, a clock cycle can take anything from 1/max freq to an eon (as long as both ends of the link stay intact and powered for that eon).
Answer 2 (3 votes):
SPI is a self clocked protocol, so having clock speeds match at both ends of the wire is not important, the internal oscillator should be fine. maintaining signal integrity over cat 5 used in such an off-label way could be challenging, I hope all your cables are short.
================================================================================
|
Discussion Chain ID: 408636
================================================================================
User asked: What is the relationship between a step input and an integrator?
While trying to understand control engineering from first principles I came across the following which I cannot yet explain intuitively or mathematically. **What is the relationship, between a step input and an integrator?** **Why are they identical to each other?** I kept on seeing \$1/s\$ being used to both represent a step input and an integrator. * The Laplace transform of the unit-step function is \$1/s\$. * An integrator symbol is also \$1/s\$. * * * **Step Function:** [](https://i.sstatic.net/Phr3i.jpg) **Integrator Block:** [](https://i.sstatic.net/7e6Dj.jpg) * * * Multiplication by `s` in Frequency (Laplace) domain is differentiation in time. Dividing by `s` in Frequency (Laplace) domain is equivalent to integration in time. **Is a step input equivalent to integrating in the time domain, or is it purely coincidental that they both have a spectrum that falls as frequency increases?** [Why the Laplace transform of the integral is 1/s?](https://math.stackexchange.com/questions/507850/why-the-laplace-transform-of-the-integral-is-1-s) \$\int\$ in Time Domain = \$ 1/s\$ in Freq Domain AND \$\mathscr{L} \\{1/s\\} = 1\$ * * * **EDIT:** If I am understanding the answers correctly, there is not relationship between a step INPUT and an integrator, but there is a relationship between a step FUNCTION and integrator, as explained below.
Discussion:
Comment: The step response is the integral of the impulse response.
Comment: To answer the question you just added to the bottom: yes.
Comment: And the step input signal is the differential of a ramp input signal LOL.
Comment: Just to cap it off.... The impulse response is \$h\left(t\right)=\mathscr{L}^{-1}\\{H\left(s\right)\\}\$, which is the derivative of the step response, \$h \left( t \right)= \frac{ \text{d} }{ \text{d} t }y_{ \gamma } \left( t \right)\$. So: \$y_{ \gamma } \left(t\right)=\int h \left( t \right) \: \text{d}t\$.
Comment: Just let's remind everyone what this question is: **What is the relationship if any, between a step input and an integrator?**. The key word here is **INPUT** and not output.
Answer 1 (4 votes):
Consider what happens when an integrator gets a unit impulse as its input. What is the output waveform? What's the Laplace transform of a unit impulse?
Discussion on this answer:
Comment: When an integrator gets a unit impulse, according to my simulink the output rises from 0 to 1 over a 1 second duration and then remains constant at 1. The Laplace transform of a unit impulse is 1, but I don't intuitively see any connection.
Comment: @Rrz0r. Are you sure that isn't a one *sample* duration?
Comment: No I am not sure about this, I am using a discrete impulse block on Simulink.
Comment: A discrete impulse is different from a really-o truly-o Dirac delta functional, which is an "impulse" in continuous-time signal processing. \$\delta(t)\$ has no width, is zero everywhere except for \$t=0\$, and \$\int_{0^-}^{0^+} \delta(t) dt = 1\$. If you haven't seen it before and it's boggling your mind -- relax, you have company.
Comment: Simulink (and Matlab, for that matter) probably does not have a Dirac impulse function available. The Dirac delta functional is a little bit of mathmagic that applies to doing symbolic computation related to linear systems; it's not something that you can simulate directly. You can *approximate* it with a positive-going rectangular pulse that's \$\epsilon\$ seconds wide and \$1/\epsilon\$ tall, and then choose an \$\epsilon\$ significantly smaller than any of your system's time constants. I wouldn't advise trying -- just do the symbolic math.
Comment: @TimWescott, I'm actually getting familiar with the Dirac delta function. But still, I dont get how this has to do with the relationship between a step input and an integrator, even though it seems to be deeply involved.. somehow.
Comment: If you do the math to answer the question "what is the impulse response of an integrator?" then you will be the width of a Dirac impulse away from understanding the answer to your question.
Comment: The Dirac impulse is indeed the relationship. This contradicts the answer of Andy aka does it not?
Comment: @Rrz0 I never let contradicting Andy stand in the way of my posting the correct answer.
Comment: So, if I understand correctly, When an integrator gets a unit impulse as it's input, the output is a step function. Since the Laplace function of a unit impulse is `1`, then to get to the step function `1/s`, the unit impulse must be divided by `s` which also results to `1/s`, which is why the integrator's symbol is `1/s`.
Comment: @Neil_UK you are not contradicting me. The question asks about a step input (RTFQ) and your answer is about a step response i.e. the output from an integrator when fed with a unit impulse INPUT. The fact that you haven't addressed the question at all appears to be lost on folk.
Answer 2 (2 votes):
[](https://i.sstatic.net/UVY7w.png) > What is the relationship if any, between a step **INPUT** and an integrator? For the purpose of reminding folk what this question is about I have edited the quote above (from the OP) to highlight the word **INPUT**. Folk seem to be reading response (or output) instead and that is somewhat baffling. Consider this: * White noise has a spectrum of "x" at all frequencies i.e. it is spectrally flat * A perfect amplifier with a gain of "x" has a transfer function of "x" at all frequencies. Does anyone get in a muddle about this? Do they have a relationship? So, a unit step has a spectrum that falls as frequency increases and an integrator also has a transfer function that happens to do the same. Should this be a big deal? And a final reminder about the question asked: -
Discussion on this answer:
Comment: While it's true that there doesn't have to be a relationship between two things, it can often be enlightening to consider why two things look similar. I don't disagree with your answer, but I think it might be too dismissive; this is, after all, the type of question that leads to great insight in mathematics. Honestly, after reading your answer, now I find myself thinking about whether there _is_ some mathematical relationship between a perfect amplifier and white noise.
Comment: @Felthry I insist you make this an answer!!
Comment: I would, but it doesn't answer the question! And I'm not currently able to write it up into a form that does so.
Comment: Thanks for the answer. It feels as though I am _still_ missing something fundamental, which I can't yet explain. It could be because I don't fully understand your last sentence. @Felthry I think that would actually be very helpful.
Comment: @Andyaka if there really is no relationship then is the thought process presented above incorrect?Am I going off on a tangent?
Comment: @Rrz0 a step input is just exactly what it is; a particular type of input used in the analysis of things. An integrator is not an input; it is a transfer function and may have any particular input signal applied to it. There is no particular relationship between an input signal and a transfer function, it is purely coincidental as I explained with the example of white noise and a perfect amplifier.
================================================================================
|
Discussion Chain ID: 408634
================================================================================
User asked: Decoupling cap placement
I'm currently making a PCB with 2 ethernet ports and a CPU running at 200+ Mhz. This isn't the fastest PCB by any means and I don't foresee any issues with the placements, however in the future I might want to know how to do this properly. [And before anyone asks, yes I did in fact check the hundreds of other posts for this subject](https://www.google.com/search?q=decoupling+cap+placement+pcb+site:electronics.stackexchange.com&num=20&client=firefox-b-ab&sa=X&ved=2ahUKEwi5876dzu3eAhWysKQKHQCZBn0QrQIoBDAHegQIEhAM&biw=1858&bih=984). The problem is that it's conflicting each other every other post. One person says the loop matters, the next says don't do vias, the next says power should hit cap first then chip etc.... It's confusing as hell. This is kind of the style I'm using for this particular board: [](https://i.sstatic.net/0cHQh.png) It's a 4 layer PCB with signal-ground-power-signal layers. I simply route the vias to these massive planes in the picture(sidenote: is it ok to occasionally route other voltages over the power plane?). I'm also thinking of moving the vias on the inside of the chip directly on top of the SMD pads but I'm not sure if the manufacturer(Eurocircuits in this case) allows this. What is the correct way of placing decoupling capacitors?
Discussion:
Comment: Recently, a question rose about a misbehaving Transmitter at 6,000 MHz. The PCB had 1cm of PCB trace between the IC and the bypass caps. As you have already done, place the bypass caps right against the VDD pins.
Comment: Your vias on the caps are nice from electrical perspective but the horror from soldering perspective. Don't place them under the cap. They aren't a flat surface.
Answer 1 (1 votes):
> What is the correct way of placing decoupling capacitors? Rule 1 - as close to the chip's pins as physically possible. Rule 2 - Keep ground plane vias from the decoupling cap pins as close as possible and, if necessary on heavy duty current pins, use several vias. I'm not too worried that the power feeds the "other" end of the pin providing rule 1/2 is observed and there is nothing in the chip's data sheet that says otherwise. Sometimes it's physically impossible to have power plane vias on the outside of the chip's pin. Rule 3 - do what the data sheet suggests (or better) Rule 4 - use the most appropriate type of capacitor and take note of the self-resonant frequency of some capacitor types (making them inappropriate). > is it ok to occasionally route other voltages over the power plane? Sure but try not to do this too much on the ground plane.
Discussion on this answer:
Comment: @ Andy Is the OP asking about slitting the ground plane, with the "route other voltages over the power plane" ?
Comment: @analogsystemsrf I don’t read that in the question so maybe the op can clear this up?
Comment: The thing about the power plane trace was just something i thought of randomly. I meant routing the 1.2V over the power plane which in my case is 3.3V. They're not long traces but it keeps the design simple.
Comment: Routing a stub from the 1.2V plane either *on* the 3.3V plane (i.e., a cutout in the 3.3V plane) or *over* the 3.3V plane should be fine as long as they share a common ground, unless there's a signal trace that may have a lot of high-frequency content that cuts across that 1.2V trace.
================================================================================
|
Discussion Chain ID: 408630
================================================================================
User asked: Drive 10 piezo buzzer from micro controler simultaneously and independently
I'm looking for a solution to drive simultaneously 10 piezo buzzer from teensy. I'm aware about the limitations of the number of internal timers so I'm looking for an external chip that would enable the control of 10 piezzo buzzer independently and simultaneously. I want to generate up to ten frequencies using piezo buzzers and a micro controller. I see some I2C PWM drivers such as MAX7313 or PCA9685 but I'm not sure how they would act for piezzo such as the following: <https://docs-emea.rs-online.com/webdocs/1581/0900766b815811a0.pdf> Any idea of a way to achieve that ?
Discussion:
Comment: Do you want individual and all or any combination?
Comment: Any combination.
Comment: I would have to look into the details but I would use one timer for a common oscillating power. (May need a PFET for more power) Then connect the other end of the buzzers to an individual pin to pull low. They would all have the same freq. though!
Comment: Thanks, nice suggestion. That's what I have for now, but I want to be able to set frequencies individually to each buzzer.
Comment: Then write that in your question: "I want to generate up to ten frequencies using piezo buzzers and a micro controller." (Don't mention Arduino). But beware that you have to work out more as this forum is not a design house.
Comment: Thanks for the advice. I know this is not a design house, if I'm asking here it's because I couldn't find a solution by myself. This is the purpose of stack exchange, right?
Comment: Are you happy to find your own solution if the task was to drive only one piezo buzzer? If not then say so and make this clear in your question.
Comment: Si5351 offer 8 simultaneous outputs (each with different frequency). Low-voltage CMOS outputs, so you'd need an amplifier/driver for each piezo. A microcontroller with I2C is needed to control it.
Comment: The buzzer you reference is an internal drive type, you want external drive types if you want to control the frequency.Note that most piezo devices have a relatively narrow (audible) frequency range often 1KHz-4KHz. If you want a large frequency range then you're looking at something a bit more complicated. google "sonitron" for more info on all that.
Comment: Not all Teensies are created equally; some have more than 10 timers, and some timers can have several PWM outputs. Which one do you use?
Answer 1 (1 votes):
First: For audio frequencies, you could just check whether it's time to turn on/off by checking the microsecond clock for each of the ten pins, in a tight loop. There's enough "oomph" in the Teensy that the signal will be reasonably clean enough compared to the shitty frequency response of most piezo elements, even if you do some limited communications. (Especially if you split up any protocol parsing to be one byte per iteration through the loop.) Second: Typically you drive a Piezo with a 1K resistor across the terminals, and tie one terminal to your positive supply, and the second terminal to a small signal transistor. A BS170 / 2N7001 would be fine, and is easy to drive from the Teensy's pins. Do not drive the piezo directly from the MCU, because if something vibrates the piezo, it will generate a voltage, which may be high enough to destroy the MCU pins! (The BS170 can take up to 60V, by comparison.) Third: Even the PWM controllers are sensitive to overvolt, so vibration/knocking on the piezo would destroy them, too. Thus, even if you use a PWM controller (a PCA9685 would totally work to generate 10 parallel PWMs) you should buffer the output as described above. Here's a typical driving circuit. Adjust it for whatever your driving voltage and current is -- could be up to 20V for your particular part, and it takes 8 mA current. [](https://i.sstatic.net/AfNHH.png)
Answer 2 (0 votes):
You cannot control the frequency of those buzzers. They produce a single frequency somewhere from 2300Hz to 3300Hz like a smoke detector. Instead you need a piezo transducer that can be driven from your own oscillator but their frequency response is all over the place so some frequencies will be loud and other frequencies will barely be heard.
================================================================================
|
Discussion Chain ID: 408625
================================================================================
User asked: .dw directive in AVR assembler
the piece of code below is mentioned in 8-bit AVR's instruction set as an example to explain the LPM instruction. ` ldi ZH, high(Table_1<<1) ldi ZL, low (Table_1<<1) lmp r16, Z ... Table_1: .dw 0x5876 ... ` [](https://i.sstatic.net/qXDKs.png) I get that it's trying to load the address of flash memory word, labeled "Table_1", into Z register and then one byte of that word (depending on LSB of Z) into r16 register (or maybe I'm wrong about this part. please correct me if I am). What I don't get is the left shift in the first two lines. Can someone please explain why "Table_1" needs to be shifted left before begin loaded to Z?
Discussion:
Comment: google "avr lpm.pdf" there's an entire application note devoted to your question. Alternatively "Rev. 3049A–FPSLI–04/02" is the actual Atmel/microchip document.
Comment: Amjal - Although you might have to wait another 24hrs (due to a delay imposed by the site), please remember to *accept* your own answer, so that the site knows that your problem has been solved. Thanks.
Answer 1 (2 votes):
I found the answer in the application note: "The Z-register in the register file is used to access the program memory. This 16-bit register pair is used as a 16-bit pointer to the program memory. The 15 most signifi- cant bits select the word address in program memory. Because of this, the word address is multiplied by 2 before it is put in the Z register." Thanks to [isdi](https://electronics.stackexchange.com/users/201365/isdi) for his comment
================================================================================
|
Discussion Chain ID: 408624
================================================================================
User asked: Cascading an Op Amp at a desired frequency question
So I have a lab practical with the instructions "Demonstrate an operational amplifier circuit which may consist of one or two op amps with a gain of X (±10%) and a -3dB frequency exceeding Y kHz. The sign of gain can be + or -. " I understand the operation and build of an amp and this is actually the second time doing this lab as I screwed it up the first time. The first time I was asked to design an amplifier with a gain of 80 with a frequency of around 1kHz. I used a circuit similar to the one depicted below to do this. Obviously my resistor values were different because I required a different gain. [](https://i.sstatic.net/UuqGI.png) As my understanding, depending on the sign of the gain dictates whether I used the noninverting (-R2/R1) or the inverting equation (1+R2/R1). Using these equations and the desired gain I can choose resistor values that give my desired gain. I also understand that if the desired gain is high enough I will have to cascade op amps. What I'm confused about is designing around the desired -3dB frequency. I guess I would like someone to explain where the -3dB frequency comes in to play in designing an op amp circuit.
Discussion:
Comment: You do realize that the circuit shown has a gain of 20, not 80. And that a feedback resistor value of 460\$\Omega\$ is a bit low for most op-amps.
Comment: Yes I didn't use any of the values shown in that picture. I just used a similar model for my circuit.
Answer 1 (1 votes):
> What I'm confused about is designing around the desired -3dB frequency I think the question is trying to test you on your understanding of the open-loop gain for an op-amp and how the 3dB point changes as you lower the gain with feedback resistors. For instance: - [](https://i.sstatic.net/DpdjH.png) In the example above, the feedback and input resistors are chosen so that the "closed-loop" gain at DC is 20 dB (a real number gain value of 10). At this level of amplification you can see that the op-amp will run-out-of-steam at a frequency about 50 kHz. This is the approximate 3 dB point (half power point). If we chose a closed loop gain of 55 dB (G = 560), the 3 dB point would be much lower at 1 kHz. As an aside, this introduces the concept of the op-amp having a numerically fixed (well, fairly fixed) value of gain x bandwidth often called the GBWP or gain-bandwidth-product. G = 10 and BW = 50 kHz is pretty close to G = 560 and a BW of 1 kHz. I'm sure with a better picture of the open-loop gain it would be numerically quite close in both scenarios. So, with two cascaded op-amps, the best (highest) 3 dB point you can get is when both have the same gain because, if one had a much smaller gain than the other, the device operating at the higher gain would dictate the 3 dB point and this will inevitably be lower than if both gains (and both op-amps) are the same.
Discussion on this answer:
Comment: So what is exactly the correlation between the resistor values and the 3dB point? Fundamentally everything you said makes perfect sense but I'm am still a bit confused about choosing the correct resistor values with a specific 3dB point in mind.
Comment: That graph is different for each model of op-amp so the 3 dB point only correlates to resistor values when you know the specific op-amp. Read about gain-bandwidth product.
Comment: Once you're using high enough resistor values there's not much correlation between resistor *value* and the 3dB point. The correlation is between the circuit's DC gain and the 3dB point.
Comment: The only way to "see" the effects is to calculate and observe. Design a stage with X gain, and observe the frequency rolloff. Design another with Y gain and observe. Now mulitply the two and see what you get. Do this for other combinations of gain. Stop guessing asking for other people to explain things.
Comment: Warning ----- the total of capacitances on the Vin- pin (the virtual ground) may set the bandwidth. And expect phase-shifts to cause extending settling or ringing or oscillation. Photodiode circuits often have this problem; the cure is a 1pF or 5pF or 20pF feedback capacitor.
================================================================================
|
Discussion Chain ID: 408620
================================================================================
User asked: Mixed equipment grounding
I have built an analog circuit PCB that I want to debug. It has to get a bipolar power +-5V and an input sinus signal. The signal on the CUT (circuit under test), has buffered inputs (but a common ground on an entire PCB). Only issue is that I don't have a dual PSU at hand (only a single output one). Thus I got an isolated +-5V DC/DC converter, et decided to try with that. Circuit basically works, but I've noticed that signal generator influences the power rails (basically generated sinus wave gets 'induced' directly into the power rail as noise with much lower amplitude). So I've figured something is not right how the equipment is connected together. Namely the return path could cause this noise? This is what _I think_ is going on: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f1wzKA.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) The PSU and SignGen GND's are effectively connected to the mains Earth. 1) I was wondering If I could reduce/remove this artifact when I connect signal generator ground to the PSU output's 'Negative' terminal ? 2) Should I make some other connection to remove possible ground loop ? 3) How would I need to connect an oscilloscope to avoid making a second ground loop to mains earth again ?
Discussion:
Comment: How do you measure or see this noise? Are you use a scope or connect your board with a computer?
Comment: @MKS True notation, That's I guess related to my third point. But yes, oscilloscope. Ground lead is again tied to chassis. I've used this high frequency coil-like-spring-gnd-connection, cause having an usual Gnd crocodile wire, was able to pickup a lot of garbage.
Answer 1 (0 votes):
The DPU01M-5 is a 1 watt unregulated voltage output device so this means that if the load current taken by your circuit is influenced by the signal at the input (quite a normal thing to happen I might add) then you will see signal artefacts on the power rails. If you read the data sheet for the DPU01M-5 it has a load regulation value of 10% and, the smallprint says this: - > 4.Load regulation is measured from 20% to 100% rated load. So, if your circuit is drawing a DC current of (say) 60% of the rated current of the DPU01M-5 and there is an AC content to the supply current of +/-40%, then the output voltage will "waver" around by 10% and this is the likely cause of some of what you see.
Discussion on this answer:
Comment: Hmm, I guess I have noticed that. When measuring (with an oscilloscope) right at the power pin of any of the op-amps, I see fluctuation at the pin (with a decoup. cap) which could be resulted from varying current consumption - when signal gen is OFF. Circuit btw, from power supply, is shown to consume around 40mA, need to keep PSU at 11.4V at this load to have ~5V rails. One of my trials was to add separate regulators after each +- outputs, but making a negative rail became a bit difficult (thus a separate topic in itself) - but could this help me more ?
================================================================================
|
Discussion Chain ID: 408617
================================================================================
User asked: Why does the voltage induced in the receiver coil of this WPT circuit decrease when a load is added (in parallel)?
The following is a circuit that wirelessly transfers power via inductive coupling. The circuit is supposed to power a 12 V 0.15 A DC fan and a typical smartphone, which requires 5 V DC across it. The loads are connected in parallel to each other, as seen in the circuit schematic(though there is no capacitor at the output of the voltage regulator). As you can see in the picture below, it powers both just fine, but the phone only charges for a few seconds. And it can only charge both the fan and the smartphone **only** when the transmitter and receiver coils are very close to each other. The transmitter coil has 9 turns and the receiver coil has 39 turns. [](https://i.sstatic.net/50bH8.png) [](https://i.sstatic.net/3Ib4w.png) I then used a digital oscilloscope to measure the voltage induced in the receiver coil at two different loading conditions - at no load and at full load. The voltage induced in the receiver coil hand an RMS voltage of 28.3 V as shown in its waveform. It also had some ringing, which I assume is because the PCB terminal block acts as a capacitor. Anyways, I assumed that the voltage would remain 28.3 V because the DC fan and the phone are both connected in parallel so the the voltage at the receiver coil shouldn't change, or that's what I thought. [](https://i.sstatic.net/UPNeN.png) So I then measured the voltage at the receiver coil when both loads were added, and, as you can see in the waveform below, two things changed: the ringing is now gone and the RMS voltage decreases to 13.0 V. [](https://i.sstatic.net/1f7pE.png) Can someone please explain why the receiver coil voltage decreased even when the loads were added **in parallel**? I am sorry for the long post, but I just wanted to make sure every little detail is given. Edit: Thank you, everyone, for the answer regarding the decrease in receiver coil voltage. I fully understood it.
Discussion:
Comment: The receiver coil is acting like the transmitter coil, but generate the reverse field (you pass high-frequency current threw receiver coil. Now it is the second transmitter for 3rd load) then The field is reduced in total
Answer 1 (2 votes):
I think your real problem lies in understanding parallel and series circuits, and what they really mean. If you have this: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fMLn22.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Then you can rightfully expect the voltage to be constant, regardless of whether the switch is opened or closed. This is what you expect your wireless power transfer to do. What you don't realize is that the current changes depending on whether the switch is opened or closed. You need more current when the switch is closed - both resistors are drawing current, so your voltage source must deliver more current. Unfortunately, it can't do that. It can only deliver as much current as it can pull through the magnetic field between the two coils. If they are close by, or coupled through a piece of magnetic material, then you can draw more current and everything is as you expected it. As it is, it looks more like this: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fPcnzf.png) R3 represents the current limitation of the coils. With that in there, closing the switch causes more current to flow, which causes the voltage across R1 and R2 to change. How limited the current is depends on how well the coils are coupled. Better coupling (closer together, or using a core) makes the effect smaller. Coils further apart makes the effect larger. The same thing happen when using different sized batteries. All batteries have some internal resistance. The smaller the battery, the higher the resistance and the less current you can draw from it.
Discussion on this answer:
Comment: Just one more question: did the ripple in the receiver coil voltage disappear because the voltage decreased? And thank you for the answer.
Comment: I don't know. The ringing might come from the driving side or the receiving side. If it is on the receiving side, then the additional load might be absorbing the ringing. It wouldn't be because the voltage is lower - the voltage is lower because of the higher load, and the higher load also soaks up the ringing. It might be on the driving side, though, and that would have a different mechanism.
Answer 2 (1 votes):
> Can someone please explain why the receiver coil voltage decreased even when the loads were added in parallel? If instead of the coils in your question you had a regular HF transformer coupling power to the load(s) you would see very little reduction in voltage when adding more parallel loads. This is because the two coils inside a regular HF transformer are very closely coupled and the leakage inductances on primary and secondary are very small. More coupling means less leakage inductance. Unfortunately, when you have coils that are lightly coupled the first thing to notice is that the Vin:Vout relationship is no longer 9:39 (that's the turns ratio by the way) - it is somewhat less and that totally depends on the coupled flux from transmit coil to receive coil. If the coupled flux falls to 50% then the voltage ratio reduces to half i.e. 9:19.5. That's under no-load conditions and it's worse when you take a load current (or more load current) because there is leakage inductance to consider. Leakage inductance is the inductive element of both coils that isn't coupled to each other. Less coupling between transmit and receive coils means more leakage inductance. Leakage inductance is in series with both the transmit coil and receive coil so, as you take more power (more load current), there is a bigger voltage dropped across these leakage indutances and, inevitably, the real output voltage reduces.
Discussion on this answer:
Comment: Just one more question: did the ripple in the receiver coil voltage disappear because the voltage decreased? And thank you for the answer.
Comment: Most likely it's because with a higher load current (lower resistance load) the Q of the circuit went from underdamped to close to perfect damping. High Q = resonance and ringing; low Q means less resonant and possibly no ringing.
Answer 3 (0 votes):
the coil turn ratio is very less and hence most of the magnetic field is disturbed and lost without idnducing in secondary coil to get maximum power. However this can be eliminated if you calculate the T1 and T2 with respect to Vin anad Vout. Coming to the load, please draw the V-I characteristic of the circuit and draw the Q-point to know where excatly the circuit is operating at. Usually when the loads are connected in parallel the resistance is low and hence voltage need to drive the circuit will be more in terms where the coil supoort this voltage transfer or not. By this two possible solution you can understand the problem of high current drawn and voltage drop. Thank you.
================================================================================
|
Discussion Chain ID: 408615
================================================================================
User asked: How important is to have some form of electrical isolation in MIDI connectors?
I want to connect two MIDI keyboards by connecting the MIDI OUT of the first keyboard to the MIDI IN of the second keyboard, but I don't have the connector and I'm nowhere near a music store to buy one. And for that, I want to make my own DIN to DIN MIDI connector. I have two male 5 pin DIN connectors, and the question is, do I have to put some kind of isolation (usually an optocoupler) between the connectors? Or is it safe to just solder them directly without some form of isolation? As far as I know, optocoupler isolation usually found in MIDI to USB interface/adapter. I don't know if a MIDI to MIDI connector is supposed to be electrically isolated or not.
Discussion:
Comment: Also I was advised to use ferrite beads for EMI protection inside my MIDI device. Sometimes you see this in the cable (e.g. like USB/mouse/keyboard).
Answer 1 (23 votes):
The isolation is handled on the device, not the cable. A normal MIDI (MIDI to MIDI) cable does not contain optocouplers or other isolation. You see the isolation on the USB adapters because the adapter is serving as one of the 'devices'.
================================================================================
|
Discussion Chain ID: 408612
================================================================================
User asked: Replacing Electrical System with a Gain?
I have a system containing both a mechanical and an electrical part, as shown in the block diagram below. I am interested in **simplifying this block diagram** by **eliminating the electrical part** and **replacing with a suitable gain block**. The electrical system can be described by \$V = iR + Li + αẏ\$, where \$α\$ is the relationship between the magnetic field induced voltage and the velocity. [](https://i.sstatic.net/hKtuw.jpg) * Gain \$i\$ = \$1/L\$ * Gain \$j\$ = \$R \$ * Gain \$c\$ = \$α\$ (not part of the electrical system) * * * I am aware of the dominant pole approximation, where poles closer to the origin will dominate the response. I plotted the poles of my whole system below and it can be seen that one of the poles can be eliminated. [](https://i.sstatic.net/8bB9Z.jpg) This shows that the system can be reduced to a 4th order system (from a 5th order). I have performed all calculations to get the required fourth order transfer function, by eliminating the left most pole. Since the integrator of the electrical system is linked with the derivative, this must be eliminated. * * * **Question:** I am interested in simplifying the block diagram and not just the transfer function. **What calculations must be performed to replace the whole electrical system with a gain block?** I found that simply replacing the whole electrical system with a gain of 1, retains the same exact response, but this was not done from first principles or via calculations. **How can one explain the removal of the electrical system blocks with a gain intuitively?** I am looking for a general approach of how to simply block diagrams by replacing electrical constants with a gain block. Any help would be appreciated.
Answer 1 (1 votes):
> The electrical system can be described by \$V=iR+Li+αẏ\$, where α is the relationship between the magnetic field induced voltage and the velocity. That may be true but, the TF of the electrical system within the dotted line can also be described as: - $$\dfrac{i}{ij +s}$$ Where i and j are the gains of the two blocks used and shouldn't be confused with the complex operator i or j. In other words this is a single order low pass filter with gain. Can you take it from here?
Discussion on this answer:
Comment: I missed the forest for the trees... Was testing other methods involving dominant pole approximation, when this was the right approach.
================================================================================
|
Discussion Chain ID: 701734
================================================================================
User asked: Best circuit to drive +5 V from 3.3 V IC
I am using an ESP32 and I want to cut power to a 5 V component which should draw around 80 mA. On my board I have 5 V, so I created two designs: The first one uses an NPN transistor + P-mosfet -> [simulation on Falstad](http://tinyurl.com/275dh5fz) The second one uses an N-MOSFET + P-MOSFET -> [simulation on Falstad](http://tinyurl.com/258jal98) Both, to the best of my knowledge, seem to do the job. The transistor solution seems to rely heavily on the value of the two resistors on the left. How do I properly size those?
Discussion:
Comment: Please use the schematic editor here. It's part of your question editor.
Answer 1 (1 votes):
Both versions look OK. BTW, base of the NPN needs a pull-down also. I wouldn’t use such a high Ib/Ic ratio. It should be about 1/10 (not 2.7 mA/500 μA as in your schematic).
Discussion on this answer:
Comment: I guess then 1k 200? but that would mean thatn there will be a 25mA wasted to gnd when the led is on no? http://tinyurl.com/27hevhce
Comment: How about Rb=22k, Rc=4k7, R_pull_down=100k.
Answer 2 (0 votes):
I'm lazy. For this kind of thing, I just grab a chip from my drawer of TC1411s. Lots of other "gate driver" ICs that you could use...
================================================================================
|
Discussion Chain ID: 408603
================================================================================
User asked: Whistle while charging small cell phone power bank
I've one of those small batteries used to charge mobile USB devices like cell phones when there's no accessible power outlet around. It's a [Cellularline FREEPSLIM3000 model HY-L-3000](https://www.cellularline.com/xc_en/products/freepower-slim-3000-universal-4616.html). Last time I tried to charge it, I heard an unusual sound, like a tenuous whistle. I've uploaded a recording [here](http://s000.tinyupload.com/?file_id=14483227558187058388), it's a 12-second audio file file called "powerbank whistle.m4a". The sound can only be heard while charging the battery, not while discharging. I tried to measure the peak frequency with my phone and if the app I used is accurate (no idea about that) there are two frequency peaks, one at 8k and one at 16k Hz. Now, my question is obviously not about what should I do with my battery or whether there is a warranty on this specific product, but what electric component of the device could produce this sound?
Answer 1 (3 votes):
**Buck converter** The power bank takes 5V, and converts that to about 3.7V to charge the internal batteries. It almost certainly used a buck converter to do that. You can read more about how they work online, but the important thing is they have some capacitors and inductors inside which have a high frequency current passing through them. Either: * One of those components has started to vibrate at the frequency of that current, and that creates a noise. Most likely it is an inductor, and Assuming it didn't always do that, it probably means a part of that component was fixed in place and can now move, which may or may not mean that component is on it's way to failure. Or * The operating frequency of the buck converter has changed from >20KHz (which is too high to hear) to a lower frequency you can here. In which case there is something wrong with it, and it probably won't last all that long.
================================================================================
|
Discussion Chain ID: 408592
================================================================================
User asked: What role does this diode play?
I've just bought an Arduino Uno kit, and am going through all the projects in the booklet that comes with the kit. From even the simplest LED and resistor circuit, to get a feel for the Arduino board, breadboarding, and to dust off my electronics knowledge that's been unused for some 30 years. It needs dusting off. One of the circuits is simply to demo power switching using a motor and a NPN transistor. I understand every aspect of this most basic of cuicuits except for the function of a diode, that as far as I can tell, plays no role in the circuit's operation. It is surely there for a reason, so my question is: what is that reason? [](https://i.sstatic.net/qvMOb.png)
Discussion:
Comment: FYI, it's a NPN transistor.
Comment: @immibis Thanks, I knew that, but my typing about electronics seems as rusty as my knowledge of it.
Answer 1 (15 votes):
This diode is to surpress any back-EMF caused when the motor is switched off. In general, when one has an inductive load such as a motor, or an electromagnet's solenoid, when you switch it on, there will be an initial drop in current, as some of the current will act to form a magnetic field around the coil. Inversely, when switching off, this magnetic field that has been created needs to dissipate. When there is no back-EMF diode in place, the path would be through the BJT, which would almost certainly damage it, or perhaps other components depending on the circuit. As for the polarity of the diode itself, when passing current through one way, you generate a field in that respective direction. When you stop the source, that field collapses back to its "rest" position, which means the current will flow the other way momentarily. All reactive (capacitive and inductive) loads have this kind of "storage" characteristic which needs to be accounted for in design, resistive loads are the exception. If you want to know more about the governing equations and such, wikipedia is a good place to start, or for a good read, try "The Art of Electronics", Horowitz and Hill, 3rd edition.
Discussion on this answer:
Comment: Capacitors do not produce the destructive High Voltage kickback.
Comment: Capacitors can produce inrush current which I suppose is the dual of inductive kickback.
Comment: @analogsystemsrf hell ya they do,. A large capacitor acting as an Input Filter on an Ac to DC converter will create a current of up to 100 times the maximum rated circuit current as the Capacitor charges instantly since I=C(dV/dT) and dT approaches 0 at turn on. dV will be largest when the AC Mains Voltage at 90-degrees. Inrush current from the self-inductance of the transformer on an AC/DC Converter is at the 0 crossing as the change in magnetic flux is largest as the Current waveform is at 0
Comment: this is why I say all reactive components... although, thinking about it further, there can be other dynamics in play which complicate things, especially in electromechanical systems such as this. Suppose a flywheel is attached to the motors axle. The initial inrush current will not be higher to account for the change in inertia, and there will be a period after switching where the motor acts as a generator, which assuming the standard brushed DC motor will produce something similar to rectified AC output.
Answer 2 (7 votes):
The motor is an INDUCTIVE LOAD. Due to Faraday's Law of Induction stating that a time varying/changing current creates a magnetic field with a magnitude directly proportional to the change in the current through the conductor over time and ( as much symmetry exists in physics) a changing magnetic field creates an electric field (a voltage difference) surrounding the conductor that manifests as an opposition to the change in current that created the magnetic field. This is due to Lenz's Law which complete Faraday's Formula for electromagnetic Induction where an electro-motive-force is created equal to the rate of change in the magnetic field over time (which was cause by the change in the flow of current. Faraday's Law: back-EMF = (-1)_dB/dt_ N where back-EMF is the voltage potential opposite the current flow creating the resistance to change, "-1" is Lenz's Law, "dB" is the change in magnetic flux, and "dT" is the time period over which the change is is measured, and N is how many coils of wire are within the changing electric field. Your motor is inductive due to the many coils of wire. When it starts up it slowly gains speed instead of instantly being at top speed because of Lenz's law making the back-EMF resist the change in current flow until the current flow is no longer changing and at its maximum. There is now energy stored in the corresponding magnetic field. When you turn off the motor it will still spin and now instead of consuming power it is generating power. The original back EMF flowed toward the supply but now as the motor slows down the inductance will resist the change in current and will force a current to flow forward and into the transistors collector. Since current is the flow of electrons the electrons must come from somewhere. Your transistor connects the motor to GROUND where it was sourcing electrons initially. The electrons "moved" by the electro-motive force induced by the collapsing magnetic field would bunch up at the transistor collector without the diode and would have to be sourced from your Power Supply which wont like that. With a diode giving a return path for that EMF it will dissipate through the diode and motor after a couple loops through it. So, the fly back diode allows a path for the electrons to flow around the motor and not into the power supply or the transistor (causing potential damage), created by self induction in the motors windings when turned off and caused by the sudden change in current to zero.
Discussion on this answer:
Comment: The changing field doesn't create electrons. It causes the existing electrons to move.
Comment: @JRE Did you edit the post, I don't know why I would have said that Faraday's Law of Induction "creates" electrons. It does creat and electrics field which is difference in voltage potential between to points and if those two points lie on a continuous path of conductive material then a current is formed. But ya, Electrons are never created or destroyed due to conservation of energy (I know that electrons can be, for very small amounts of time, turned into its subatomic constituents in a particle accelerator or super nova, so I mean electrons follow the conservation of energy with an asterisk
Comment: I edit it, but didn't change the part about electrons being created. I noticed it while editing. You can view the changes, and you will see that I didn't change that. I changed capitalization and some apostrphes.
================================================================================
|
Discussion Chain ID: 408590
================================================================================
User asked: ADC startup time in AT91SAM7 - what is it?
I'm working with ADC in [AT91SAM7S](http://ww1.microchip.com/downloads/en/DeviceDoc/doc6175.pdf) micro-controller. Apart from parameters like ADC clock frequency prescaler and 'sample and hold time' (that I'm familiar with), there is a parameter called 'Startup time' which I don't really understand. The documentations says: "Each ADC has its own minimal Startup Time that is programmed through the field STARTUP in the Mode Register ADC_MR." My feeling is that this may be related to sleep mode so that when ADC was sleeping and later started it needs some time to 'wake up'. But I don't use sleep mode. Probably ADC is sleeping by default until it is really requested to make conversion. If I set this parameter to zero then first conversion after program start gives zero code, although channel "End of conversion" flag is set. All subsequent conversions work normally. * What is the physics behind this parameter? * Why should I program it? Why ADC can't just automatically wait needed time and don't set 'end of conversion' flag until it really woke up and finished conversion? * How do I calculate it?
Discussion:
Comment: What sort of ADC is it? Successive approximation, sigma delta with a big FIR? Provide a link to the section in the chip data sheet.
Comment: Successive approximation.
Comment: Datasheet link added
Answer 1 (0 votes):
Looking at the datasheet, this is the time required for the ADC to properly restart from idle mode (there is also an ADC sleep mode which is confusing). Idle mode relates to the processor core, but the startup time appears to also be required in ADC sleep mode (see section 36.5.6 of the datasheet) [](https://i.sstatic.net/CwDYa.png) It is programmable as the number of clock cycles will vary based on the clock used in the ADC module. Calculation: **STARTUP: Start Up Time** Startup Time = (STARTUP+1) * 8 / ADCClock Therefore you should program the register with STARTUP = (Startup time * ADCCLK / 8) -1 where Startup time is 20 microseconds. This particular ADC has a fixed minimum time required for (apparently) the analog cell to come back up.
Discussion on this answer:
Comment: Yes, I saw these formulas. But anyway it looks to me like a strange design of this ADC, because this parameter doesn't depend on signal characteristics at all. The event about returning from idle state should be present to internal hardware logic. Why the manufacturer wants/allow me to program it?
Comment: As I noted, the time is absolute, but the time is specified as a number of clocks, which is itself programmable. This is *not* unusual at all in microcontrollers.
================================================================================
|
Discussion Chain ID: 408586
================================================================================
User asked: Regulating High Power Wet-Cell Battery (Accumulator)
I'm currently working on long-term remote-sensing & data-acquisition. Thus, I'm planning on using 12V 45Ah wet cell battery (accumulator) for the supply. The system consists of microcontroller unit, sensors, **DC water pumps** , communication module, and UI. As we all know, DC water pumps require a lot of current to operate. That's why I'm using a huge supply (45Ah), so the system can operate for a month. But I wonder, how can I regulate the supply voltage into 5V and 3.3V? As far as I know, LM78XX voltage regulator IC has limited input currents rating. Looking forward for your respond.
Discussion:
Comment: All voltage regulators have limited current handling capacity so, based on this fact, what is your new and specific question?
Comment: Are the water pumps 12v?
Comment: @Andyaka the question is, can i regulate a supply with high-current input through a commonly-used voltage regulator LM78xx? If it's not possible, is there any particular way to regulate it?
Comment: @rdtsc yes, it is.
Answer 1 (0 votes):
The regulators don't give a snap how much current your battery can supply. They only care how much current you pull through them. If your low voltage parts (presumably a microprocessor of some sort) only draws 100mA, then that's all you have to worry about when selecting the regulator. Just because your battery could deliver 300A into a short circuit doesn't mean you need to size the regulator to handle 300A (unless you need 5V and 300A for some scary reason.) * * * All that said, you will probably want to look into a switching regulator rather than using a linear regulator like the 7805. Linear regulators control their output voltage by acting like a big variable resistor. They waste power. Take your 5V regulator and assume 100mA. To get from 12V to 5V, it has to drop 7V. At 100mA, that's .7W. Your battery supplies something like 540 watt hours. The wasted power in the 7805 would be like (0.7w * 24h * 30 days=504 watt hours) 500 watt hours in a month. So, never mind powering the pump. You would be hard pressed to run the low voltage stuff for a month. Switching regulators waste far less energy.
Discussion on this answer:
Comment: Alright, so that's how regulator works. Thank you so much for your clear explanation! One more question, you said that: **"They only care how much current you pull through them."** @JRE Then, do you know how much current that, for example LM7805, could withstand before the IC burn? From the datasheet, i could only find **Absolute Maximum Power Dissipation of 15W**. If the maximum power dissipation is 15W and it's running on 5V, the maximum current is 3A. Is this correct?
Comment: Nope. You power it from 12V. It puts out 5V. So the voltage is has to get rid of is 7V. 15W/7V= 2.1A. Using a 7805 on 12V, you could draw about 2A. But, only if you have a good heat sink on it. That 15 watts turns into heat, and you have to get rid of it.
Comment: I see. Thank you so much, you've been such a huge help :)
Comment: @JRE Nope, a 7805 has a max current spec as well as a max dissipation spec. The popular TO220 packaged device has a nominal max current of 1A, with a limit above which it starts cycling of 1.5A IIRC. The L version is 100mA, and I think there once was a TO3 version with a higher current.
Comment: @Neil_UK by **Nominal max current**, did you mean maximum input (flowing) current?
Comment: That's the maximum current you are allowed to pull from the regulator. That's the output current.
================================================================================
|
Discussion Chain ID: 408584
================================================================================
User asked: Help identifying replacement regulator
I'm doing some proactive maintenance on a vintage games console from the late 70s. There are a couple of linear regulators which I thought would be prudent to replace whilst I'm at it. Unfortunately the markings on one are nearly illegible and on the other are completely gone. (They were covered by some tape which took the markings off when I removed it) I know the marked one is a LM78M12x - the 'x' is illegible. The other is a 5v regulator confirmed with a DMM. I have searched for schematics in vain. The question is what suitable modern replacements should I use here? Are there any other clues I can look for which might help? Can I cause any problems by choosing the wrong ones e.g. LM7805 instead of LM78M05? Should I go with a modern switch-mode version?
Discussion:
Comment: A switch-mode will add lots of high-frequency spikes to the VDD rail, and you likely will have to lots of new capacitors, while possibly facing constant unwanted "RESET" events.
Comment: Don’t fix what ain’t broke is my belief.
Comment: Why replace them if they aren't broken? It isn't like an electrolytic (or paper and oil) capacitor that will go bad with time.
Comment: Seconding what Andy and JRE said--there's no need to replace linear regulators unless they've somehow failed. These parts don't have limited lifespans, so they should continue to work just as well as they always did if they aren't mistreated.
Comment: If the game is COOL inside, then the components will have an extended lifespan. Perhaps add a tiny fan, if there is any heat buildup; this protects the ICs and the electrolytic caps.
Comment: So a 40+ year old regulator isn't going to fail in a way that can damage anything? If that's the case then I'm happy to leave them alone.
Answer 1 (1 votes):
I would assume that's a version of LM78M12, which is a 12V regulator. Have a look at the datasheet for the pinout of your package (<http://www.ti.com/lit/ds/symlink/lm341.pdf> \- I know it says LM341 in the link and LM78M05 in the PDF, but the layout is the same). Once you identify which one you have (TO-220 or TO-39 package), check the pinout and measure pins 2 and 3 with a DMM. If our assumption was correct, it should read 12V. From what I gather, these were 500mA regulators, so something like a regular LM7812 should work fine.
Answer 2 (1 votes):
Assuming your gadget is working satisfactorily,Best way to identify is to measure the output of the regulators and go in for the latest equivalents. Normally these regulators will lost long unless short circuited beyond it’s short circuit protection spec. Normally these power supply will have problems related to electrolyte capacitors drying up or (open) blown due to load current. With my experience many chronic power supply problems got solved just replacing aged capacitors and re -wetting of oxidised solder joints and wires Your proactive efforts can be focused on defective capacitors and Oxidised soldering joint due to time and humidity levels at your place.
================================================================================
|
Discussion Chain ID: 408581
================================================================================
User asked: MDIO bus pull-ups
What is the proper way to connect multiple ethernet devices via MDIO bus? I know that MDIO (similarly to I2C) is open drain, so I think that I need (just as in I2C) two 1-4, 7 kOhm pull-ups both for MDIO and MDC pins (Do I actually need a pull-up for MDC pin as long as it is a clock output?). So, my question is the following: if I want to connect 8 devices, what is the proper choice for nominals (1 kOhm or 4.7 kOhm) and is it sufficient to have only one pull-up on the bus or do I need multiple pull-ups (for each IC)? Thanks.
Discussion:
Comment: If you want to connect multiple MAC of a processor to each other it is impossible! "The bus only supports a **single MAC** as the master, and can have up to 32 **PHY slaves**. " https://en.wikipedia.org/wiki/Management_Data_Input/Output. If you have one MAC and multiple PHY, one pullup is ok.
Comment: Thank you for the response!) I want to connect KSZ9477STXI (Ethernet switch IC), five DP83849IFVS (Media Converter IC), DP83620SQ/NOPB (Ethernet PHY IC) and MAX24287ETK+ (SerDes) via single MDIO bus to AM3358 SoC. I'm a little bit confused about MAC/physical addresses of this ICs. DP83849IFVS and DP83620SQ/NOPB appear to have their own physical address (is it MAC address?), besides KSZ9477STXI should have separate MAC address for each port (our maybe I'm wrong and it'll have only single MAC address). So, is it possible to connect all this ICs to AM3358 SoC via MDIO to control their settings?
Comment: you should have(buy) one MAC address for each physical layer, https://en.wikipedia.org/wiki/MAC_address. On other hands above your PHY layer, you have a MAC that controls that PHY(https://en.wikipedia.org/wiki/Medium_access_control). It is better to add your connection diagram.
Comment: I've added my connection diagram above.
Comment: It's a complicated design. The whole is ok. What is "MDI"? It should be PHY or Port. each PHY should be set with own address so the MDIO can ping them. I think it is better to design a network with a building block, we have a router, LAN/SFP converter, etc. Breaking the project to a building block makes the project easier.
Comment: I slightly edited the connection diagramm. There was a mistake - DP83849I is working in media convertion mode. So MDI is media dependent interface. The case is that KSZ9477STXI switch has embedded PHYs, but they only supports copper mode so we decided to use DP83849I as media converter to convert 100BASE-TX signal to 100BASE-FX signal.
Comment: We also need one additional PHY for MII port of KSZ9477STXI switch and one SerDes to convert SGMII to RGMII to be able to connect KSZ9477STXI switch to SoC because we are lack of ports (we need 7 ports in total). It's indeed a complicated design and I'm starting to wonder if it is even an implementable idea?
Comment: As for MAC addresses as far as I understand each IC that we are using need to have its own MAC address to be controlled via MDIO?
Comment: Yes all PHY need their own MAC address else the network will crash.
Answer 1 (1 votes):
There is no need for multiple pull-ups on MDIO as that would amount to a single pull-up resistance anyway. You would look at MAC or PHY requirements for pull-up resistance and take a value that is compatible with all devices and can provide the timings that are necessary, as bus capacitance will slow down the rising edges. MDC is an output. Basically, it does not need a pull-up. It might need a pull-down, but again, that is dependent on the MAC and PHY devices you are using.
================================================================================
|
Discussion Chain ID: 408574
================================================================================
User asked: VHDL: Setting upper bits of variable to zero during assignment with shorter variable
When one has something like variable a : unsigned (3 downto 0); variable b : unsigned (1 downto 0); and one wants to assign the lower `b'length` bits of `b` to `a`, is it necesary to do **a)** a(a'left downto b'length) := (others => '0'); a(b'length -1 downto 0) := b; or can the same be achieved with **b)** a := (others => '0'); a(b'length -1 downto 0) := b; or is there **c)** even a more elegant way? Option a) seems to work, but everytime I want to use it, I get a bad feeling that this might not be the proper way to do it.
Discussion:
Comment: okay, but what about assigning `(others => '0')` to the variable `a` before assgning the variable `b` to the lower part of `a`? Will the unaffected bits still keep their `'0'` values?
Comment: The last VHDL assignment always overrides all previous assignments. The a(b'length -1 downto 0) := b only affects the lower bits, so the upper bits stay at 0 from the (others => '0')
================================================================================
|
Discussion Chain ID: 408572
================================================================================
User asked: Drive QVGA lcd with GPIO?
I want to drive a 2.2" QVGA LCD that has I80(Intel 8080) interface. I found that other people did it with microcontrollers that have XMEM(Atmega64) or FSMC(ST) . Now I want to know if it is possible to do it just with GPIO ?
Discussion:
Comment: Why are there no datasheet hyperlinks and schematics in your question?
Comment: @Transistor its not about specific lcd
Answer 1 (0 votes):
Yes. If it has an 8080 interface, that means it has a built in controller (which is quite common for these sorts of screens). You can write data to it at your leisure, basically. The only consideration is that you need to have enough GPIO to drive the interface. If you want to do animations or complex graphics, then you will need a fast microcontroller because it will be spending a lot of time bit bashing the interface. This is why it can make sense to use a chip with an FSMC (memory controller). It means your CPU can focus on generating graphics, rather than driving the interface.
================================================================================
|
Discussion Chain ID: 408562
================================================================================
User asked: What is wrong with this soldering iron?
It's body is blackened, just after 5 minutes of heating and it's body is also bent. How can I solder when the iron itself works so poorly? P.S: I am using it for the first time. [](https://i.sstatic.net/xHcPm.jpg)
Discussion:
Comment: I would consider that discolouration normal, from heating.
Comment: And the bending, can that happen or may be it was from the start?
Comment: I would suggest the bending was user inflicted - dropped or badly stored for example. A small bend won’t affect its heating capacity.
Comment: Make sure your soldering technique is based on the application of heat rather than pressure..
Answer 1 (9 votes):
The tip is not mounted correctly on the iron body! It is absolutely normal that a soldering iron becomes brownish due to oxidation around the heating element - which for such tips should be inside the sleeve. But it is outside! The iron also looks "unnaturally" long. When zooming in and looking into the slit, the iron body is not inserted completely into the sleeve, it does not even reach the small clamp. One can see the background and the shadow of the clamp on the backside. If the iron body would be inserted completely, the heating element indicated by the brownish discoloration would be inside the sleeve as it should, and the iron had a more "natural" length. Using the iron as it is could definitely cause it to bend, because it puts much mechanical stress on the body, which becomes weak under the heat. And the heat does not reach the tip well, and doesn't melt the solder well. People tend to push more then, which finally bends the iron.
Discussion on this answer:
Comment: What do I exactly do? Just push the tip in?
Comment: @supreetshetty Yes. You see how long the sleeve part is, and the body has to be pushed all ways in.
Comment: Be sure to wait for it to cool completely before pushing the tip further on.
Comment: That brownish color on the stainless steel is oxidation, but **not rust**! It's **temper color**, as seen with any steel when heated and cooled down again, and I'd go with: around 250 °C. (Thin film of iron oxide is translucent; temperature defines how deeply the oxide goes; you get double reflection on the outer and inner surface of the oxide, and thus thin-film effects, just like oil on a water surface shimmers in colors)
================================================================================
|
Discussion Chain ID: 408560
================================================================================
User asked: What is the maximum slaves supported by SPI and how it is limited?
I was learning the basics of [SPI-communication](https://core-electronics.com.au/tutorials/spi-arduino-tutorial.html). It was came to following section and I was bit confused to understand the sentence. [](https://i.sstatic.net/gZgAs.png) What is the meaning of " each slave in the chain will act as the master for the following slave ". Can anyone elaborate it ? And what is the possible maximum slaves supported by SPI and what factors limits it?
Discussion:
Comment: SPI is basically a chain of shift registers. Bits get clocked in on MOSI and out on MISO. Master sets the speed (it is just the clock speed). If the master goes too fast, data corruption may occur.
Comment: check here https://en.wikipedia.org/wiki/Serial_Peripheral_Interface
Answer 1 (3 votes):
We have two type of SPI, * direct connection * Daisy chain connection For the first, each device need its own **SS pin/ sometimes Chip select**(limitation) [](https://i.sstatic.net/zkV1i.png) link:<http://www.circuitbasics.com/basics-of-the-spi-communication-protocol/> For the **Daisy chain** , The limitation is the delay. Not all SPI devices support Daisy chain, some of them should be configured for Daisy chain operation, for example, some DAC chips. If you want to send a 32bit command to chip number **n** , you need **n** *32 clocks on SPI clock to send data to chip number **n**. [](https://i.sstatic.net/0TmZm.png)
Answer 2 (2 votes):
SPI is a chain of flip-flops. There is no hard limit to the length of the chain. There is no addressing. It's not like I2C where you have a limited number of addresses. The soft limit is how long you're willing to wait to clock data through the whole chain. If you have a chain of for instance 1000 8 bit devices, and are serial clocking at (for ease of calculation) 8MHz, then you'll have to wait 1mS to update the entire chain. That would be just fine for some applications, and not fast enough for others. 10,000 devices would take 10mS. You do the sums for where the devices are (let's say) the LED panels for the advertising around sports grounds, or the LED panels of a live video display. > " each slave in the chain will act as the master for the following slave ". That's poor use of language. Each slave is the data source for the following slave. However the master is what controls what happens and when. The master function stays with the master, in contrast to some busses where the 'master' function can be passed around.
Discussion on this answer:
Comment: Beware that this will not work with all SPI devices. In most devices I have encountered, the write data does NOT appear on the output but instead the output is the contents (read) of an internal register. There chaining is not possible. You have to use a separate CS for each device.
================================================================================
|
Discussion Chain ID: 701733
================================================================================
User asked: Impedance matching and termination resistor
I’m a little confused regarding impedance matching with resistors. As far as I know, the impedance of a trace is a part of its characteristics and it can’t be measured with an ohmmeter. For example, if we measure a trace of 50 ohm to the ground, the resistance will be infinite, and it's totally correct because we're talking about reactance effect of L & C components of the line. Why do we match the output/input impedance with a parallel/series resistor? I know this resistor is for absorbing the wave energy, but how we can relate this resistor to the line impedance matching?
Answer 1 (15 votes):
Imagine an infinite board with an infinite trace on it. Apply 1V to the trace. What happens is that an impulsive wave, a step, propagates down the trace. If the current needed to keep this wave going is 0.02A, we say that the "characteristic impedance" of the trace is 1V/0.02A = 50Ω. The infinite trace behaves like a 50Ω resistor. But that means that a 50Ω resistor behaves like our infinite trace. An infinite trace would swallow any waves transmitted and never reflect them back. Since the 50Ω resistor is electrically the same, it does the same thing.
Answer 2 (9 votes):
> I know this resistor is for absorbing the wave energy, but how we can relate this resistor to the line impedance matching? The characteristic impedance of the line is the ratio of voltage to current that can be carried by a forward or reverse-travelling wave on the line. The resistance of the termination is the ratio of voltage to current that it allows. If you relate these two impedances by making them equal, then all the energy in the wave is absorbed by the termination. If they aren't equal, then a reflected (reverse-travelling) wave must be produced at the point of termination in order for all of the system constraints to be met (Kirchoff's current law, the V:I ratio of the forward wave, the V:I ratio of the termination, and the V:I ratio of the reverse wave)
Answer 3 (6 votes):
> _if we measure a trace of 50 ohm to the ground, the resistance will be infinite_ For a very short length of time the resistance measured (if you have the right equipment) will be 50 Ω. Afterwards it will become infinite. But, in between, there will be voltages and currents sloshing around from end to end but, these perturbations will gradually settle down in a few microseconds (for a short line or trace). > _Why do we match the output/input impedance with a parallel/series resistor?_ Basically to avoid the perturbations mentioned above. If we match, the perturbations are low to zero in amplitude and wouldn't (for example) disrupt high speed data passing down the line. > _I know this resistor is for absorbing the wave energy, but how we can relate this resistor to the line impedance matching?_ If you choose a terminating resistor whose value doesn't match the characteristic impedance of the trace, the "unsuspecting" voltage and current travelling down the trace will "hit" a load (at the end) that doesn't match their ratio. That ratio is determined by the trace's characteristic impedance and you potentially have a problem with ohm's law unless a reflection back to the source is created.
Answer 4 (5 votes):
> As far as I know, the impedance of a trace is a part of its characteristics and it can’t be measured with an ohmmeter. For example, if we measure a trace of 50 ohm to the ground, the resistance will be infinite, and it's totally correct because we're talking about reactance effect of L & C components of the line. It can be measured by an ohmmeter, but the ohmmeter needs to be an extremely fast instrument that reads current on the scale of 1 nanosecond. One can construct such a practical ohmmeter from a pulse generator, a low-inductance current shunt (or a current probe), and an oscilloscope. When you apply a Heaviside voltage step to a lossless transmission line, you can see that a current flows into the line, and its value is the ratio between the applied voltage and the line's characteristics impedance. Paradoxically, voltage and current are in-phase with each other, as if it's a resistor, but the ideal transmission line only contains inductors and capacitors. Since energy-dissipation is not allowed, the circuit should not be resistive. The solution is that, this circuit only becomes reactive when the pulse reaches the end of the line and starts reflecting back. After many reflections, the line reaches steady-state and behaves like a reactive component, as seen by an ordinary ohmmeter or impedance bridge. But before that occurs, it behaves like a resistor. Another way is to say that information about what is located at the other end of the transmission line propagates no faster than the speed of light inside the dielectrics. Other phenomena found in ordinary circuits also exist for transmission lines, momentarily. For example, if you insert a series resistor between an ideal voltage source and a transmission line, at the mid-point, it forms a voltage divider. When the voltage source is turned on, initially only half the voltage can be measured on the line itself. The half voltage is doubled when the pulse reflects back from the far end of the line. These facts highlight the physical meaning of the name _characteristics impedance_ \- this _impedance_ can be very _real_ (in both senses of the word) indeed. It's also why characteristics impedance is sometimes called _surge impedance_. If the line is infinite, the reflection never occurs and the line is always resistive. To simulate a infinite line with a finite line, simply terminate its far end with a resistor set to the line's characteristic impedance. This is why parallel termination eliminates reflection. Note that for a lossy RCLG transmission line that physically exists, its behavior is significantly more complex than the lossless line, and these statements are only approximately correct within a short time window for a short line.
================================================================================
|
Discussion Chain ID: 408559
================================================================================
User asked: Can anyone please identify this 6 pin SMD integrated circuit?
Can anyone please identify this 6 pin SMD integrated circuit or what it does? I could not find it by the code written on it. It is from a solar charger and I need to replace it.
Discussion:
Comment: +1 .... very good picture .... please add a picture that shows a wider area of the board
Comment: If you don't know what it is, how do you know you need to replace it?
Comment: did you check polarity? it could be a littlefuse fast diode... try smaj6
Answer 1 (8 votes):
It is "AP5100" [Datasheet](https://www.diodes.com/assets/Datasheets/AP5100.pdf). Which is Step down converter from Diodes Incorporated. [](https://i.sstatic.net/RRxLW.png)
================================================================================
|
Discussion Chain ID: 408558
================================================================================
User asked: PC power supply charge 12v battery
Two part question. If I take the 11v and 5v, with diode to prevent 11v to flow to the 5v, will I get 16 volts? And will it charge a 12v battery? Last how can prevent overcharge? Also this is an older power supply. 1999 old. Adding: this an ATX Power Supply. Internet searching info says if you connect the +12v to the -5, you get +17v.
Discussion:
Comment: how are you expecting to connect the diode? .... please provide a schematic of the proposed circuit ..... how are you obtaining the two voltages? .... one power supply or two power supplies? .....
Comment: And check the PSU to see if the grounds are connected. If they are you have a problem. Hit the edit link to add in the missing information.
Comment: jsotola I don't have software to make schematics. I really don't know how one would help anyway. Best description would be to place the diode inline to the -5V with the stripe facing the +12v. from there on to the battery. TY
Comment: Please try drawing your idea with pen and paper, it makes it much easier to have something visual to base our discussion off :)
Answer 1 (1 votes):
No, it will almost certainly not work. A computer requires both 12V (for fans, hard drives...) and 5V (for motherboard...). Both these rails have to have a common ground. So, a PC power supply has all rails at a common ground. Do not connect any rails in series (or parallel) or it will destroy the power supply (possibly with smoke and loud bang). With two separate power supplies, it may or may not work. Most PC supplies have the common ground also connected to mains earth. Disabling that may work. However, one has to be careful. Simply disabling mains earth is both risky and may be futile. The mains neutral may be connected to mains earth outside the house, and connected to chassis (the metal box) via a capacitor. One actually has to disconnect the low voltage common connection from chassis (which is usually difficult due to the way the PCB is constructed in most supplies). Typically, insulating washers are used (search on the web for intructions). However, the silver lining is that, this needs to be done on only one of the supplies. Make sure you do not disconnect the neutral to chassis capacitor (if there is any), and the chassis to mains earth connection. Make sure no part of the battery is touching mains earth (through acid leakage or otherwise). Above all, be safe when working inside an SMPS. Discharge primary capacitors with a resistor on a wooden stick.
Discussion on this answer:
Comment: Internet searching info says if you connect the +12v to the -5, you get +17v and that's with the common ground. I have yet to try it. Fearing the "loud bang" you mentioned, LOL. Seems half the people say yes it works and half say it does not and trips the safety circuitry. TY for your input.
Comment: 8Ah battery will need 800mA current for 10 hours to charge (C/10 charging). The -5V will almost definitely not provide 800mA (as they existed to power op amps in soundcards). Buy a 5V 2A mobile charger, ensure it is floating, and use that instead. (2A, because they often overstate their specs). Or you can get a 6V 1A transformer. With some voltage drop on load, it may be perfect. (You will need 4 diodes and a capacitor for the transformer)
Comment: Did you miss the part about connecting the +12v with the -5v?
Comment: Did you miss the part about the -5V not providing the required 800mA?? BOTH the 12V AND the -5V have to be capable of providing the required current. The required current being 800mA if you want to charge in reasonable time (e.g. 10 hours). The possibly 100mA that the -5V will provide, may or may not be able to float charge the battery for maintenance. If the -5V has no current limiting, attaching a discharged battery may likely fry the -5V rail.... yes even though the 12V is capable of providing several tens of amps (actually, that is what will fry the -5V).
Comment: @Mouthpear: if you do connect between the -5 and +12, the +12 terminal will be +17 volts RELATIVE TO the -5V terminal, not relative to Ground. The current that arrangement will provide will be limited to the current rating of the -5V supply.
Answer 2 (0 votes):
If you want to build a basic 12v charger for lead acid batteries use a hefty 12 or 16 vac transformer and 4 high-current diodes. The diodes can be from an old alternator. Cut the heatsink to give 2 diodes with common cathode and 2 with common anode. Then wire them as a bridge rectifier. A filter capacitor is not necessary, but if you use one then add a 1 kohm 5W bleed resistor. Avoid sparks near a charging battery. . . hydrogen gas.
Discussion on this answer:
Comment: Point is i don't want to build one. I want to use what i got. Internet searching says it it possible. All i want the thing to do is charge a 12v 8ah sealed battery and run a 12v DC motor for very short periods of time. But thank you for the info.
================================================================================
|
Discussion Chain ID: 408556
================================================================================
User asked: How would I determine the ideal capacitor for a specific application
I am attempting to replace a Surface Mounted Multilayer Ceramic Capacitor in an Amiga A4000 which is described in a BOM as: Capacitor, SM, MLC, NPO, 100pF (1206) However, when I look up this parts on Mouser.com there are [35 possible](https://www.mouser.com/Passive-Components/Capacitors/Ceramic-Capacitors/MLCCs-Multilayer-Ceramic-Capacitors/Multilayer-Ceramic-Capacitors-MLCC-SMD-SMT/_/N-bkrdv?P=1yzmoty&Keyword=Capacitor%2C%20SM%2C%20MLC%2C%20NPO%2C%20100pF%20\(1206\)&FS=True) matches based on the documented criteria. How would I determine what else to filter down this list by? Visually the [Johanson Dielectrics 501R18N101FV4E](https://www.mouser.com/ProductDetail/Johanson-Dielectrics/501R18N101FV4E?qs=sGAEpiMZZMs0AnBnWHyRQHiU6g%252bbHuj0zYS3VTb9qMg%3D) is the closest match, however, beyond this specific question I'm really looking for "teach a man to fish" kind of guidance to understand what values I need to be tracking down.
Discussion:
Comment: Is this cap used in a crystal oscillator?
Answer 1 (3 votes):
The two most critical parameters for a capacitor are capacitance, and voltage. As the BOM doesn't specify the voltage, it's possible that it's a low voltage application, and 'any' capacitor will do. A 100pF NPO in a 1206 (that's huge!) package, would be unlikely to be less than 50 or 100v operating voltage. The Johanson part you've identified is rated at 500v! Most of the computing guts of an Amiga A4000 computer will be running at 5v and 12v, but it's possible there are higher voltage rails generated locally for non-volatile programming of stuff, perhaps 10s of volts, and this may be in that area. It might also be in the video display, where there are much higher voltages into the 100s and 1000s. I would like to think that for any voltage operation over the 'safe touch' voltage of about 50v, the BOM would specify voltage as a parameter. Small value ceramics (100pF is small), aren't readily available with less than a 50v rating, they are so cheap it's just not worth the manufacturers bothering to hold multiple lines with some cost reduced by requiring a lower voltage. You need to find out the voltage that the part will be subject to in operation. Once you've done that, just pick the cheapest 100pF NPO capacitor that exceeds the operating voltage by a factor of 2 or more, subject to stock and delivery. Johanson is a premium RF brand, as you can tell from the price. There's no need for that, unless you need the voltage, or the RF qualities. Caution, when you're looking for 'large' value ceramics, 1uF and above, then it's a whole different ballgame, played in a minefield, and all the reassuring noises above are irrelevant.
Discussion on this answer:
Comment: What about the percentage (tolerance?) should I go for as low as I’m willing to pay for?
================================================================================
|
Discussion Chain ID: 408555
================================================================================
User asked: Difference between multiplexer and decoder
What is the difference between a multiplexer and a decoder? Lets assume a 2-to-4 decoder and a 4-to-1 multiplexer, what I understand is they both select one input based on the selector's combination. Is there any scenario that a multiplexer can be replaced by a decoder and vice versa?
Discussion:
Comment: I'm trying to imagine any scenario where one could replace the other. None are coming to mind (except trivial cases.) The decoder sets (or clears) the sole indicated output line, out of several output lines (which then have the opposite value from the indicated line.) The multiplexer passes along the state of the indicated input, chosen from several input lines, to the only output line. Have you looked at the truth tables or the behavioral block diagrams for either of these devices?
Comment: `they both select one input based on the selector` ... that is incorrect .... one selects an input, the other selects an output
Comment: Your question is faulty because you assert things that are wrong. Maybe if you googled the difference you would answer your own question.
Answer 1 (1 votes):
A multiplexer (MUX) selects one data input from multiple sources based on a control signal, while a decoder converts a binary code into a set of mutually exclusive signals. While they both involve selecting one output among several inputs, they serve different purposes. In some cases, you can replace a 4-to-1 MUX with a 2-to-4 decoder and additional logic, but they are not interchangeable in all scenarios due to their distinct functionalities.
Answer 2 (0 votes):
Both mux and decoder are combination logic, but both serve different purposes. A mux is a digital circuit that selects one of several input data lines and directs it to single output line. The selection of input line is controlled by a set of binary select lines; the number of select lines determines the size of the mux. A decoder is a circuit that takes a binary input and activates one of its output lines based on the input value. Mostly decoders are used to enable specific components in larger systems based on a particular input condition. Replacing a mux with a decoder: If the mux has only one active output for a given combination of select lines it can be functionally replaced by a decoder. Example: if you have a 4-to-1 mux where only one input is selected for each combination of select lines you could use a 2x4 decoder to achive the same functionality. Replacing a decoder with mux: if the decoder's output lines are used to enable or disable certain components in a system, and these components can be considered as inputs to the mux, then you might replce the decoder with a mux. Example: if the outputs of a 2-to-4 decoder are used to enable four different components, you could replace it with a 4-to-1 mux where the components are the data input and the decoder's input is used as the select line.
Answer 3 (0 votes):
A multiplexer is a data selector. Think of it as changing the channel on an old television or radio, with each input being animal planet, nickelodeon, cartoon network, etc. You can only have one channel on your tv screen at a time, and you select the channel using the remote. A 4 to 1 decoder will have 4 channels to choose from. Your concept of what a decoder does is wrong. A decoder serves a totally different function than a mux. It would not make much sense at all to use a decoder in place of a multiplexer. That would be almost like using a hammer to insert a screw. These are different tools for the job. A decoder takes in a code using it's n inputs, and can output up to 2^n - 1 unique outputs. The outputs can be whatever you want them to be. That's defined in the circuit. It's very helpful to study truth tables when you're learning digital design. I found this truth table on google. Here, there's 3 inputs, A2, A1, A0, and 2^3 - 1 = 7 outputs. For every truth table there's a logic circuit that goes with it. [](https://i.sstatic.net/pIZPP.png)
================================================================================
|
Discussion Chain ID: 408553
================================================================================
User asked: Externally excited induction generator
I read a statement in my textbook-" The short circuit current of the externally-excited 3phase induction generator is limited" which I am unable to understand. Kindly help
Discussion:
Comment: The other way by using a capacitor bank which would supply for both the induction generator and load. By Externally excited I mean the induction generator is directly connected to AC supply system.
Answer 1 (0 votes):
The Electrical Machine has resistance in the stator windings .Also there is inductance. The output voltage is finite .The term" Synchronous Impedance " covers this .
Answer 2 (0 votes):
An ideal generator is current limited by the strength of the magnetic field in the rotor, the the short-circuit current it that which exactly cancels the rotor's magnetic field. In real life it is further reduced by non-idealities like winding resistance and the imperfect magnetic coupling between the rotor and the stator etc...
================================================================================
|
Discussion Chain ID: 408545
================================================================================
User asked: MOSFET: How can I find conduction parameter and transconductance based on graphs?
So I have my graphs (below) with various MOSFET characteristics. I don't know device dimensions or geometry, therefore I can't solve for the 2 directly with an equation. Otherwise I would just do that. That being said, any ideas on how to solve for transconductance and the conduction parameter based on my graphs? Conduction parameter: [](https://i.sstatic.net/RAPnq.png) [](https://i.sstatic.net/PAwIL.png) [](https://i.sstatic.net/1r6yI.png) [](https://i.sstatic.net/8vHaX.png) [](https://i.sstatic.net/KTnnU.png)
Answer 1 (3 votes):
Transconductance is a volt to amp ratio of the change in input voltage to change in output current when in saturation (constant current) mode: - [](https://i.sstatic.net/jtHMG.png) Transconductance at the area shown above is approximately (9-7)volts/4 mA = ~500. At lower gate voltages, transconductance is more because the change in \$I_D\$ is less. I'm unsure what you mean by "conduction parameter". Maybe you can link to some reference material.
Discussion on this answer:
Comment: What I mean by conduction parameter is solving for k in the equation 'k = [W*u(n)*C(ox)] / 2L'. There should be a way to do so, but I'm still trying to figure that out.
Comment: Also, if I am just wanting to find transconductance at say 10Vg, how do you do this? At first I thought maybe take the slope of the 10Vg curve in the saturation region. What do you think?
Comment: Difficult to just pinpoint a value because you have to assume Vg varies about 10 volts in order to produce a signal current in the drain.
Comment: I don't follow. Do you have any suggestions on finding this value? I feel it shouldn't be that difficult with the given data used to produce the graphs and the graphs themselves, I haven't found a good method yet. :/
Comment: Finding this value? Use the graphical method I adopted and recognise that it generally increases as Vg goes down. Or use other data in the data sheet for the device or setup a test.
Comment: Yea finding the transconductance. The method you proposed isn't necessarily at a specific gate voltage. In your example it is 9V to 7V. Are you saying this ~500 value is therefore the transconductance at 9V?
Comment: I understand the concept of it increase as Vg lowers, I am wanting to find the specific value at 10V gate voltage. :)
Comment: No, that is the transconductance at 8 volts (the average) and if instead of limits of +/- 1 volts I had a graph with increments of 0.1 volts for the gate voltage (i.e. many more curves) the transconductance would still be about 500.
Comment: Let us [continue this discussion in chat](https://chat.stackexchange.com/rooms/86185/discussion-between-austin-brown-and-andy-aka).
Comment: The methods describe here are incorrect
================================================================================
|
Discussion Chain ID: 408538
================================================================================
User asked: Charging a high voltage capacitor with power supply. How exactly?
I have a semi-serious hobby project with a couple of friends where we need to charge a pulse operated capacitor rated to around 4kV with 1500nF capacitance. For this I need a high voltage supply and correct configuration to do the charging. Now I've done this before at around 300V but simulating this process with multisim is nontrivial because in this case I don't know the inner workings of kV-level sources and now I have some questions: If I were to use an off the shelf high voltage source of around 10kV maximum voltage and 20W power, how will the system react when the source is connected, possibly through appropriate resistor? Someone suggested that exceeding 10kV would immediately break the capacitor as the voltage drop is all seen through the insulation inside the capacitor. I think this is incorrect and the voltage drop will mostly happen inside the HV supply, but I'm not entirely sure. Let's use this cheap individual as our HV source example: [Electrostatic Precipitator Power Supply With Output 300W 30KV](https://www.ebay.com/itm/New-High-Voltage-Electrostatic-Precipitator-Power-Supply-With-Output-300W-30KV/163264230335?epid=27023884036&hash=item26034e73bf:g:lvwAAOSwQWxbIdWA:rk:1:pf:0) 1. Will an excess voltage (measured at the source) break the capacitor before actually charging it? 2. If not, how does a typical HV source react to the situation? If connected straight to a capacitor (with effectively zero resistance), will the source just see the connection as a short circuit and promptly break or blow a fuse? Or will it just slowly start to ramp the voltage up, until the external capacitor is at equal voltage to source target (or until the capacitor breaks)?
Discussion:
Comment: Reading your question indicates to me that your knowledge in this field is very limited. As pointed out above, the voltage and energy levels involved are well into the lethal category. My suggestion is to either find someone who is knowledgeable or find another project.
Comment: that example high voltage source can be turned down to 5kV , but you want 4kV
Comment: There are a number of concerning points about this question that make it look like you really shouldn't be messing with anything this dangerous. Please, find a safer project until you are certain enough of the physics behind this that you don't need to ask.
Comment: Well to address safety concerns: Obviously I am no professional electrical engineer. I have a degree in engineering physics though, (which means I tend to solve my lack in hands-on experience by using programs like NI multisim.) Obviously I am aware of the energies involved. To state the question in another way: "As far as typical voltage converters are concerned, what are the characteristics of the terminal end in the context of low-impedance load"
Comment: 1500nF is merely 1.5uF. I think if you hack a bug zapper you will probably get a decent step up converter which will exactly match your need.
Comment: just a comment of warning. 4kV is a voltage where even professionals need special training plus safety areas which are equipped with breaker circuts etc... If you suffer any injury, no insurance will pay you a penny.
Answer 1 (1 votes):
The example power supply you show has a current limit and a voltage limit: it will limit is output to whichever limit is encountered first. Into a short-circuit, or a discharged capacitor, it will supply 0 to 10 miliamperes as set by one of the knobs on the end panel. If you get a supply like that, but that can be set to 4000V instead of the 5000V lower limit of the example device, it will do what you want. I see your correction from 1500uF to 1.5uF that's now of the approximate scale of the capacitors present in microwave ovens, (slightly larger and slightly higher voltage)
Answer 2 (1 votes):
> I have a semi-serious hobby project with a couple of friends where we need to charge a pulse operated capacitor rated to around 4kV with 1500nF capacitance. You didn't say exactly what voltage you wanted to charge the capacitor to, but generally speaking you shouldn't go all the way up to the rating if you want the device to be reliable. > For this I need a high voltage supply You can get a high voltage module from distributors like Digikey or Mouser. <https://www.digikey.com/product-detail/en/xp-power/G30/1470-4014-ND/6802063> <https://www.xppower.com/portals/0/pdfs/SF_G_Series.pdf> > If I were to use an off the shelf high voltage source of around 10kV maximum voltage and 20W power, how will the system react when the source is connected, possibly through appropriate resistor? > > Someone suggested me that the namely excessive 10kV would immediately break the capacitor as the voltage drop is all seen through the insulation inside the capacitor. If you just put a resistor in series with the capacitor then the capacitor will likely break. If you put the capacitor at the output of a voltage divider then you can lower the voltage enough so that it wont break. > Will an excess voltage (measured at the source) break the capacitor before actually charging it? No. The capacitor will break once it charges up past its rating. Therefore there must be something to limit the input voltage to the capacitor. For this a voltage divider is a good option. > If not, how does a typical HV source react to the situation? If connected straight to a capacitor (with effectively zero resistance), will the source just see the connection as about short circuit and promptly break or blow a fuse? Or will it just slowly start to ramp the voltage up, until the external capacitor is at equal voltage to source target (or until the capacitor breaks) That question is impossible to answer in general without knowing the ratings of the components inside the power supply, and what fuses (if any) are used. But I would venture to say that the output will probably just ramp up. Nearly all DC power supplies include some capacitance at their output. You would just be putting a little more in parallel with whatever is already there.
Answer 3 (0 votes):
If you really want to do this, first get a good life insurance policy. Then it looks like you can have the output set to 5 kV. One simple solution would be to make a resistor divider, maybe this is the only application where resistor dividers are good for: [](https://i.sstatic.net/eQH0R.png) Power rating should be about 10-40 watts, and the resistors will cost you about $75-$120 each. The cap will be charged in about a minute or two. However it is not clear what do you mean under "pulse operated" capacitor.
Discussion on this answer:
Comment: R1 not needed, just set the current limit to 0.05 mA
Comment: @Jasen, no, without R1 the cap will be overcharged to 5kV if the source is not disconnected in time.
Comment: it won\t go past 4kv because with the limit set to 0.05mA, at 4kV all the supply current goes thorigh th 80M.
Comment: @Jasen, I am not so sure. The "specification" says: *"1. shortcut protection: when the positive output line and the negative output line are shorted ,the output voltage will be cut off"*. So, connecting uncharged cap to this PSU will likely cause it to shut down, so nothing will be charged. You need a current limiter, which will be provided by R1 (at 0.25mA).
Comment: that descriotion is not inconsistent with a current limit. In fact all power supplies work that way, it's pretty-much the definition of a short-circuit.
Comment: @Jasen, I am not sure about "all power supplies" to have clean CC mode when overloaded. It is better to be safe than sorry, especially in kV area.
Comment: if the voltage doesn't go to zero it's not a short circuit.
================================================================================
|
Discussion Chain ID: 408537
================================================================================
User asked: IC product lifetime as function of junction temperature
If an IC is rated for an absolute maximum junction temperature of, say, 170°C, obviously it is not recommended to operate there - but how drastically is product lifetime impacted if we are close, say operating at a junction temperature of 160°C? How severely does an IC's lifetime get shortened as we get closer to the maximum junction temperature?
Answer 1 (0 votes):
Should be half its life with every 10°C above 125°C; with Tj = 165°C, life time would be about 1 or 1.5 yr; also, plastic package may be damaged quickly.
Discussion on this answer:
Comment: This is a pretty old answer, but I would love to see a link to literature for this.
================================================================================
|
Discussion Chain ID: 408530
================================================================================
User asked: What components do I need to add to the power circuit for this ESP8266 project?
I'm planning to make some controllers for each of the electrical heaters in my house. The heaters use a pilot wire to control their mode of operation: [](https://i.sstatic.net/tQegj.png) I'm following this project to control the pilot wire: <https://web.archive.org/web/20180607082257/http://www.homautomation.org/2015/11/28/pilot-wire-for-electrical-heaters/> I decided to use a Wemos D1 Mini instead of an Arduino because of size and ease of communicating. Here's my circuit diagram from Fritzing: [](https://i.sstatic.net/GUr5P.png) Because the ESP8266 has 3.3V DIO instead of 5V I changed the triacs to MOC3042-M and the resistors to 330 ohms, based on my understanding of their datasheet: <https://www.onsemi.com/pub/Collateral/MOC3043M-D.pdf>. This isn't the main reason I'm posting, but have I correctly understood this? My heaters don't have convenient power sockets next to them to be able to power these controllers from a 5V micro-USB charger so I would like to add a 230AC to 3.3VDC converter to the controller which will receive AC power in parallel to the heater. For your info, the heaters only have live and neutral connections, no earth connection. For the AC/DC converter I intend to use a Mean Well IRM-01-3.3 (<https://www.meanwell.com/Upload/PDF/IRM-01/IRM-01-SPEC.PDF>), Hi-Link HLK-PM03 (<http://www.hlktech.net/product_detail.php?ProId=59>) or similar - does anyone have any recommendations? I've read that the ESP8266 can be happily powered directly on the 3.3V pin but I don't know if additional components are needed on the AC or DC side to compensate for noise, surge, etc. I've added a 1A fuse on the live line but I don't know if this is too large or too small. I've read that a varistor should be added to cope with inrush current but I've no idea about size. I read that the Hi-Link converter (actually the 5V version) is very noisy and found a circuit diagram with lots of capacitors and inductors on the AC side to bring the noise down to tolerable levels (<https://skippy.org.uk/revisiting-the-hlk-pm01/>) is this a suitable/necessary filter for any AC/DC converter I could use? On the DC side, I've assumed I don't need anything, is this okay? I will install all the components in a suitable box, probably IP66. These controllers need to be reliable (run for at least two weeks without intervention) and safe (I'm primarily concerned about fire but I also want to preserve what I've made). If anyone spots something I can improve in this regard please tell me. You can see I've also added a temperature and humidity sensor but that's not relevant to the topic AFAIK. (and FYI it will be mounted outside the box, not inside). Thanks in advance for your help :) PS - to give you the full picture, I plan to run Mozilla's webthing-arduino (<https://github.com/mozilla-iot/webthing-arduino>) on the ESP8266 and have Raspberry Pi running Mozilla's Things Gateway so I can control the heating when I'm out of the house, e.g. turn it on in advance of me returning.
Discussion:
Comment: That's the first time I've seen an actual schematic from fritzing!
Comment: @Felthry I found a similar project in Fritzing and was going to use it as a base for mine. In the end I didn't but did carry on using Fritzing. It's a bit of a fiddly tool but for me works better than the various webapps that are available.
Answer 1 (0 votes):
This is an interesting controller method that I have not seen before. It seems reasonably well thought out and your change to ESP8266 seems OK. I question the trigger current selected for your opto-Triac, and think the 330 Ohm will not work. If you examine the [MOC-30xx datasheet](https://www.onsemi.com/pub/Collateral/MOC3043M-D.pdf) you will notice the last digit selects the sensitivity of the trigger circuit. The MOC-3042 you selected has a maximum trigger current of 10mA. With 330 Ohms series resistor you will only get 5mA at best, so the device may not turn on reliably. [](https://i.sstatic.net/Xobyd.png) You need to use the MOC-3043 to get this level of sensitivity. Even then I'd suggest the series resistor should be 270 Ohms with the MOC-3043. Note that the original circuit you linked to also has this problem, they were not guaranteed to be able to switch on the MOC-3041, which could require 15mA to turn on under worst case conditions. Your selection of the MeanWell power supply seems appropriate. I'd be tempted to provide a power supply reset controller to ensure reliable start/reset of the ESP8266. Perhaps a simple unit such as the [TI TVL803S](http://www.ti.com/lit/ds/symlink/tlv803.pdf) would be appropriate. **UPDATE:** The issue of input surge protection is somewhat complex when it comes to very small PS units. Your suggestion of MOV's won't work (they are for limiting surge voltages not limiting initial current surges). From the MeanWell datasheet you can see the input surge is a maximum of 5A @ 120V and 10A @ 240V, this would seem to indicate they already do have some form of current surge protection built in. If you want to use an inline fuse, then I'd suggest you need at least a 5A fast blow with a series current limiter. You could use a simple resistor of around 20-33 Ohm, or something like an [Anatherm SL10 50002](https://www.ametherm.com/datasheetspdf/SL1050002.pdf) surge limiting resistor. Note that if you use a surge limiting resistor it won't get hot enough to drop the resistance by much, and so is acting more like a simple series resistor. I would use the SL10 because it's rated for the voltage and help ensure the fuse will blow on a fault. You can explore the available inrush current limiters on [Digikey](https://www.digikey.com/products/en/circuit-protection/inrush-current-limiters-icl/151?k=inrush&k=&pkeyword=inrush&pv1989=0&sf=0&FV=ffe00097&quantity=&ColumnSort=0&page=1&pageSize=50).
Discussion on this answer:
Comment: Hi Jack, thanks for your reply. Your point about the trigger current is almost certainly correct. I worked out 330 ohms based on a 3.3V / 330 ohms = 10mA. I'm still not sure what I misunderstood. Thanks for the tip about the reset controller, I'll look into that in more detail.
Comment: @madbilly You did not allow for the Vf of the LED in the MOC device. It's not 3.3V you have to work with, only 1.8V.
Comment: Ah! I see now - thank for helping me understand that.
Comment: does the fact you've not commented on the AC side fuse or need for a varistor mean you don't think it's necessary? For info, I asked on the ESP8266 forum and they confirmed that the DC side will be fine with the Mean Well PSU without any need for extra components https://www.esp8266.com/viewtopic.php?f=160&t;=18765
Comment: @madbilly The fuse is really just fire control, if it blows then the PS is already dead. Is a 1A fuse enough? …..I would typically put at least a 5A slow blow with a 50 Ohm series surge resistor. I'll update the answer. It's funny to see folks absolutely believe the feedback (I notice the answer you got in the ESP8266 forum got the LED current side wrong!) they want to hear.
Comment: I don't have a preference for the feedback I get so long as it's well explained :) Thank you for the suggestion of a 5A inline fuse and a current limiter. I've struggled to find easy to understand explanations of how to select fuses but none of the calculations I followed suggested anything as high as 5A; did you base this suggestion on the 5A@120VAC maximum inrush current on the converter datasheet? I'll be using a 230VAC supply so should the fuse be 10A? (this seems too simple to me so I'm sure I've not understood).
Comment: continue... Your comment and your updated answer do not agree on a couple of things - one says fast blow fuse and the other slow blow (I think I should be using a fast blow?) and the resistor values are not the same, but is it that the one in the comment is a 50 ohm surge resistor (like the Ametherm one you reference) and the one in the answer is a simple, 20-33 ohm linear resistor? I think based on your answer and what I've read I'll use a 5A fast fuse and 20-33 ohm simple resistor.
Comment: Yes it should be a fast blow fuse, I err'd in the comment and it was too late to change it. The resistor I suggested was a standard fixed value 20-33 Ohm or a 50 Ohm surge suppression NTC thermistor ...two completely different beasts. If you go with the simple fixed value resistor then make sure it is rated to withstand 340V. I'd suggest something like the TWW5 wire wound ceramic (https://www.ohmite.com/assets/docs/res_tww_twm.pdf)
Comment: Thanks for the clarification. I presume you suggest a 5W resistor because of the AC current rating of the PSU, which is 18mA@230VAC. Thanks again for helping me understand the different options.
Comment: 5W because of the voltage rating.
Comment: Two things. I've investigated the power-on-reset controller and I don't think the Wemos D1 Mini board needs one. These docs describe the power-on sequence (section 4.6 in https://www.espressif.com/sites/default/files/documentation/esp8266_hardware_design_guidelines_en.pdf and 1.4.2 in https://www.espressif.com/sites/default/files/documentation/esp8266_hardware_design_guidelines_en.pdf) and the board has a 12k pull-up resistor on CH_EN (https://wiki.wemos.cc/_media/products:d1:sch_d1_mini_v3.0.0.pdf) which I think delays activation until after EXT_RSTB is activated internally in the ESP8266.
Comment: Second thing. Section 4.3 of https://www.espressif.com/sites/default/files/documentation/Espressif_FAQ_EN.pdf and 1.4.1 of https://www.espressif.com/sites/default/files/documentation/esp8266_hardware_design_guidelines_en.pdf say that a minimum 500mA supply is needed, so I need to change to the IRM-02-3.3. The first doc also says that DIO may draw up to 200mA. So maybe I need the IRM-03-3.3? This changes what fuse and surge resistor I need. Maybe I need to enter this as a whole new question to save extending this one too much?
Comment: The documentation for the Wemos D1clearly shows there is NO power on reset for the device. You absolutely need a PS monitor to the CH_EN(7) or RST(32) lines for reliability. Look at the schematic for the Wemos D1 Pro: https://wiki.wemos.cc/_media/products:d1:sch_d1_mini_pro_v2.0.0.pdf ….here they have corrected the reset problems by adding a cap to the RST line that give a better defined power on reset.
Comment: The schematic I linked is this one: https://wiki.wemos.cc/_media/products:d1:sch_d1_mini_v3.0.0.pdf. To me the RST line looks the same as in the one you linked. You are right that there's no controller, but my understanding was that the components they'd already used on the board meant this wasn't necessary (may be ideal, but not necessary). I will try without and if I find problems then I will try adding one. My main concern is about the PSU, I've decided to go with the IRM-02-3.3 with a 600mA output which I'm pretty sure will be sufficient; I changed the pulse withstand resistor to a 7W one.
================================================================================
|
Discussion Chain ID: 408528
================================================================================
User asked: Does a ground strap protect my car from a lightning strike?
I was wondering if the ground strap can also protect the electrical/electronic parts of a car when a lightning strikes it.
Answer 1 (1 votes):
No. The metal body and chassis of the car will act as a [Faraday cage](https://en.wikipedia.org/wiki/Faraday_cage) and offer some significant protection of the electronics and people inside the car, but a strap that flaps around under the car will have a negligible effect on anything that has to do with lightning strikes. The strap might help slightly with the kind of [static electricity](https://en.wikipedia.org/wiki/Static_electricity) that gives you unpleasant zaps when you enter or exit the car, but even that it cannot do very effectively.
================================================================================
|
Discussion Chain ID: 701730
================================================================================
User asked: Latching relay latches when button pressed, unlatches when power is restored
I am building a battery backup for my dashcam, I need to turn off battery when the car is parked for a long period. Instead of having a manual on/off switch I want to control the battery using a latching relay. So I need to disconnect the battery, when a momentary button is pressed. This battery circuit should be closed only if the power is restored, or turned off and turned on again. Basically the relay should stay unlatched when the momentary button is pressed and released, when pressed again no action should happen, (this is to avoid acting as a normal switch) unless the ignition power is turned off and turned back on. [](https://i.sstatic.net/2aoi9.png) _I want to satisfy below cases._ **when the power is on and switch not pressed:** * camera turns on automatically. * battery backup is ready, charging happens. * if the switch was on open state, reset back to closed state. **when the power is on and switch pressed:** * disconnect battery, no charging. * camera still runs, until power is off. * no action when button is pressed again. **When power is off and switch not pressed:** * if switch was open no action. * if switch was closed camera runs from battery, until power is back on. **when power is off and switch pressed:** * if switch was open no action. * if switch was closed, disconnect battery, pressed again no action. I do not have much knowledge about relay or electronics, any help is appreciated.
Discussion:
Comment: Please describe the overall effect you are trying to achieve. As your question is currently phrased, it is difficult to tell what you want the button and relay to do.
Comment: your description is unclear ... you say `when the button is pressed`, but you do not say anything about releasing the button
Comment: I'm not sure how "instead of having a manual switch" correlates with "when a momentary button is pressed". Also you talk about "the battery" and also "when power is restored". What power does the second phrase refer to? Block diagram, please!
Comment: I may, or may not understand your requirements. However, if ignition is on, and button is pressed, should dashcam go off? If yes, would the only way to restore dashcam power be to turn ignition off and on again? My guess for what you want is that if ignition is on, then off button has no effect. But please verify.
Comment: This is my (new) understanding: 1\. The only way to turn the dashcam power on is to turn the ignition from off to on. This will always turn the dashcam power on. 2\. The only way to turn the dashcam power off is to press the button. This will always turn the dashcam power off. Is this understanding correct?
Comment: @MathKeepsMeBusy yes correct. But we have two power source (battery and ignition) and switching between them should also seamless, meaning if running in battery and ignition is on, power should be diverted to ignition and charging happens.
Answer 1 (1 votes):
I can give you some pointers about how to employ a momentary switch for latching. The first uses just a relay. The natural state of the relay is coil un-energized, and in that state the path between IN and OUT is enabled: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fDpvk7.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) When SW2 is pressed, a current path for the coil is established, and the relay activates. One set of contacts opens, cutting off the output. The other set of contacts close, and being in parallel with SW2, they take over the duty of passing coil current, so SW2 can now be released, and the coil will remain activated, or latched on. When power is removed (ignition switch SW1 is opened), coil current is cut off again, and the latched state is reset. The disadvantage with this setup is that the coil is energized when the load is off, and so will consume power during this "load off" state. If you wish to reverse that behaviour, so that the coil is off when the load is off, then the only solutions I can think of require one or more transistors. Here's a single transistor version: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fJMnyf.png) This employs positive feedback provided by a set of contacts of the relay itself. C1 ensures the transistor is on and the relay coil is energised, when power is first applied, by closing the ignition switch. This state is maintained and reinforced by +12V feedback. When the "off" button SW2 is closed, M1's gate rapidly falls in potential, eventually switching off the transistor and relay coil. This state is reinforced and maintained by feedback becoming 0V, but if power is removed and then restored, C1 will be discharged, and the latch is reset.
Discussion on this answer:
Comment: I am so sorry, but I'm totally confused, could explain bit more like where is In and Out in the second circuit? Also How this transistor work in relation to this application? Finally to confirm that is DPDT relay right?
Comment: @AlexRobbin I neglected to write IN and OUT on that circuit, which I'll correct right now. It's just the unused switch contacts on the DPDT relay.
Comment: @AlexRobbin The transistor circuit closes IN/OUT immediately, powering the coil only when the power is applied to the circuit via the ignition key. When the "off" button is pressed, the relay is switched off, breaking the IN/OUT path. The advantage to this design is that the circuit consumes very little power in that "off" state, unlike the first circuit, in which an *activated* relay (consuming power in the coil) corresponds to when the IN/OUT path is broken.
Comment: @AlexRobbin to be honest, I'm not finished thinking about this. It kept me up last night, trying to imagine how I could implement the low-power "off" state without the transistor. Give me time...
Comment: @AlexRobbin Is a no-relay solution acceptable?
Comment: @AlexRobbin I won't be designing a PCB, sorry.
Comment: Anything solution is fine with me, thanks.
================================================================================
|
Discussion Chain ID: 408525
================================================================================
User asked: STM32F411VE ADC interrupt not working
My code works fine without interrupt (I tried polling the ADC value) but when I enabled the interrupt, it didn't work - while debugging in Keil, it never reaches the `ADC_IRQHandler()`, Also I found that the EOC flag is always set(in the while loop) This is my code: #include "stm32f4xx.h" // Device header volatile int16_t k=0; int main() { RCC->AHB1ENR |= RCC_AHB1ENR_GPIODEN | RCC_AHB1ENR_GPIOAEN ; RCC->APB2ENR |= RCC_APB2ENR_ADC1EN; GPIOA->MODER |= GPIO_MODER_MODE0; //analog input GPIOA->PUPDR &=~ GPIO_PUPDR_PUPD0; GPIOD->MODER |= GPIO_MODER_MODE13_0;//ouput GPIOD->MODER &=~ GPIO_MODER_MODE13_1; GPIOD->OTYPER &=~ GPIO_OTYPER_OT13; GPIOD->OSPEEDR |= GPIO_OSPEEDER_OSPEEDR13_0 ; GPIOD->PUPDR &=~ GPIO_PUPDR_PUPD13 ; GPIOD->ODR &=~ GPIO_ODR_OD13; ADC1->CR2 |= ADC_CR2_ADON | ADC_CR2_CONT; ADC1->SMPR2 |= ADC_SMPR2_SMP0_1; ADC1->SQR3 &=~ ADC_SQR3_SQ1_4; //CHANNEL 0 (PA0) ADC1->CR1 |= ADC_CR1_EOCIE; NVIC_EnableIRQ(ADC_IRQn); NVIC_SetPriority(ADC_IRQn,0); ADC1->CR2 |= ADC_CR2_SWSTART; while(1) { } } void ADC_IRQHandler() { k= ADC1->DR; if(k>2000) { GPIOD->ODR ^= GPIO_ODR_OD13; } }
Discussion:
Comment: a guess: you yo need to set or clear an interrupt flag? do you need to associate ADC_IRQHandler with a specific interrupt?
Comment: I tried to clear the eoc flag but it didn't work. I want to run a simple adc interrupt
Answer 1 (1 votes):
i must add this `extern "C"` because i'm in c++ not in c : extern "C" { void ADC_IRQHandler() { // do whatever } } this is the complete answer :[Bug in Keil ARM compiler with interrupt handlers and C++?](https://electronics.stackexchange.com/questions/7660/bug-in-keil-arm-compiler-with-interrupt-handlers-and-c)
================================================================================
|
Discussion Chain ID: 408516
================================================================================
User asked: Confusion about Laplace and frequency response of a electrical circuit
I have a confusion between the Laplace transform of a circuit and the frequency domain AC analysis. Suppose we have a series RLC resonant circuit connected to an ideal sinusoidal voltage source. We can write $$V_m \sin(\omega t)=i R + \frac{1}{C} \int i dt + L \frac{d i}{dt} $$ now if we take the Laplace transform (assume initial inductor current to be zero), $$\frac{V_m \omega }{s^2+\omega^2} =I(s) \big(R + \frac{1}{s C} + s L \big) \Rightarrow I(s) = \frac{V_m \omega }{(s^2+\omega^2) \big(R + \frac{1}{s C} + s L \big)} \tag{A}$$ On the other hand, using frequency domain analysis we can derive current as, $$ I= \frac{V_m }{R +j \omega L + \frac{1}{j\omega C}} \tag{B}$$ **My question is:** How can we deduce (B) directly from (A) without inverse Laplace transform? just putting \$s=j \omega\$ will not simply reproduce (A). **To further elaborate my question:** If we have a current of a branch as the form of $$I_n=\frac{ V_n (s \sin\theta+\omega_1 \cos\theta)}{s^2+\omega_1^2} \frac{1}{Z_1(s)} $$ can we directly deduce (without taking the inverse) that particular branch is effectively acting as it is connected to a voltage source of \$ V_n \sin(\omega_1 t + \theta) \$ and impedance of the branch is \$ Z_1(j \omega) \$?
Discussion:
Comment: Substituting s=jω does not necessarily obtain the FT from LT. There are some conditions that must be true to yield the correct answer. See: https://dsp.stackexchange.com/a/37266
Comment: (A) contains a transient, which decays to zero - so it's not there in the sinusoidal steady state.
Answer 1 (1 votes):
$$I(s) = \frac{V_m \omega_0 }{(s^2+\omega_0^2) \big(R + \frac{1}{s C} + s L \big)} \tag{A}$$ For a linear system with sinusoidal voltage input, the current also will be sinusoidal. In which case, \$I(s)\$ can be written as, $$I(s) = \frac{I_m \omega }{(s^2+\omega_0^2)}$$ Substituting this into \$(A)\$ and replacing \$s\$ with \$j\omega\$ should will result in \$(B)\$.
Discussion on this answer:
Comment: Thanks, got the point. However, when we only have Laplace transform of current in this form, can we deduce it to be sinusoidal? for example, if we have \$I=\frac{s \sin\theta+\omega \cos\theta}{s^2+\omega^2} \frac{1}{Z_1(s)} \$, can we say it is effectively driven by a \$\sin(\omega t + \theta)\$ and impedance of \$Z_1\$?
Comment: @Pojj If you have Laplace transform, you can find the inverse to see if it's sinusoidal or not.
Comment: In fact, inverse transform will do. But my question here is that if it is possible guess without inverse. If the above \$ Z_1(s)\$ is a complicated polynomial of higher orders of s, it will be difficult to take inverse. Can we deduce it directly as in my previous comment?
Answer 2 (0 votes):
You need the \$ \frac{V(s)}{I(s)} = (R + \frac{1}{cs} + sL)\$ so the transfer function for \$ \omega \$ is : \$ \frac{I( \omega)}{V(\omega)} = \frac{1}{(R + \frac{1}{cj\omega} + j \omega L)}\$ you insert the Laplace transform of the input source to transfer function. **_Note_** : the Laplace can get any input function and you can solve the equation for time response of the system to any arbitrary input. But in frequency model, you know that the input is sinusoidal.
Discussion on this answer:
Comment: Thanks, But I am not interested in defining it as a transfer function. Just wondering what information we can get about frequency response directly from Laplace transform.
================================================================================
|
Discussion Chain ID: 408512
================================================================================
User asked: Doing nodal analysis on a circuit with a capacitor.
[](https://i.sstatic.net/t6ixA.png) I'm looking at with the switch open. I get [](https://i.sstatic.net/4QHNA.png) While going through the nodal analysis I get [](https://i.sstatic.net/lHgsn.png) V1 = 3V Does that mean current across the resistor would then just be 1mA?
Discussion:
Comment: as that is a DC source and you seem to be considering steady state, the current would be 0 A.
Comment: Alright? I guess then I am extremely confused? Wouldn't be it be steady state as current wouldn't be going off to a open wire would it? How would I approach it?
Comment: Can you show your node equations?
Comment: v1/6k + v1/3k + (v1+6-12)/2k =0
Comment: Where does the "+6" come from?
Comment: From the first picture nodal analysis before the switch is thrown. ((va-36v)/5k)+va/3+va/6 = 0 Va=6v. Thus at V1 the voltage at t=0 is 6v.
Answer 1 (1 votes):
The left side schematic is at \$t=0^-\$ and the right side schematic is at \$t=0^+\$: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2frWtfc.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) The above was figured out by mere inspection. I didn't bother with nodal analysis. It was sufficient to see that from either \$V_A\$'s or \$V_B\$'s perspective, \$R_2\$, \$R_3\$, and \$R_4\$ always total out to \$2\:\text{k}\Omega\$ to ground. For the left side, this meant \$V_A=\frac13\cdot36\:\text{V}=12\:\text{V}\$ and the rest just falls out. For the right side, \$I_{t=0^+}=\frac{12\:\text{V}-6\:\text{V}}{2\:\text{k}\Omega+2\:\text{k}\Omega}=1.5\:\text{mA}\$ so it followed that \$V_B=2\:\text{k}\Omega\cdot 1.5\:\text{mA}=3\:\text{V}\$ and the rest just falls out quickly, again. If you were doing nodal analysis for \$t=0^-\$ (left side schematic) then: $$\begin{align*} \frac{V_A}{R_1}+\frac{V_A}{R_2}+\frac{V_A}{R_3}&=\frac{36\:\text{V}}{R_1}+\frac{0\:\text{V}}{R_2}+\frac{V_B}{R_3}\\\\\\\ \frac{V_B}{R_3}+\frac{V_B}{R_4}&=\frac{V_A}{R_3}+\frac{0\:\text{V}}{R_4} \end{align*}$$ Which, of course, solves out as \$V_A=12\:\text{V}\$ and \$V_B=6\:\text{V}\$. No shock. Also, since there is no current in \$R_5\$, it follows that \$V_{C_1}=6\:\text{V}\$ at \$t=0^-\$. If you were doing nodal analysis for \$t=0^+\$ (right side schematic), and temporarily treating \$C_1\$ as a voltage source where \$V_{C_1}=6\:\text{V}\$ at \$t=0^+\$: $$\begin{align*} \frac{V_A}{R_2}+\frac{V_A}{R_3}&=\frac{0\:\text{V}}{R_2}+\frac{V_B}{R_3}\\\\\\\ \frac{V_B}{R_3}+\frac{V_B}{R_4}&=I_{C_1}+\frac{V_A}{R_3}+\frac{0\:\text{V}}{R_4}\\\\\\\ \frac{V_C}{R_5}+I_{C_1}&=\frac{12\:\text{V}}{R_5}\\\\\\\ V_C&=V_B+V_{C_1} \end{align*}$$ Which, of course, solves out as \$V_A=1.5\:\text{V}\$, \$V_B=3\:\text{V}\$, \$V_C=9\:\text{V}\$, and \$I_{C_1}=1.5\:\text{mA}\$. Again, no shock. All that remains, really, is to develop these equations for \$t\gt 0\$. But that's not part of your question. * * * From the above, it's easy to show the value of \$i_x\$. And it's just as you say it is.
Discussion on this answer:
Comment: +1 and what would be the value of Ic(0) here? We know Ic(0-) and Ic(0+) but I'm curious about Ic(0).
================================================================================
|
Discussion Chain ID: 408511
================================================================================
User asked: Which wire is the positive and which the negative on this fan?
Here is link with the picture of the fan: The fan name is "ZALMAN ZM-F3(SF) 120MM ULTRA QUIET FAN" I looked it up online, but I don't understand, I'm colourblind and it's difficult to distinguish the colors.
Discussion:
Comment: We can take educated guesses, but it's impossible to know without knowing where that fan connected to! If it's just a PC fan, you can certainly look up "PC fan pinout" ;)
Comment: Well, the wires are black and white, so color isn't a problem. It's a PC fan, so look up how they are wire. That's a keyed connector, so you can find pin 1 if you match it to a drawing.
Comment: The linked (and closed) duplicate shows you the connections. You don't need the colors. Look at where the pins are in relation to the shape of the connector.
Answer 1 (1 votes):
Here is a nice black-and-white illustration that shows the pinout of * 3 pin connectors (so-called DC fans), to the left * 4 pin connectors (PWM controlled fans), to the right [](https://i.sstatic.net/xSqSe.png) (Image from [here](https://linustechtips.com/main/topic/577726-pwm-fan-speed-cant-be-set-to-less-than-50/).) See also [the duplicate post linked in the comments](https://electronics.stackexchange.com/questions/108395/which-wire-is-negative-on-this-pc-fan).
================================================================================
|
Discussion Chain ID: 408510
================================================================================
User asked: How to find the transfer function F(w) for this circuit?
Hi, My book on analogue circuits has this question and I have been stuck at it for the past three days or so. I am supposed to figure out the transfer function for the network as well as the cutoff frequency and the angle. I am just having hard times figuring out how to solve it. I tried nodal analysis and the two poles theory but I get a different result every time. Here are the values for resistors and capacitor: R1=R3=4.7KOHM, R2=10KHOM and C=4.7 nF
Discussion:
Comment: Try representing everything to the left of the capacitor as a Thevenin equivalent, and then seeing if you can figure it out. If that solves your problem you probably want to go back and try nodal analysis again, just for practice at nodal analysis -- you can solve it either way, and it should be direct (if tedious) to do it using either nodal or mesh analysis.
Comment: Didn't you already handle this exact topology? ([calculate transfer function](https://electronics.stackexchange.com/questions/408302/how-to-calculate-the-transfer-function)?)
Comment: @TimWescott as jonk said I have already tackled it in the link he mentioned, but I am trying to get a second opinion on it since my cutoff frequency is very high, in fact it's 27k rad/sec which is why I would love if someone really could solve it for me and gave me the H(w), w_c and the angle.
Comment: 27k rad/sec is right on the button. Remember that a kilo ohm times a nano-farad is 1M rad/sec -- tune your intuition based on that.
Comment: @TimWescott idk I'm being slow now after being stuck on this for a few days. So I'd appreciate another and more obvious hint.
Comment: @Reddevil I gave it a shot.
Comment: Your confusion confuses me. Let me reword that -- 27k rad/second **is exactly right** if you're rounding to two significant digits. **Your math is probably fine**; whatever intuition is telling you that your math is wrong is what's flawed.
Answer 1 (-1 votes):
I'm a little confused, since you asked a question earlier using the same topology and it appeared (I didn't actually verify) you worked it out, okay. So I'm going to just take it as granted that you want to see something else, other than you did beforehand. I've taken your schematic (on left) and redrawn it (on right): [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f16qcL.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) That may be more or less confusing to you. But you can "see" some familiar structures, at least. There's a resistor-resistor divider and a resistor-capacitor divider. It seems like there should be some way to leverage those structures to get an answer. So let's just go on automatic pilot for a moment and see if it provides anything. The simplest, first. We can Thevenize \$R_1\$ and \$R_2\$ and the two voltage nodes related to the input voltage in this way: $$\begin{align*} V_\text{TH}&=\frac{V_\text{IN+}\cdot R_1+V_\text{IN-}\cdot R_2}{R_1+R_2}\\\\\\\ R_\text{TH}&=\frac{ R_1\cdot R_2}{R_1+R_2} \end{align*}$$ This leads to the following schematic, which I'll adjust a little: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fIqeaB.png) This **_looks_** at first as though it may have both helped and **_not_** helped. It's helped, because it looks really simple now. It's **_not_** helped so much, because now your input voltage source seems **_muddled_**. But it will work out fine, as it turns out. The output voltage is now simply \$V_\text{OUT}=V_\text{OUT+}-V_\text{OUT-}=V_\text{OUT+}-0\:\text{V}=V_\text{OUT+}\$. That's easier. But let's see what the transfer function looks like now: $$\begin{align*} V_\text{OUT} &= \left(V_\text{IN+}-V_\text{TH}\right)\cdot\frac{\frac{1}{s C}}{\left(R_3+R_\text{TH}\right)+\frac{1}{s C}}\\\\\\\ &=\left(V_\text{IN+}-\frac{V_\text{IN+}\cdot R_1+V_\text{IN-}\cdot R_2}{R_1+R_2}\right)\cdot\frac{1}{s C\left(R_3+\frac{ R_1\cdot R_2}{R_1+R_2}\right)+1}\\\\\\\ &=\frac{V_\text{IN+}\cdot R_1+V_\text{IN+}\cdot R_2-\left(V_\text{IN+}\cdot R_1+V_\text{IN-}\cdot R_2\right)}{R_1+R_2}\cdot\frac{1}{s C\left(R_3+\frac{ R_1\cdot R_2}{R_1+R_2}\right)+1}\\\\\\\ &=\frac{V_\text{IN+}\cdot R_2-V_\text{IN-}\cdot R_2}{R_1+R_2}\cdot\frac{1}{s C\left(R_3+\frac{ R_1\cdot R_2}{R_1+R_2}\right)+1}\\\\\\\ &=\left(V_\text{IN+}-V_\text{IN-}\right)\cdot\frac{R_2}{R_1+R_2}\cdot\frac{1}{s C\left(R_3+\frac{ R_1\cdot R_2}{R_1+R_2}\right)+1}\\\\\\\ &=V_\text{IN}\cdot\frac{R_2}{R_1+R_2+s C\left(R_1 R_2+R_1 R_3+R_2 R_3\right)}\\\\\\\&\therefore\\\\\\\ \frac{V_\text{OUT}}{V_\text{IN}}&=\frac{R_2}{R_1+R_2+s C\left(R_1 R_2+R_1 R_3+R_2 R_3\right)} \end{align*}$$ In standard notation, this is: $$\begin{align*} \frac{V_\text{OUT}}{V_\text{IN}}&=\frac{\frac{R_2}{R_1+R_2}}{1+s C\frac{R_1 R_2+R_1 R_3+R_2 R_3}{R_1+R_2}}\\\\\\\ &=\frac{\frac{R_2}{R_1+R_2}}{1+s C\left[\left(R_1\mid\mid R_2\right)+R_3\right]} \end{align*}$$ It would be convenient at this point to define \$K=\frac{R_2}{R_1+R_2}\$ and \$\tau=C\left[\left(R_1\mid\mid R_2\right)+R_3\right]\$: $$\frac{V_\text{OUT}}{V_\text{IN}}=\frac{K}{1+s\tau}$$ No surprise. A one-pole low-pass filter equation form, with voltage gain \$K\$. Here, \$K\$ is the voltage gain and it will be less than 1. This is, of course, due to the voltage divider that you saw earlier, composed of \$R_1\$ and \$R_2\$. And it is pretty clear, also, where the resistance part of \$\tau\$ comes from: \$R_3\$ plus the Thevenin divider resistance composed from \$R_1\$ and \$R_2\$. The value is \$\omega=\frac{1}{\tau}\approx 27\:\text{k}\frac{\text{rad}}{\text{s}}\$ as you'd worked out. * * * The above is just using your imagination, together with more prosaic tools, to reformulate the question and see if you can get _there_ , from _here_. Turns out, you can. The point here is to keep a flexible mind and attack problems from whatever approach works better at the time.
================================================================================
|
Discussion Chain ID: 408509
================================================================================
User asked: Pole placement to create a full-state feedback controller?
I am learning about control theory by going through [Oagata's Modern Control Engineering](https://rads.stackoverflow.com/amzn/click/0136156738). As part of a practice exercise I am trying to design a **full-state feedback controller** that satisfies my **design requirements** using the **pole placement technique**. MathWorks provides high quality [documentation](https://www.mathworks.com/help/control/getstart/pole-placement.html) about pole placement. * * * **Design Requirements** : 1. Less than 5% overshoot 2. Less than 2s settling time 3. Steady State Error Minimised **My 4th order system** : - 0.00198 s + 2 ---------------------------------------------- s^4 + 0.1201 s^3 + 12.22 s^2 + 0.4201 s + 2 **Step Response:** [](https://i.sstatic.net/NZjNw.jpg) * * * **What I have done so far:** I first started by understanding the pole placement technique. Since closed-loop pole locations have a direct impact on overshoot, settling time and steady state error, these can be adjusted accordingly to get the desired response. Pole placement may be done using state-space techniques, and thus require a state space model of the system. Therefore: NUM4 = [-0.00198 2]; DEN4 = [1 0.1201 12.22 0.4201 2]; sys = tf(NUM4,DEN4) [A, B, C, D] = tf2ss(NUM4,DEN4) A = -0.1201 -12.2200 -0.4201 -2.0000 1.0000 0 0 0 0 1.0000 0 0 0 0 1.0000 0 B = [1; 0; 0; 0] C = [0 0 -0.0020 2.0000] D = 0 Next, the closed-loop poles are the eigenvalues of `A-BK`, where `K` can be computed using the [`place`](https://www.mathworks.com/help/control/ref/place.html) function. `K = place(A,B,p);` where `p` contains the desired locations of the closed loop poles. I proceeded with: p = [-0.424+1i*1.263, -0.424-1i*1.263, -0.626+1i*0.4141, -0.626-1i*0.4141]; K = place(A,B,p) And the result I got was: K = 1.9799 -8.8200 2.2799 -1.0001 This means that I have to poles on the right hand side of the plane, resulting in an **unstable system**. Since I need to design a full-state feedback controller that satisfies the design requirements, this is clearly wrong.
Discussion:
Comment: I'm not sure exactly what you're doing wrong, but I suspect that you're taking the values of K to be the eigenvalues of the system with feedback. I calculated the eigenvalues of \$A - BK\$ with the numbers you gave, and they're not only stable, but they're plenty close enough to your target values that the deviation can be written off to rounding errors.
Comment: Note that pole placement has to be the second-most dangerous control design method invented by man, behind just randomly choosing gains. Pole placement, in general, only works if you have an exact model of the plant (which you simply don't, unless the "plant" is a computer simulation), or if you have an intuitive grasp of what target pole locations you can choose that will result in a safe system (which you don't, until you've chosen a lot of pole placements and seen them fail).
Comment: I will re-check my working regarding your first comment. Not sure if I fully understood your second comment. Since my model is a computer simulation does this mean that in this case, I have an exact model of the plant?
Comment: Well, it does, yes. But *out there in the real world* that will never happen. Don't let this stop you from learning pole placement -- you need to know it for further study. Just remember what I said if you want to use it in a real-world situation.
Answer 1 (1 votes):
As directed by @TimWescott's helpful comments, I am taking K to be the eigenvalues of the system with feedback. The closed loop dynamics are dictated by \$A_cl = A -BK\$ and not \$K\$. Therefore one should proceed further: Acl = A - B*K; e = eig(Acl) Result: e = -0.4240 + 1.2630i -0.4240 - 1.2630i -0.6260 + 0.4141i -0.6260 - 0.4141i The closed loop system in ss form for this case(D=0) is: \$ẋ = (A-BK)x + Bu\$ Plotting response to a step input: [n,d] = ss2tf(Acl,B,C,D) n = 0 0 0 -0.0020 2.0000 d = 1.0000 2.1000 3.4000 2.7000 0.9999 [](https://i.sstatic.net/JfVxx.jpg) Even though I set the final value on Simulink to `1` the output settles at 2. Will need to investigate why this happens.
================================================================================
|
Discussion Chain ID: 408494
================================================================================
User asked: What is the difference between a rupture and the neutral conductor not existing from the start in star three phased system?
I have a pretty basic question. In three phased systems, I know that if the loads are equal, the neutal conductor has no role and can be removed, my question concerns unequal loads. My question is, In case of the rupture of the neutral conductor, When calculating the new voltage in each load, we apply the formula \$ V_i=Vs_i-U_n \$ where \$U_n \$ has its own formula with \$ z_n\rightarrow +\infty \$, However, If the neutral conductor didn't exist from the start, I would consider each load in series with another load of the system and apply the voltage divider to calculate the actual voltages with the difference of two phases as my main voltage (Am I right ?). My question is, What is the difference between it rupturing and it not existing from the start? I understand that, before the rupture, \$ U_n \$ existed while it didn't at all in the second situation, but in case of a rupture, why don't I consider them in series just like I did with the second situation, I know both situations are dangerous since they give wrong voltages and can be dangerous however, They don't give the same voltage values so they obviously aren't the same(?). The problem may lie in my severe weakness in basic electrical concepts.
Discussion:
Comment: I'm neither following your formulas nor following your unclear question. I follow your last sentence and here possibly. lies the truth!
Answer 1 (4 votes):
**rupture** /ˈrʌptʃə/ _verb_ 1\. (especially of a pipe or container, or bodily part such as an organ or membrane) break or burst suddenly. "if the main artery ruptures he could die" Rupture usually refers to pipes or pressure vessels. I suspect this is a translation issue (but there is no location information in your user profile) and that a better word would be "break" > My question is, What is the difference between it rupturing and it not existing from the start? There is none. They would give the same result. > I understand that, before the rupture, Un existed while it didn't at all in the second situation, ... If the neutral is connected then Un should be 0 V. > ... but in case of a rupture, why don't I consider them in series just like I did with the second situation, ... Without a diagram it is not possible to understand this part. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fGWL30.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) _Figure 1. The effect of unbalancing the load on a star (wye) connected 3-phase load with broken neutral._ > I know both situations are dangerous since they give wrong voltages and can be dangerous however, They don't give the same voltage values so they obviously aren't the same(?). My Figure 1 may help. * Once the neutral connection is lost the star point can be pulled in the direction of the biggest load. In (a) the load is balanced so the star point will stay close to neutral voltage which should be 0 V. * In (b) I have halved the value of R1 so it "pulls" the star point towards L1. * Now L1-n (we'll use a little 'n' to signify the broken neutral point) is reduced so that load will not receive full power. * Meanwhile R2 and R3 now have a higher voltage on them and, as you say, this may be dangerous - for the loads at least. Does that help?
Answer 2 (0 votes):
You would have to insert basic loads to a power surge implementing the neutral charge to conduct the points to each power source .this will prevent any ruptures that are over powering the discharge by makeing a pass interference with the motion sensors. Providing a temperature charge in the feed of voltage activities.
Discussion on this answer:
Comment: What I explained is a star point regulator charge
================================================================================
|
Discussion Chain ID: 408489
================================================================================
User asked: Preventing inadvertent feeding of an external watchdog
Most internal watchdog timers found on microcontrollers contain mechanisms to prevent an inadvertent feed, usually requiring the write of a specific key-value to the feed register, although some watchdog timers may require a more specific sequence (of multiple key-values written in order to the same address, or writes to multiple addresses). However, not all applications can use an internal watchdog, for reasons that are detailed well [here](https://electronics.stackexchange.com/questions/406925/necessity-of-an-external-watchdog-timer), and thus use an external watchdog instead. However, these external watchdog timers are fed by toggling a single pin on the IC. Simply hooking this up to a port pin is a solution I perceive as mishap-prone, where a write to other pins on the GPIO port could inadvertently feed the watchdog. While a windowed-watchdog provides some defense against premature feeding, relying on it as a sole defense against such is unwise from a defense-in-depth standpoint. What strategies can be used to prevent inadvertent feeding of an external WDT, given that currently available external watchdog ICs use a single pin for their feed input, instead of a serial or parallel bus input? Hardware strategies are preferable, although software defenses against inadvertent feeds can be useful in a defense-in-depth strategy as well.
Discussion:
Comment: I believe I've seen one that requires petting via pulses that are within some acceptable *window* of high-time and period. Too frequent, too short or too long and the WDT would ignore or reset.
Comment: @pericynthion -- as in the WDT requires a pulse of specific shape as its food to begin with, with any windowing in the watchdog's timeout being atop that pulse-feed feature?
Comment: You could use a microcontroller with custom firmware to serve the purpose...
Comment: @vicatcu -- that's an awful lot of complexity for what's supposed to be a protective function
Answer 1 (1 votes):
One way to improve the robustness and reliability of the Watchdog triggering process is to leave the triggering GPIO pin in a HiZ state (configured as an input) by default. When you wish to "pet the dog", briefly configure the pin as an output, drive the pulse, then return the pin to the HiZ state. Think about this in terms of probabilities. While the probability of runaway code attempting to pulse the GPIO driver is pretty low, the probability of runaway code first configuring the trigger as an output and then pulsing it is vanishingly small. Don't forget to use a pullup or pulldown to hold the trigger pin at the benign/inactive trigger voltge level when the GPIO is HiZ!
================================================================================
|
Discussion Chain ID: 408487
================================================================================
User asked: Input resistance confusion
Here's a circuit of an amplifier in the CB configuration: [](https://i.sstatic.net/5rvDn.png) The small-signal equivalent is (using hybrid-pi model) [](https://i.sstatic.net/R26DV.png) I want to calculate the input resistance \$R_{in}\$. If I'm not mistaken, the blue arrow in the first picture indicates the direction in which we should look in order to calculate \$R_{in}\$ (looking from the emitter). But if we connect a test source \$v_{x}\$ in parallel to \$R_E\$ we get that $$R_{in} \equiv \frac{v_x}{i_x} = R_E \parallel r_{\pi}$$ (since \$R_E\$ is parallel to \$r_\pi\$). However according to the answers \$R_{in}=R_E \parallel \frac{r_{\pi}}{\beta + 1}\$ for some reason. I fail to see how is that the case. Any suggestions?
Discussion:
Comment: What is the purpose of a test voltage? Answer: To find the current into the test node. Don`t you think that the controlled current source will contribute to the whole current ? (Because a controlling voltage is developped across the left resistance).
Comment: @LvW - yes, the VCCS will obviously contribute to the current in the E node, but why should it matter? Again, aren't \$R_E\$ and \$r_{\pi}\$ connected in parallel? If yes, then we can replace them with a single resistor \$R_E \parallel r_{\pi}\$. Then the current \$i_x\$ generated by \$v_x\$ will flow through this equivalent resistor. Whether or not \$i_x\$ is influenced by the VCCS shouldn't influence the result in my opinion.
Comment: Do the same as I show here https://electronics.stackexchange.com/questions/407868/why-the-input-resistance-of-a-common-emitter-amplifier-is-like-this/407877?noredirect=1#comment1004778_407877 And will find that VCCS contribution changes everything. Additional kept in mind that \$\beta = g_m \cdot r_\pi\$ https://electronics.stackexchange.com/questions/380593/input-resistance-of-small-signal-equivalent/380610#380610
Comment: @G36 - But in that particular example \$R_E\$ and \$R_{\pi}\$ are not in parallel (and the input resistance is calculated as seen from the base and not the emitter) which is why we need to calculate the currents explicitly (and their dependence on \$g_m\$). But in my case the resistors are in parallel, and \$R_{in} \equiv \frac{v_x}{i_x} = R_E \parallel r_{\pi}\$ regardless of how \$i_x\$ depends on \$g_m, V_{\pi}\$
Comment: But notice that Ic = gm*vpi current will load the "test voltage". Because for positive Vin voltage the Vpi voltage will be negative. So gm*vpi will be flowing in the opposite direction and load the Vin source. This is why you cannot ignore gm*vpi current. Look at this simplified circuit https://obrazki.elektroda.pl/5256125900_1542996160.png Also, try to use your intuition and notice that the Vin will affect the emitter current. And the base current is \$I_B = \frac{I_E}{\beta +1}\$. So any change in Ie current will be seen on the base as a \$\frac{I_E}{\beta +1}\$ change.
Comment: @G36 - Is my derivation below correct?
Comment: Yes, you got it right.
Answer 1 (3 votes):
Okay, I think I figured it out. [](https://i.sstatic.net/52AH0.png) $$i_x = \frac{v_x}{R_E} - \underbrace{(i_b+i_c)}_{i_e}$$ However \$i_b+i_c = (\beta + 1)i_b\$ and \$i_b = -v_x / r_{\pi}\$ Hence $$\frac{v_x}{i_x} = \frac{1}{\frac{1}{R_E} + \frac{\beta + 1}{r_\pi}}$$
================================================================================
|
Discussion Chain ID: 408481
================================================================================
User asked: Oscilloscope coupling and effects on the measured signal
I have a basic understanding of the of coupling settings on an oscilloscope, but I need some help to understand what I am seeing on scope. I have a signal generator, with an arbitrary function set, a 20 us pulse HIGH with 80 us LOW. Amplitude is set to 10 V, and the signal generator allows me to set between -511 to +511 points to shape the signal. I set the first point at +511 (for 20 us) and the remaining at 0 (for 80 us). When I connect to the oscilloscope to measure the signal, depending on the coupling chosen I get different outputs. * DC 1 MOhm, shows me the pulse approximately at 10 V peak. * AC 1 MOhm, shows me a similar approximately 10 V peak, but shifted down -2 V. * DC 50 Ohm, shows me approx. 5 V peak pulse When I connect the output from the signal generator to my circuit, (I am using the signal to control a MOSFET,) if the DC coupling is ON on the scope, the voltage is not high enough to turn on my MOSFET, but if I us the DC 1 MOhm coupling then it works fine. I would like to understand what is happening with the different coupling settings. Particularly why signal is approximately halved from the 1 MOhm to 50 Ohm. And why it effects my circuit in the way it does? And any advice, in terms of coupling choice, when wanting to make measurements of signals and voltages across parts of a circuit, would also be appreciated?
Answer 1 (3 votes):
The signal generator has an output impedance of 50\$\Omega\$, so connecting it to an oscilloscope input with 50\$\Omega\$ impedance gives you half the the signal across the input. Your signal generator may have a 50\$\Omega\$ output impedance selection that does not really change the output impedance but delivers double the set amplitude in anticipation of a 50\$\Omega\$-terminated load, when that option is selected. Normally you will want to use high impedance (usually with a 10x probe) on your oscilloscope in order not to disturb the signals. The 10x probe will give you 1/10 the loading on the signal. You will also normally want to use DC coupling. AC is useful when you want to look at a small signal on top of a large DC bias (for example, ripple on a power supply). When set to AC coupling, the **average value** of the signal becomes zero, so a small duty cycle positive-going pulse will be slightly below zero when low and well above zero when high. You would use the 50\$\Omega\$ scope input primarily for high-frequency signals where you are dealing with a source that is intended to be terminated with 50 ohms (and you would use 50\$\Omega\$ coaxial cable to transmit the signal, usually with BNC connectors on most oscilloscopes). You may wish to use x1 probes when your signal is small in relation to the noise floor of your oscilloscope and you can tolerate the additional loading (typically some tens of pF and 1M\$\Omega\$).
Answer 2 (3 votes):
The DC coupling mode shows your signal as it is. When you use AC coupling the signal will shift by the DC level of your signal. Since your signal is 10 volts for 20 usec and 0 vols for 80 usec. its average DC level is 1/5*10 + 4/5*0 or 2 volts which is what you observed. When you use the 50 ohm setting on your scope, your signal will drop in half due to the 50 ohm output impedance of your generator which acts as a voltage divider. In general you should use the 1M DC coupling mode. The AC mode is useful when your signal has a large DC conmponent and a relatively small AC component. This mode will prevent the signal from going off the screen when you try to observe the AC component. The 50 ohm mode should be used when you need to terminate a 50 ohm source.
Answer 3 (2 votes):
It sounds like your signal generator has a 50Ω output, which is common. With the 50Ω setting on your scope, you are creating a 2:1 voltage divider. Typically you want to use as high input impedance as you can get away with on your scope (probe set to 10X) so you don't load your circuit.
Answer 4 (1 votes):
Scope settings * DC - Directly Coupled - Input is fed directly to scope. * AC - Alternatively Coupled - Input is passed through a capacitor to remove any DC component before being fed to scope. Since you are feeding a pulse into the AC coupled scope, this will explain your shifted results. Easier seen if you create a sinewave with an offset from function generator. DC will show the offset sinewave. AC will show the sinewave at 0V. A shifted square wave will look good in DC, but the back end of each pulse will fall away in AC coupling as the capacitor tries to filter out what it perceives as the DC. [](https://i.sstatic.net/kggky.png) The 1MΩ and 50Ω settings are for matching the scope to target circuit. Any measuring device will impact the circuit it measures. The 1MΩ high impedance setting will allow the scope to have minimal impact on the circuit being measured. The 50Ω setting is for matching impedances to connect the scope to 50Ω loads (coaxial cables). In your case, the 50Ω function generator and 50Ω scope form a voltage divider, so signal is half, or 5V.
================================================================================
|
Discussion Chain ID: 701729
================================================================================
User asked: Capacitor going to input of op-amp ruining ramp rate
I have this IC which creates a linear voltage ramp proportional to the input voltage based on the capacitor on the output in parallel to ground. I then have to do some analog computation using op amps. When I connect the output of this IC to an op-amp, the ramp is ruined. Is there any way around this? Thank you for your help. [](https://i.sstatic.net/mjWqv.png) [](https://i.sstatic.net/Wmvsc.png)
Discussion:
Comment: Hint: what *value* capacitor? Try a much larger value.
Answer 1 (2 votes):
Your bias voltage to your opamps looks strange. Remove the capacitors C8 and C9 and connect the negative terminal of the voltage sources to ground. Remember to change the sign of the negative supply to (-), I cannot tell from your diagram if there is a minus sign. Then look at the output. You opamps are floating in the current configuration. If the capacitors were there for decoupling, then they were placed incorrectly. Either way these are ideal sources so decoupling capacitors won’t have any effect.
Discussion on this answer:
Comment: That fixed it, thank you. Once this is on a PCB shouldn't the supplies have decoupling capacitors though? Will I run into the same problem?
Comment: @KieranClifford the supplies in your PCB need decoupling for sure because it needs to have a low impedance at higher frequencies. But your simulation schematic is using **ideal voltage sources**; therefore, their output impedance is 0 and adding capacitors won't do anything in your sims
================================================================================
|
Discussion Chain ID: 408474
================================================================================
User asked: Why would we want a negative voltage as an output
In the problem, I solved that the transfer function $$H(s) = \frac{V_{out}}{V_{in}} = -\frac{Z_f}{Z_i} $$ My professor told me that the op-amp circuit allows for a transfer function whose voltage output isn't affected by its load. However, what purpose would a negative voltage have if we are trying to get a strong and steady voltage? [](https://i.sstatic.net/hjdH9.png)
Discussion:
Comment: Perhaps you want a strong and steady _negative_ voltage?
Comment: Or your input maybe negative....
Comment: Some applications require sign inversion.
Answer 1 (1 votes):
A feedback technique is designed to control gain of an opamp. Coming to non-inverting configuration we achieve a gain greater than 1,so in order to achieve any required gain(maybe less than 1) we prefer inverting configuration.(even though the output signal is inverted)
Answer 2 (1 votes):
You have an inverting amplifier, which means your gain is negative. $$ A_V = \frac {V_{out}} {V_{in}} = - \frac {R_F} {R_2} $$ If you want positive gain, use a non-inverting amplifier. $$ A_V = \frac {V_{out}} {V_{in}} = 1 + \frac {R_F} {R_2} $$ [](https://i.sstatic.net/bHbz3.png) An op-amp is a directly-coupled amplifier, so it will amplify ac or DC signals. If it is a sinewave, the negative gain of inverting amplifier means the output will be inverted 180°. It is still a sinewave. [](https://i.sstatic.net/gzAEF.png) Put it through a second inverting amplifier and the negatives will cancel out. If you are dealing with audio, you will need several stages to match input impedance of source (antenna - μW) and output impedance of load (8Ω speaker - W). As a DC input signal, the output will be inverted. So a positive signal will make a negative signal and vice versa. Positive or negative levels are just potentials. As Felthry says "Perhaps you want a strong and steady negative voltage."
Discussion on this answer:
Comment: It isn't phase shifted for non-sinusoidal input signals; it's inverted and that should be the terminology that is used whether it's a sine wave or some other signal.
Comment: @Andyaka Good point.
Answer 3 (1 votes):
> My professor told me that the op-amp circuit allows for a transfer function whose voltage output isn't affected by its load. Yes that is correct. > However, what purpose would a negative voltage have if we are trying to get a strong and steady voltage? In many applications, and particularly in audio applications, it doesn't matter whether an amplifier inverts or not. Your ear will not be able to tell the difference _unless_ there is a reference signal with which to compare. The inverting op-amp configuration you have in your question has useful features that might make it a good choice if inversion is not a problem. 1. The inverting input is at "virtual-ground" as shown in your annotations. This means that the output will be determined by the sum of input currents and so a very simple summing amplifier can be made (again with inversion). [](https://i.sstatic.net/JUxgy.png) _Figure 1. Summing inverting amplifer. Source[Wikibooks](https://en.wikibooks.org/wiki/Electronics/Electronics_Op_Amp_Configurations)._ 2. It can amplify by a factor < 1\. This is useful with high-voltage inputs, for example. See the linked article for more.
================================================================================
|
Discussion Chain ID: 408473
================================================================================
User asked: Why is bipolar EMG better than monopolar at reducing (common mode) noises?
As defined in this [post](https://www.nrsign.com/monopolar-vs-bipolar-emg-readings/), the monopolar EMG can reduce the common mode noise by taking the difference of the two inputs, i.e. EMG_mono = k * (V1 - V2). And, for bipolar mode,EMG_bi = k3 * [k1 * (V1 - Vref) - k2 * (V2 - Vref)]. To simplify the equations, we assume k1 = k2 = k3 = 1. Then monopolar is simplified as: EMG_mono = V1 - V2, and bipolar is simplified as EMG_bi = (V1 -Vref) - (V2 - Vref) = V1 -V2. That is to say the overall effect is the same for both monopolar and bipolar modes. The question is: why is bipolar better than monopolar at reducing (common mode) noises?
Discussion:
Comment: Does bipolar use TWO wires plus Ground?
Comment: Yes, bipolar as indicated by its name, uses two electrodes plus a ground.
Answer 1 (0 votes):
According to the link you provided, as far as my understanding goes about it, you have interpreted it wrong. * * * EMG_mono = k*(V1 - Vref) and EMG_bi = k*((V1 - V2) - Vref) * * * As explained in various answers [here](https://www.researchgate.net/post/please_explain_how_a_bipolar_EMG_recording_reduces_the_noise_that_would_have_been_collected_if_using_a_single_electrode) the bipolar electrodes further help to reduce the common noise in the two electrodes (which is basically the line noise picked up by the body), which the monopolar fails to do so since the electrodes are far apart and the (picked up signal) noise may be different which degrades the SNR. Since the bipolar electrodes are closer to each other (1 - 2 cm apart) the noise running on both the electrodes is approximately the same, and hence can be effectively removed before subtracting it with Vref.
Discussion on this answer:
Comment: Thank you for the answer. Based on your answer, my understanding is that if the two electrodes are placed closer, the monopolar can also give better performance, since the noises contained in V1 and Vref will become similar. Is that so?
Comment: @Ray Sorry for the late reply, I have been busy. As far as my understanding goes, the Vref of monopolar readings is usually ground, hence the noise which is picked up by the body as some potential **w.r.t.** ground. Bipolar electrodes both measure the signal w.r.t. ground(Vref) but since there is a greater _common_ voltage(noise) in them it is removed in the process. Hence bipolar is better.
Answer 2 (0 votes):
The idea is that you arrange your lead such that _the same_ common mode noise is on both, then an amp with good CMRR kills the noise. It's not that the noise is reduced -- it's that it's the same on all leads
Discussion on this answer:
Comment: Thank you first. If the noised can be killed by arranging leads of the monopolar EMG, why do people still use bipolar? What on earth makes bipolar better than monopolar?
Comment: It can't be killed. @Ray. It can be made the same, and then canceled by subtraction if you have a diiferential pair. No bipolar, no subtraction.
Comment: Better explained, the noise becomes common mode noise
================================================================================
|
Discussion Chain ID: 408469
================================================================================
User asked: Switching a current source through a MUX
I have a current source of square pulses (0-20 uA) generated by a NI 9265 device. I am trying to build a fast switching circuit using TI CD4051 multiplexer to switch the current signal between different channels to apply it to different electrode pairs. The problem I am having is getting current on all channels even when all channels are OFF. Mux however is doing fine with a voltage signal. Any suggestion would be highly appreciated.
Discussion:
Comment: One quick fix that comes to mind is to route the current signal through an unused channel when you want all channels off, assuming you have an unused channel available.
Comment: Related thread about muxing current sources for resistance measurement: https://electronics.stackexchange.com/questions/369660/multiplexing-of-resistance-measurements/369664#369664
Answer 1 (1 votes):
You probably need to short the unused current sources to ground with another set of analog switches. When a current source is not connected its voltage will rise to the maximum level and it sounds like it is then high enough to get through the multiplexer. 4053 2:1 multiplexers could be used with the input current source to the common terminal and all of the NO outputs tied together as the multiplexed output. Alternatively you could use diodes instead of the multiplexer and short all but one current source to ground with analog switches. This will take more devices than using just a 4051 multiplexer.
Answer 2 (1 votes):
If the current source can force the analog-mux inputs above +VDD, or below -VDD, then various protection circuits (ESD protection) get turned on, forcing un-expected charges into the IC's substrate. Nothing can be trusted at that point.
================================================================================
|
Discussion Chain ID: 408458
================================================================================
User asked: Data Strobe in DDR memory
In DDR3 memory there is a signal called DQS that I have several question about. 1. What is DQS abbreviated for? specially Q 2. What is the purpose of data strobe in DRAM and why not use simple clock. 3. Is DQS on DRAM chip an output or an input coming from memory controller? 4. What is relation of DQS to CLK, Address and control signals? In length matching of DDR signals, I found that flight time of "CLK+Address+Ctrl signals" are not related to flight time of Data Lane. how this is possible. Is it means that they are completely unrelated? ## Explanation Micron TN4605 explain the need for Data Strobe: > In a purely synchronous system, data output and capture are referenced to a common, free-running system clock. However, the maximum data rate for such a system is reached when the sum of output access time and flight time approaches the bit time (the reciprocal of the data rate). Although generating delayed clocks for early data launch and/or late data capture will allow for increased data rate, these techniques do not account for the fact that the data valid window (or data eye) moves relative to any fixed clock signal, due to changes in temperature, voltage, or loading. So, to allow for even higher data rates, data strobe signals were added to DDR devices. But I don't understand the explanation for maximum data rate for purely synchronous system
Answer 1 (13 votes):
1. The Q is just some ancient notation. Data signals are called DQ and data strobe is DQS 2. Data strobe is the clock signal for the data lines. Each data byte has their own strobe 3. It is bidirectional signal. It is transmitted by the same component as the data signals. By the memory controller on write and the by the memory on read commands. 4. Control and address signals are unidirectional and clocked by the CLK signal. DQS runs the same speed as CLK but they are not synchronized. Let's imagine time of flight for all signals is 1ns. Situation with only one clk that is transmitted by the controller: -During write there is no problem. Data signals can be clocked to the CLK signal and everything is fine. If traces are length matched you can use timing tolerances tighter than the time of flight. -During read there is a problem. The controller must first transmit the clock to memory, where it arrives 1 ns later. Then the memory sends data bits to the controller and this takes another nanosecond. There is 2 ns skew, which limits how fast you can transmit. When the same component that sends the data sends the clock, it is all synchronized. Data can be transmitted even faster than what is the time of flight
Discussion on this answer:
Comment: Thanks, you saved me couple of hours. Still I'm wondering why Q in DQS, but not F? which is not important at all :). Thank you again
Comment: Q is used because of Q in FlipFlop, see https://electronics.stackexchange.com/questions/281813/rams-and-dq-lines
Answer 2 (4 votes):
The reason why you need a data strobe is because of clock skew. If a clock signal is high for 20 seconds, the amount of time it is high for both the sender and receiver at the same time is going to be less than 20 seconds. It does not overlap perfectly. The sender's 20 seconds starts earlier than the receivers 20 seconds. The smaller the duration of the signal or the further apart the sender and receiver, the smaller the shared window (overlap region) gets, until eventually the windows no longer overlap at all (because the skew becomes greater than length of time the signal is high for at the sender – the receiver's 20 seconds starts when the signal at the sender has gone low). Obviously the difference at this macroscopic time scale is unnoticeable. But at a nanosecond timescale, the receiver could send back the data and it arrive when the clock at the sender is back to low. DDR4-4000 has a 0.4ns clock cycle. This means the signal is high for the memory controller for 0.2ns. Light travels 6cm in 0.2ns. If the DDR bus were 2cm long then by the time the high signal reaches the DIMM and for it to instantly assert data on the clock and return to the memory controller, it will already be 2/3 of the way through the time that the clock is high for. This means that the memory controller only has 1/3 of the usual time to latch the data. If the bus were 3cm long then the clock level it expects to latch the data on (after TCL (CAS latency) has elapsed) will latch all zeroes with no way of knowing whether the memory address contained 8 bytes of zeroes or whether it was a hardware issue. This is how clock skew limits high clock speeds (the smaller the clock interval, the closer the components have to be, and the DIMM pins just cannot geometrically be less than 2cm away from the memory controller) or 'how fast you can transmit', which can be eliminated using the DQS pair. The memory controller could always factor in clock skew and bus speed/distance into the timings, but this is dirty and requires extra logic. It makes sense to eliminate any strict reliance on TCL by allowing the DIMM rank to send the data + clock signal when it wants and the data will be automatically latched in at the accompanying clock. The memory controller operations are then not strictly bound by the DRAM timings – it can operate slower if it wants (not faster, obviously). It acts as a marker for the incoming data so the memory controller doesn't have to keep track of it.
Discussion on this answer:
Comment: Why are you considering the speed of light, not the speed of electrons?
Comment: @MahmoudMaarouf because the changes in a electromagnetic field are waves that travel near to the speed of light, and they induce current in the wire which flows through the capacitance between the wires, and if the characteristic impedance of the trace isn't matched to the input and output impedance then it will take a smaller fraction of the speed of light to settle to a steady state but assuming it's matched then it will be near to the speed of light for a small trace
Answer 3 (-1 votes):
Well, "speed of light" in the medium of the PCB is like saying "speed of sound" in a solid such as wood, etc. So the speed of the wave is mostly dependent on the dielectric constant which is around 4.2 for FR4 material, so the wave travels more slowly. Anyway, it's not electrons that carry the signal but the wavefront. <https://www.edn.com/rule-of-thumb-3-signal-speed-on-an-interconnect/> . In most signals there is hardly any current at all. Characteristic impedance speaks to how easy it is to push the wave through the wire-return space, and if it's not matched between the driver and the wire, or between the wire and the load, then there will be reflections. This phenomenon is independent of the speed of the signal.
================================================================================
|
Discussion Chain ID: 408454
================================================================================
User asked: Strange VIH and VIL specification of MIC4451
In [MIC4451's datasheet](http://ww1.microchip.com/downloads/en/DeviceDoc/mic4451.pdf), it shows: [](https://i.sstatic.net/KPVbe.png) The \$V_{IH}\$ min. is 2.4V, then where the smaller typical value 1.3V come from? The same is \$V_{IL}\$, why it has a typical value larger than the max. value?
Discussion:
Comment: Janka nailed it... This is how these are almost always specified. It becomes 2nd nature over time.
Answer 1 (9 votes):
This is, in my opinion, a confusing usage of the terms max and min. What they're saying is that the _minimum_ voltage you should apply to an input that you want to drive high is 2.4V, but a typical device will read anything down to 1.3V as high--it's just not guaranteed. Likewise, the _maximum_ voltage you should apply when driving a signal low is 0.8V, but typical devices will interpret up to 1.1V as low. It does feel backwards to me, too; you're not alone in that.
Discussion on this answer:
Comment: Are they promising 0.2 volts of hysteresis?
Comment: @analogsystemsrf No, I don't think there's any hysteresis in this. The region between 1.1 and 1.3 volts I would assume has undefined behavior. The device is fundamentally a high-current, fast logic buffer, so I'm guessing it would have a region where it outputs something between its output high and output low voltages, and they're just saying that this region is typically no more than 0.2 volts wide. This is, however, all a guess. Undocumented behavior shouldn't be used in an actual design, of course!
Comment: I would describe 2.4 as a *max*, since it's the *highest* value Vih could take on an acceptable part — but the concept of maximum minimums tends to confuse people, who would read the datasheet and decide that they shouldn't apply a voltage above 2.4V. Sometimes there's no winning.
Comment: @hobbs Even in the most precise technical fields, language is sometimes hard.
Answer 2 (6 votes):
This is a TTL compatible **input**. * 2.4V and above is guaranteed to be understood as logic 1, but typical 1.3V or above is sufficient. * 0.8V and below is guaranteed to be understood as logic 0, but typical 1.1V or below is sufficient.
================================================================================
|
Discussion Chain ID: 408452
================================================================================
User asked: Is it possible to design a circuit that would allow a discharged battery to be paired with a charged one?
I'm not an electrical engineer. I know that if you pair a discharged battery with a charged one it would cause a lot of heat (li-po). Is it possible to make a circuit that would solve this issue? I do not need a circuit, I'll learn, just don't want to learn about it if its a dead end. Edit: my apologies. I forgot to mention that the battery needs to be fully operational at full capacity.
Discussion:
Comment: A helpful search term: charge balancing
Comment: Do you want the dead one to be charged, or do you just want your device to run from whichever one is charged?
Comment: One way is to run each output thru a Schottky diode, whichever one has the higher voltage will be the one to supply current to the load. The diodes prevent the higher charged one from backfeeding into the lower charged one.
Comment: It can be solved with circuits but it will never be worth the trouble or expense (in my opinion). The easiest thing is to design a circuit that draws from the higher-voltage battery until the two batteries are at equal voltage, then draw from both in parallel.
Comment: That is correct. Exactly my toughts.
Answer 1 (2 votes):
[simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fg9l9e.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion on this answer:
Comment: Another option with even less voltage drop is the "ideal diode" which combines the low Rds of a MOSFET with the diode, see LTC4358 as an example. https://www.analog.com/media/en/technical-documentation/data-sheets/4358fa.pdf
================================================================================
|
Discussion Chain ID: 408447
================================================================================
User asked: Vivado LOC constraint via Verilog code
I'm trying to set LOC constraint while specified in verilog code (via verilog attribute). Previous research on the internet gave reasons to think that this sort of construction should work: ///////////////////////////////////////////////////////////////// code begins module wrapper(in, out); input in; output out; (* BEL="A6LUT", LOC="SLICE_X4Y4") INVERT inverter_instance1(in, out); endmodule module INVERT(in, out); input in; output out; assign out = !in; endmodule ///////////////////////////////////////////////////////////////// code ends Yet when implemented, Vivado just ignores that attribute syntax and implements the LUT into slice X0Y1 by default. Any thoughts on what's going on here?
Discussion:
Comment: I have not got the details at hand but what I remember is that you should start the comment with a specific word which indicates that a constraint is coming. Something like /* synthesis ... */
Comment: You forgot the `(*)` `(* BEL="A6LUT", LOC="SLICE_X4Y4" *) INVERT inverter_instance1(in, out);`
Answer 1 (2 votes):
You should begin with reading the Xilinx constraints guide. I did that for you and found this as example code: // synthesis attribute loc [of] {instance_name|signal_name} [is] location; The document is not very clear as where exactly you should place that code but I remembered that it should be just before the closing semicolon. In which case you should use `/* ... */` INVERT inverter_instance1(in, out) /* Here */ ; I tried it on the following code and the inverter moved from location X0Y5 (without constraints ) to X4Y4 (with constraints). module invrt(input in, output out); INV inverter_instance1(out, in) /* synthesis BEL="A6LUT", LOC="SLICE_X4Y4" ; */; endmodule
Discussion on this answer:
Comment: I'll take a closer look at Xilinx's guide, but I'm no getting it to work with that code neither (the LUT remains attached to X0Y1). Thx anyway
================================================================================
|
Discussion Chain ID: 408443
================================================================================
User asked: Am I exceeding the maximum ratings?
I'm using [LMC6482 opamp](http://www.ti.com/lit/ds/symlink/lmc6482.pdf) with +/-15V rail voltages and having weird behavior. This means Vcc is +15V and Vee is -15V in my case. Am I exceeding the specs? The jargon in the datasheet is not clear or should I say I'm not familiar with it.
Discussion:
Comment: You could do 15V and 0V, but that probably won't meet your needs.
Answer 1 (24 votes):
Yes, you are exceeding the specs. Look at table 6.1 of the [DATASHEET](http://www.ti.com/lit/ds/symlink/lmc6482.pdf) on page 3: [](https://i.sstatic.net/XjrIm.jpg) It clearly states the maximum difference between the V+ and V- pins is 16V. This means you can have +8V and -8V, as the difference is 16V. As you have it right now, your difference is 30V, which is almost double the maximum ratings. Chances are, you have damaged the op-amp and it will need to be replaced. You should **ALWAYS** check the maximum ratings of any IC you are using if you are worried. If you can, try and be _within_ the maximum, so +7.5V and -7.5V would work nicely here, for a total of 15V supply. Although directly under the Absolute Maximum Ratings, it does state: > Stresses beyond those listed under Absolute Maximum Ratings may cause permanent damage to the device. These are stress ratings only, which do not imply functional operation of the device at these or any other conditions beyond those indicated under Recommended Operating Conditions. Exposure to absolute-maximum-rated conditions for extended periods may affect device reliability. Some people new to electronics could take the maximum to mean that is what is OK to use. The other bit that should be looked at is the Recommended Operating Conditions: [](https://i.sstatic.net/QCuYZ.jpg) Making sure you stay above and below the min/max should make sure the device works as specified, however, the Absolute Maximum Ratings table should always be checked too.
Discussion on this answer:
Comment: OP _did_ check the maximum ratings, but was confused. And it seems to be guaranteed to function well for a 15 volt supply, so ±7.5 would be nice.
Comment: @pipe Where did OP say they did check the ratings? I must have missed that? And yes, ±7.5 would be a bit nicer! I'll change it!
Comment: "The jargon in the datasheet is not clear" sounds to me like he actually read it but did not understand it.
Comment: @pipe ahh I see, I didn't read it as such. I read it as OP wasn't entirely certain what they were looking for, and had seen ±15V somewhere in an example and gone with that. I may have misinterpreted though.
Comment: Also worth noting that the chip is designed for a nominal supply voltage of 3V, 5V, or 15V. 16V is the *absolute maximum* but it should not be the *design* voltage. We never design to absolute maximums - we usually design with safety margins specifically to avoid them.
Comment: Yes I read it several times and only asked after the chip is burned
Comment: "You should ALWAYS check the maximum ratings" - NO NO NO. You should check the (recommended) operating conditions! Please don't point anyone (especially not newbies) at the absolute maxima.
Comment: I would think it's a given that you don't go all the way to the maximum. That's why you check them. You should always check the maximum to make sure you stay within them
Comment: @WoutervanOoijen What a backwards attitude. I would think that newbies especially, if they don't already, should really familiarize themselves with all of the parts of a datasheet that they don't understand. I don't see how trying to hide this information is helpful to anyone.
Comment: @J... In that case, you should learn them what the a.m. section is for. Do you know what the absolute maxima mean?
Answer 2 (13 votes):
[](https://i.sstatic.net/Pvj9w.png) _Figure 1. V max._ This line of the datasheet is stating that the maximum voltage difference between V+ and V- is 16 V. You have probably damaged the op-amp.
Discussion on this answer:
Comment: Oh I thought it is +16 to -16. :(( And it is damaged yes it doesn't function as it supposed to.
Comment: I've never seen it written that way before but I take it to mean you can run it 0/16V or -16/0 V or -5/+5 or any other combination provided that it's 16 V max from one to the other. Sorry for your loss!
Comment: "you can run it 0/16V or -16/0 V or -5/+5 or any other combination provided that it's 16 V max from one to the other." Absolute maximum ratings should not be used for normal operation, so 0/15V or .15/0 V or -7/+7 V or a lower voltage.
Answer 3 (9 votes):
I read your question as "yes I've read the datasheet, but its unclear". So let's address how to read the supply voltage range specification as the manufacturer Texas Instruments write it in their original product data sheet: > Supply Voltage (V+ \- V-)... MAX 16V You have a V+ of 15V and a V- of -15V. Now we use the formula from the data sheet and get: (15 - (-15)) = 15 + 15 = 30V That's the way to interpret this voltage range specification. So yes, you are exceeding specified maximum supply voltage range by 14V.
Answer 4 (9 votes):
Other answers mentione the asbsolute maximum ratings, which is NOT what youy should look for when designing a functional system. Instead, you should use the recommended operating conditions. In this case, those specify 15.5V. [](https://i.sstatic.net/IAPIT.png) In your case, you could check the absolute maxima to find out whether your chip had a chance of survival. As others have pointed out, that is not the case.
Discussion on this answer:
Comment: Finally the only one answer using the recommended operating conditions! So the opamp may be used with very low voltages too, for instance -2/+2 V or 0/4 V. When reading a datasheet it is very important to look for both absolute maximum ratings and recommended operating conditions and read and respect them both. When using -7.5/+7.5 V, spikes on supply voltages should not exceed 0.25 V.
================================================================================
|
Discussion Chain ID: 408440
================================================================================
User asked: Photodiode temperature compensation
The goal is to design a circuit that can accurately measure light intensity with little temperature dependency. Common application uses photodiodes to do so. Photodiodes can be measured either in Photovoltaic mode or in photoconductive mode. The caveat, is that photodiodes have strong temperature dependency almost 1% for 10°C, and I need to correct for it. An idea I had going through some schematics would be to design a differential measurement between two identical photodiodes in photovoltaic mode. The photodiodes would be on the same PCB and on top of the photodiodes a piece of translucent, diffusive material would be glued and then covered with a dark casing which is open in one side. The light would come from one side, hit the first photodiode and then hit the second one with a lower intensity as it's being diffused through the material. An amplification circuitry would compare the difference between the two photodiodes and the overall circuit calibrated with a known light source. Would this principle work, or is there issue I overlooked? Perhaps a simpler solution is possible? There is a schematic out there that works in photoconductive mode and correct for dark current, but there is seems to be other factors that contribute to the temperature dependency, perhaps they are negligible? [](https://i.sstatic.net/3vv3C.png)
Discussion:
Comment: It'd be a wise choice to link to the PD in question.
Comment: The PD hasn't been selected yet, might depend on the findings of the question or further research.
Comment: So, your caveat stated is for all PDs yes? If so then please link at least one typical device that states this.
Comment: Yes it's for all the PDs. It's not always stated on the datasheet but here is one example: TEMD7100X01
Comment: Note on this device we can see dark current contribute to about 6% drift over 10°C if there is an illumination of 1sun.
Answer 1 (0 votes):
I don't see how subtracting one temperature-dependent signal from a smaller temperature-dependent signal does much of value. Perhaps you could explain, using equations rather than words, how you **think** this could work. The "known light source" is probably going to turn out to be more difficult that simply measuring and compensating for temperature directly. 1% for 10°C is not a very strong temperature dependency, so you should not need much accuracy in your temperature measurement/compensation circuit. The output of LEDs, for example, vary with temperature and time. Photodiodes are at least pretty much time invariant. * * * Edit: I don't see anything wrong with this, but I might be missing some subtlety of PD behavior. Obviously it will depend on the photodiodes being matched in characteristics and at the same temperature. The dark current and shunt resistance compensations should track. I'm not sure what the point is of giving the dark reference PD any light at all. If you give it much light the bias voltages will remain matched but will change from almost exactly 5V to a bit less.
Discussion on this answer:
Comment: I have a secondary calibrated reference absolute light source so that is not the issue. Also it's not an led application. And I need to be on the 0.1% range per 10°C drift. It's common practice to measure differential between two of the same sensor held in different conditions to reduce uncertainties. On the schematic, Since the two photodiode has same dark photo current, which is the primary cause of the temperature dependency, it is simply being canceled.
Comment: I would have assumed that in your proposed PV mode there will be ~0V across the PD so dark current will not be a factor. The schematic is for photoconductive mode, of course.
Comment: The question is open to both implementation as you can see the schematic it's photoconductive mode. PV mode has recombination and shunt variations temperature dependency which is also spectral dependent so would be a bit more complicated
Comment: Put your photodiode in an oven, or at least a have a control loop keep it at a constant temperature. (ie a cooler, or TEC) Then your device is always at the same temperature and there is no TC correction required.
Comment: It's a possibility but I can't in my particular design due to the cost it would imply. (would be fine for 1 sensor but I have hundreds of them). @DDuck
Comment: @SpehroPefhany to your edit, Exactly, it's all about the deep subtlety of PD which I also lack, hence the question. The point of putting some light is that I'm not convinced in dark mode the behavior is exactly the same. Would be the same for dark current, but maybe not for recombination (which is the shunt). If the recombination temperature dependency would be negligible then the dark compensation might be enough. I think I will build and test the circuit.
Comment: I'd had the same thought about subtracting a dark photodiode's current from the active photodiode's current and was encouraged when I saw this post, elsewhere, articles from which the circuit came, and also a Hamamatsu article doing a similar thing in photovoltaic mode. Unfortunately, in my application at least, it seems to achieve nothing (there may be something else going on). I wondered if you'd had success with your attempts.
Answer 2 (0 votes):
If you have identical photodiodes and one is illuminated with a constant fraction of the illumination of the other, the difference in voltages will be k.T/q*ln(intensity1/intensity2) -- this is a voltage which is small; independent of the actual light intensity; and changes proportional to the temperature in Kelvins. You could illuminate one with a _constant_ light -- then your output would still be proportional to ambient temperature, and the log of the measured intensity. For accuracy, you can measure the photo _current_ with 0 V across the photodiode. This can be done by connecting to the virtual ground of an opamp ('-' input), and a resistor between that and the output. The output voltage will be proportional to the applied light intensity, with a small variation (decrease) with temperature. This works well for extremely low light levels where leakage (across the photodiode or other parts of your circuit) might be significant. If you have higher light levels, it is better to reverse-bias the photodiode (by a few V); then the photocurrent will be nearly independent of temperature, and will still be linear with intensity.
================================================================================
|
Discussion Chain ID: 408438
================================================================================
User asked: RS485 IC Termination Resistor Configuration
I've made a mistake on a design, that went into production... It was built like the drawing on the left, with R702 to 5V and R703 to GND, it should have been backwards... like the drawing on the right. The thing is... the board passed all the tests, the RS485 communication works fine. I wan't to know if this difference could result in errors in communication/damage to the circuit if it is left unchanged, or if it's irrelevant. This board was designed by several people, the desition to add R702 and R703 wasn't mine, and I don't understand why they are there (datasheet for SN75176B doesn't uses them in any case). So a second, and probably more interesting question, would be: why are those resistors there in the first place? What's their function? [](https://i.sstatic.net/6n7gI.png)
Answer 1 (3 votes):
Typically resistors disposed like that are intended to put a differential voltage (within the acceptable common mode range) on the RS-485 receiver that is large enough to drive the output into a known state with the bus open, however they are too large to reliably do that with the 75176, so they don't do much of value. For more appropriate value resistors Rf, the termination resistor Rt has to be increased such that: \$\tfrac{1}{Z_0}= \tfrac{1}{R_T} + \tfrac{2}{R_F} \$ .. to match the characteristic impedance of the twisted pair. The amount of offset they add (~30mV with the cable open) is less than the typical hysteresis of 50mV, let alone whatever offset the receiver has (<200mV) and noise immunity. Since those resistors are the opposite of the usual bus idle state that may be an error. You can replace the 75176s in your system with similar devices (eg. [SN65HVD12](http://www.ti.com/lit/an/slyt514/slyt514.pdf)) that build in an offset voltage (of the usually desired polarity) if you want that functionality with your current layout (and simply don't populate the 10K resistors). Of course all the receivers have to have this bias built in. Here is the usual connection scheme from [this](http://www.ti.com/lit/an/slyt514/slyt514.pdf) TI document: [](https://i.sstatic.net/pjQS8.png)
Answer 2 (2 votes):
The resistors are there as a Failsafe: > Failsafe For RS-485 receiver inputs between -200mV and +200mV, the output is undefined. That is, if the differential voltage on the RS-485 side of a half-duplex configuration is 0V, and no master transceiver is driving the line (or a connection has come loose), then a logic "high" output is as probable as a logic "low." To ensure a defined output under these conditions, most of today's RS-485 transceivers require failsafe bias resistors: a pullup resistor on one line (A) and a pulldown on the other line (B), as shown in Figure 1. Historically, the failsafe bias resistors on most schematics were labeled 560Ω, but to reduce power loss (when terminating one end only) this value can be increased to approximately 1.1kΩ. Some designers terminate both ends with resistor values between 1.1kΩ and 2.2kΩ. The trade-off is noise immunity versus current draw. <https://www.maximintegrated.com/en/app-notes/index.mvp/id/1090> But they do seem reversed of what is usually used, with A high and B low.
Answer 3 (1 votes):
Presumably whoever put the resistors in the design wanted to prevent the lines floating when none of the drivers on the lines are enabled - essentially a 2.5V bias (rather than letting the lines theoretically go close to +5V or GND, which may help ensure correct operation of the IC, but in practice you might not notice a difference). It should not matter which one (A or B) is connected to +5 and which to GND. Either circuit should be fine. > it should have been backwards... like the drawing on the right I'd question where this information came from...
Answer 4 (1 votes):
Those resistors serve two basic functions: * As a failsafe, to guarantee a particular line status when there is nothing connected. By going against the general convention, it is clear that the designers intentionally wanted a particular state in this condition which is different from what is commonly used. Very likely to either (1) be able to distinguish this condition from an idle bus, or (2) set a defined condition with larger value resistors that exploits the noise margin behavior of the ICs. * As bleed resistors, to control the differences in common mode without having to connect the grounds. This is normally done in differential protocols to save an extra wire and avoid the presence of ground loops. Those resistors basically place a 10kohm impedance (5k in each side) between grounds. Modern RS485 transceivers can generally withstand common mode voltages several volts beyond their rails. So a relatively large impedance between grounds can be easily tolerated. Given their large value (100:1 with respect to the termination) these would not affect communications at all. I would still look at the transceiver datasheet, and verify the specs on common mode voltage range and the behavior when the lines are left floating.
Answer 5 (1 votes):
In some architecture of U(S)ARTS, when the line is floating, you might get data in MCU side, the pull up/down resistor imply that input voltage is zero and start bit is transferred, In this condition based on configuration of the module might send this data to MCU or discard it because the stop bit not set. **check that you MCU is not interrupted with a low voltage in Rx pin of MCU.**
================================================================================
|
Discussion Chain ID: 701720
================================================================================
User asked: Running a Motor Controller, Motor, and Raspberry Pi off the Same Power Supply
I have a 24V brushed motor, a Raspberry Pi, and a Teensy 4.1 microcontroller all running off the same power supply (a 24V tool battery). I have a step down regulator that converts 24V to 5V: <https://www.pololu.com/product/3782> I'm thinking of having the battery connected to both my motor and the regulator. I'm then thinking of having the regulator supply 5V to my Teensy (instead of via the USB port) and my Raspberry Pi. My main concern is that the noise and occasional high torque demands of my motor will cause random voltage spikes that in turn cause my Teensy and/or Raspberry Pi to reset. Is this a valid concern, and if so, what is a solution? Would separating grounds (how could I do that) or isolating the 5V circuit help? If this isn't a concern, why isn't it?
Discussion:
Comment: Star grounding and power configuration, of course; maybe some extra capacitance on the 24V rail. The Pololu stuff is fairly well-made so I'd say try it without anything extra first. Is the motor being PWMed or just on/off control?
Comment: The motor is being PWMed via another motor driver breakout board from Pololu (https://www.pololu.com/product/2994), which is being controlled by the Teensy. Star grounding and power sounds good. It looks like the ground of the regulator breakout board is shared by both the input 24V and the output 5V, but I don't think that should be an issue, right?
Comment: Should not be an issue. I've made a setup around that motor controller board that's very similar to what you're doing and have had no issues on several units running continuously for years and years.
Comment: Great, thank you!!
================================================================================
|
Discussion Chain ID: 408437
================================================================================
User asked: Get negative control voltage for a AS3310 chip
I'm trying to use a AS3310 chip to generate an envelope from a trigger/gate signal. The AS3310 expects for the ADR (attack/decay/release) control voltage 0 to -5V - for the S (Sustain) 0 to +5V I have a power supply of +12V/-12V/+5V sharing the same Ground. So where or how would I get the 0 to -5V from? Would I need to use an inverting op-amp? Is there a more simple solution? Datasheet for AS3310: <http://www.uk-electronic.de/PDF/AS3310.pdf>
Answer 1 (0 votes):
Sounds like an easy job for a linear, negative voltage regulator IC. Just like there's a whole world of voltage regulators that can give you +5 V from a + 12 V source, you can get -5V from a -12V source using the right regulator. Something like the [LM2990](http://www.ti.com/product/lm2990). Anyways, trying to grasp this AS3310 chip: It seems like an _extreme_ specific one, and I honestly don't see why you'd need a chip that needs three different potentials (Vee, Vcc, GND), multiple voltage inputs (which you'd have to accurately generate somewhere else), as well as 11 (!) external components to generate such simple waveforms. Are you sure you wouldn't be happier with just a microcontroller generating these waveforms? Considering the timescales are all significantly larger than 1 ms, every modern microcontroller would be fast enough, and you could even get away without a proper DAC unit or separate IC, simply by PWM/chopping and proper low-pass filtering.
Discussion on this answer:
Comment: Thanks Marcus, The AS3310 is very specific unless you are in analog synth gear. Thanks for the input, LM2990 seems to do the job - on the other hand, I have still the option of using an op-amp to get the -5V from the +5V and there would be the option of using a LM7905, I guess, although I haven't experimented with it, yet. At least I'm having now enough options to play on my breadboard and figure out, which solutions fits my need, best.
Comment: Regarding the multiple power inputs, which have to be generated (more or less accurately elsewhere) which seems to puzzle you: These are actually generated by multiple sources of a synthesizer setup. External and internal routed signals, random, clocked or sequenced. From analog and digital gear or your computer.
Comment: @m_c thanks for the feedback! yeah, but every power line you have to route to a chip is additional pain, and an additional source of noise; that's why, especially in an audio context, I'd have expected avoidance wherever possible – in this case, if your time scales are kept short, AC coupling might have been sufficient, so that technically, a single supply must have sufficed. Seems like the IC was designed in an era where it wasn't as easy as it is to day to integrate your voltage regulators on-chip.
Comment: i.e. from the functionality alone: The thing only outputs voltages between ground and positive 5V, and its inputs are between ground and positive supply only, too. There's nothing in there that would, with modern circuitry, demand a negative rail, *even with DC coupling*! Yet, you need one; that just seems like an avoidable hassle, which is why I'm so surprised.
================================================================================
|
Discussion Chain ID: 408436
================================================================================
User asked: Safety Rule: Sum of wire lengths over two phases may not exceed X. What is this for?
Everybody knows various flavors of the rule "don't connect too long electrical lines to an outlet / generator / whatever". They sometimes come in the form of "don't chain your extension cords". As far as I know, the main reason for this is that you might raise the wire resistance to a level that prevents fuses from blowing if you create a short-circuit. Now, at the German THW (Federal Agency for Technical Relief), there's an additional rule when working with (non-grounded) generators: You may connect anything up to 100m, _measured over any pair of two phases_. So, connecting 50m cords to all three phases is fine. Connecting 75m to L1 and 25m to L2 and L3 is fine, too. Connecting 75m to L1 and L2 would not be okay. I wonder what's the reason for this? We sort of suspect that it's because the generator is not grounded, i.e., your neutral is "not really neutral". It would be great if somebody could elaborate on this in terms I understand. I'm not an electrical engineer (obviously, otherwise I should probably figure this out myself…?).
Discussion:
Comment: Not sure about your rule, but wire has resistance. As you attach extension cords, voltage lost to wires increase decreasing voltage at end. Voltage may be reduced to an extent that heavy loads do not work properly, causing damage to extension cords with possible fire. You need a 100m extension cord, get a 100m extension cord. It will be appropriately sized for a given current.
Answer 1 (3 votes):
It is about disconnect times. As the loop impedance rises due to the higher resistance of longer wires the time it takes for a fuse or circuit breaker to open the circuit in the event of a fault increases because there is less current available. The UK standards say for example that if the fault can cause a touch voltage larger then 50V then the protection must disconnect the circuit within 0.5 seconds, which requires a fairly large current to be able to flow. For this reason a rule of thumb over here is that an extension should not be longer (in meters) then 10 times its CSA (in mm^2), so a 1.5mm^2 cable is good for up to ~15m and a 2.5mm^2 one 25m. Past that, pull in something heavier and break it down near the point of load. The German generator thing is probably another case of trying to ensure that touch voltages stay sane, but really with a three phase machine you should be driving in some ground stakes (and measuring the ground impedance).
Discussion on this answer:
Comment: Thanks! As far as I understand it, your first three paragraphs are a (really good!) explanation for the "don't connect lines that are too long". I didn't realize that the current played a role for the speed in which a fuse works. However, my main concern really was the "why measure over two phases". We can't really always ground our generator (or rather: we can't properly measure the grounding in the scenarios we're training for). What do you mean by "ensure the touch voltages stay sane"?
Comment: Fuses are thermal devices, they are seldom fast unless the overload is LARGE (2 times overload, you can be looking at half an hour or so)... Consider a fault connecting say L1 to ground out at one end of one of those cables, nothing happens because the generator is not grounded (But it is a nice surprise for the next person to lean on the generator frame if that is bonded to the star point). Now a fault on the other cable will have (best case, nice conductive ground) that >100M of cable forming the loop impedance and even with a dead short between the phases it may take a long time to trip.
================================================================================
|
Discussion Chain ID: 408435
================================================================================
User asked: what is the max voltage that a cordless phone may handle above its original rate?
I am familiar with the fact that,today,most of the cordless phones have smps adaptors,which supplies a constant voltage to the base unit(opposed to the unregulated linear adaptors,which their rated voltage varies accordingly to the current load).I am,also,familiar that too much input voltage may cause heating of the electronic components in the base unit,may reduce their life or cause them to fail.My question is,as a rule of thumb/in general,How much voltage,in percentage,can the cordless phone handle,beyond its original rated voltage,without having an adverse effects,as i mentioned above?
Answer 1 (1 votes):
There is no standard answer to this. Some will have voltage and charging regulators built into the phone so the external power supply is just that - it's technically not a charger. The cordless phones don't have any standards so the charger may be in the phone, in the base or in the wall adapter.
Discussion on this answer:
Comment: ,the voltage and charging regulators,which built into the phones are feeded from the wall adaptor.Those electronic components in the base unit or wherever they are located,are designed to work at a rated voltage and may work fine above the rated voltage,but until a limit value(heating issue).What is,in general,the limit?(+10%,+20%...from the rated voltage)
Comment: generally 5% often more than that.
================================================================================
|
Discussion Chain ID: 408434
================================================================================
User asked: Which relation in the data-sheet shows the frequency vs gain relation explicitly?
[This](https://www.analog.com/media/en/technical-documentation/data-sheets/14901fb.pdf) opamp output starts getting distorted at around 10kHz and the amplitude halves around 25kHz. Where in the data-sheet shows the relationship between the frequency ant the attenuation? Something same with Bode plot. **EDIT:** To clarify I had to simulate the circuit what I observe via a scope: [](https://i.sstatic.net/wqtR3.png)
Discussion:
Comment: The graph on page 6 clearly shows the *typical* open loop gain and phase vs. frequency,
Comment: Can you provide a schematic of how you have it set up? This could be a supply voltage issue, or depending on the gain you have set, it could also be a slew rate issue. It may not just be the frequency (although it may play a part)
Comment: Cannot be answered without additional information. What means "This opamp"? With or without feedback? Which amplitudes for start of distortion? Attenuation? Do you mean decreasing gain? Very vague questions!
Comment: @LvW there is a link to the op amp in the question
Comment: @LvW I simulated the circuit now, it was hard to show the actual setup on breadboard. Please see the edit.
Comment: @user1234 +1 now with the edit. Thank you for adding that in, as it makes the question easier to understand
Answer 1 (3 votes):
If I am understanding your question correctly, you have set up a test circuit and as you change the frequency, you are noticing your output distorting (clipping?) and getting worse as the frequency increases, leading to the amplitude decreasing? Well, this could well be a few issues, but lets look at what could cause issues with an op amp output: It is driving a load? If so, what is the load it is driving? As shown in the electrical characteristics, the op amp can only output a certain current depending on supply voltage: [](https://i.sstatic.net/Ve85Y.jpg) Using Ohms Law, you will be able to find out the maximum load it can drive. Now, looking at one of the graphs in the datasheet, you can actually see that the output impedance changes with frequency: [](https://i.sstatic.net/7cjZk.jpg) This will again affect the output voltage/waveform depending on the load driven, the frequency, the supply voltage, and the gain. Of course, there is the supply voltage issue which can cause clipping if the gain is too high, but as you say it seems to be OK up until 10kHz, I think it is safe to assume it isn't that. There is also the Slew rate. If your op amp is slow, and your gain is high, then your op amp may not be able to actually reach the output voltage in time, hence a decrease in amplitude as the frequency increases. Let's use a classic 741 as an example, whioch has a slew rate of 0.55V/us. This means the output can go from 0-0.5V in 5us. So, to reach 10V on the output, it would take: 10/0.5 = 20us. At, say, 200kHz, a full cycle takes about 6us, showing the output voltage would get nowhere near the 10V output, resorting in a distorted output, and a decrease in amplitude. Of course, that was an extreme example, but you get the picture. _Looking at the datasheet for your amplifier, it does look to be rather slow. I would guess that this is the cause of the output distortion you are seeing. You either need to get a faster op-amp, or decrease the frequency_ Next is the one I think is the one you are after (I added in the bits before as they are useful to know and may have something to do with what you are seeing). Look at the Gain vs Frequency graph: [](https://i.sstatic.net/eK4zS.jpg) Using this, we can use a bit of math to see if we are going to get any distortion. I will again need to make some assumptions here as I don't know your input voltage/supply voltage/gain etc. Let us assume you have an input voltage of 50mV pk-pk and an output voltage of 5V pk-pk, giving us a gain of 100. We can find out what that is in dB (as that is what the graph shows the gain in). To do this, we use: 20Log(100) = 40. This means your gain is 40dB. Looking at the graph, we can see that at this gain value, clipping/amplitude decrease will start to occur near the 2kHz mark: [](https://i.sstatic.net/uzbQw.jpg) This means that trying to maintain the same gain value above that frequency can't happen. The _gain_ will actually _decrease_. I believe this is the graph you were interested in, however, there could be other causes, hence the rest of the information in this answer.
Discussion on this answer:
Comment: ...."anything above that frequency with that gain value..." ??? Gain values above that frequency cannot assume "that gain value" - the gain decreases continuously ! These characteristics have nothing to do with distortion!! Theay are small.signal characteristics! It is the large-signal characteristic which matters only (slew rate induced distortions).
Comment: @LvW Yeah..... I suppose the wording isn't very good there! I'll have a think about how to word it lol. I also used distortion in the sense that the output won't be as expected.... I'll clean up my wording. Thanks for pointing it out
Comment: @LvW tidied up the wording. Hopefully that is better. When something makes sense in my head (because I know what I'm thinking) I tend to just type away without proof reading!
Comment: @ MCG Delightful answer. You might explore distortion, because the input differential voltage must rise at higher frequencies, to sustain a 1volt output; this decade per decade increase in Vin lets the Taylor-series model of the input diffpair predict how 2nd and 3rd order products will increase. With bipolars that are not resistively linearized, this is a fine tool to explain distortion. MOSFETS have other degrees of freedom in the diffpair, but the same general relationship (albeit different Intercept Points) still apply. Again ..... a fine answer.
Comment: Please see the edit, I tried to simulate the actual circuit. In this case 60kHz to see the distortion and attenuation clearly. It starts far before indeed.
Comment: @analogsystemsrf I don't have the knowledge to go much further into the explanation of distortion using Taylor series models and other such things. If I did, I would add it in, but I wrote my answer to the best of my own knowledge, which I admit is not as good as most. However, thank you for the compliment on the answer :)
Comment: @user1234 I believe all the information in my answer should allow you to figure out where and why you are seeing what you are seeing. You just need to take my examples and apply it to your circuit
Comment: @MCG I need a low offset with larger bandwidth not to experience this issue which should also be DIP package. Your examples are not so easy to digest and Im afraid next opamp I will buy I might fall into the same trap over and over again.
Comment: @user1234 I did try to make it as simple as possible. First of all, get some values for yourself. Get your pk-pk voltage, your gain, and the frequency you need. You should then be able to use those values and apply them to your problem using my examples. If you wanted to check if it was slew rate for example, check the slew rate out on the datasheet, then put your values into my equations and see what happens, then do the same for the other potential issues
Comment: @user1234 Without doing any calulations, I would look at the slew rate. With 0.07v/us, it looks to be very slow.
Comment: MCG...in your answer, the slew rate for the 741 type is wrong by a factor of 10. And I repeat: The open-loop gain is a small-signal characteristic and has NOTHING to do with distortions!!
Comment: @LvW well spotted. Fixed the slew rate mistake. That was a typo as I had it correct in the calculation! Whoops! And I removed the mention of distortion in the open loop gain in the previous edit?
Comment: Why is that gain frequency plot starts from 45dB instead of 0dB as in a proper Bode plot? It is not normalized to confuse people more?
Comment: Did they used this opamp with gain instead of buffer when obtaining that plot? Why would one do that?
Comment: @user1234 I didn't write the datasheet, so I can't answer that. However, my recent edit does give you the cause of your output distortion. It is almost certain to be the slew rate, based on how slow the op amp is. You either need to decrease the frequency or get a faster op amp. But still try doing the math yourself to confirm, it could be a fun exercise, and will allow you to be armed with a bit more knowledge when choosing your next op amp
Comment: Also, @LvW I included the gain vs frequency graph because it was asked for in the question originally. Whether it had anything to do with the distortion or not is another matter. I included it because it was asked for. Everything was included to cover the bases as the rest of the information was not available when I wrote the answer. I have stated that the SR was the cause, but still felt it useful to keep everything else
Comment: MCG - with all respect: In the question, the "relationship between the frequency ant the attenuation" was asked. And - I suppose - with "attenuation" the user1234 was referring to "distortion" (because the slew-induced distortions lead to unwanted amplitude degradation.
Comment: @LvW Hmm, I assumed OP was referring to the classic frequency vs gain graph. Attentuation isn't really distortion, I thought it was the decrease in amplitude, which from a beginners POV (As I assume OP is due to the nature of the question) this was more likely to be the graph I mentioned. Could be wrong, but I still feel it is valuable information that should stay anyway
Comment: OK - but now both of us know that the questioner was referring to slew-induced distortion. Unfortunately, this was not clear from the beginning.
Comment: @LvW indeed, hence the addition in my answer after talking about it
Answer 2 (2 votes):
Slew rate is the issue: - [](https://i.sstatic.net/kz9xQ.png) The data sheet specifies a figure of typically 60 mV per micro second and, your signal changes about 500 mV in about 8 us and this of course is 62.5 mV per micro second i.e. right on the limit of what the table in the data sheet tells you. [](https://i.sstatic.net/tfIL4.png)
Answer 3 (0 votes):
@user1234...as I have expected: The triangle form of the output signal (shown in your edited answer) is a typical indication for slew-induced distortions. That means: The limited slew rate of the opamp - if it has negative feedback ! - allows **sinusoidal output forms** up to a certain level only. And this level is frequency-dependent. This maximum output signal (sinus !) as a function of frequency is given as "large signal characteristics" in the data sheet. For small frequencies, it is a horizontal line and then, suddenly it goes down. **Explanation** : Slew rate is defined and is measured WITH feedback only - and the input signal must drive the first diff. stage of the opamp into saturation. In this case, the first stage acts as a current source which can charge the following MILLER capacitance with a limited speed only. This determines the so-called "slew rate". The open-loop characteristic (gain and phase vs. frequency) has NOTHING to do with the distortions you have observed. **EDIT/UPDATE** : The LT1490 datasheet gives the large-signal characteristics in the first graph on page 10. You can find the slew-rate determined large-signal bandwidth Bsr (maximum frequency for maximum sinusoidal signal at the output) by yourself: **Bsr=SR/(2*Pi*Vomax)** For a typical value (datasheet) SR=0.06 V/µs and (estimated) Vomax=4V (supply 5V) we get **Bsr=2.4 kHz** (see the graph on page 10) (Slewrate SR, Vomax: max, possible output voltage - determined by the supply)
Discussion on this answer:
Comment: Where in the data sheet should I look at for slew rate and how to relate to my desired max freq.? Lets say I want no distorion up to 1MegHz, where in data sheet we can refer 1Meg will not be alright because of slew rate? Thanks
Comment: If you do not want to have such distortions, you must take care that the output amplitude is not larger than given in the large -signal charcteristic. Hence, you must decrease the gain or the input amplitude correspondingly.
Comment: @user1234 the slew rate is at the bottom of page 3, in the electrical characteristics section. And if you want no distortion up to 1M, you will have to either decrease your gain, or lower your pk-pk input voltage
Comment: For the LT1490 the slew rate is pretty bad: Just 0.03V(s app. And the corresponding large-signal characteristic is on page 10 (first graph).
Comment: The mentioned value of 0.03V/us is a worst case value. Typically: SR=0.06V/us.
Comment: @user1234-we had a discussion about your problem...and it would be nice to know if I could help you. Is your problem solved - or are there any further questions?
================================================================================
|
Discussion Chain ID: 408430
================================================================================
User asked: Power issues on TTL circuit
I am building a homebrew 8-bit computer on breadboards and PCBs with TTL logic ICs (LS, HCT, and ALS families.) This is a small portion of the circuit (3 modules): [](https://i.sstatic.net/BOkga.png) I'm using an ordinary phone charger to supply the required 5V, but some ICs are getting only 4V or less. Even though it's working OK, that's not good at all. The total current required is pretty low, around 200mA, very much within the power supply range. I've tried with a few different power supplies with no success. I've done some research and found out that cell chargers are regulated, so it wouldn't be a problem. The computer has 6 modules, the module closer to the power supply reads 5V on its ICs. The further away from power it gets, the weaker the voltage gets. I tried to make a power rail directly connected to each module, with the same results. I could put the modules' schematics here but it would make the question very long, so I will provide the links to them: [1- Clock & Sequencer](https://easyeda.com/editor#id=322b852bea504adb92f70614ad67144f) [2- Program Counter & Memory](https://easyeda.com/editor#id=01d36d252147455aaf58236a007ddd1e) [3- Instruction Register](https://easyeda.com/editor#id=707e9f92de5d439e8e7b3edb7b688d65) [4- Control Unit](https://easyeda.com/editor#id=21357cff8a51414da2e01ab8b7f39d3c) [5- Registers](https://easyeda.com/editor#id=8a7b1ed43e724c74bccf9728eee72032) [6- ALU](https://easyeda.com/editor#id=e10ed52966554c5d9040af2ad9bc523e) Modules 1 and 3 are already on PCBs, the others still on breadboards. [Link to the project here](https://hackaday.io/project/24511-jaca-1-2-homebrew-computer). Are there any obvious project mistakes here? **Edit: Could poor quality ICs from China be the cause?**
Discussion:
Comment: Are you measuring the VDD--GND voltage **WHILE** the computer is clocking along? Is each IC given a local 0.1uF bypass capacitor, located right at the IC?
Comment: I measured the voltage with and without auto clock enabled (there is a manual clock mode).
Comment: There is 100nF bypass capacitors only on the PCBs, on the breadboards don't. could it be the reason of the problem?
Comment: All chips need decoupling, but as Captain says, double up your wiring to far loads or use thicker wires. Use your voltmeter and measure the voltage drop across your power lines. There will be a voltage drop. If your power supply was not large enough to supply load all voltages would be down. If you want to use a power rail, make VCC and ground larger.
Comment: No progress so far... Could it be poor quality chinese ICs the cause?
Comment: This is almost certainly a design flaw, not an IC quality flaw. Especially at slow clocks cmos chips would probably consume less than 74xx or 74LS. Your biggest issue is with wiring however: if you are going to build something complex with breadboards you need to attach them to a carrier, route your wires flat not up in the air, and consider staking down the bundles for example with short wires stuck in the ground row or even wire tire points beside the modules. Breadboarding a computer from discrete components is technically absurd - you are purposely choosing to make things difficult.
Comment: It's not breadboards fault. The same is happening with the modules already on PCBs.
Answer 1 (3 votes):
> the more it gets away from power, the voltage gets weaker This usually means that the wires are too thin (ie their resistance is too high) for the current. 200mA is however not much, so this seems strange. Try measuring the voltage drop over the power supply wires directly and/or try using thicker wires (or two wires per link) to see if this is really your problem.
Answer 2 (3 votes):
As I supposed initially, the problem were the cheap chinese IC's from Ebay. I bought all again from a reliable store and replaced them (luckily I always use IC sockets, so replace is pretty easy), and now it works like a charm: [](https://i.sstatic.net/CFVXJ.jpg)
Discussion on this answer:
Comment: How much current does it draw now, and what voltage do you get on the furthest module?
Comment: I haven't tested all modules together yet. But this module pictured (ALU) wasn't working before and the tension on VCC pins was below 4V. All 9 IC's replaced and now it reads 4.9V and it works perfectly
Comment: This is astonishing. I now wonder if this is my problem too! :(
================================================================================
|
Discussion Chain ID: 408420
================================================================================
User asked: Creating a waveform which is abruptly changing from one frequency to another smoothly in LTspice
I want to create a sine wave with offset which is abruptly changing from 1Hz to 10Hz at a desired point in time without discontinuity. I tried and could only reach the following result: [](https://i.sstatic.net/d867p.png) First of all, I had to use many sources and tweak them one by one. And most importantly in my circuit output there is a discontinuity. Below zookmed view of the plot shows that at around 400ms: [](https://i.sstatic.net/m76As.png) How can such wave form be achieved maybe a better way most importantly without that discontinuity?
Discussion:
Comment: You want an abrupt change but without a discontinuity yes? You think that spike is the only discontinuity yes?
Comment: Think about why you are adding the small fraction of time (0.40...01). You have selected a sine wave and frequency which starts and ends the signals at 0. If you sum them both you then get 0. Why are you then delaying the second signal instead of starting it at the end of the first sine?
Comment: Discontinuity might be the wrong term, I wanted to say the second wave should start from the end point of the first wave. I couldn't manage to do it.
Comment: @loudnoises Try to make this, you will see it is not that easy.
Answer 1 (3 votes):
Use the `MODULATOR` located in `SpecialFunctions/modulate.asy`: [](https://i.sstatic.net/nrBwI.png) `mark` and `space` sets your low and high frequency and are configured on the `SpiceLine` entry in the modulator, then change between them using the FM input. In this example I have a pulse changing from 0 to 1 volts every 2.5 seconds. Here is a zoom of one transition. [](https://i.sstatic.net/zVl2u.png) You can control the transition in any way you want, by using different PULSE or PWL commands. They will always be "glitch-free". You can change the amplitude using the AM input, which is 1 volt p-p by default.
Discussion on this answer:
Comment: Just so OP won't have to dig it up, the formula is `space + V(FM)*(mark - space)`.
Answer 2 (1 votes):
Never one to back down from a challenge, here is the solution I tried to guide you towards. Period is defined by \$1/f\$, to ensure that a sine wave finishes at a zero-value the length must be a multiple of \$1/(2f)\$. This duration must be then added on to the second for the time delay. I ran the 10 Hz sine wave for 4 periods which is a duration of \$4/10 = 0.4\$s, and so delayed the 100 Hz sine wave by 0.4s. Pictured below: [](https://i.sstatic.net/AUFv4.png) (As an aside I found the DC offset of the voltage source to be unintuitive, it appears to be scaled by the inverse of the amplitude!) This then produces a glitch-free transition: [](https://i.sstatic.net/fxX7u.png) [](https://i.sstatic.net/pl7E5.png) As I was trying to suggest with my comment, you don't need to delay it by a fraction of a second, you need it to start at the exact moment the other stops. Please don't be so confrontational next time. Having said this I would still probably opt for pipe's solution so that you don't have to add a new source every time you want to change frequency.
================================================================================
|
Discussion Chain ID: 408413
================================================================================
User asked: Meaning of a potentional tolerance value for a dimension in a mechanical drawing
The mechanical drawing below contains two dimensions (2-Ø2.30 and 4-Ø0.92) that I can't make heads or tails of. I have spent quite a while researching mechanical dimensional and tolerance conventions again, since I could not remember what this format meant. I was not able to find this particular format after looking through just over ten web pages with varying search terms. My educated guess would be that the prefix (4- / 2-) is some special format of a tolerance value. Since the drawing is in millimeters and the hole diameters are quite small, I don't assume these prefixes to be in millimeters. From what I can tell, the suggested diameters are 2.3mm and 0.92mm, but I stand to be corrected. I would appreciate any feedback on what these values exactly refer to. [](https://i.sstatic.net/O6Bkk.png) Source: <https://katalog.we-online.de/em/datasheet/61400416021.pdf>
Answer 1 (2 votes):
**Number of holes** 2-Ø2.30 means two holes, each 2.3mm in diameter. It would be more usual to write this as 2xØ2.30, but given the numbers match the number of holes drawn, I'm confident it's correct. There are several different formats for dimensional tolerances, but all the ones I know of are either 1) two separate numbers, usually one above the other, 2) placed after the dimension or 3) follow the strict rules of [GD&T](https://en.wikipedia.org/wiki/Geometric_dimensioning_and_tolerancing)
Discussion on this answer:
Comment: That sounds reasonable. I am well aware of the standard 2xØ2.30 convention for the number of holes, but I never suspected it to be another form of just that (since the presence of +/- usually indicates tolerances). Thank you!
Comment: @BenediktM. If that completely answers your question, you can tick the green check mark next to my answer, which will tell other users that the question has been satisfactorily answered.
Comment: I know, but I wanted to give other people a chance to present another opinion on this, since you did not cite a reference that confirmed your thought. However, I am pretty sure that your solution is the correct one.
================================================================================
|
Discussion Chain ID: 408412
================================================================================
User asked: Design an AC/DC Nonisolated Switching Mode Power Supply
I'm designing a fifth generation pcb for my project and yet I stumbled across another design problem. First of all, the circuit and all components are enclosed from the environment and users (because non-isolated) for safety. My design would rectify the mains (European 230V AC) to a DC voltage and after that some buck-switching controller would do the job. The only problem here is, that there aren't such IC's, that would accept the ~350V DC voltage. After looking at [DC-DC Converters](https://lcsc.com/products/DC-DC-Converters_484.html) from LCSC, I knew there are those [Switching Controllers](https://lcsc.com/products/Switching-Controllers_483.html), but after a while - all the datasheets feature an isolation transformer to step-down the voltage. For the previous designs I was using the HLK-PM01 PSU, but that's wasting a lot of space. [](https://i.sstatic.net/ap32K.jpg) I planning to use a non-isolated supply, because it doesn't require a custom transformer to build, just an inductor that I'll even find at LCSC. Power output requirement: 5V at 150mA (maximum), to power an ATmega168P with some SPI/I2C chips. In what direction should I search to find some information related to this kind of SMPS? I'll be really grateful for all advices I can get from others, more experienced engineers.
Answer 1 (1 votes):
It seems to me that you are against using a transformer because you believe it might be too large or need hand-winding yourself. The impact of this decision is: - * Non-isolated output voltage (potentially unsafe) * Problems finding a buck converter chip that will operate at over 300 volts DC Let me try and put your mind at rest with this off-the-shelf design supported by [Premier Magnetics](http://www.premiermag.com/html/product-family/power-magnetics.html): - [](https://i.sstatic.net/hYGKo.png) This is just one of dozens of designs that they make (and sell) the transformers for. The one above happens to produce 5 volts out at up to 0.6 amps. The transformer is here: - [](https://i.sstatic.net/7Gm7N.png) It measures about 17mm x 16mm so it isn't massive and it gives you peace of mind. On page 2 of [this document](http://www.premiermag.com/pdf/POL.pdf) you get the full list of the transformers they sell. > For the previous designs I was using the HLK-PM01 PSU, but that's wasting a lot of space. That device appears to be about 30mm x 20mm so the above circuit should compare favourably.
Answer 2 (0 votes):
Given you need it to power some controller with bus, if there is anything going out of your enclosure, like a I2C Line or SPI Line or anything like it, **it is strongly suggested to do an isolated supply!** The risk is not about the power supply itself, but if the power supply fails, you might end-up with your electronic at 260V and whatever is connected to it downstream, which can kill. To do so you don't need custom transformer, there are plenty of parts doing the job. * * * The chip itself doesn't need to be able to support the main's voltage, you are probably looking at the wrong category. Usually you would use "Controller" chip, which will control mosfets either with a single mosfet and flyback diode or two mosfets for better efficiency. There are plenty of chip on the market for that purpose. * * * Non-Isolated You can check here for [reference design](http://www.ti.com/power-management/reference-designs.html), there is a table that shows the input voltage. There is also here a [reference design page 8](https://www.monolithicpower.com/pub/media/document/MP6920_r1.02.pdf) There are really multiple possible design, it's mostly about a question of cost, efficiency and size. [This design](http://www.ti.com/tool/PMP21487?keyMatch=&tisearch=tidesigns-power) is able to take 260VAC input to 22V output and is farily simple. [](https://i.sstatic.net/wwTIK.png) * * * Isolated: [This one](http://www.ti.com/tool/PMP21513?keyMatch=&tisearch=tidesigns-power) is similar but isolated, and all the parts are given, you can just order as the BOM and copy the design. You just need to adjust some resistor to have the voltage output you need. [](https://i.sstatic.net/5xQo0.png)
Discussion on this answer:
Comment: The I2C and SPI lines are inside the device casing (printed in ABS). Yes, of course I understand the potentially risk. I take a note of the first schematic and do some research about few Switching Controllers I'll find at LCSC. Thank You, really appreciate Your response.
================================================================================
|
Discussion Chain ID: 408410
================================================================================
User asked: Can't understand a given answer about a 1st Kirchhoff's law question
I am currently studying the textbook "Lectures about the fundamentals of Electrical Engineering" by Adalbert Prechtl and after finishing the theory about Kirchhoff's law, I tried to solve some basic exercises on them, but my answers seem to deviate a lot from the answers the book gives. The question is rather simple, I have to apply Kirchhoff's first law on the nodes A to D. [](https://i.sstatic.net/RsWQS.png) Concerning node A, after considering the direction of current based on the voltage sources' poles my initial answer was: $$ I_6 +I_4-I_5=0$$ My path of thought was: Current from 1st Voltage source, goes through R1 then through R4 and then R5. Current from 2nd Voltage source goes through R4 and then R5, and current from third Voltage source goes Through R6 then R5. The answer that the book states is: $$ I_6 +I_4+I_5=0$$ I was really suprised from this answer and I am still thinking that I am missing something rather important about Kirchhoff's laws. Then I simulated the circuit in a simple circuit simulator where the flow of current was as my initial answer stated. Any idea on why this is the given answer would really help.
Discussion:
Comment: Can you add the step's you took that resulted in your initial answer ?
Comment: Both answers are fine. Just set the direction of current at every branch. Σ Ι_in = Σ Ι_out.
Comment: @Nick edited my steps. To thece; How can the second answer be correct when, as I see it, it states that current only flows into the node and not out of it?
Comment: Kirchhoffs Laws are the result of philosophers thinking about new phenomena (currents) and then developing constraints (defining directions of current flowing) for the math modeling that make useful predictions. Either define ALL currents at a node as INCOMING, or OUTGOING; then manipulate the signs. Our brains need some consistency in these matters.
Answer 1 (1 votes):
Maybe what you are missing is that _current has a direction_. When you write your equation you assume a given flow. You assume that I6 and I4 are flowing into the node (so you sum them), and that I5 is flowing out of the node (so you subtract it). Depending on how they actually flow, one or more of your currents will come out as negative. This is not a problem, it's just relative to the direction. The book does not pick the same assumption, and assumes that they all flow into the node. They will most certainly get at least one negative result. No matter which one you pick, it's _very important_ to track these signs.
Discussion on this answer:
Comment: Sorry, but I am totally new to these concepts and I need some clarification. How can someone assume that all currents flow into one node? Isn't that like...counterintuitive? Also, what do you mean by "they will get at least one negative result" ?. Thank you for your answer
Comment: @ΚωνσταντίνοςΖαφείρης Visualize it with water in channels. Your Current is a water flow. Kirchhoffs law says, that all water flowing to point A must also flow away (equals 0). So you sum up all water streams who are connected to A. Now it is up to you, which direction you consider positive. If water that flows towards A is defined as positive, there must also be some channel with water flowing away from you (negative).
Comment: @jwsc So based on this way of thinking, I can just sum all the currents that connect to any node and, without considering the direction of flow, my 1st Kirchhoff's equation will be correct? Like the book's answer?
Comment: @ΚωνσταντίνοςΖαφείρης correct.
Answer 2 (0 votes):
> Concerning node A, after considering the direction of current based on the voltage sources' poles Here's the fundamental misconception that you have. You don't need to consider the directions of current; you don't even need to take a slight guess. All you need to do is draw arrows on the circuit and stick with the direction they imply and, if the answer is negative then you have got that direction wrong. But, by the time you find out you will have solved the problem.
Discussion on this answer:
Comment: Thank you for your answer, I understand what you are saying. So apparently, either way, I'll end up with either the correct answer or the wrong one. But how can you explain the book's answer?
Comment: *But how can you explain the book's answer?* The book assumes directions of current different to how you have assumed them to be. And also, a negative answer isn't incorrect - it just tells you that the current flow direction is opposite to where you initially placed the arrow.
================================================================================
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.