text
stringlengths 334
1.17M
|
---|
Discussion Chain ID: 406780
================================================================================
User asked: How to send data to an ESP32 with as little delay as possible from an Android app
I have an ESP32 module. I want to send data to it using an Android app. I tried using http but the delay is big especially since I want to send about 20 values per second with a delay between 50 to 100 ms. So I am looking for a better way to do it.
Discussion:
Comment: How are you sending it exactly ? bluetooth? wi-fi? WHAT are you sending ? How big ? what app build ? how are you RECIEVING it ? SPI ? i2c ? there can be SOOO many variables that are not necessarily about the module itself that could influence the setup.
Comment: i am sending very small data just one asci character i tried wifi with http request
Comment: http request it self takes time to be sent from the app So i am looking for a faster way to send without delay
Comment: @AhmedSalman that doesn't sound like an electrical engineering problem but like an Android development problem. You've already mentioned one part of your stack – HTTP – which seems to be a very bad choice for low latency. It seems you haven't really researched much at all in the direction of what HTTP does.
Comment: I'm voting to close this question as off-topic because it is fundamentally about software-centric issues of network protocols and Android application development, and not about Electrical Engineering. If you had something that worked to a PC but not to the ESP32, then with *full details provided* that might just barely be on topic here; but the present question is not. Likely the subject belongs on stackoverflow, but the question is too incomplete to be answerable, so migrating it would be a violation of the policy against migrating unanswerable questions.
Comment: Do note that if you can *timestamp* your data, then perhaps the exact time when it moves between systems can be less important.
Comment: "please migrate it to Arduino SE – Juraj 4 hours ago declined - a moderator reviewed your flag, but found no evidence to support it"
Comment: @Juraj I see nothing about this question that is related to Arduino, so it will be likely closed on that site too.
Comment: @W5VO, it has the arduino tag. he programs esp32 with arduino
Answer 1 (0 votes):
Use plain TCP sockets communication. Don't send the HTTP strings, send only byte. Let the connection open and reuse it to send the bytes. Check the state of the connection and when it disconnects reconnect. Modify the receiving server side socket in app to receive only the bytes and keep the socket open. Other option is to use UDP.
Discussion on this answer:
Comment: that's was really helpfull
================================================================================
|
Discussion Chain ID: 406778
================================================================================
User asked: How does Wi-Fi deal with multiple frames received at once?
Right now I'm trying to establish a network of 30+ transceivers with NRF24L01 modules - one of them acting as central. However there are big problems, whenever two or more nodes try to send data to one node. As far as I know, WiFi devices are able to receive multiple frames at once with no problems. How is this possible? Are they listening on multiple (like 100) channels at once? And when there are two frames received in the same moment on one channel are there errors just like with NRF24l01 network?
Discussion:
Comment: Maybe high-end routers can, but this chip isn't one of them, it sits on whichever channel you set. If multiple devices transmit on the same channel you will get corrupted data (if their relative strengths are close enough). See section 6.3 of the product spec. Unless you want an ALOHA type system (random Tx timing and backoff) you'll have to go with a polling system or some other TDMA type configuration.
Comment: @isdi Wow, thanks. Can you propose any pages to read about WiFi systems? Like, how exatly are they dealing with receiving multiple frames in one moment? I'm a real newbie to this kind of stuff, please help...
Comment: Nice introduction here if you google: Wi-Fi_Overview_of_the_802.11_Physical_Layer.pdf Gives a decent history and a reasonable explanation of the different protocols without getting bogged down in the details.
Comment: In reality most networking schemes, especially radio ones, cannot handle overlapping packets - this is called a "collision" and measures are taken to avoid it, detect it when it happens, and then re-try at a hopefully non-colliding time.
Comment: I should qualify the simultaneous transmission statement- you can transmit at the same time if your signal streams use different RF polarization patterns and this works well for simple systems at fixed locations/orientations. The high-tech equivalent is the MIMO spatial modulation technique which maybe is what you are thinking of, but again that's not going to be on a simple low power chip.
Answer 1 (1 votes):
Talking about IEEE 802.11 a/g/n/ac… here. > As far as I know, WiFi devices are able to receive multiple frames at once with no problems. That's wrong. WiFi isn't designed to allow working with collisions. It has systems in place to avoid these. So, a single WiFi device can only receive a single frame at once. It might be that complex devices were designed to work on multiple separate WiFi channels at once, but that's definitely not the norm, and it's actually like multiple devices doing multiple independent things at once; the frames don't collide. > How is this possible? Aside from the system being neither specified nor designed to allow that: Since a collision of two frames means that the preamble of the second one would be heavily damaged, I doubt it's overly possible practically. Principally, even systems that weren't designed to allow collisions (those would typically be CDMA systems) can achieve reception of overlaying frames if the signal strength of one is significantly better than the other: In that case, the receiver might be able to actually correctly receive one, recreate the "unininterrupted" signal as it would have sounded to itself, subtract that from the receive signal (that it has magically saved somewhere), and then receive the next weaker one. We call that technique _Successive Interference Cancellation_ ; again, as far as I know, that's not a part of any WiFi standard. Also, MIMO/beamforming techniques can be used to "detangle" signals arriving from different partners/paths at the receiver, but that is a whole different kind of business.
Discussion on this answer:
Comment: So a Wi-Fi router to which there are 3 devices connected needs to have each one on different channel? Because if all 3 were on one channel there would be collisions all the time, right?
Comment: no, not at all. That's not how WiFi works: it's a same-channel collision avoidance system, as I said in my answer. Only one station can transmit at a time; it's that simple.
================================================================================
|
Discussion Chain ID: 701573
================================================================================
User asked: How do FPGAs implement the inequality operator?
From curiosity and to understand the cost of the operator I often using in FPGA design. Let's assume I am doing the following equation in Verilog: OUT = A[15:0] >= B[15:0]; How will the FPGA implement this operator? Will it just use a LUT? I don't understand how a LUT solves this logic. More specifically if relevant I am using Quartus and Stratix10 FPGA. This is what the RTL Viewer shows: [](https://i.sstatic.net/4NHwk.png) This is what the Technology Map Viewer shows: [](https://i.sstatic.net/eaHqt.png) I would like to understand how it is actually fitted into a Stratix10 logic cell: [](https://i.sstatic.net/2C2UC.png) What I understand: I can see that in the technology viewer it is using 4 or 5 primitives with 4 inputs to calculate the inequality - meaning it's probably using 2 logic cells. I can't imagine what the logic inside the LUT looks like.
Discussion:
Comment: It's basically a subtraction operation, looking at the sign of the result.
Comment: It subtracts two numbers and checks "equal 0" and sign.
Comment: @DaveTweed So each primitive LessThan_0~X is just 4bits subtraction? that nested to each other to give result of 16bits subtraction? and how LUT implement subtraction?
Comment: The comments by Dave Tweed and TQQQ are wrong, Quartus is not implementing subtraction.
Comment: *"I can't imagine what the logic inside the LUT looks like."* I don't know about Quartus but in Vivado you can check the contents of each LUT. Magnitude comparison is simpler than subtraction, as @JonathanS. mentioned.
Comment: If you right click on each of the LUT primitivs in the tech viewer, and select properties, somewhere in one of the tabs it shows you the logic representation of what the LUT is doing
Answer 1 (6 votes):
Let's just derive the circuit ourselves. The key is to break the operation on the input integers down into smaller pieces. Given two numbers, for example `234` and `125`, you can immediately tell that `234` is larger by just looking at their first digits. Any number of the form `2xx` is always larger than one of the form `1xx`. Only when the first digits are identical do we need to look at the others. For example, let's take `148` and `125`. The first digits are identical, so we move on to the second digits. Here, the digit "4" is greater than "2", so we can conclude that `148 > 125` without needing to check the last digit at all. This is called a lexicographic comparison, and it's the key to implementing magnitude comparators in hardware. Let's apply this to our `A[15:0] >= B[15:0]` operation, which is the same as `A[15:0] < B[15:0]` inverted. Using 5-input LUTs, we can process 2 bits at a time, using 4 of the available LUT inputs. We'll start with the topmost two bits. There are essentially three cases: 1. If `A[15:14] < B[15:14]` is true, `A[15:0] < B[15:0]` must also be true. The entire comparison should output 1. 2. If, on the other hand, `A[15:14] > B[15:14]` is true, then `A[15:0] > B[15:0]` is also definitely true. The entire comparison should output 0. 3. Lastly, if `A[15:14] == B[15:14]` is true, we need to look at the other bits (13 and downwards). Case 1 and 2 are easy, only case 3 is a bit more difficult. We need to forward the result from the comparisons of the other bits... But luckily we've only used 4 LUT inputs so far, which means that we have one to spare that we can use for this purpose! In the end, it boils down to the following pseudocode: inputs: a[1:0], b[1:0], lessthan_in outputs: lessthan_out if (a < b) lessthan_out = 1; else if (a > b) lessthan_out = 0; else lessthan_out = lessthan_in Since this block of logic only has 5 inputs and 1 output, you can map it onto a single LUT5 by evaluating it for all possible input values. (There are only 32 of them.) Now all you have to do is to repeat this for the other bit positions and chain the resulting (identical) LUTs together. In the end, you can compare two 16-bit values with eight LUT5 instances using this scheme. > I can see that in the technology viewer it is using 4 or 5 primitives with 4 inputs to calculate the inequality - meaning it's probably using 2 logic cells. Note that this is wrong, given that it would mean there are only 20 inputs in total across all those primitives, which is insufficient to process two 16-bit integers (32 bits total). The eight LUT5s from the solution I presented have 40 inputs in total, meaning there's only an overhead of 8 inputs. This is the best you can do with 5-input primitives. The only case where Quartus might be able to compare two 16-bit values with less than eight LUT5 instances is when some of the bits are constant. (I.e. you're not using the full range of a 16-bit integer, or skipping some values with a counter, etc) For example, if you compare a 16-bit value to another one that only has 8 bits, you need four of the previously mentioned LUT5 instances to compare the lower 8 bits. For the upper 8 bits of the 16-bit operand, you only have to check that they're zero. You can use two LUT5s for that, with each of them checking four bits at a time, as in the following pseudocode: inputs: a[3:0], lessthan_in outputs: lessthan_out if (a > 0) lessthan_out = 0; else lessthan_out = lessthan_in; In total, the circuit will look as follows, from LSB to MSB: 0 -> COMP2 -> COMP2 -> COMP2 -> COMP2 -> ZERO4 -> ZERO4 -> output bits# [1:0] [3:2] [5:4] [7:6] [11:8] [15:12] Each of the "COMP2" blocks takes as input two bits from A and B respectively, and each of the "ZERO4" blocks takes four bits from the 16-bit-wide A. The arrows between the blocks represent the "lessthan" inputs and outputs of the blocks, which chain them together.
Discussion on this answer:
Comment: ok Thanks! but how you explain the Technology Map Viewer image? its looks like it's using 5 primitives? by the way in my real use case I am comparing 8 real bits with 16 bits (I expand the 8 bits bus to 16 to match)
Comment: @MichaelRahav A comparison between a 16-bit and an 8-bit value can be done in six LUT5 instances. (There's likely a 6th primitive to the right that's cut off on your screenshot.) You need 4 LUTs to compare the lower 8 bits, then another 2 LUTs to ensure that the upper 8 bits are zero. 5 LUTs might be possible if the range of values on the two buses is limited.
Comment: @MichaelRahav, your Technology Map Viewer image doesn't show bits 0 or 15 of the input bus being used. Possibly synthesis was able to prove that these bits never change and simplify the logic accordingly.
================================================================================
|
Discussion Chain ID: 406776
================================================================================
User asked: Protecting a coin cell from high current spikes - using a capacitor or not?
**I've built some prototypes and try to gather some data from them. Skip below the two horizontal lines to read more about it.** * * * # Original Question ## Brief summary I would like to know whether it is beneficial to add a capacitor in parallel to a CR2032 coin cell to increase its life span and protect it from occasional current spikes (15 mA) if the circuit is in power-down mode (a few µA) for the overwhelmingly majority of the time. ## What I am working on I am designing a low power door / window sensor which transmits the current state (open / closed) wirelessly. The device will be in a power-save mode most of the time and wakes up when a connected hall effect sensor detects a change, transmits and immediately goes back to sleep. To keep it as compact as possible and low cost*, I am using the following main components (links to datasheets): * [Atmega328P-AU](http://ww1.microchip.com/downloads/en/DeviceDoc/ATmega48A-PA-88A-PA-168A-PA-328-P-DS-DS40002061A.pdf) * [NRF24L01+ Radio](https://www.sparkfun.com/datasheets/Components/SMD/nRF24L01Pluss_Preliminary_Product_Specification_v1_0.pdf) (as a prebuild "SMD" module) * [TI DRV5032FB](http://www.ti.com/lit/ds/symlink/drv5032.pdf) * A CR2032 coin cell as a 3V source ## Power consumption If we take a look at the datasheets of the devices, the power consumption is quite low when they are in power-down mode. * Atmega328P (@ 1 MHz int. Osc., WDT disabled): 0.1 µA * NRF24L01+: < 1 µA * DRV5032: 0.7 µA (average) That's _less than 2 µA_ total during sleep. But that's only theoretical of course, as decoupling capacitors et al. will add a little to it. On the other hand, when the device is active, especially when the radio is transmitting, the current draw can increase to _up to 15 mA_ : * Atmega328P: ~0.5 mA * NRF24L01+: 12 mA * DRV5032: 2 mA (peak while sensing) ## The problem: Maximizing the usable capacity CR2032 coin cells are supposed to be continuously discharged at rates far below one mA. They don't handle burst of rather high currents well, as this will lower the usable capacity considerably and can result in larger voltage drops. To maximize the available capacity of a coin cell, a [whitepaper from TI](http://www.ti.com/lit/wp/swra349/swra349.pdf) suggests to add a (100 uF, or even larger) capacitor to the circuit, which provides most of the power during those burst phases. Six years ago someone asked a similar question in this community ([Pulse-powering heavy loads with a coin cell](https://electronics.stackexchange.com/questions/43306/pulse-powering-heavy-loads-with-a-coin-cell)). ## But what about very low duty cycles? Both mentioned sources assume a rather "high" duty cycle of 1 - 5%. But what about a door / window sensor, where the device only powers up 10 or 20 times a day resulting in a duty cycle of 0,001% or even less? While the capacitor seems to relieve the coin cell during phases of high current draw and thus increase the usable capacity, it also introduces a source of leakage current. Considering I would use a 220 uF electrolytic capacitor of nichicon's [UWX series](https://www2.mouser.com/datasheet/2/293/e-uwx-880053.pdf) \- they are rather cheap in low volumes and only 5.4mm tall - the datasheet specifies a leakage current of up to 3 µA. This would _roughly**double** my average current draw_. (Large capacity MLCCs with X7R dielectric might have a leakage current < 0.5 µA, but cost 20+ USD a piece.) **The question is...** Is it so important, to protect a coin cell from high high current peaks, even if this results in an average current draw that is twice as high as without this protection? Am I better off not using a capacitor? (*) It's not so much about saving pennies but - for the lack of a better word - proportionality: If a 2 dollar MCU and a 1 dollar radio does the job, there is no need to use a 10+ dollar NRF5 series chip (exemplary). * * * * * * # Update I’ve now built two prototypes of the device with similar components as I’ve mentioned earlier. One of them has a 220 µF, 10V electrolytic cap of the [ULD series](https://www2.mouser.com/datasheet/2/293/e-uld-884079.pdf) by Nichicon, the other doesn’t. They are powered with coin cells from [Sony](http://www.cr2032.co/cms/prodimages/sony_cr2032_datasheet_13.pdf), both from the same package. Unfortunately, I only have a DMM to take measurements, which means measuring currents in the lower µA range won't be accurate. So I tried to get an estimate using a 100k Ω resistor in line with the power source and measured the voltage drop while the components where in power-down mode, ~~which resulted in roughly 9 µA without and 11 µA with the additional capacitor. Those values might be reasonable, but are quite a bit higher than expected regarding the specified values in the data sheets. (Note: I took those measurements while the circuit was still on a (rather large) breadboard.)~~ * * * **Edit:** _Always doublecheck your fuse bits!_ After thinking about what could be the cause for those rather high power-down currents, I noticed that I didn't disable brown-out detection via the extended fuse. BOD consumes something between 10 and 35 µA on AVRs, which is _a lot_ if you want to run for years on 220 mAh. Now I'm down to a more reasonable 1.5 µA without and 3 µA with the capacitor. (Yes, turning of BOD can be bad, but a) the functionality of these devices isn't critical, b) all components are able to run on voltages below 2V, at which point the coin cell is way overdue for a replacement and c) I'm monitoring the voltage constantly remotely and can set a certain threshold (say 2.2V), when the system should send me a push notification reminding me to replace the battery soon.) * * * Anyways - I’m measuring the voltage via the Atmega’s internal 1.1V reference and transmit that value over the radio whenever the window gets opened or closed and store it in a database. To verify if those readings are accurate, I will also measure the voltage manually with the DMM on a regular basis. [](https://i.sstatic.net/n9v0y.png) Looking at an estimated battery life is difficult as long as the actual power-down currents aren't known. If we assume the measured 9 to 11 µA are correct, I can expect ~ 2 years for both units. (Calculating with a current of 12 mA while active for 100 ms once an hour with a battery capacity of ~185 mAh (220 mAh acc. to the data sheet - 15%). If we assume power-down current are closer to the values stated in the data sheets (2 µA without; 5 µA with capacitor), we're looking at a rather large difference of 4 to 9 years of battery life. It'll surely take a while to find out whichever turns out to be closer to the truth. I might update this question / add an answer as soon as I have at least an indication whether the capacitor is beneficial or not in my particular case. But still, feel free to share your experiences if you have already been through this or have anything else to add. I guess I will continue to design the PCB version of this project in the meantime with the additional capacitor in mind - I can still decide not to solder it on afterwards.
Discussion:
Comment: FWIW, Nichicon has some low leakage Al-elec UKL1A101MED1TD, advertise 200nA for a 100uF 10WVDC. Pretty cheap too...
Answer 1 (3 votes):
Breadboard a couple of circuits, one that draws a continuous 3\$\mu\$A, and one that draws (or tries to draw) 15mA periodically with your approximate pulse time and duty cycle. Run them in tandem, one battery each. See how cell life is impacted. You may not even be able to _get_ 15mA out of the cell -- that's probably the first thing you want to check. IIRC tantalum caps have less leakage than aluminums do, but they've got their own reasons for not being ideal. Depending on what "immediately" means to you, you may want to consider waking up, charging the cap (with a switcher, in your "I want to save pennies" circuit, oh boy), then sending your radio burst. Don't forget that [batteries have data sheets, too](http://data.energizer.com/pdfs/cr2032.pdf) \-- they actually have a pulsed application in there, although they're pulsing it at 6.8mA, not 15. Note the behavior of the battery's internal resistance as it discharges -- if you just try to suck a pulse out of the thing you'll probably suffer for it.
================================================================================
|
Discussion Chain ID: 406769
================================================================================
User asked: Integrated 5V uninterruptible power supply (UPS) with a lithium cell?
I'm trying to figure out the best way to implement a UPS for an embedded system that runs from a 5V supply. Essentially the system has a 48v to 5v, 1.2A output DCDC converter that powers my system. The 5v output supplies a bank of relays, as well as a 3.3v regulator for the embedded side of things. When the input power fails I need to be able to keep the system alive (both 5V and 3.3V rails) for about an hour or so, and I figured the best way to do this would be with a lithium cell charger, and and boost converter. The average current of the system is around about 200mA so I know a single 18650 Lithium cell should more than suffice. To reduce design time and complexity I hoped to find a highly integrated one-chip solution for this, but I'm unsure if it exists. If it doesn't, I don't know what my other options are either. I figured this is essentially most power banks do, so surely there must be a simplistic solution out there somewhere... I just don't know what to be searching for other than "lithium battery charger boost 5v" Can anyone with some experience in this area please point me in right direction?
Discussion:
Comment: Look for "mini UPS 5V". There are plenty of examples and semi-pro boards. https://circuitmaker.com/Projects/Details/John-Kovacs-2/5V-3A-UPS-Power-Supply-For-Raspberry-Pi-Arduino-BeagleBoard
Comment: a lot of cheap (<$1) micro-usb li battery charger circuits let you run on usb power if the battery is charged, and switch to the battery when usb is "unplugged"; sounds like what you need.
Answer 1 (1 votes):
What you want is not exactly simple. Most power banks are not "UPS", they are reserved storage, and usually operate either in charge mode (charging internal Li-Ion cell(s)), or in discharge mode, with external power disconnected. Many powerbanks have an explicit warning, "don't charge and discharge at the same time", [see example](https://electronics.stackexchange.com/a/286547/117785). More, since the only one cell is enough for your power backup requirements, but your in power source is 48V, you will need a two-step conversion, from 48V to something more manageable - I saw no ICs for single Li-Ion cells that can handle over 40 V input. To get "true UPS" functionality, your charger IC must have something called "Power Path management", or something along this line, like the Texas Instruments BQ24xxx/BQ25xxx family of chargers do. But in no case the IC will provide you with output voltage of 5V automatically, this is left for system designer to do. Therefore you are looking for overall architecture like the following one: [](https://i.sstatic.net/K3Z8B.png) The smart-power-path IC will provide the smooth switch from external power to battery power, but you will need to manage the variable battery output using up- and down-converters by yourself. Just as [this project](https://circuitmaker.com/Projects/Details/John-Kovacs-2/5V-3A-UPS-Power-Supply-For-Raspberry-Pi-Arduino-BeagleBoard) suggests and implements.
================================================================================
|
Discussion Chain ID: 406768
================================================================================
User asked: What are the initial conditions used to find the coefficients in the current equations?
Suppose a RLC series circuit. R, L and C are in series with a battery and a switch. The switch is open. L and C are discharged. At t=0, the switch is closed and the battery (V1) feeds the circuit. I apply KVL to the circuit and find three equations: **CRITICALLY DAMPED** \$ V_C(t) = (At + B) \thinspace e^{-\alpha t} \$ **OVERDAMPED** \$ V_C(t) = Ae^{m_1t} + Be^{m_2t} \$ **UNDERDAMPED** \$ V_C(t) = e^{- \alpha t}[K_1 \thinspace Cos(\omega_d t) + K_2 \thinspace Sin(\omega_d t) ] \$ To find the coefficients of those equations I apply the two initial conditions: 1. I solve the equations for t=0 and for the initial voltage across the capacitor. 2. I take the derivative of the equation and solve for t=0. Now lets talk about the current equations. I never understood why but apparently the current equations are the same, or **CRITICALLY DAMPED** \$ i(t) = (At + B) \thinspace e^{-\alpha t} \$ **OVERDAMPED** \$ i(t) = Ae^{m_1t} + Be^{m_2t} \$ **UNDERDAMPED** \$ i(t) = e^{- \alpha t}[K_1 \thinspace Cos(\omega_d t) + K_2 \thinspace Sin(\omega_d t) ] \$ What are the two conditions I must use for the current equations to find the coefficients? In the voltage equations I used the initial voltage across the capacitor and the derivative of voltage (current). Now I have the current equations. One condition must be to solve the equations for t=0, but what about the second condition? How do I find the coefficients of the current equations?
Answer 1 (0 votes):
For a series RLC network, think about what the circuit looks like at DC steady state. After the switch closes, current will start to flow through all the components. However, eventually the capacitor will charge fully. At this point, what does the capacitor look like? What does this say about the current in the circuit? How do these descriptions relate to your initial and final conditions?
Discussion on this answer:
Comment: The inductor will prevent the current from flowing, as soon as the switch is closed, isn't it? inductors hate sudden changes in current. When the capacitor is charged, current is zero. Sorry but what you say does not make any sense for me, in terms of what I have asked.
Comment: @SpaceDog I've made a minor edit to my answer. You're correct that the current in the circuit is still zero at \$t = 0^{+}\$. However, current will start to flow, and eventually the inductor will look just like a wire, right? And correct, when the capacitor is fully charged, the current stops. But this time, the voltage across the capacitor is different than it was at \$t = 0\$.
Answer 2 (0 votes):
The current through the inductor cannot change abruptly. So, iL(0-) = iL(0+). You can use inductor current at time instant 0 i.e. `iL(0)` as an initial condition. For the second initial condition you can use the following formula `diL(0)/dt = vL(0)/L`. To find vL(0), you can apply KVL at your circuit for the time instant 0.
================================================================================
|
Discussion Chain ID: 406766
================================================================================
User asked: LIN to RS485 and back to LIN
I am currently communicating between two microcontrollers using a single pin and the LIN protocol over a short distance of 0.2m. Now I would like to extend the distance up to 5m by differentially driving the communication (using a RS485 or 232 transceiver etc.). It is not possible to change any aspect of the current design so I am thinking of attaching a PCB to the microcontrollers at each end and communicate between the PCBs differentially. Is anything like the attached image possible? The difficulty I am having is in splitting the signal from single to differential as most transceivers require an Rx and Tx. This would be fine If I could split the signal before the transceiver. [](https://i.sstatic.net/b2yfa.png)
Discussion:
Comment: LIN is a common bus system in modern cars. The bus lenght can easily reach 5m without any problems. Do you have a LIN transceiver between your uC and LIN bus? It will handle the transmission voltage levels and ensure a clean communication.
Comment: @A.R.C. the "using a single pin" part seems to answer your question.
Answer 1 (1 votes):
LIN is very slow protocol (20,000 bits per second) with controlled slew. Just run a twisted pair (signal, return) between the two transceivers.
Discussion on this answer:
Comment: The difficulty comes from converting from single line to a double line and then back again. I'd effectively like to go from LIN to RS485 and back to LIN. Any suggestions on how that could be achieved?
Comment: LIN is very slow, and tolerant of large capacitances. Why must you use RS485?
Comment: @analogsystemsrf I find your answer as confusing as OP probably does. If you mean "ground" when you say "return" then why don't you say so? This would avoid questions about "double line". Also when transceivers came into picture? The OP seem to be using built in MCU hardware *and wants to continue doing so*. If you are suggesting some kind of signal boosting the you should provide an example, because as OP already pointed out LIN transceivers typically require separate Rx and Tx connections
Answer 2 (0 votes):
LIN Spec 2.2A, Table 6.11 specifies the maximum length of the bus line as 40 meters. Converting to a differential signal for 5 meters won't achieve any extra reliability.
================================================================================
|
Discussion Chain ID: 406764
================================================================================
User asked: STM32F7 trimming step frequency
In the past I calibrated the frequency of the High Speed Internal oscillator (HSI) in an STM32F0 device adjusting the value of the register RCC_CR, field HSITRIM. In the ref. manual it says that the calibration step is 40khz, more or less. Now I'm trying to do the same in an STM32F745, but the ref. manual doesn't say which is the calibration step. At least not in the description of RCC_CR register, and I can't find anywhere where it says this value. Anybody knows this value?, or better, where is it documented?
Answer 1 (3 votes):
This is covered in the [Datasheet](https://www.st.com/resource/en/datasheet/stm32f746ve.pdf) [](https://i.sstatic.net/rDcTv.png)
Discussion on this answer:
Comment: Hi. I had seen that already. However, I still have the doubt because in the case of the STM32F0, this same table also says it's 1%. However, in the description of register RCC_CR, bits HSITRIM it specify that one step is 40khz. Since HSI runs at 8MHz, 40khz is only 0.5%, not 1%
Comment: @naggety 1% is the max. It has to be lower than that. The typical isn't explicitly given, but if it is 0.5%, then everything is consistent.
================================================================================
|
Discussion Chain ID: 406761
================================================================================
User asked: Does minimizing full-charge time for Li-ion batteries increase their longevity?
If the stock charger for my smartphone causes the Li-ion battery to be charged in a couple of hours and I charge my phone for 8 hours a day (while I sleep) resulting in about 6 hours of full-charge time, could I increase the longevity of the battery if I use a lower current charger that results in approximately zero full-charge time (i.e. charging takes about 8 hours)? Or do smartphones take this into account and somehow reduce charging current or flicker charging on and off once a full charge has been reached? Edit: Changed voltage to current based on the response from Juba.
Discussion:
Comment: Using a low voltage charger will not work, the phone will probably not charge at all. The charging circuit is **inside the phone** not in the charger that you plug in the mains socket. If you want your battery to last longer: charge to 70% and then unplug, use phone until battery is 40% then stop using it. General truth: most people buy a new phone before the battery has worn out. You could also have the battery replaced.
Comment: A lower current charger won't prevent the phone from reaching full charge, it will just take longer to get there. Phones of course terminate charging at full charge; there is some reason to believe the battery cell may last longer when it is *stored* at something like 70% charge.
Answer 1 (-1 votes):
Using a low voltage charger will not work, you can use a low current charger, if your actual charger can proide 5V/2A, and it can charge your phone in 2 hours, if you use a 5V/0.5A il will take 8h to charge your phone. But this is not really recommanded, PS: the manufacturer of your phone designed the charge circuit to disconect the battery when the charge is complete
Discussion on this answer:
Comment: Hi, you said: "*you can use a low current charger, if your actual charger can [provide] 5V/2A, and it can charge your phone in 2 hours, if you use a 5V/0.5A [it] will take 8h to charge your phone. But this is not really [recommended]*" Why is it not recommended? Do you have a citation for that? Thanks.
Comment: Because the electronic circuit is designed for 2A. so at the beginning he try to have 2A. and if the charger can't provide so much. The charger may heat up (I don't have a citation for that, I will look if i can found one)
Comment: Remember that a typical PC USB port cannot provide 2A & most phones will charge happily (but slowly) from a PC USB port at 0.5A approx. If you show me a reputable phone instruction book which says that's a problem, then I will read it. Otherwise, it just sounds like superstition and possible misunderstandings. There have been many previous questions here, where people have asked questions after being misled by well-meaning, but incorrect, guesses and misinformation from elsewhere. (All of this assumes the phone power adapters discussed are reputable good designs, otherwise all bets are off.)
Comment: I am not talking about having a problem with the phone but with the charger, if this one isn't well designed in case of over current.
Comment: "*I am not talking about having a problem with the phone but with the charger, if this one isn't well designed in case of over current*" Oh I see, it wasn't clear in your answer about why/who wasn't recommending it. (Also, to be clear, you don't mean the charger - we're talking about mains adapters; the charger is inside the phone). So of course, if a 0.5A adapter (in your example) isn't well designed, then there can be problems. But the same is true if the 2A adapter (in your example) also isn't well designed. Provided the 0,5A adapter is a good design, I still see no reason for a problem.
================================================================================
|
Discussion Chain ID: 406759
================================================================================
User asked: How can I force LTspice to redraw a plot during a long simulation?
Sometimes during long simulations, the LTspice plot window will display a yellow "broken" icon, and/or simply not render parts or all of the data. Sometimes the axis are missing, sometimes it only shows the most recent data. Once it finishes, it will redraw correctly, and do so every time you select a new signal. But during an ongoing simulation, you're just looking at a blank/broken plot window. Is there a way to redraw the window without interrupting the simulation?
Discussion:
Comment: If you're talking about the Windows version, none of what you say sounds familiar to me. Some screenshots would be useful.
Comment: Have you tried zoom to fit?
Comment: What operating system are you using? I've never seen this behaviour under Windoze.
Comment: I'm running it under Wine
Answer 1 (2 votes):
[](https://i.sstatic.net/v4Wgi.png) Control Panel > Waveforms > Hot Keys > Waveform > Redraw Window (Choose Hotkey) Have similar problems with LTC in wine. Note; it wont reload the file from disk, only reload it visually from ram
================================================================================
|
Discussion Chain ID: 406750
================================================================================
User asked: How can I model a circuit for this noise coupling phenomenon
A shielded Wheatstone type force transducer FT is mounted on a metallic structure and through its cable is connected to an industrial amplifier module Amp(I gave the names in the below illustration). The end of the cable has several wires which is connected to the amplifier. One of the wire is shield SW which is connected to the transducer shield K. The amplifier is powered by an SMPS power supply whose DC negative terminal is galvanically isolated from mains earth. The outpuut of the amplifier vi a BNC coaxial cable goes to a DAQ board which is a single ended earth grounded board. The shiled wire was floating i.e was not connected to anywhere. I tried to illustrate this below: [](https://i.sstatic.net/LFvV0.jpg) If the force transducer is completely isolated from the metallic structure the output is fine. On the other hand, if it touches to the metallic structure there is 50Hz noise appears on that particular DAQ channel. Obviously some noise is coupling through the metallic structure either magnetically or overcapacity. But by a wire I wired/shorted a point on the shield K directly to the AIGND and even if the transducer touches to the metallic structure the noise disappeared. If the metallic structure was earthed I would expect some ground loops but the 50 Hz disappeared. So for some reason tying the shield directly to the AIGND solved the 50Hz pickup problem even the transducer is mounted on the metallic structure. I tried to simulate this scenario but failed. How can we model what happens with a basic circuit model? I mean I want to simulate a representative circuit modelling when the shield is wired to the AIGND the noise disappears and when the shield is floating the noise appears.
Answer 1 (0 votes):
You have electric fields causing displacement currents, as moving Positive charges in one location cause moving Negative charges elsewhere. Nested pieces of metal have nested, or series capacitors, and charge is transferred. Your circuit is inside a shield but visible to the shield. The transducer circuit is a fine target for some of the electric field, thus charges are forced to move in the transducer, until an equilibrium is reached when the charges stop moving. But you've added a *PATH** to the outside world ---- the transducer's output signal and the return wiring. These displacement currents now have **YET** **ANOTHER** path back to that mechanical structure. By wiring the transducer shield to Ground, the shield becomes much more quiet (not totally quiet, as V = I * Z will predict), and thus very little charge is transferred into your circuit. So you have something like this [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fQJbHi.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Notice at high frequencies that wire (inductor) to ground will not be close to a short (as it is at 50Hz); the voltage division action (against the 1 ohm Rsource) becomes less useful at high frequencies; in such cases you need optical isolation.
================================================================================
|
Discussion Chain ID: 406748
================================================================================
User asked: What will happen if P-channel Enhancement type MOSFET gate kept open while connected as diode in real case
[ I am using MOSFET as diode for polarity protection of system. Vehicle supply of 12V is applied to drain & system is connected to source. Gate kept open purpose. I have simulated attached schematic on LTSPICE with following graph as output. It works as diode as expected even if gate is floating. I want to know what will happen in real case if gate is kept open / floating? I have modified circuit referred in Application Note to check how circuit works in simulation Application Note: Infineon - [enter link description here](https://www.infineon.com/dgdl/Reverse-Batery-Protection-Rev2.pdf?fileId=db3a304412b407950112b41887722615) Part No. (RRS140P03FRA) - P Channel Enhancement type MOSFET
Discussion:
Comment: What is the purpose of doing this? A MOSFET is not optimized to be a diode even if it includes a parasitic diode in its design. Leaving a *sensitive* floating gate is never a good idea.
Comment: @EdgarBrown I just wanted to know if MOSFET will act as optimized diode if gate kept floating. What will be consequences of gate kept floating in this case?
Comment: Why not just use a diode?
Comment: @Finbarr Diode have high losses compared to MOSFET
Comment: Depends on the diode.
Comment: @Finbarr High current/Hi Power low dropout diodes are costly as compared to similar specification P-channel MOSFETs. Hence for cost reduction I am looking for MOSFET as diode replacement
Comment: The body diode loss will be comparable to a diode - you need to turn the FET on, per the answer below.
Answer 1 (3 votes):
Leaving the gate open makes the MOSFET highly susceptible to noise due to the extremely high input impedance. If you want to use the internal body diode of the MOSFET then you should short gate to source. Please note that this configuration is used in ICs as an ESD protection. If you want to make a reverse polarity protection then that configuration is not the correct way. Here's the correct way instead: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f1btXR.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) How this circuit works? When the system is energized "properly", current first flow through the body diode until the voltages induced across the source and gate. Then the MOSFET turns on and shorts the body diode. From then on, current flows through the MOSFET. If the supply is applied in reverse then the MOSFET will never turn on and body diode will prevent the current to flow. Thus the circuit is protected.
================================================================================
|
Discussion Chain ID: 406747
================================================================================
User asked: 3.3V Oscillator AC couple to 1.5 Vp-p input
I'm using [MICRF220](https://www.microchip.com/wwwproducts/en/MICRF220) (origin from MICREL, now Microchip, Sadly, I can't find a suitable place to ask my question. It seems Microchip has not a suitable forum for this chip yet!!!) It can receive external reference input. But it only give specification for AC couple. [](https://i.sstatic.net/JIAEL.png) 1. May I use DC coupling? 2. If using AC coupling, I only have OSC with 3.3V output. So, I have two choice, one is a resistor divider followed by a coupling capacitor. Another is simply a series resistor followed by a coupling capacitor. Which is better? 3. Any better replacement for this chip?
Discussion:
Comment: What are you doing that a crystal and two caps as shown in the data sheet will not work?
Comment: The chip has built in capacitors to ground whose value are unknown, so if I use simply a crystal, I may need to tune the external capacitors to get the correct frequency.
Comment: I'd expect that 10pF will get you pretty close. I've made tons of atmege328P, 1284P, and 2560 based boards, with different sources/form factors of 16 MHz crystals, and all worked fine with 22 pF caps, both thru hole and SMD. I bet you will find this is similar. Placement is critical - crystal and caps very close to the chip, ground plane under them on both sides of the board, and no active signals under the chip (infrequent activity is fine, like Reset).
Comment: If you scroll down in the datasheet, they have an eval board layout and parts list with manufacturer, values and ratings for 433.92 MHz and 315 MHz. Follow that and you should be good to go. https://www.mouser.com/datasheet/2/268/micrf220-779198.pdf
Comment: Microchip still offers an Eval board for that chip. Mouser.com shows them backordered, with availability Dec 26. $40.99 USD each, I don't know why so expensive. Might be the RSSI and squelch? MICRF220-433-EV. 315 MHz MICRF220-315-EV is available now.
Answer 1 (2 votes):
You might want to make your question a bit more clear by stating what the MICRF220 does, it's a "300 MHz to 450 MHz ASK/OOK receiver". This is the typical application diagram: [](https://i.sstatic.net/2Z1MG.png) Your question is about the (clock) reference input, it has a Crystal connected in the diagram above. The question is, what's inside the chip connected to RO1 and RO2. Fortunately the datasheet answers that on page 11: [](https://i.sstatic.net/VMrhs.png) This is a fairly typical example of a crystal oscillator circuit inside many ICs. If you want to apply an external clock you could try to input a clock signal (with a voltage that varies between the voltage at the IC's supply pins) at pin RO2. I find the suggestion of applying the clock to RO1 as is done in the datasheet a bit strange as that would work against the inverter that is present between RO1 and RO2. You could just try this with a current limiting resistor (so no AC coupling) in series with the clock so that you cannot damage anything. I would apply the clock to RO2 via a 10 kohm resistor. Then measure with an oscilloscope at RO1, if you get a large clock signal at RO1 then that's good. If not try applying the signal at RO1 and try if you get a clock at RO2. So yes, you can use DC coupling but try that first with a series resistor of 10 kohm. The AC coupling is probably only needed when the signal is directly (without series resistor) applied to RO1 as RO1 is internally biased to a DC voltage needed for the crystal oscillator circuit to work.
Discussion on this answer:
Comment: Yes, it's a little strange to input to RO1. In many MCU which can accept DC coupling, they usually has a internal register to set to turn off the internal OSC, when using external OSC source. But in MICRF220, there is no place to configure, so have to input directly from RO1.
Answer 2 (1 votes):
If they are only specifying AC coupling it is very likely because the node is DC-biased to whatever the IC needs to operate. DC-coupling would disturb such bias. You have a third choice that is likely to be better and much less problematic: a purely capacitive divider. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fbjVX3.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion on this answer:
Comment: I know a bunch of PLL chips with so called 'self-biased' CMOS input, which can receive both DC and AC coupling. The only difference is this chip has built in capacitors to ground.
Comment: Won't this will overdrive the osc at starting up?
Comment: @diverger why? It is just a divider using capacitors instead of resistors. It theoretically has an infinite frequency response starting at DC. The actual DC level and frequency response will be set by the MICRF220 and its input impedance.
Comment: You know, all OSC will specify how much load capacitance it can drive without degrade the rising/falling edge. The capacitor divider will draw current under square wave input, right?
Comment: Of course. Just as much as a resistive divider with the same impedance, and there is no reason for the capacitors to be more than a dozen pF. But that brings up a good point, just with the internal load capacitance in that node, even a 30ohm resistor could put the cutoff frequency below what is required. A single ~10pF capacitor might be all that is needed.
================================================================================
|
Discussion Chain ID: 701560
================================================================================
User asked: Can I stack optocouplers in series to make a higher specification part?
Yet again I'm working with the sub-set parts the PCB assembler house has pre-loaded, and not what is commercially available. Like using 3-6 resistors in place of 1, and more relevant to this question; series-ing capacitors with balance resistors to raise the maximum voltage specification. Can you do this with optocouplers in a series stack, with or without balance resistors? [](https://i.sstatic.net/HeJgl.png) My example is two Everlight EL357 which is a 80V part. It costs about 5½¢ (0.055USD) and is pre-loaded at my assembler. My use is in a system where the over-volt protection begins at 90V, so for parts that are externally exposed, I want 120V limits or higher (150V being common.) I could buy Renesas PS2913-1-V-F3-AX which is a 120V part, but it costs $2.23, then add shipping, add storage cost at the assembler, and a per-job load-fee for non pre-loaded parts. This will easily get the part to the $5 range for small order jobs (20-30 boards.) There are also other types of optocouplers, but my board house only has 4 preloaded and they are all the transistor output type, so the same problem as a Renesas if I were to switch types. So $5.00 or $0.11? This is why I ask these questions.
Discussion:
Comment: What's connected to the "Upto_150V" node?
Comment: @JonathanS. long incoming transmission line, so think static `lightning` charges, and other outdoor hazards. Directly connected would be the Gate of a P-fet, but with added protection of the Fet pins, so that any over-volt would pass by and on to this control element. Thus the Control (this Optocoupler) can be exposed to ~90v
Comment: "_Yet again I'm working with the sub-set parts the PCB assembler house has pre-loaded, and not what is commercially available._" ... why?
Comment: @Attie, "why" because for a small business, with only 4 employees (owner, secretary, ladder-climber, and me) that is non-electronics service provider, making electronics is not what we do. We make electronics to make our real job easier/possible/reliable. Pre-loaded parts are really the only financially realistic way to get hardware built, as a small business.
Comment: i'm honestly mystified by the idea of a business where electronics are non-essential part of it yet you need to a couple dozen boards for in-house use but are constrained by specific parts that a PCB assembler has where the total savings if you hack some other solution is on the order of 100 bucks. That just screams x-y problem.
Answer 1 (22 votes):
The way you want to do it won’t work. The optocouplers don’t switch equally fast and will fail due to overvoltage. Use a single optoisolator and a [cascode](https://en.wikipedia.org/wiki/Cascode). The cascode in this case is the NPN transistor Q1 in the collector circuit of the optoisolator. Set the base of that transistor at say 1V. In the example, two diodes do this approximate job. When the optoisolator is off, there is no current flowing from emitter of Q1 to ground, and the Q1 collector C floats to high voltage. When the optocoupler is on, current flows through the Q1, and its collector C is pulled down to less than 1V. The voltage on the collector of the optocoupler is always between 0 and 2V, well within its ratings. The cascode also speeds up the optocoupler's output transitions, since the Miller effect is vastly reduced, as the collector voltage changes very little compared to what it'd do without the cascode. Thus, the Miller capacitance doesn't need to get charged/discharged as much as it otherwise would. D1 provides reverse B-E voltage protection to the cascode transistor. D2 and D3 set the cascode's base potential. R1 sources the current to establish the voltage across D2 and D3, as well as providing the base current for Q1. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f2sqO1.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) The board house may be more likely to have a high-voltage N-MOS available than a high-voltage BJT, so you can use that instead: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f3KN6g.png) The operation is analogous, but the gate voltage needs to be substantially higher than the base voltage. High-voltage mosfets have fairly high threshold voltages relative to 0.7V VBE of a BJT. Select a mosfet that can fully turn on with the G-S voltage a bit lower than a low voltage supply voltage you have available. The gate current is minuscule, so you're free to use voltage multipliers to generate the gate voltage from a logic supply voltage: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fbulia.png) D6 protects the gate and logic from transients. C2..C5,D2..D5 are a voltage quadrupler cascade. With a 3.3V square wave input of 1kHz or so, it will output at least 10V. The parts in the quadrupler are not critical, except the capacitors must be rated for 25V at least. 0.1μF/50V parts will be fine. Even the cheapo Y5Z dielectric will work well enough, as opposed to X5R or X7R you generally should be generally using to avoid loss of capacitance with DC bias. The low-voltage square wave can come from a GPIO, a CMOS 555, etc. > I'm working with the sub-set parts the PCB assembler house has pre-loaded, and not what is commercially available. Like using 3-6 resistors in place of 1, and more relevant to this question; series-ing capacitors with balance resistors to raise the maximum voltage specification. That’s the prime example of “penny wise, pound foolish”. You’ll waste so much time fixing the problems due to this “optimization” that paying the minuscule price of loading extra parts will actually save you money. Forget about this “stacking the parts” “savings”. It’s a terrible idea. Really is. The cascode is a good way of adapting optocouplers to higher collector voltages - most optocouplers have collector voltage ratings under 100V, so that makes sense. It will work reliably since the cascode transistor is rated for the full output voltage. As opposed to stacking under-rated parts. > small order jobs (20-30 boards) In spite of the small order, you can approximately budget an hour of your time, with all overheads, to cost the business about $20-$150, depending on where in the world you are, and what's your experience level. How many hours of your messing about will it take to wipe any "savings"? This calculus is different for hobby projects, of course. But in a business setting, quite often the simplest if more expensive way may well cost much less than the "cheapest" way that involves more engineering time. > think static lightning charges You'll be paying for stuffing less common parts for overvoltage protection anyway. You may look for a cheaper board house if you wish. Or decide that stuffing a few parts yourself, if you're well equipped for that, may cost as much as board house expense. You'd need to have a proper workstation for that, proper flux(es), an ultrasonic board cleaner, proper technique, and so on. So it may be really a good deal to pay the board house to do it. > I could buy Renesas PS2913-1-V-F3-AX which is a 120V part That's not a high enough rating if you expect 150V transients. A 120V-rated transistor should be used with max 100V on the collector, to be conservative. If the circuit is expected to run hot (in an enclosure exposed to sunlight), even more derating is needed, say 60% of rated voltage. In hot conditions you'll also want to derate the optocoupler significantly. I'd generally not run optocoupler LEDs higher than 50% rated LED current in room temperature environment, and maybe 20% when the enclosure is in sunlight. I'm not sure what currents need to be switched by the optocoupler, and what CTR (current transfer ratio) parts are available at the board house. Assuming cheapo 100% CTR worst-case optocouplers, you may have just a couple mA of collector current available. You'd then need to use an external transistor to boost the current if driving a bipolar cascode, or use an inverter configuration if driving a mosfet cascode.
Discussion on this answer:
Comment: Yes, the board house has a N-fet 150v part, and that is my current design, but the 5V to power it is added complexity I was trying to avoid. I'm also very small power budgets (like can't use a Diode). My currents are low (fet gate drive) and my switching frequency is in DAYS. I'm running the LED at 5mA. Also as stated in above, I'm expecting 90v transients so I want a 120v or 150v part. The Part is the 'B' version so a CTR of 130-260, but I'm just using it as a switch to the current gain isn't important as I don't wan to burn much current on the transistor side either. Thanks
Answer 2 (5 votes):
TLDR: I'd not be tempted to do this. Although max breakdown voltage for EL357 is 80V, reverse breakdown is only 7V. Convincing yourself that those two 2M balancing resistors will make these two devices share equally the voltage load is foolishness. At best, when these devices turn on or off, their current transfer ratio spans 2:1 range. So when they're in transition, you can bet that they won't share the load equally. And driving the LED side in parallel further compromises current-sharing.
Discussion on this answer:
Comment: I’m certain it will fail in short order, so it’s less of a “temptation” than “penny wise, pound foolish”. The asker is already wasting time asking questions about “money saving workarounds”. Their time must be very cheap if they can afford that instead of having right components loaded at the board house…
Answer 3 (4 votes):
You can make this work. But it would be a poor design. An improvement (but still a poor idea) would be to mod your circuit like this: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fY9QKT.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) You won't get any additional isolation from HV to control using 2 optos instead of 1. Also, you have very little margin for error regarding device tolerancing - this is not a robust.
Discussion on this answer:
Comment: Is the board house more likely to have an 80V Zener on the reel, or a HV transistor or mosfet?
Comment: @Kubahasn'tforgottenMonica I couldn't tell you. I design my circuits based on what the circuit needs to function properly and make sure the board shop procures appropriate parts. I don't design my boards based on "what the PCB machine already has reeled up" :-)
Comment: @MOSFET I wish had that luxury. Every intern we hire says stuff like that. I did too originally. It really is amazing what you can accomplish with these limitation. We are a small company (4 employees) and its not an electronics firm. We just make equipment for internal use, that we can't buy, or what you can buy is too failure prone.
Answer 4 (2 votes):
It might work. I agree with others that the transistors will likely experience breakdown under some conditions. Vce breakdown in BJTs is non-destructive if the current is limited, but it's far from clear it will be sufficiently limited. The resistors may not even have much effect. You could add reverse biased diodes across each. Unless you can test this adequately, I'd give this a hard pass and either have the PCBA house install properly spec'd parts or add them after they arrive.
================================================================================
|
Discussion Chain ID: 406743
================================================================================
User asked: 'Bug fixing' a circuit with HiLink HLK PM01 220V->5V converters
I soldered a DMX splitter together. However, it does not work. I'm sure one of the solder connections broke, but I have to find which one. I want to do this with power connected because that is easier to pinpoint the problem (since it is soldered and a bit hard to reach the bottom side where the wires are). So my plan is to use a multimeter and check the voltage difference between various points. However, I'm afraid I might touch the pins in such a way that a short circuit can exist. I'm using 5 of these [datasheet-HLK-PM01 power modules](https://img.filipeflop.com/files/download/Datasheet-HLK-PM01.pdf). One for the DMX input and 4 for the outputs. What would happen if I cause a short circuit? The datasheet mentions > Output over-current protection: 150-200% of the output maximum load > > Output short circuit protection: Direct short circuit at the normal output, automatically resume normal operation after a short circuit removal Does this mean it will not matter if I (for a short time) cause a short circuit? Or is there a better way to find out the problem? (except checking all possible connections by hand, which I did before soldering everything together)? (I also have to take into account short circuits for the components I use within the circuit I guess). Btw, I don't need to use the multimeter directly on the 220V connections, since I can check the 5V/GND of each power module
Discussion:
Comment: fwiw, i had one of those handy little guys shorted overnight and it was fine in the morning. it was a 3.3v, but i doubt that matters...
Comment: Thanks for that confirmation ... I'm busy testing ... and mine also still work (although I try to be very careful).
================================================================================
|
Discussion Chain ID: 406742
================================================================================
User asked: Trying to understand floating voltage
I'm trying to understand the concept of a floated voltage, and why it is needed in some cases. For my own case, I am using a variac connected to a rectifier to provide a DC voltage for a circuit, (charging a large capacitor for discharge). The circuit needs a ground connection, but connecting a ground to complete the circuit also grounds the rectifier, which I am told will damage the rectifier. (I do not fully understand why this is the case, and would like to find out more.) But it was suggested to me to use an isolation transformer before the variac and to float the voltage, and in this way rectifier would be kept safe. I would like to know understand how this works. (I am aware another option could be to add a switch and just disconnect the rectifier from the capacitor, but I am more interested in understand the above).
Discussion:
Comment: It is needed also for safety. Isolation transformer will cut the link between the neutral and the earth(which normally exists) so you don't get electrocuted to death.
Answer 1 (2 votes):
Usually a raw AC power feed is grounded on the neutral wire and, if tapping off a voltage via a variac, you are "keeping" one wire tied to earth. This is because variacs do not isolate. Adding a bridge rectifier to the output isn't a problem but earthing the DC output of the bridge rectifier is because you end up with a diode that is from the "hot" feed (as opposed to the neutral feed) that gets blasted with a lot of current 50/60 times per second and destroys. Just draw out the circuit and see. Use an isolating transformer for safety, peace of mind and protection for the diodes.
================================================================================
|
Discussion Chain ID: 406736
================================================================================
User asked: How to read data from this sensor?
I am using the [MLX90393](https://cdn.sparkfun.com/assets/e/e/f/2/7/MLX90393-Datasheet-Melexis.PDF) Magnetometer IC from Melexis. More specifically, I am using the [breakout board by Sparkfun](https://media.digikey.com/pdf/Data%20Sheets/Sparkfun%20PDFs/SEN-14571_Web.pdf). I am still a beginner when it comes to programming, and this is my first time trying to read data via I2C. I have made sure to progress slowly (started by toggling LEDs, then writing to LCDs etc) and now want to try my hand at sensing. However, I am really struggling with this. I have read the I2C protocol many times to try and get my head around it and I believe I am starting to. I am using a STM32F303K8 Nucleo board to communicate with the IC. I am using a standard 16x2 serial LDC to display information. The IDE I am using is mbed (it is free and I have used it before, and its not complicated, and doesn't require anything else other than a PC, Nucleo board and USB cable) For now, all I want to do is be able to read the data. I have looked on the mbed website for example codes to start out with and found none. I can't even find a library, although their quick start guide (can't find a link, it just auto downloads a PDF) claims there is one on the mbed site. I have been able to find 2 elsewhere, one [HERE](https://github.com/ControlEverythingCommunity/MLX90393/blob/master/C/MLX90393.c) from GitHub and one [HERE](http://www.esp8266learning.com/esp8266-mlx90393-magnetic-field-sensor-example.php) for ESP32. The problem is, these are both examples for using different equipment. The ESP32 one is written for the Arduino, and I don't wan't to be stuck doing Arduino forever, so I'd rather not use that. I have attempted to convert it for use with mbed but obviously I have not been successful. I tried the same with the GitHub code, but was unsuccessful with that too. Going through both of these examples, I have attempted to decipher them and convert them for use in mbed and have come up with the following code: **CODE UPDATED TO CURRENT VERSION USE.** #include "mbed.h" int addr = 0x0C <<1; // 8bit I2C address I2C i2c(PB_7 , PB_6); //sda, scl Serial pc(PA_9, PA_10); //Tx/Rx int main() { char config [4]; char data[7] = {0}; config[0] = 0x60; config[1] = 0x00; config[2] = 0x5C; config[3] = 0x00; i2c.write(addr, config, 4, false); i2c.read(addr, data, 1); config[0] = 0x60; config[1] = 0x02; config[2] = 0xB4; config[3] = 0x02; i2c.write(addr, config, 4, false); i2c.read(addr, data, 1); wait(0.25); while (1) { config[0] = 0x3E; // Single measurement mode, ZYX enabled i2c.write(addr, config, 1, false); i2c.read(addr, data, 1); wait(0.1); config[0] = 0x4E; i2c.write(addr, config, 1, false); // Read command, followed by ZYX bits set i2c.read(addr, data, 7); if(i2c.read(addr, data, 7) == !7) { printf("ERROR \n"); } else { int xMag = i2c.read(data[1] * 256 + data[2]); int yMag = i2c.read(data[3] * 256 + data[4]); int zMag = i2c.read(data[5] * 256 + data[6]); printf("X Axis = %d \n", xMag); printf("Y Axis = %d \n", yMag); printf("Z Axis = %d \n", zMag); } wait(5); } } I have ran the Arduino code on the STM32 hardware and have managed to get the data displayed on a serial monitor. When I run my code, I get -1 read on all 3 axis. I have scoped the data lines, and I can confirm that the SDA and SCL lines match that of the working Arduino code, so the majority of this is working. It seems that I am deciphering the data incorrectly, or displaying it incorrectly. One of those 2 as the serial monitor is showing the wrong thing. This means it is all correct up untill here: if(i2c.read(addr, data, 7) == !7) { printf("ERROR \n"); } else { int xMag = i2c.read(data[1] * 256 + data[2]); int yMag = i2c.read(data[3] * 256 + data[4]); int zMag = i2c.read(data[5] * 256 + data[6]); printf("X Axis = %d \n", xMag); printf("Y Axis = %d \n", yMag); printf("Z Axis = %d \n", zMag); } This bit doesn't seem to be doing what it should. Everything else is working as it should do, the correct registers are being read and written to, and the data is being sent back. I have confirmed this by comparing the signals against the Arduino code version that _works_. Before asking 'Can you scope this bit' or 'Can you measure that' please read the full chat logs [HERE](https://chat.stackexchange.com/rooms/85816/discussion-on-question-by-curious-how-to-read-data-from-this-sensor) and [HERE](https://chat.stackexchange.com/rooms/85973/discussion-on-question-by-curious-i2c-scanner-not-working-properly) which will show everything I have done so far to get up to this point. I just need to know how to get that last bit working to display the information correctly.
Discussion:
Comment: Comments are not for extended discussion; this conversation has been [moved to chat](https://chat.stackexchange.com/rooms/85816/discussion-on-question-by-curious-how-to-read-data-from-this-sensor).
Comment: Please insert your hardware wiring and schematic
Comment: @MKS the wiring is not the issue. Read the question. The same hardware worked fine when using the arduino IDE, it was using the mbed code to get it running that didn't work. The reason I used the arduino language and IDE was to verify this. You can use STM nucleo boards with arduino if you import some files to the arduino IDE. That's what I did to verify. Please read the whole question thoroughly
Comment: Put a scope on the I2C clock and data lines to get a clue as to what your code is doing.
Comment: @EE_social as it's my first time with I2C I'm not 100% sure what is right. I've scoped it and saw the SDA and SCL lines doing stuff, whether it was right or not is a different story! Can you see anything wrong with the code translation?
Comment: Can you post a scope capture of SCL, SDA?
Comment: @EE_socal if you want to check the chat page on my other question, there is a discussion going on that concerns this as well, feel free to join in
Comment: https://electronics.stackexchange.com/questions/407611/i2c-scanner-not-working-properly?noredirect=1#comment1004398_407611
Comment: On there I have much more information, it is a similar topic, but focused on the i2c scanner code, which probably contains hints to how to answer this. I have scope readings, serial monitor readings and other such things there too
Comment: Hi, One point I just noticed (and I'll comment here rather than leaving it just in the chat log) is about the sensor I2C address. Its default 7-bit I2C address is 0x0C. That means its 8-bit address is 0x0C << 1 = 0x18. That means the source code line: `const int addr = 0x0C; // 8bit I2C address` is wrong, since the variable `addr` is being passed directly in I2C function calls (several) like `i2c.write(addr, config, 4);` As we know from the chat, there may be other problems (e.g. needing to use a different mbed I2C API call) but getting that address correct will be part of any solution :-)
Comment: @SamGibson I'm sure I tried that at one point.... But can't remember how it went! I'll give it another go tomorrow but I'm sure I read somewhere that you can give it the 0x0C address.... I could be wrong though. Thanks for that, I'll let you know how it goes tomorrow when I try it!
Comment: @Curious - Perhaps that was before removing the solder bridges? I suspect you've had multiple issues. Those (deliberate) solder bridges on the Nucleo connected to pins which the mbed s/w didn't disable, leading to that funny 2V level. Then there's the current concern about the mbed I2C calls (still under discussion). Then there's the address (with the Sparkfun typo!). Notice how the code in *this* question passes the value of `addr` directly. That means `addr` must be 0x18. Alternatively you could use `addr << 1` in the calls to `i2c.write()` and then `addr` must be 0x0C. Catch you tomorrow.
Comment: @SamGibson yes, it would have been before removing the solder links! Good point. I'll let you know how I get on.
Comment: @SamGibson Well I gave it a go.... Still getting an error on the readings :( Probably a bit more to it then! Guess I will see you back in the chat on the other question then!
Answer 1 (3 votes):
Working with the OP and building on the investigation explained in [my answer](https://electronics.stackexchange.com/a/408403/101852) to this related question "[I2C Scanner not working properly](https://electronics.stackexchange.com/q/407611/101852)", the same two problems needed to be fixed first: * De-solder STM32F303K8 Nucleo-32 (NUCLEO-F303K8) board solder bridges SB16 and SB18 when using Mbed I2C functions. * Use the "extended" 4-parameter Mbed `i2c.write()` call with the STM32F303K8 Nucleo-32 board. As noted on another answer, a logic analyser would be helpful in this situation (and should be used, if possible) the following problems were found and fixed without using one, within the limited time available: * The sensor's correct 7-bit I2C address is 0x0C, but the Mbed I2C calls want the 8-bit version. Earlier versions of the code were misled by a misprint in the SparkFun documents for their breakout board using this sensor, where they said the address was 0xC0. Also some code versions didn't left-shift that I2C address value, however the Mbed I2C functions want the address passed to them as an 8-bit version (e.g. 0x18 in this case). So the fix was either to pass it as `0x0C << 1` or `0x18` (same thing) to the Mbed I2C calls. * As noted in that other linked question, I2C access using this STM32F303K8 Nucleo board is only successful when using the [Mbed `i2c.write()` and `i2c.read()` functions, with (up to) 4 parameters (3 required, 4th optional)](https://os.mbed.com/docs/v5.10/mbed-os-api-doxy/classmbed_1_1_i2_c.html) and not using the lower level single parameter `i2c.write()` and `i2c.read()` calls instead. * At this point, comparing I2C bus activity on the scope between the Arduino code and the Mbed code, the OP could see that I2C bus activity was now identical, up to the point of triggering the measurement by the sensor. That left the final problem in the reading and display of the values from the sensor in the Mbed code. Looking in that part of the code, I removed the part which was reading from the sensor multiple times and checking for an incorrect return code. Therefore I changed part of the original code from: config[0] = 0x4E; i2c.write(addr, config, 1, false); // Read command, followed by ZYX bits set i2c.read(addr, data, 7); if(i2c.read(addr, data, 7) == !7) { printf("ERROR \n"); } else { int xMag = i2c.read(data[1] * 256 + data[2]); int yMag = i2c.read(data[3] * 256 + data[4]); int zMag = i2c.read(data[5] * 256 + data[6]); printf("X Axis = %d \n", xMag); printf("Y Axis = %d \n", yMag); printf("Z Axis = %d \n", zMag); } to config[0] = 0x4E; i2c.write(addr, config, 1, false); // Read command, followed by ZYX bits set i2c.read(addr, data, 7); int xMag = ((data[1] * 256) + data[2]); int yMag = ((data[3] * 256) + data[4]); int zMag = ((data[5] * 256) + data[6]); printf("X Axis = %d \n", xMag); printf("Y Axis = %d \n", yMag); printf("Z Axis = %d \n", zMag); So the full version of the working code is: #include "mbed.h" int addr = 0x0C <<1; // 8bit I2C address I2C i2c(PB_9 , PB_8); //sda, scl Serial pc(PA_2, PA_3); //Tx/Rx int main() { char config [4]; char data[7] = {0}; config[0] = 0x60; config[1] = 0x00; config[2] = 0x5C; config[3] = 0x00; i2c.write(addr, config, 4, false); i2c.read(addr, data, 1); config[0] = 0x60; config[1] = 0x02; config[2] = 0xB4; config[3] = 0x02; i2c.write(addr, config, 4, false); i2c.read(addr, data, 1); wait(0.25); while (1) { config[0] = 0x3E; // Single measurement mode, ZYX enabled i2c.write(addr, config, 1, false); i2c.read(addr, data, 1); wait(0.1); config[0] = 0x4E; i2c.write(addr, config, 1, false); // Read command, followed by ZYX bits set i2c.read(addr, data, 7); int xMag = ((data[1] * 256) + data[2]); int yMag = ((data[3] * 256) + data[4]); int zMag = ((data[5] * 256) + data[6]); printf("X Axis = %d \n", xMag); printf("Y Axis = %d \n", yMag); printf("Z Axis = %d \n", zMag); wait(5); } } With this Mbed code, the sensor produces correct output, similar to the working Arduino code, and the point of the question was to get to that stage. The code can then be used as a starting point and improved with error checking & status reporting etc. Again, further investigations of the I2C behaviour of the Mbed libraries and the sensor can be performed with a logic analyser, when an analyser (and more time) is available.
Answer 2 (1 votes):
Instead of guessing and doing random convulsive modifications to your code, you should get a [cheap ($7) logic analyzer](https://www.ebay.com/itm/USB-Logic-Analyzer-Device-Set-USB-Cable-24MHz-8CH-24MHz-for-ARM-FPGA-M100-Top-/331803014389?hash=item4d410034f5) from eBay, for which you download free software and I2C decoder, and get I2C traces from your hardware bus. [](https://i.sstatic.net/OFKAp.png) You will immediately see if your address is correct or not, and how the device is responding (or not). Many more expensive general-purpose digital scopes do have I2C decoders nowadays, but the $7 device does its job well. You are embarking on embedded design, which meant to produce hardware signaling. Using hardware tools to look into resulting signals is a must. This should be your starting point, everything else is secondary. Looking for few minutes into captured trace will save you days of "random engineering".
Discussion on this answer:
Comment: Thanks for the answer. I may invest in something like this. There were multiple issues with this in the end, but I managed to run an I2C scanner to get the correct address eventually, and I scoped all the signals back and forth, comparing them against the Arduino signals (that worked) to eventually get to this point. It wasn't exactly all guesswork and random changes to the code. If you had read the chat logs then you would have seen quite a bit of effort has gone into debugging. Not just guesses
Comment: @Curious, yes, you undertook a great effort in porting the code and debugging it. My point is that a simple two-wire I2C logic analyzer, which instantly shows decoded packets and all associated errors (missing start-stops, ACKs/NAKs), would reduce your debug efforts by orders of magnitude.
Comment: Yes, agreed. It would have also helped to have an IDE with break points. Mbed is pretty useless for debugging. I ended up looking through all the bytes sent to and from to find ACK and NACK symbols, check which addresses were being written/read to/from etc on an oscilloscope. I agree, one of those would be a good investment, so +1 for that suggestion
================================================================================
|
Discussion Chain ID: 406731
================================================================================
User asked: Phase register in phase accumulator
In the following flow diagram: [](https://i.sstatic.net/TkdOX.png) Is the "phase register" a one-bit register? What does it basically do with that summation mark? What type of register is it? I basically do not know what the phase accumulator do as well but for that I need to understand what phase register is doing first.
Answer 1 (1 votes):
It is an N bit register that serves in combaination with the adder at the input to integrate the frequency tuning word (Phase being the integral of frequency after all). If you look at the diagram you can clearly see that on each clock the register will be loaded with the modulus 2^N sum of its old output and the FTW. In real parts N is quite often larger then the address range of the ROM (32 or even 48 bits is not uncommon), and various phase dithering and Taylor series approximations are used to improve the spurious performance.
Discussion on this answer:
Comment: "Phase being the integral of frequency " I dont understand that part. Isnt the phase increment "2*pi / N" where N is sample per period? What do you mean by phase here?
Answer 2 (1 votes):
The way the phase accumulator works in Direct Digital Synthesis is that every clock cycle on fclk, the frequency tuning word is added to the phase register. For example, assume the phase register starts at 0 and the frequency word is 5. After the first fclk pulse the phase register become equal to 5. After the second clock pulse, the phase register becomes 10. This continues for every clock pulse The size of the phase register and tuning word depends on the size of Sine ROM and the accuracy you need to achieve in your waveform. Larger register will have more accuracy in determining the frequency that you can run at. [Here](https://www.analog.com/media/en/technical-documentation/data-sheets/ad9833.pdf) is a link to a datasheet for a DDS integrated circuit. Page 11 and 12 go into the theory of how they work.
Answer 3 (0 votes):
The `phase-register` is an `n` bit width register as can be seen on the in/out-puts. The [DDS](https://en.wikipedia.org/wiki/Direct_digital_synthesis) can outputs arbitrary periodic function. Your example outputs a sine wave, but you can replace the `sine ROM` to an arbitrary function. The `phase-register` stores the actual phase of the periodic function. What type? The register can be implemented as an n-bit width [D-FF](https://en.wikipedia.org/wiki/Flip-flop_\(electronics\)#D_flip-flop). The phase accumulator can be interpreted as a _frequency integrator_. Note, that the phase is the integrate of the frequency, and the sum is the discrete equivalent of the integration. [](https://i.sstatic.net/mddEO.png) t=φ/2π Where the _φ_ is the [phase](https://en.wikipedia.org/wiki/Phase_\(waves\)) the _ω_ is the [angular frequency](https://en.wikipedia.org/wiki/Angular_frequency), the _t_ is the [time](https://en.wikipedia.org/wiki/Time) and the _f_ is the [frequency](https://en.wikipedia.org/wiki/Frequency).
Discussion on this answer:
Comment: What is meant by the "phase of the function"?
Comment: Phase accumulator is integrating what actually?
Comment: The phase (`phi`) is the `x` axis, measured in radian. If you know the period time (or the frequency) you can convert the phase to time. `phi = 2pi/f` or `t=2pi/phi`
Comment: Can you show me what do you mean by phi in this context?
Comment: The phi is the phase
Comment: I have never in my life saw such equations I dont know where they come from t = integral of f dx. I know what all these concepts mean you linked to Wikipedia. But the two formulas where the integral of angular freq. with respect to x ? dx? what is x? time is the integral of frequency?? where how all are derived? Im completely puzzled.
Comment: I have fixed the formula. The integral can be imagined as a multiplication. Lets use a constant frequency function. In this case the phase will increment evenly. The larger the frequency, the faster the phase changes. The case is the same in the integral too. I suggest to clarify and be familiar with the integral first.
================================================================================
|
Discussion Chain ID: 406728
================================================================================
User asked: Battery first time charging duration
Why does some manufacturer which I know using NiMH battery in their products recommends to charge the product for like 24 hours the first time you charge it, yet the seller usually tells to charge only 8-10 hours the first time you charge it. Which one should we follow? If we should charge it based on the sellers recommendation, then why did these manufacturers recommended to charge it 24 hours in the first place? As side note the battery is usually around 1300-1500 mAh 2.4 V. And There is no indicator whatsoever which tells how much charge is left on the battery. The charger itself is around 100 mA 3V (is this categorized as slow charging? ).
Discussion:
Comment: All my NiMH would have exceptionally low capacity on the first charge, so initial one would be done in hours and the battery would last only minutes. Over the first three or four cycles, something "forms" inside the battery (I'm not a chemist) and you will notice that both charging time and of course discharge time will increase to normal values. I doubt you will notice any difference between 8-10 or 24 hour initial charge.
Answer 1 (1 votes):
I would ignore the seller's advise and follow the manufacturer's advise to charge for 24 hours when charging for the first time. The seller didn't design the product so how can they know better than the manufacturer? What can happen is that after a long time in storage the NiMh cells lose their charge completely. NimH cells can handle that. After the full discharge NiMh cells can be "revived" by just charging them slowly. Many products always charge NiMh cells slowly because that is the cheapest, safest and easiest solution. When the cells are fully depleted it might take some time for them to "recover" especially when charged slowly. That might be the reason to charge for 24 hours. That way the cells have a couple of hours to regain their nominal voltage and when they do there is still enough charging time to fully charge them. Lithium based cells generally should not be fully discharged so they need a protection circuit to prevent that. Also Lithium based cells do need a proper charge controller, just trickle charging them continuously is not recommended as these cells cannot handle that very well. So charge control and full-state detection as mentioned in a comment only applies to Lithium based cells, not NiMh cells. For NiMh cells charging can be done safely using a resistor and a diode at C/10. Charging then takes long but completely safe.
Discussion on this answer:
Comment: Sorry, but this is not really based on factual accuracy. In particular, simple slow charging of NiMH is not a particularly good idea - they're not as tolerant of overcharging at low current as NiCd were. If you are going to do it, you want something slower than C/10. Most decent NiMH chargers do in fact have charge state detection.
Comment: @ChrisStratton Sure but what are accurate facts regarding batteries? The (what you call) decent chargers with state charge detection are often **fast chargers** and then charging **must** stop to prevent overheating. At C/10 a full cell indeed gets warm and this can have a negative impact on lifetime. But also at C/20 this is still a possibility. Charging time and speed are **always** balanced against lifetime. You get the longest lifetime from a battery when you never use it.
================================================================================
|
Discussion Chain ID: 406724
================================================================================
User asked: How to determine the current rating of Litz wire winding at high frequency?
How can we determine the current rating of a litz wire winding at high frequency? **This is my try:** For example, if we use 660/38 litz at 85kHz, we can see the equivalent AWG is 10 ([reference](http://edge.rit.edu/edge/P10022/public/team_docs/Wires_Casing/NEWENGLANDlitzSpecs.pdf)). Then, according to [this table](https://www.powerstream.com/Wire_Size.htm), the amperage for the equivalent AWG of 10 is 15A. But is it same for high-frequency current?
Answer 1 (3 votes):
This is not an easy question to answer, as there are many things going on in wire at high frequencies. While skin effect causes the current to travel nearer to the surface of the strands, the size of the stranding will have been chosen to make that effect tolerable. There is also the proximity effect - the field from a conductor affects nearby conductors and increases their impedance. On a regular spiral lay stranded wire with insulated strands, this would have the effect of greatly reducing the current in the inner strands of the bundle, hence the need for Litz wire, which has the stranding arranged such that each strand spends a more or less equal proportion of its length in the interior and exterior of the bundle, thus evening out the currents carried by each strand. The specific lay pattern of the wire therefore has an effect on the current distribution. The thermal dissipation of the wire is also not easy to determine, since the strands are insulated, the dissipation from the inside of the bundle by radial conduction from contact with other strands is limited, and the heat has to mostly follow the length of the strand to its next turn at the outside layer where it can be cooled by convection/conduction. There's good write-up [here](https://www.elektrisola.com/hf-litz-wire-litz/products/terminology-basics/technical-basics-and-calculation.html)
Answer 2 (1 votes):
At high frequency, conductors having large cross-sectional area become less effective to carry current due to [skin effect](https://en.wikipedia.org/wiki/Skin_effect). So to minimize this effect and increase efficiency, multiple small conductors are used together (Litz wire). To estimate the current capacity of a given Litz wire, you need to know the effective cross-sectional area of each strand and the number of strands. Multiply them to find total effective area, convert it to AWG and use the AWG table to determine the current capacity. ( I'll let you do the research here) Or you can use this table (source: wiretron.com) if you want a quick answer. Frequency vs. AWG Strand Size All Values in KHz 1 To 10.0 – 30 AWG 10 To 50.0 – 33 AWG 50 To 100.0 – 36 AWG 100 To 200.0 – 38 AWG 200 To 400.0 – 40 AWG 400 To 800.0 – 42 AWG 800 To 1600 – 44 AWG 1600 To 3200 – 46 AWG 3200 To 5000 – 48 AWG
================================================================================
|
Discussion Chain ID: 406720
================================================================================
User asked: How phase modulation changes spectrum?
I'm studying amplitude,frequency and phase modulations for an exam. I just studied amplitude and frequency modulations, however i didn't succeed in understanding how the phase modulation changes the spectrum of a signal. Can you help me ? Thanks so much
Discussion:
Comment: Where was your difficulty?
Answer 1 (1 votes):
Phase modulation has the same sidebands as Amplitude modulation. However the AM sidebands, modeled as rotating phasors, rotate in opposite directions and are synchronized in phase at the top and the bottom; if these sidebands are exactly balanced in energy, this synchronization avoids **ANY** phase perturbation to the Carrier, thus only Amplitude changes appear. If you imbalance the energy, some Phase Modulation appears. If you have imperfect rotational synchronization, some Phase Modulation appears. More specifically, in AM the phasors are crossing at the top and at the bottom at the same times, and rotating in opposite directions. In PM the sideband phasors are still rotating in opposite directions, but are synchronized at left and at right points. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fPTLPo.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Notice any imbalancing of sideband energy causes AM-PM conversion, thus **any** finite bandwidth system has AM-PM. To answer your question, the difference is in the phasing, and classic analog spectrum analyzers do not capture phase information. FFT based machines may have the information, but is "phase" displayed?
================================================================================
|
Discussion Chain ID: 406718
================================================================================
User asked: How much power do power stations in parallel supply?
In modern power systems, the power is supplied by effectively connecting multiple generators in parallel. However, not all these generators are equal, some stations supply more power than others (I assume). What determines how much current is drawn from one generator or another? They all must be synchronized to the same voltage on each phase, and are all connected to the same load. If I reduce this to a problem in circuit theory, and consider two _ideal_ voltage sources and a load all in parallel, then the current drawn by each source is undefined unless I resort to symmetry arguments. My best guess is something to do with source impedance, since if you include these in series with the ideal voltage sources, then the current is no longer undefined. **Thought experiment** : Say I got my home-brew alternator, running at a few dozen kV, and connected it to the power lines, what would happen? Would a massive over-current be drawn by the grid, or would the grid somehow "know" that my generator couldn't supply much and draw a lower current than if a full power station was connected? How do power systems engineers predict and model this stuff? Is there some special terminology and links I could follow regarding this? Surely this is important, especially considering that these days we hear more and more about "giving back to the grid" via home generation of power.
Answer 1 (2 votes):
It's quite simple. Each synchronous machine can act as generator or a motor. What makes the difference is the angle of rotor with respect to the rotating magnetic field. If the rotor has a leading angle, then it's a generator mode. If it's lagging then it's in motor mode. The regulating loop just adds some negative torque to the generator, so it increases the generated power and keeps to the nominal output power/curent. For large distribution network this is also driven by a schedule, a predicted demand. EDIT: Before you connect the generator with the grid you have to sync it. The output has to have the same frequency, phase shift and amplitude. Then you do connect on mains. Now the generator will run at exact speed as mains frequency. If you lower the throttle the genset will become a motor until overloaded, if you apply throttle it will turn into a generator as long it is not overloaded.
Discussion on this answer:
Comment: If you know, I'd be curious to know how this extends to other types of generation, like solar panels?
Comment: This answer also doesn't seem to explain much about how to determine how much power is supplied by a generator in parallel with others. What determines the *magnitude* of power supplied by each generator? Could you try to explain this? The statement of motor vs. generator operation didn't really explain much. Thanks.
Comment: Normally your inverter would synchronize with your incoming AC. If it's backfeeding the distribution network to sell power, it also adjusts your voltage (up to some maximum amount) so that the current flow is reversed. Note that if your local line loses (main generator plant) power the backfeed system must disconnect from the network (by detecting the overcurrent condition) as it has lost line synchronization, and also presents a hazard to any utility workers.
Comment: Regarding the parallel power question, it again is done by adjusting the output voltage of the generating station. Since electricity is considered a commodity it can be bought and sold on an as-needed basis, so if nobody wants your plants' output you reduce your output voltage so that your net current output from the plant is zero. This keeps you in-phase with the grid, ready to sell your power relatively quickly (base load vs peak load plant design is another topic). You can shut the plant off to save fuel/operating costs, but it takes much longer to restart if it's a base load plant.
Comment: @PersonWithName Solar panel inverters simulate the same thing electronically
Answer 2 (1 votes):
In a large power system one large generator is dedicated as master and responsible for the frequency control and is governed(synchronised) to run at the system frequency. Loads and generators are now added to the system. The load supplied by each generator is determined by the power source (steam turbine.) The whole systems runs at the same frequency. If there are to much generation online, the system will start to speed up. The main generator's governor will back off and supply less steam. This will cause the whole system to slow down. If the load increases, the governor will see the slow-down, open more steam and speed up. The system controllers will schedule generators to come online when they expect the load to increase and schedule generators to be taken offline if the load decreases. This is a very basic explanation. In reality, both the active power (current) and the reactive power (voltage) needs to be balanced. The reactive power is controlled by automatic voltage regulators controlling the voltage of each generator.
Discussion on this answer:
Comment: Essentially, [droop control](https://en.wikipedia.org/wiki/Droop_speed_control).
================================================================================
|
Discussion Chain ID: 406705
================================================================================
User asked: i want to duplicate a signal generator output
I want to duplicate signal generator output to dual. since i want to use same signal to two different place. Is this possible without amplifying and inverting the signals. Let me share some circuit. i just tried using two OP-AMP 741 and failed. I have only basic knowledge in electronics. Finally found working using below circuit... [](https://i.sstatic.net/OtuYS.jpg)
Discussion:
Comment: what have you specifically tried, and how did that fail?
Comment: i have tried an below circuit . it is not giving a output which i am giving in input. http://www.ni.com/cms/images/devzone/tut/vmbtsfev2596491556320455318.jpg
Comment: Depending on what you are doing, it can be as simple as a splitter (putting the two sinks in parallel) or very complicated. A 741 might be adequate for audio, but is in general a bad choice. What kind of signal is it, and what are you doing with it?
Comment: That is a very simple circuit, and should work.
Comment: My signal might be a sine or square. i want to make dual output from single function generator. please suggest and share some circuit.
Comment: Please post the schematic in the question and not as a link in a comment where most people won't see it or won't bother.
Comment: "Failed" can mean a lot of things. Did the 741 explode? No output? Low output? Distorted output? Too high output? Oscillated? The 741 ate your hamster? What failed?
Comment: The circuit you linked to is an inverting amplifier.
Comment: Thanks all for the help. unity gain buffer is satisfied my requirement.
Answer 1 (1 votes):
You should use 2 unity gain buffer parallel for this. You may find details about unity gain buffer in google. output of signal generator will be connected to the input of each unity gain buffer input. output of each buffer will be same.
Discussion on this answer:
Comment: This should work, but only over a limited range of frequencies - particularly for 741s! Without more details of the expected usage, it is not possible to say more.
Comment: Thanks Koray. i got the circuit for unity gain buffer using UA741 and it is working. Now my need is fulfilled. https://www.eleccircuit.com/wp-content/uploads/2007/06/unity-gain-follower-by-ic-lm741-1.jpg
================================================================================
|
Discussion Chain ID: 406696
================================================================================
User asked: What's the difference between a null modem cable and a gender changer?
Please ignore this question. It doesn't address the problem I was trying to solve (XY problem) and my edits have been reverted. Because it has answers, I can't delete it. It should be closed as off-topic. **TL;DR:** What's the difference between a null-modem cable and a gender-changer? Is a gender-changer a type of null-modem cable? I have two devices, both with female DB/E-9 connectors, that I'd like to connect. I'm assuming they're electrically compatible, although I'll have to test this. The devices in question are a [Sparkfun RS232 TTL shifter](https://www.sparkfun.com/products/449)1 and an assumed passive [PS/2 (mini-DIN6) to RS232 adapter](https://www.amazon.co.uk/Belkin-Female-Serial-RS232-Adaptor-x/dp/B006JQXTLQ) (not sure of the brand or pinout). As far as I know, I can connect them with either a male-male gender changer or a null-modem cable. Given that there's more than one handshaking configuration for a null-modem cable (none, loop-back, partial or full), I'm not sure which is the best option. Should I use a gender-changer or create a null-modem cable? The PS/2 pinout, for reference: * * * 1. Uses a MAX232 chip
Discussion:
Comment: hey, have you read the "Null Modem" Wikipedia article. *It comes with a wiring diagram* for a null modem cable; a gender changer only changes the gender of the plug you're using. Doesn't that answer your question?
Comment: I have read up on null modem cables. (Lammert Bies has an article/page on them.) I didn't see anything about gender changers, though. I generally avoid Wikipedia as a source for scientific topics; it's not exactly a reliable source.
Comment: not really a scientific topic.
Comment: Electronics: Based on electricity ... the chemistry and physics of electrons. Therefore, Science. No science, no technology.
Comment: No. This is technology. Not science; you're confusing *chemical engineering* with *chemistry*. Anyway, as a scientist: Wikipedia is just as fine a source if you simply check the sources that every single article cites. For technological things, Wikipedia is often not half bad.
Comment: I'm voting to close this question as off-topic because it is an XY problem. **The sparkfun level shifter is not compatible with a PS/2 interface** and no simple cable can change that. The Sparkfun level shifter is made for an opposing unidirectional interface, ie, a transmit and a receive and intended to be used with an asynchronous scheme. But the PS/2 interface is a synchronous scheme with a clock and a **bidirectional data line** which the Sparkfun device simply cannot handle.
Comment: Did you check out the [PS2Keyboard library](https://playground.arduino.cc/Main/PS2Keyboard) on the Arduino site?
Comment: Your revised "multiple ways" end goal puts this back in the bad idea category. If you have a serial keyboard (not these have been common in *decades*) then use that, if you have a PS/2 keyboard then *bit-bang* the PS/2 protocol on a digital pin.
Comment: @Transistor: Yes, I've skimmed through it. I clearly missed the part about serial connectors. In all my searching the Web (past two days; don't remember the exact pages), I've only seen how to make a DIN5 to mini-DIN6 adaptor and how to connect a mini-DIN6 to an arduino.
Comment: Don't search for the connector type, search for the protocol - PS/2. You'll find the usual connector as part of the result.
Comment: @ChrisStratton Agreed. Judging by the effort/research-to-results ratio, it looks like I'm going down rabbit holes on an unwinnable race/wild goose chase for the sake of one connector.
Comment: That connector is not a hard problem *at all*. It's what you'll find written up in just about any PS/2 keyboard with Arduino tutorial. That's actually the easiest of your goals, it's all the others that will be hard.
Comment: I don't understand why the connector is not the hard problem, but it doesn't really matter in light of the fact that the other goals are hard. I'll just have to make do without it (or at least see how far I get). Thank you for your help and patience.
Comment: @AgiHammerthief The original question had received answers. Don't edit the question so much that the answers to the original version no longer answer the new version.
Answer 1 (1 votes):
Gender changer changes the gender: male to female, female to male. The wires go straight, one on one, no dedicated wiring is implemented. Null modem cable has connectors of the same gender an each side, but signals are swapped, paralleled,.. there is a dedicated wiring for that. As for your application: It is hard to know, since PS/2 connector was used strictly for computer <-> device. You have CLK, DATA that you can't swap, so more likely you need a gender changer.
Answer 2 (0 votes):
Sounds like there are three different things being discussed: 1. Gender changer. This just changes an IO port from male pins to female sockets, or female socket to male pins. A male-male or female-female can be used to connect two female cable ends together, or two male ends, or sometimes adapt a 9-pin to 25-pin. 2. Null modem and straight thru cables. Typically with RS232 outputs, and say minimal connections on a 9-pin connector for the sake of this answer, only pins 2, 3, and 5 are connected. If one end has Rx on 2, Tx on 3, and Gnd on 5, and the other end has Tx on 2, Rx on 3, and Gnd on 5, then a straight cable can be used to connect Rx to Tx, Tx to Rx, and Gnd to Gnd. If both ends have Rx on 2 and Tx on 3, then the cable needs to cross over those two. 3. TTL to RS232. www.nkcelectronics carries DB9 to 5V TTL output cards. One has a male DB9 connector, one has a female DB9 connector. Check your cable ends to see which you need, and confirm whether the other end is expecting Rx/Tx on 2/3 or 3/2, and adjust your wiring to match.
================================================================================
|
Discussion Chain ID: 701556
================================================================================
User asked: Why do loopsticks and chokes receive RFs equally well?
In response to answers from my previous question, I compared the ability of a tank circuit to receive signals when the inductor was a loopstick vs a choke. The inductor was either a) a choke with Lc=0.54mH (R=3.2ohms) (as in figure 1), or b) a loopstick with Ll=0.6mH (R=8.3 ohms)) (Figure 3, from a radio clock). **Finding f0**. A sinusoidal 1V (p2p) signal from a signal generator was injected across the whole circuit shown in Figure 2. The frequency was adusted to maximise the voltage across the tank circuit, to find the resonant frequency, which was found to be f0=40kHz (for both the choke and the loopstick). As an aside: The measured p2p amplitude across the tank circuit at f0 was 57mV, so that 57mV/1000mV = Z/(Z+20k), so, solving for Z yields Z = 1200 ohms at f0. Finally, I disconnected the scope and R1 from the circuit, and used the scope to generate an RF signal at f0 through a long wire antenna. I then measured the amplitude V induced across the tank circuit at a short distance (4 inches) from the antenna. Result: With the loopstick, Vl = 4mV, whereas with the choke, Vc = 3mV. This seems to suggest that both the choke and the loospstick are almost equaly good (bad) at converting the RF signal into voltage. What am I missing? Are the results for the choke and loopstick similar because the circuit is recording a ceiling/floor effect (ie it is a rubbish circuit)? [](https://i.sstatic.net/OWTa8.jpg) Figure 1. Picture of a (very) spare choke, with the plastic coating removed (I managed to break the wires inside in the process of removing the plastic). The material at both ends (caps) of the coiled wire is magnetic (ferrite?). [](https://i.sstatic.net/uFhv0.jpg) Figure 2. Circuit used to estimate resonant frequency f0 and impedance Z of tank circuit at resonant frequency f0. [](https://i.sstatic.net/GgfOy.jpg) Figure 3. Loopstick used to replace choke in tank circuit.
Answer 1 (2 votes):
That "long wire" is electrically short, and almost all the field around it is electric. Additionally, you aren't measuring radiation, you're in the near field where electric and magnetic fields aren't balanced; in particular, E-field greatly exceeds H-field. You have an equivalent circuit more like this: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f87mpS.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) from which it's easy to see why the inductors perform comparably. A better test would be to use a magnetic loop, at calibrated distance so that both coils experience the same magnetic field. This will again be near-field and E/H imbalanced, but the H field is the whole point of the loopstick, so it makes sense to pair it with a loop for probing purposes. Put another way: you've detected more E than H, proving that your purportedly-H-field-only probes, in fact, are not, and are rather poorly shielded against E-field "interference". Wrapping them in foil, minus a slit to allow magnetic field to enter, and connecting the foil to ground, would improve things significantly; in that case, you might get a small signal with either coil held close to the "long wire", but as the displacement current flowing into it will be small, I don't expect the magnetic field is noticeable either.
Discussion on this answer:
Comment: I think you have just confirmed my suspicion (stated in my question) that my circuit is rubbish for comparing loopsticks with chokes. But from a practical perspective, my receiver is used to detect RF only when it is close (< 2m) to the long wire transmitter antenna; and for this particular application, it looks as if there is no advantage to using a loopstick.
Answer 2 (0 votes):
> _Finally, I disconnected the scope and R1 from the circuit, and used the scope to generate an RF signal at f0 through a long wire antenna. I then measured the amplitude V induced across the tank circuit at a short distance (4 inches) from the antenna._ At circa 40 kHz a monopole antenna would need to be nearly 2 km long to generate a reasonable magnetic field. What you are generating is a decent electric field (in the near-field) that capacitively couples to both coils about the same. This is not the way to test a loop-stick antenna vs drum core.
================================================================================
|
Discussion Chain ID: 406694
================================================================================
User asked: Opamp which works with 5 V input
Can an IC 741 op amp can be used with an input voltage of +5 and -5 V? If not so, what are the commonly used opamps that can be used 5 to 12 V?
Answer 1 (9 votes):
Yes you can use a 741 opamp with a voltage at the inputs between -5 V and + 5 V **as long as you give it a supply voltage of at least - 8 V and + 8 V** (this is my guess, the 741 has a guaranteed +/- 12V input voltage range when a +/- 15 V supply is used, I re-used that 3 V margin (15 V - 12 V) to get to +/- 8 V) note that that is a **symmetrical supply voltage** , not a single 5V or 12 V supply. You should read "[Reasons not to use a 741 op-amp?](https://electronics.stackexchange.com/questions/304521/reasons-not-to-use-a-741-op-amp)" some alternatives are suggested there. You **can** use an opamp with a single 5 V supply and have an input voltage of - 5 V, not at the input of the opamp but at the input of the **circuit**. The limitations of the opamp you use are related to limitations of the circuit design but they are not the same. For example, suppose I have an opamp which has a limited input voltage of for example 2 V to 3 V. With that opamp I can still design a circuit that can handle a 0 V to 5 V input voltage. It only relies on **how** I use the opamp. I also recommend you read "[Opamps for everyone](http://www.cypress.com/file/65366/download)" Some of the other answers here draw conclusions from the **Maximum Ratings** and the **Recommended Operating Conditions**. Actually these numbers are completely **irrelevant**. What **is** relevant is the **Input voltage range** , source: [The TI datasheet](http://www.ti.com/lit/ds/symlink/lm741.pdf). [](https://i.sstatic.net/6Y8Tc.png) Note how this is a table with **Electrical Characteristics** The Input voltage range is specified to typically be +/- 13 V but it has a (guaranteed) minimum of +/- 12 V. In a commercial (mass produced) design you would use this +/- 12 V as that you can rely on. The +/- 13 V cannot be relied upon. Also very important: note (1) under the table, this lists the **operating conditions** which must be applied to get the values listed in the table. Important here is the +/- 15 V supply as the Input Voltage Range is very dependent on the supply voltage that is used. Yep, reading (and understanding) a chip's specification isn't easy :-)
Discussion on this answer:
Comment: Feel like this is a good but incomplete answer as the UA741 does have a +5V and -5V recommended supply voltage. Without knowing which 741 opamp is being used or if he needs full rail to rail output or "something close to 5v" we can't for sure say that he needs at least -10 to 10v supply voltage.
Comment: @RemcoVink Indeed the question isn't detailed enough to answer properly. So my +/- 10 V supply is just an example of what could be needed (I changed it to +/- 8 V which is also an assumption). But the **recommended supply voltage** of +/- 5 V supply is **irrelevant** as that will not give a +/- 5 V input range on a 741 as it does not have rail-to-rail inputs. You need to look at the **Input Voltage Range**.
Answer 2 (0 votes):
All of this information about IC's can be found in the datasheet. In this case look for the Recommended Operating Conditions. You will find the following [](https://i.sstatic.net/tWtpi.png) The recommended operating conditions are between +15 and -15V. This does not mean that you can not power it with a lower supply voltage in this case. If we look at the Absolute Max operating conditions. [](https://i.sstatic.net/fC036.png) You will see that there is no lower limit boundary defined. So the device won't be damaged for using lower voltages and it even has a remark about powering it with lower voltages. However there is always a catch to everything. The datasheet defines the following **_(5)_** **_For supply voltages less than ±15 V, the absolute maximum input voltage is equal to the supply voltage_** This means that if you power the Vsupply+ with 5V and the Vsupply- with -5V your input signal can not exceed this range! **EDIT** The UA741 even shows +5V -5V as the minimum for recommended operating conditions. [](https://i.sstatic.net/JMSOB.png) TLDR: Yes +-5V will probably work, Yes you will limit the Vrange of your input signal, Yes there are plenty of "newer" Opamps with +-5V as their Recommended Operating Condition but thats a product request which are not answered on the site.
Discussion on this answer:
Comment: Recommended operating conditions do not tell us if the **inputs** can **work** up to that range as well. Often a +/- 5 V supply will result in a **usable** input voltage range of perhaps +/- 4 V. What is relevant is the **Input Voltage Range** which (according to table 6.5 in the TI datasheet: http://www.ti.com/lit/ds/symlink/lm741.pdf ) is typically +/- 13 V when a +/- 15 V supply is used.
Answer 3 (-1 votes):
If you mean with input voltage the supply voltage, yes. an LM741 is specified for +-22V (or +-18V)Supply voltage. If you mean the input voltage on the input pins, also yes. If it is supplied with at least +-5V. Have a look at the absolute maximum ratings table in the datasheet on page 4. [](https://i.sstatic.net/XwxEc.png)
Discussion on this answer:
Comment: Ahem, you're referring to the **maximum** ratings, these are the voltages that **do not damage** the opamp. These numbers **do not say anything** about the opamp actually **working**. Instead of maximum ratings, use **operating conditions**.
================================================================================
|
Discussion Chain ID: 406693
================================================================================
User asked: Confusion on Servo and PWM (AVR)
For reference im using an AVR Atmega 328p, and the servo specs i'll be using says this: * Pulse Cycle: 20 ms (I assume this means the "period") * Pulse Width: 600-2400 µs So from my understanding, using fast PWM and lets say a 1Mhz clock. I make the Width by setting 2 values. One when it reaches TOP-whatever width (lets pretend 1800 ms, I think people use ICR1 for this) and then the top (I think they usually use OCR1A here). So the time between ICR1 and OCR1A (Which is the top) is where I turn the "Pin" to the Servo on correct? And then it turns off when OCR1A ends IE: Turn on when it reaches ICR1, turn off when it reaches OCR1A. If I want a width of 1.8 ms i'd need to make that 1800 steps correct? Since 1800 "ticks" would be 1.8ms (If Im understanding my units correct) The pulse cycle is where I get confused. That would just be the "TOP" value right? IE: if I need a 20ms pulse cycle. and every tick at 1MHz is 1/1000 of a milliseconds, so to do 20ms pulse cycle, ill need 20000 ticks. because every tick is 1/1000 of a ms Am I thinking of this correctly? I think the "Ticks" with the CPU Frequency and then trying to get that figured out with cycles and widths is just sort of throwing me for a loop.
Answer 1 (1 votes):
> Pulse Cycle: 20 ms (I assume this means the "period") Yes, that's correct. You need to send 1 pulse every 20ms. > Pulse Width: 600-2400 µs This is more or less also correct although I would note that most RC parts are designed to operate between 1000 and 2000 uS. What you'll want to do is create a timer that overflows every 20ms. This can be a software or hardware timer. _Then_ , every time the timer overflows turn the output ON. Map the timer ticks into uS, and turn the output OFF once the correct number of uS have elapsed. For example, if your timer ticks 2000 times per 20ms, and you want a pulse of 1500uS, then you turn the output off after 150 ticks. The resulting signal looks like this (note that the angles will vary depending on the servo): [](https://i.sstatic.net/8shwd.png) Most micros will have a PWM timer mode that can do all of this automatically. Take a look at the atmega 328p datasheet, section 16.9.3 "Fast PWM Mode": > The counter counts from BOTTOM to TOP then restarts from BOTTOM. In non-inverting Compare Output mode, the Output Compare (OC1x) is cleared on the compare match between TCNT1 and OCR1x, and set at BOTTOM. In inverting Compare Output mode out put is set on compare match and cleared at BOTTOM. BOTTOM according to the datasheet just means 0. ..I don't know why they don't just say that. So anyway, what you need to do is set TOP and the timer pre-scaler so that the period is 20ms. Then you need to set **OCR1x** , to an appropriate fraction of that to get your desired output pulse length. You'll want to use non-inverting compare mode. **Edit:** Changed "OC1x" to "OCR1x" in this paragraph. That was a typo, sorry. There are [online calculators](https://eleccelerator.com/avr-timer-calculator/) that can help you figure out the values for TOP, and the timer pre-scaler.
Discussion on this answer:
Comment: This makes more sense, it's just a bit to wrap your head around. I think mechanically it's also confusing to think about. I think my confusion also arose because I was thinking "Why can't I just make it where the TOP is whats needed for the pulse width...but that wouldn't deal with the period length".
================================================================================
|
Discussion Chain ID: 406691
================================================================================
User asked: What is wrong with this voltage shifter?
I need to do voltage shifting (3.3V Papilio FPGA <\--> 5V RAM chip). Most of the pins are output 3.3V -> input 5V, and 3.3V qualifies as "high" to a 5V device, so I can connect them directly. The databus is bidirectional, so that won't work - the spec sheet for the FPGA says up to 0.8V for low, and 2V to 4.1V for high; the SRAM takes less than 0.8V for low and above 2.2V for high. I worked out this very simple voltage shifter, which seems like it would do the trick, and is within the tolerance of each device, but then I found various circuits online, and they all seem to be an order of magnitude more complicated. This says to me that there is something wrong with my design, but I can't figure out what. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2f4DytD.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) This either makes a voltage divider between +5V and the FPGA-out, or between SRAM out and 0V. Some experimentation with a spreadsheet shows that ratios of 2:1:15 for the 3 resistors (e.g 2MΩ, 1MΩ, 3MΩ) give numbers within the allowed tolerances (the FPGA would get 0V for low and 3.3V for high, and the SRAM would get 0.31V for low and 3.41V for high). So what did I miss? It seems easier and cheaper than all the other examples. The only thing I could find was that it might affect the rise & fall speed, but I couldn't follow the maths as to how much. The SRAM I have is rated at 100ns, and I hope to read/write it at 2Mhz, so I do have a little leeway. The control signals will be direct, so would end up a little ahead of the databus, which would work in my favour.
Discussion:
Comment: You seem to mix mOhm and MOhm freely. There is a huge difference. A factor of one billion, to be precise. Which one is it?
Comment: The problem with voltage dividers is that the they have large output resistance. Simplify your circuit to the thevenin equivalent to see what your output resistance is. This output resistance results in a varying output voltage depending on the input current of the next stage. Also, the output impedance works with any output capacitance to create a low-pass filter which slows down your signal speed.
Answer 1 (2 votes):
If you look at the Xilinx data sheet, you can see that the input current per pin could be 10 - 15 uA. So you would have to use a resistor divider network with much lower values, which would in turn mean that you would require more power. As far as rise time goes, the same thing applies. The input capacitance is 10 pF, plus whatever capacitance is associated with your board layout and other devices on the trace. So your RC time constant for the output impedance of your network with the input plus stray capacitance is going to be in the microsecond range, making the rise time unacceptable for a 2 MHz write speed.
Discussion on this answer:
Comment: So the principle does work, subject to the correct resistors values, circuit capacitance, timing, and input tolerance? I worked out the proportions, and just put MΩ as an arbitrary unit.
Comment: @AMADANONInc. there is a very real possibility that **no** divider values will adequately meet all the operating requirements or conditions of your circuit. This type of thing is done for simple logic translation (e.g. interrupt line), using it for data is problematic. Most appropriate is an active buffer/translator or open collector outputs for logic signals that meet your requirements.
Comment: I realise that "no valid answer" is an possibility. This is (as the question implies) more an exercise in learning why this isn't used (and/or when it could be used!), than solving a problem. Open collectors are not suitable, as they aren't bidirectional. I have some 74AC245E chips on their way.
Comment: There is nothing theoretically wrong with the approach. In today's world of low-power, high-speed devices, the approach is not usually seen because of the amount of power to overcome the problems. It could be useful in low-speed circuit, momentary circuits, such as detection of a push button, where the rise time and power dissipation don't matter much.
Answer 2 (1 votes):
Your overall approach is completely, umm... unrealistic. Simply put, "voltage dividers" especially in megaOhm range on a 100-ns bus is completely wrong. Pin/wire capacitances are 5-15pF, which will bring you into 10-us area. The entire approach is wrong. First, get rid of 5-V RAM, there is no more 5-V signaling in modern electronics. You won't gain anything by using 5-V digital ICs, this is a blast from 30-years past. No one will look at this as any achievement of yours. If you want to learn about level translation (there are cases when people need to translate 1.8V to 2.5 or 3.3V), then there there are whole families of integrated circuits that do this job. They are not that complicated. Get at least 3.3V SRAM chips, from ISSI or Cypress for example. Then the problem of interface to FPGA goes away naturally, since FPGA I/O buffers are configurable to pretty much any interface level and type. Also, if you would open up and post the exact type of "5V SRAM", things could be easier. Chances are that you misinterpreted the datasheets, and you might need no level translation at all. AMPLIFICATION: It appears that the RAM in question is HITACHI HM628128ALP-10 chip. The datasheet states "Directly TTL compatible All inputs and outputs" This [appnote from Analog Devices](https://www.analog.com/media/en/training-seminars/tutorials/MT-098.pdf) elaborates on logic levels, stating that TTL and CMOS-3-3 are level-compatible (0.8v Low, 2.4V High): [](https://i.sstatic.net/mDTie.png) Therefore there is no need in level translators to interface this memory chip to Spartan-3 FPGA.
Discussion on this answer:
Comment: I find your post very condescending. Yes, I can use off-the-shelf chips, or buy an FPGA that has more RAM, or pay someone to do the entire project for me. That's not the the point. I've found in the past that if I come up with a method that is not the standard, then it means(1) there is a reason why my method won't work at all, in which case I need to know why it doesn't work OR (2) my method will work under some circumstances, in which case I need to know which circumstances, and why OR (3) my works. MY QUESTION IS NOT "HOW DO I MAKE THIS WORK", BUT "WHATS WRONG WITH IT"!
Comment: @AMADANONInc., no, it was not condescending. I was just trying to be polite as much as I can.
Comment: Given that my question was "what is wrong with this?", the only sentence in your post that relates to the question is "Pin/wire capacitances are 5-15pF, which will bring you into 10-us area." This is not something I have built, but doesn't work, or even intend to build. This is me trying to understand why I couldn't find this on the list of level shifters, and what the factors are in it not working, so I can better understand the same principles in other circuits.
================================================================================
|
Discussion Chain ID: 406690
================================================================================
User asked: used microcontroller reprogramming
I have been recently been collecting parts from various machines that I could collect few micro-controllers. I have two questions: 1. Is it possible to take the micro-controller and reprogram it (to be somewhat similar to an arduino, and at least Arduino IDE compatible)? 2. One IC named as WT62P2 monitor controller. Does someone know how to connect it to a PC and what language should I use to re-program?
Answer 1 (1 votes):
The answer to these questions would be found in the datasheet. Some chips are reprogrammable, some can only be programmed once, some have a "fuse" - you can reprogram them any number of times, until you "blow the fuse", at which point they are no longer programmable. I even have some (very old!) chips which you could program once, and to clear the programming, you expose the chip to ultra-violet light. You describe the first chip as "Arduino IDE compatible" - that covers an awful lot of chips. If you know the specific chip, google the chip name and "datasheet". For example, googling "atmega328p datasheet" returns <https://www.sparkfun.com/datasheets/Components/SMD/ATMega328.pdf> as the first link. Datasheets take a bit of work to get used to, but (usually!) everything you need to know is in there - how much memory it has, how fast it runs, what all the machine code instructions are, what each pin does, how to wire it into a circuit, and how to program it. I did a search for "WT62P2 datasheet", and it came up with <https://www.digchip.com/datasheets/parts/datasheet/520/WT62P2-pdf.php> This says that it's a 6502 processor (slightly modified) running at 6Mhz. 6502 processors are very well documented - many of the home computers used this in the 1980s, back when computers came with manuals on the secret innards of the hardware. It is probably 5v, there's a pin marked "VDD +5V power supply". The datasheet does not specify how to program it, but I see it has an i2c bus - if it were me, I'd power it up and try to connect to the i2c bus. Arduino has support for i2c. It has one pin marked USB D+ and one USB D-, these are likely to be for send and received data. The 6502 didn't have any instructions to read/write data from other devices, instead it would do "address mapping" - there would be bytes of memory at specific addresses; reading the right address might give you a byte from the keyboard, or writing another byte might make the disk drive start to spin. I would expect this to be the same. If you have one that is already programmed, make sure you make a copy of the data that it has before changing anything - you can unassemble to code, to see what it is doing. It will take quite a bit of sleuthing. The datasheet is missing a lot of critical data. If you have only the chip, to get it to do anything, you need to hook up VDD to 5V, GND to 0V, and a 12Mhz oscillator (not included) to the correct pins, with capacitors, in this layout: <http://4.bp.blogspot.com/-0q_16rv2Wj0/ToJ0pvJbwlI/AAAAAAAAAJk/IE9yuSTi4Yk/s320/untitled1.PNG> (but obviously with different pins). Good luck!
================================================================================
|
Discussion Chain ID: 406683
================================================================================
User asked: Identify 4 pin Connector
I need to get some more of this connector and solder my own cables however I can't find this exact one online. It looks like some variant of JST but from looking up the different types of JST I can't find one that matches this. The cable came with a [LiDAR sensor](https://www.robotshop.com/uk/benewake-tfmini-micro-lidar-module-12-m.html). One end is a JST SH 1mm and the other end is the connector I'm having trouble finding. Can anyone help identify this connector? ### Male end ### Female end
Answer 1 (1 votes):
It appears to be a **Male JST GH 4 pin connector "crimp style" with 1.25mm spacing** as found [here](http://www.jst.co.uk/productSeries.php?pid=11517&cat=30) (download the catalogue page). Part NO: `GHR-04V-S`
================================================================================
|
Discussion Chain ID: 406681
================================================================================
User asked: Would I get a better lumen output and improved thermal characteristics for the same wattage if I get a higher rated LED?
I'm planning on building a bright DIY high CRI LED video/photo floodlight out of the following components and considerations: * High-power Neutral White (4000K?) LED rated at 95 CRI * No add-on lens so I get the most uniform and wide-angled light output * ARCTIC Alpine 11 Passive (capable of passively cooling Intel CPUs up to 47 watts) * Thermal Adhesive * 12V Power Adapter * Boost/step-up converter with current-limiting ability * Miniature wattage meter (maybe) * An target maximum drive power target of ~**40W** I don't know what thermal adhesive to get yet for the most ideal thermal conductivity, whether that'd be a one-piece silicone based, a two-piece Arctic Silver, or something similar. * * * My LED Chip research has been done exclusively on Cree LEDs and I'm confident that they are the best brand for me to go with, but I'm open to other suggestions if there are any. I've narrowed down my options to these: CMA: * **CMA1516** -0000-000N0Z0AL5A (41W) * **CMA1825** -0000-000N0Z0AL5A (61W) * **CMA1840** -0000-000N0Z0AL5A (87W) CMT: * **CMT1420** -0000-000N0Z0AL5A (49W) * **CMT1922** -0000-000N0Z0AL5A (57W) * **CMT1925** -0000-000N0Z0AL5A (64W) * **CMT1930** -0000-000N0Z0AL5A (77W) From what I see, their CMA series LEDs were released in Q4 2017 while their CMT series came out in Q1 2018. I'm leaning more toward a CMT chip considering their prices are about the same while having potentially better lumen density and efficiency characteristics (I'm not entirely sure though). How will a higher wattage LED driven at 40W scale in terms of lumens, thermals and heat tolerance/durability? Does CPU TDP-dissipation apply equally to heat-dissipation of an LED?
Discussion:
Comment: @Sparky256 Heck with copper. Natural diamond is ***5.5 times*** more conductive than copper. And CVD is perhaps ***6 times*** more conductive. I'd go for the CVD mounting plate every time. ;) There is the problem of mounting to it with any chance of using anywhere near all that capacity, though.
Comment: @Sparky256 My goal is have a low-cost yet high quality adjustable light for _photography_ and the occasional videography, I just want it to be optimized to make the most of 40W for those times I'd need it. My constraint is in place to ensure compatibility with that heatsink (assuming my TDP theory is correct) and allow it to be occasionally powered by a portable 12V battery pack. And yes, 40W will more than likely be overkill in most cases
Comment: So three of the cheap LED 12W temperature/lumen adjustable LED floodlight panels from eBay are not good enough?
Answer 1 (4 votes):
> Would I get a better lumen output and improved thermal characteristics for the same wattage if I get a higher rated LED? The cost of thermal management is high for CoBs. More and lower wattage LEDs are usually most efficient. Efficacy usually drops when you exceed the "test current". What I do is implement the best thermal management I can do then adjust the current so the PCB temperature next to the LED is 40°-50°C. One of the most important characteristics is the efficacy specified in Lumens/Watt. Higher efficacy means more light, less heat. > Cree LEDs and I'm confident that they are the best brand for me to go with Too general. Cree makes very good LEDs. Citizen, Samsumg, Lumileds, Luminus, and Bridgelux make very good LEDs also. > the most uniform and wide-angled light output CoBs will have the least uniformity due to the high lumen density. They generally have the least lumen/watt efficacy. A strip of LEDs will give best uniformity. Mid-power LEDs have the best efficacy. I am not well versed on LEDs for photography regarding CCT and CRI. I do know higher CRI is more natural. I mention this because the strips I would be interested in if I were looking for photography lighting are 90 CRI. I am thinking that a variety of CCTs would be desirable. And a tunable CCT would be a big plus. Dial in the mood. The [Bridgelux Vesta Series Tunable White Linear Strips](https://bridgelux.com/sites/default/files/resource_media/DS154%20Bridgelux%20Vesta%20Series%20Tunable%20White%20Linear%20Data%20Sheet%2020171002%20Rev%20A.pdf) are very reasonably priced and versatile. Each strip has two rows of mid-powered LEDs. One row of 2700K and one row of 5000K. You can use two LED drivers, one for each row, and "tune" the CCT in any combination. The higher CRI is difficult to achieve as it requires more red than most LEDs can produce. White LEDs use phosphor wavelength converters to convert 450 nm deep blue (near black light) to blue, green, yellow, orange and red. Red being the least efficient. If we look at the spectrum for a 4000K we can see the amount of red and its peak wavelength. Notice the "Premium Color" peak wavelength is 630 nm and the 90 CRI peak is about 615 nm. 615 nm is a red-orange. **Cree CMT1922** [](https://i.sstatic.net/VeM8c.jpg) * * * Notice the 2700K 90 CRI red peak is 630 nm. **Bridgelux Vesta** [](https://i.sstatic.net/UM8ci.jpg) * * * > ARCTIC Alpine 11 Passive > Thermal Adhesive With strips thermal management is much easier as the heat is distributed over a larger area and the efficacy is better. You would need a heatsink only if you were pushing both rows hard. If I were to use a heatsink with these strips I'd use a $5 HeasinkUSA's [12.000" Wide Extruded Aluminum Heatsink](https://www.heatsinkusa.com/12-000-wide-extruded-aluminum-heatsink/) cut to 1". I would apply it using the thinnest 3M thermal tape I could find. [](https://i.sstatic.net/czJ3y.jpg) * * * Vesta vs. Cree CMT1922 500 mA vs. 600 mA 25V vs. 34V 24W vs. 20W 3272 lm vs. 2385 lm 136 vs. 116 lm/W $5 vs. $8 * * * You need a high quality LED driver if you are going to use these for video. You need continuous conduction with low ripple current. I would use two (one for 2700K and one for 5000K) Mean Well HLG-60H-C700B drivers (5% ripple current). I would drive two BXEB-TL-2750G-1000-A-13 in series. * * * I would mount the strips about 6-8 inches apart for best uniformity. I used seven strips mounted on aluminum angle brackets. [](https://i.sstatic.net/e2EAC.jpg) * * * I made a PCB for power distribution and use a dip switch to select currents. The Mean Well HGL type B can use resistors to set the current. I have a pot to fine tune. [](https://i.sstatic.net/VMniw.jpg) * * * CRI does make a difference [](https://i.sstatic.net/RxCvC.jpg)
Answer 2 (1 votes):
> My goal is have a low-cost yet high quality adjustable light for photography and the occasional videography, Short-life high-power incandescent bulb. Or use a standard bulb and overvoltage it. The light is for sure better than that from any LED, CFL or similar. The only thing even cheaper and also much much better is a reflector panel for sunlight. And sunlight. It's free.
Answer 3 (0 votes):
All LEDs have reduced luminous efficacy at high temperatures. A higher rated LED may have lower \$\theta_{JC}\$ allowing you to run it at a lower junction temperature for the same heat sink and ambient temperature.
================================================================================
|
Discussion Chain ID: 406678
================================================================================
User asked: LTSpice Operational Integrator not Working
I'm fairly new to LTSpice and I'm having a hard time making this circuit to work. So I'm making an Operational Integrator but my Output signal doesn't seem to match my predictions. [](https://i.sstatic.net/UYWkQ.png) If I'm not mistaken Voltage at node Va should be zero since the Operational Amplifier is in a negative feed back configuration. I'm using the Universal Operational Amplifier and I was wondering if maybe the parameters of the Op Amps where the cause of this unusual signal at Va which in turn effects the Vout. EDIT: Here are some more detailed images relating to my confusion. I understand that the resistors and the capacitors are unusually non ideal for practical use but I just wanted to know why the voltage across the input terminals differ by so much. [](https://i.sstatic.net/gcUNt.png) [](https://i.sstatic.net/1GrDH.png) [](https://i.sstatic.net/21THF.png)
Discussion:
Comment: The saturation is not at all unreasonable, but the positive level is. Assuming the output starts at zero, what will be the slew rate of the output? So how long will it take for the output to saturate? What is your timebase?
Comment: The slop of the output signal should be -2 volts/sec and I set the initial conditions of Va and Vout to be 0. My Vout signal also hits 2 V instantly which I didn't expect.
Comment: Even though it's a universal op-amp, it's still going to have somewhat realistic parameters inside. That means that your resistor is insanely small and the cap is insanely big. Try a 10k\$\Omega\$ resistor and a 100\$\mu\$F cap -- see if things get better.
Comment: There's not enough info in your picture. I can't see the .TRAN card, for example. So no clue what you are doing there. But looks like the default case of .TRAN 1. If so, the spice program will go through a process of calculating the steady state and initialize things to those values. That's not usually a good thing for integrators without shorting switches available and periodically active. It doesn't start where you think it starts. So it doesn't yield what you wish it would yield.
Comment: In addition to Tim's excellent suggestions about the values (an opamp can't drive amps at its output, except in a very few cases), try setting the UIC checkbox on the .TRAN card, as well. Those two things (value changes and the UIC checkbox) should give you something more as you expect to see.
Comment: Ok, will try. I edited one of the parameters for the Universal Op Amp called iLimit which was set to 25mA so I bumped it up to 999 A. I understand that the current draw is very large but I don't understand the instant increase in the voltage across the output terminal of the Op Amp
Comment: Just added more info to the situation
Comment: If all you need is to integrate a signal, not necessarily with an opamp, [here](https://electronics.stackexchange.com/q/254602/95619) are a few alternatives.
Answer 1 (2 votes):
Here's an example of how to set things up. I've used the LT1800 (which is a rail to rail in/out opamp) to get the maximum range for display purposes. (It's also in the library.) You can set up your voltage rails using separate voltage supplies with drawn images on the schematic. But it really isn't necessary. As you see below, it's just three spice lines. So that's another way to go. (I usually start with 99 and work the numbers backwards as I go in order to avoid LTspice's desire to start with 1 and work upwards from there as you add pictorial voltage sources to a schematic.) [](https://i.sstatic.net/NTUGK.png) As you can see above, the rate of change in the voltage at \$V_\text{OUT}\$ is \$\frac{\text{d}V_\text{OUT}}{\text{d}t}=\frac{5\:\text{V}-\left(-5\:\text{V}\right)}{500\:\text{ms}-0\:\text{ms}}=20\:\frac{\text{V}}{\text{s}}\$. Since you know \$I=\frac{2\:\text{V}-0\:\text{V}}{10\:\text{k}\Omega}=200\:\mu\text{A}\$ then it follows that \$\frac{\text{d}V_C}{\text{d}t}=\frac{I}{C}=\frac{200\:\mu\text{A}}{10\:\mu\text{F}}=20\:\frac{\text{V}}{\text{s}}\$. And that is a match. * * * The .IC card is relatively important if you want to get the largest range. What it does is sets up **_constraints_** on the solver for the initial conditions that it is forced to apply before starting the run. By setting \$V_\text{OUT}=5\:\text{V}\$, I'm forcing it to work out the fact that there will be, initially, \$5\:\text{V}\$ across capacitor \$C_1\$. Note that the .TRAN card uses "UIC" in order to get the run started correctly. The use of UIC means that Spice will not go through the _"initial transient solution"_ step (the so-called "**_ITS_** ") to find the DC solution at \$t=0\$. When you use UIC, the initial value of every single energy storage (voltage and current) device is treated as zero, except for those which are explicitly provided using the .IC card. The .IC card can specify node voltages or else inductor currents. When you don't use UIC, then everything you explicitly provide using the .IC card, gets added as a **_constraint_**. But the **_ITS_** is still permitted to otherwise find initial values based upon a steady state solution... consistent with the given constraints. This last bit may not be what you want here. So I recommend using UIC. If you know, a priori, all of the initial values for the energy storage devices in the circuit, you can use UIC to compute the steady state solution without the transient response leading up to it (that may occur if you instead allowed Spice to first perform the ITS step by not using UIC.) * * * Hopefully, you are able to interpret the above information into your situation with success.
================================================================================
|
Discussion Chain ID: 406677
================================================================================
User asked: ground connection for isolated rs485
Is it necessary to connect isolated grounds for 2 different isolated RS485 nodes? For instance the following isolated RS485 breakout board doesn't have any GND connection in the board. <https://www.mikroe.com/rs485-isolator-click> If I connect them together, will it improve the performance in a noisy environment? According to my understanding signal ground is non isolated part of the supply as shown in figure. Is there anything wrong if I connect signal GND to chassis GND and connecting all isolated GNDs together(Without connecting to signal GND)? Please correct me if I am wrong. [](https://i.sstatic.net/CIP77.png)
Discussion:
Comment: For a proper design you always need a signal ground. There are plenty of the hobbyist level transceiver boards on the market, but they can be used maximum for a point-to-point test to see if the communication works at all
Answer 1 (2 votes):
I wouldn't be concerned too much. In an industrial RS485, usually a shelded cable with two wires (A and B) is used. The shield only sheilds EMI noise and it is connected to the ground. For fairly long distances it is not recommended to connect two grounds together due to compensating currents that will flow trough the shield. Since the two transceivers are floating, they will reach the same potential when connected together. Usually there are also high value resistors connected to signal wire and to ISO_GND and to ISO_Vcc, these are called bleeding resistors and they leak some current to equalize the floating potential. What I really miss are some TVS diodes to protect large potential difference before two devices get connected, but I guess the ADM2682E has inbuilt protection also, so don't worry.
Answer 2 (1 votes):
In principle, being a differential standard, as long as the common mode potential of the interface IC is not exceeded, it should make no difference. These ICs tend to be able to tolerate common mode differences of a few tens of volts. In practice the different ground potentials are commonly brought in close proximity by some form of common-mode termination of the differential lines or just leakage from the ICs. Keep in mind that the output driver specifies its voltages to its own ground, a split termination is all that’s needed to reference the grounds to each other. That saves you the need to add a third wire to the interface. If you expect large AC common-mode disturbances, the communication modules are sufficiently isolated from the equipment, and common-mode termination is not practical or adequate, then yes. Tying the isolated grounds together via a third “field ground” wire would reduce the chance of garbled data and damaged ICs.
================================================================================
|
Discussion Chain ID: 406674
================================================================================
User asked: Nexys 4 DDR doesn't load bitstream from microSD card?
Following the lower half of page 6 of [this PDF](https://www.xilinx.com/support/documentation/university/XUP%20Boards/XUPNexys4DDR/documentation/Nexys4-DDR_rm.pdf), I formatted a 2 GB microSD card to FAT32 filesystem using `mkfs.fat` on Ubuntu and copied `main.bit` from one of my projects. Then I inserted the microSD card onto my Nexys 4 DDR board, made sure the two jumpers are in the correct place (JP2 connected to `SD` and JP1 connected to `USB/SD`). Then I power-reset the board and saw the "BUSY" LED slowly pulsing, indicating that the board is waiting for a valid media to be inserted, according to the PDF. Things I've tried: * **Note first** : I have tried 2 sets of all hardware involved here, including the Nexys 4 DDR board (and the jumpers on it), the microSD card, the USB flash drive (mentioned below) and the USB cable. * Formatted the microSD card in Windows 10 instead of Ubuntu * Verified that the bitstream file is working correctly by downloading to the board via the PROG/UART micro USB port using Vivado 2018.2 software * Regenerated the bitstream using Vivado * Pulled another bitstream file from another project * Renamed the bitstream file (keeping the `.bit` extension) * Replaced microSD card with a 4 GB USB drive inserted into the USB Host port on the board (and changed JP2 to USB) * Powered the board via a 5V phone charger Here's what the board looks like (click to enlarge): [](https://i.sstatic.net/S91KZ.jpg) The microSD card is inserted in the slot on the other side so not visible in the image, as indicated by the arrow on the left. The two squares are JP2 (left) and JP1 (right), as I have correctly (I suppose) configured. What could be a possible cause of this? How can I tell the board to load bitstream from the microSD card?
Answer 1 (1 votes):
There's an open source FAT library called DOSFS that's used in a lot of embedded systems / development boards that seems to struggle with some allocation sizes. For Windows using the `/A:32K` (or as per you comment 16K) format switch to force the allocation unit size seems to fix it, it seems this board suffers from the same problem and probably uses the same library. I encountered a similar problem a while back on an STM32 based project that used to work when the cards were formatted under Windows XP but it stopped working when formatting under later Windows versions so it seems the default allocation unit sizes used by newer operating systems has changed.
Discussion on this answer:
Comment: Note: 8192 allocation size failed with my Nexys4 DDR board. 16K and 32K are accepted. This applies to both microSD cards and USB flash drives.
================================================================================
|
Discussion Chain ID: 406668
================================================================================
User asked: Intuitive Question - effect of capacitor on this common-source stage
I was watching one of Razavi's videos <https://youtu.be/oC2otEX3i0I?t=553> Minute 9:13 He has this circuit [](https://i.sstatic.net/EuLQ4.png) He says that at higher frequencies, the effect of the capacitor becoems more pronounced and that the capacitor will be providing some of the drain current and hence the resistor Rd will have less current through it. The resistor has less current through it, thus a smaller voltage drop across it. Then, he says that because of that the Vout will drop. That makes no sense to me. My reasoning: $$V_{out} = V_{DD} - R_DI_R$$ Now surely, if I_R decreases as Razavi said it would, then of course the voltage drop across the resistor would decrease and hence we would be doing Vdd minus a smaller number, **so Vout should increase and not decrease** So which is it, would Vout increase or decrease at higher frequencies where capacitor has an effect?
Discussion:
Comment: CL is in parallel with Rd, which you aren't including in your reasoning. CL impedance decreases with frequency which means your output is shorted to ground.
Answer 1 (3 votes):
If you ignore non-linear effects, i.e., small signal, Vout neither falls nor rises, it stays the same. The problem lies in that we are speaking about different things. The DC value of Vout (which is the equation you wrote) does not change. However the small-signal (AC) magnitude of Vout goes down as you increase the frequency. More and more of the AC current goes through the capacitor and less and less of the AC current goes through the resistor. But this AC signal is riding on the DC operating point. And that does not change. * * * Nonetheless, if you consider non-linear effects, there will be a change on the DC operating point due to distortion of the AC signal. Consider the components introduced by a quadratic distortion of a sinusoid. This will produce both a second harmonic and a DC component that changes with frequency and input magnitude.
Answer 2 (1 votes):
View that collector node like this [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fi4lxU.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) and we see the node is a Low Pass Filter.
================================================================================
|
Discussion Chain ID: 701555
================================================================================
User asked: How can I implement my binary countdown from the output of JK flipflops to two seven segment displays from 15-0?
[](https://i.sstatic.net/b0VPL.png) I am currently making a 2-way traffic stoplight. The stoplight signals are now fully functional. I have no idea how I can implement the 4 bits (not including my MSB because I just need to display 15-0) from my binary countdown onto the 7 segment. Note: the 7 segment display in my current circuit is just a way so that my countdown timer display will turn off whenever the output of the MSB of my countdown is 1.
Discussion:
Comment: Yuan, if I am skimming this correctly, then you believe you have the right states and the right number of states for your traffic stoplight system and that you now want to add a countdown for a crosswalk when the light is red. Do you have enough states, while red, to countdown all the way from 15 to 1 (and perhaps 0) for one of the directions? (You may. I'm just asking.) And it may be the case that when Q1 is active (oddly arranged) that this is when you want the countdown to start, using the clock input. Is that about it?
Comment: (More info about your design, states, state transitions, and where the 15-0 fits in all of it would be nice to have, as well. Reverse engineering isn't something you should ask of us.)
Answer 1 (0 votes):
Your 7seg driver is a BCD to hex. You would have to use a binary to decimal 7 seg driver, or perhaphs much more easy these days, a simple microcontroller. You could just plug your counter bits into the driver but keep in mind that the output is hexadecimal and might not be what you want.
================================================================================
|
Discussion Chain ID: 406663
================================================================================
User asked: Regulator output current
What is the meaning of output current of the regulator. For example, IC datasheet's written as "300-mA Output Current Capability", the maximum output current must be 300mA, isn't it. What'll happen if I connect this regulator output to 4 ICs, which will consume about 100mA per each IC. Or what'll happen if I connect this regulator output to 2 ICs, which will consume about 100mA per each IC.
Answer 1 (1 votes):
> What'll happen if I connect this regulator output to 4 ICs, which will consume about 100mA per each IC. You'll be asking 400mA from a regulator rated for 300mA. Depending on the regulator it'll either shut down, or deliver 300mA at whatever voltage it can manage, or try to deliver 400mA and burn up, etc. > Or what'll happen if I connect this regulator output to 2 ICs, which will consume about 100mA per each IC. _If_ you haven't run into some thermal pitfall (and power devices can have very deceptive thermal ratings) then the regulator will deliver its rated voltage at 200mA.
Answer 2 (0 votes):
Output current capability is the maximum usable output current the device can source while still maintaining the specified output voltage. As long as your load requires less than 300mA, the device will operate. So in your example with 4 IC's drawing 100mA each, that is 400mA total, which is above the 300mA specified output current, so this will not work. Connecting to two IC's would be a total of 200mA, which is below the specified capability of 300mA, so everything should be fine. Normally the specifications have a little leeway so that if you had 3 IC's drawing a total of 300mA, the regulator should still work, but I would not suggest running this close to the limit....maybe on a bread board test circuit, but never in something going to production builds...history says something that close to the limit will come back and bite you at some point.
Discussion on this answer:
Comment: "So in your example with 4 IC's drawing 100mA each, that is 400mA total, which is above the 300mA specified output current, so this will not work." For this case, which exactly will not work, the regulator or the sink IC or both.
Comment: @Electronicsnewbie: the regulator will likely not work, causing the sink IC to not work. As long as you deliver the correct supply voltage to the sink IC it should work.
================================================================================
|
Discussion Chain ID: 406653
================================================================================
User asked: Expected and actual unity gain bandwidth LM324N
I have an LM324N configured as a unity gain voltage follower. The split rail power supply +/- 4.5V is provided using AA batteries. I am aware that better opamps exist, but this is for study purposes only. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fF6trF.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) As a lab exercise, I am testing performance of the circuit at various input frequencies whilst maintaining a constant input voltage (2V sine wave). The test circuit is soldered onto prototyping board with short traces. At low frequencies (e.g. 10kHz), the output signal closely follows the input signal. However, at 60kHz the output signal is distorted (closely resembling a triangular wave form) and has an amplitude approximately 70% of the input signal. At 1MHz, the output has an amplitude of 0.1V. Reading the datasheet, I understand the LM324N has a Gain Bandwidth Product (GBP) of 1MHz, which suggests to me that I should not expect significant attenuation of the signal at only 60kHz. A GBP of 1MHz suggests an _ideal_ bandwidth of 1MHz at a gain of unity. Is this really achievable and/or have I done something wrong?
Answer 1 (22 votes):
Gain-bandwidth product is a _small signal_ specification. It only applies to signals under which the op-amp circuitry remains in a linear regime. That is on the order of 100mV or less for a conventional differential input stage. With the relatively high frequency 2V you are applying you are well into a _large signal_ regime in which non-linear effects take precedence. The specification that applies in that regime is the slew rate of the amplifier. Slew rate limitations are caused by how fast the internal bias currents are able to charge the internal (compensation) capacitances.
Answer 2 (20 votes):
The LM324 has a maximum output slew rate of 0.5V/\$\mu\$sec, so it not going to be able to accurately reproduce a 2V amplitude sine wave of more than about: \$f_{SR} = \frac{0.5\cdot10^6}{2\cdot\pi\cdot2} \approx 40kHz \$ To see the unity gain-bandwith directly you can reduce your signal amplitude to perhaps 50mV.
Discussion on this answer:
Comment: As soon as I started reading your answer I realised my oversight. I tested the circuit at a range of small signals including 50mV and the gain was as you predicted. Thanks.
================================================================================
|
Discussion Chain ID: 406651
================================================================================
User asked: How do I find the current equations for the RLC Series Circuit?
Let's talk about a RLC series circuit. R, L and C are in series with a battery and a switch. The switch is open. L and C are discharged. At t=0, the switch is closed and the battery (V1) feeds the circuit. To find the equation for the voltage across the capacitor, I apply KVL to the circuit and get this: \$ V_1(t) = Ri + L\frac{di}{dt} + V_C(t) \$ this later turns in to this: \$ \frac{V_1}{LC} = \frac{d^2V_C(t)}{dt^2} + \frac{R}{L} \frac{dV_C(t)}{dt} + \frac{1}{LC}V_C(t) \$ After a few hours or brain melting, I get the final result for the equation of voltage across the capacitor **CRITICALLY DAMPED** \$ V_C(t) = (At + B) \thinspace e^{-\alpha t} \$ **OVERDAMPED** \$ V_C(t) = Ae^{m_1t} + Be^{m_2t} \$ **UNDERDAMPED** \$ V_C(t) = e^{- \alpha t}[K_1 \thinspace Cos(\omega_d t) + K_2 \thinspace Sin(\omega_d t) ] \$ * * * **The question now is: how do I find the current equations for the three cases?** The only thing I can see is that the current on a capacitor is equal to \$ i_c = C \frac{dv}{dt} \$ If R, L and C are in series, the current is the same for the three. So, all I have to do is to take the derivative of the voltage equations, that will give me, if there is no error in my math, the current equations... **CRITICALLY DAMPED** \$ i(t) = e^{-\alpha t}(A -\alpha At -\alpha B) \$ **OVERDAMPED** \$ i(t) = m_1Ae^{m_1t} + m_2Be^{m_2t} \$ **UNDERDAMPED** \$ i(t) = -\alpha e^{- \alpha t}(K1 Cos(\omega_d t) + K_2 Sin(\omega_d t) ] + \omega_d e^{- \alpha t}(K_2 Cos(\omega_d t) - K_1 Sin(\omega_d t) ] \$ Questions: 1. is this how you find the current equations for that kind of circuit, if not, please point me in the right direction. 2. are these equations for the current correct? thanks * * * EDIT: I have found [this page](https://www.intmath.com/differential-equations/8-2nd-order-de-damping-rlc.php) that gives the same equations for current that I have found for voltage (??)
Discussion:
Comment: \$V_C(t)= \frac{1}{C}\int i dt\$, then differentiate the whole of your first equation.
Comment: what equation are you talking about?
Comment: See answer ....
Comment: Your differential equation looks right, but it appears you're lost in actually solving the math. Do you know how to determine if the circuit is under- critically, or over-damped? Do you know how to find the paremeters (\$a\$, \$\alpha\$, etc.)? That part is plain old math, not circuits any more.
Comment: Instead of finding the voltage across C, find the voltage equation across R then divide by R to find I.
Answer 1 (1 votes):
In your first equation, write \$\small V_c= \frac{1}{C}\large \int \small i\:dt \$, then differentiate the whole of this equation (including the constant source voltage). This gives: $$\small 0=R \frac{di}{dt}+L\frac{d^2i}{dt^2} +\frac{1}{C}i $$ Rearranging: $$\small \frac{d^2i}{dt^2}+ \frac{R}{L} \frac{di}{dt}+\frac{1}{LC}i=0 $$ Then the auxiliary equation is: \$\small m^2+\frac{R}{L}m+\frac{1}{LC}=0 \$, etc...
Discussion on this answer:
Comment: Looks nice until the rearranging, but then how is a second derivative equal to the square of the first derivative? \$\frac{d^2i}{dt^2} \ne (\frac{di}{dt})^2 \$
Comment: If I solve this equation, as you say, I end with the same equations for current and voltage. Is that correct?
Comment: It depends which component you're taking the voltage across - the current and voltage are the same shape for the resistor, but not for the capacitor or inductor.
Comment: @U.L. Read about the solution of 2nd order ODE's - the answer to your question is too long to give here, but suffice to say that \$\small m \ne \frac{di}{dt}\$
================================================================================
|
Discussion Chain ID: 406648
================================================================================
User asked: High voltage to low voltage in ps/nanosecond time (Zener/opamp?)
So I have a signal that goes from 0 to ~800volts in 30ns. I would like to use this signal to trigger a camera (input impedance of 50ohm) which takes a max of 10 volts and requires the rise time to be 1ns for this 10 volts. I tried a 10 volt zener diode which works... but delays the signal a lot (not sure why) so I get 10 volts in 8ns instead of 1ns. [People said zeners are made for DC and not so much for high frequencies, so maybe thats why] I then thought of using attenuators to make the signal go from 0 to 10 volts (instead of 800V) in 30ns then use an opamp as a comparator with a 10volt DC battery connected to +Vs and Ref, Vin-, -Vs connected to the negative side of the battery. (and ofc the main signal going to Vin+) Since different opamps got different operating frequencies and slew rates I got this one: THS3491IDDAT Which got a 320 MHz operating frequency and 8 kV/us slew rate [](https://i.sstatic.net/BddsD.png) However, I was getting weird results that I wasnt able to understand and shortly after multiple legs of the op amp broke, so I wasn't able to capture the output signal Here is the input signal which is attenuated using 38dB (div 80) [time scale is 10ns/div and voltage scale is 10v/div [](https://i.sstatic.net/aBAeU.png) Was I doing something wrong? or is there an easier circuit to use? Any recommendation for other opamps that are easy to handle? (this one was tiny) The source is a Rogowski coil with a resistance of 4ohm and inductance of 1.4e-7 H. (1 turn coil). Thanks in advance.
Discussion:
Comment: What is the output impedance of your source? Which Zener did you use, and what value of resistors? What is the minimum your camera can trigger on?
Comment: You have a signal source that provides you with \$\approx 30\frac{\text{kV}}{\mu\text{s}}\$? What's the output impedance of your signal?
Comment: @Ale..chenski The source is a Rogowski coil which got a resistance of 4ohms but not sure about its impedance. (calculated the inducatance to be about 1.4e-7 H) I used 1N5925B for the zener diode which is 10volts and 3 watt. the camera can trigger with 5 volts and max 10volt.
Comment: @jonk well its not 30kv/us per say, it only goes to 800volts in 30ns then goes to 0 after. Not entirly sure about the source impedance, its a Rogowski coil with 1 turn and about 4ohms resistance (calculated induactance of 1.4e-7 H)
Comment: First rule about using op amps as comparators: Don't use op amps as comparators. Get a real (very fast) comparator. Second, do not try to use floating, dead bug construction for nsec response times. You need a proper ground plane and good construction techniques.
Comment: Zener diodes have relatively high capacitance. Use a high speed diode to a 10V source (which can be a zener diode).
Comment: @WhatRoughBeast So opamps aren't reliable? thanks for the suggestion, I wasn't aware that comparators existed (I thought we had to use opamps) Will work on that. If you have any specific component on mind please let me know. I'm in the process of searching for one right now.
Comment: @user287001 so its for triggering a streak camera, which is a camera that can do time resolved images. It does like picosecond time resolution.
Comment: @τεκ So the 800 volts go into a high speed diode to a 10volt zener diode? something like this : https://imgur.com/sSf0msp ?
Comment: @user287001 The light comes from the source not from the camera. the light hits a gold foil, which converts the photons to electrons, then using high voltage plates as in the old TV's, they control the electrons, then these electrons hit a phosphor screen and get converted back to photons.
Comment: You said shortly after your test multiple legs broke off the op amp. for the type of frequencies you're dealing with for those edges, you probably need this on a PCB with plenty of bypass capacitors and a good supply. If you had this bread boarded or wires soldered onto a package, there's no way you're going to have clean edges and I would expect the ringing that you showed.
Comment: @DCMed - Since op amps are intended to operate in their linear range, with the inputs very close to each other, they do not handle large input differentials very well, and they can be very slow to recover from such a condition. Comparators, on the other hand, do handle the condition gracefully. The problem there is that not many will drive a grounded 50 ohm load directly, so you'll need an output buffer.
Comment: @DCMed like this: https://i.sstatic.net/b7YgX.png (1 ohm resistor probably unnecessary)
Answer 1 (2 votes):
Try this [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fKJHvj.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion on this answer:
Comment: +1. To add, I have some feelings that the camera triggers from a regular 5-V TTL signal. Which is 2.4 V.
Answer 2 (0 votes):
Sounds like what you need is a "capacitance speed-up." Take a look at the following. Blue is the source pulse / 100 (so it fits on the scale.) Red is what a resistor + Zener would output. Green is what is output if a "capacitance speed-up" is used. [](https://i.sstatic.net/n7F53.png) Note that the 1N755 is only a 500mW device, and the peak pulse from C1 into it approaches 650mW. Not really a problem for "a few" photos, but it couldn't be run like this continuously. Also note that the speed-up creates a nearly -1v tail... careful.
================================================================================
|
Discussion Chain ID: 406643
================================================================================
User asked: Average Inductor Voltage equals Zero?
Okay I already read this post which answers the question mathematically [here](https://electronics.stackexchange.com/questions/239416/why-is-average-voltage-across-an-ideal-inductor-zero), at the end of the top answer the poster said: "Thus, the only way to keep current from going to infinity is the condition I(T)=0 " So does this means that the indcutor does not have some property that it magically makes any periodic waveform have an average voltage of zero, but WE are setting that integral equal to ZERO and solving for that case? So this thing about "average inductor voltage always equals 0" is more of a rule we must impose on it, rather than something it does on its own? If i apply a voltage to an inductor for 50mS it will rise linearly and i remove the voltage for only 1ms it will return to the initial voltage? thats a periodic waveform if i keep doing it but seems to me it would rise for ever. Which makes me wonder how then is the average zero? and same would apply to a capacitor? This highlighted integral. Basically , will it always equal zero because of some physical trait of the inductor that makes it always be in a steady state, or is this telling me that we must SET it equal to zero to operate in steady state? [](https://i.sstatic.net/DcezO.jpg)
Discussion:
Comment: This is kind of like capacitors, where the average current must tend towards zero. Otherwise, if not, then charge must build up, one way or another, on the capacitor over time. And after enough charge, eventually, it will fail. Similarly, it's the volt-seconds (Webers) that need to stay close to zero for inductors. Webers are the inductor's equivalent to charge on a capacitor. Dividing accumulated charge on a capacitor by some finite time gives you average current. Dividing accumulated Webers on an inductor by some finite time gives you average voltage.
Comment: To DC, an ideal inductor is a short circuit and an ideal capacitor is an open circuit.
Comment: You only get a voltage across an inductor when the current through it varies. So applying a sinusoidal current results in a pure sinusoidal voltage (no constant voltage component - no voltage bias), and the average value of a pure sinusoid over a complete cycle is zero.
Answer 1 (1 votes):
So, that's a rule that applies to perfect inductors with the implied property that Bad Things happen if the current goes to infinity. This is a pretty good model for the real world of power supply design, where long before you get to _infinite_ current you get to _enough_ current so that the magic smoke leaks out of something on your board (usually a chip, but sometimes the inductor or the board itself). So it's only a condition imposed by the inductor in the sense that your circuit is damaged (or at least malfunctions badly) if **you** don't make sure it happens.
Discussion on this answer:
Comment: okay so it is something the designer has to make sure results to be true, and not just a given fact that hey if i throw this inductor here the average voltage and power loss will be zero.
Comment: There are circuit arrangements you can make *around* the inductor to insure that -- basically if the inductor is the circuit element in charge of its current, then that's as far as you need to go. But if you're driving an inductor with a low-impedance source all the time, then it's up to you. Usually in the latter case you rearrange your circuit, or you do something to measure the inductor current and servo it somehow.
================================================================================
|
Discussion Chain ID: 406638
================================================================================
User asked: Low power design, choosing correct buck-boost converter for LiPo battery
I want your opinion on subject considering low power applications. I want to build basic loraWan tracker with Murata Lora module(3V3), and I want to use LiPo battery. What Im struggling with is power design circuit. I want a dc/dc buck-boost converter which can work from very low voltage input(to use maximum from the battery) and very low power consumption. For now Im considering this IC(other suggestions welcomed): <https://www.analog.com/media/en/technical-documentation/data-sheets/3106f.pdf> What do you think about it? Sorry about my bad english.
Discussion:
Comment: Looks like a good choice to me.
Answer 1 (0 votes):
This converter will work but there are much less complex converters available if you dont need all the extras the IC you mentioned is offering. Its also depending on your converter output requirements or rather the input requirements of the circuitry you want to supply. Also there are ICs available with a much smaller footprint which i guess is a factor in a portable application. Consider for example [BD70522GUL](https://www.rohm.de/datasheet/BD70522GUL/bd70522gul-e) from rohm, which is more than 10 times smaller. Also Keep in mind that LiPo batteries are not very happy about getting discharged too low.
Discussion on this answer:
Comment: Well I dont plan on recharging it, just want to max it out as long as it can go. My output current should be around 50mA. Thats why Im considering LTC3106 IC, cause I want lowest possible input voltage to max out the battery, but also very low power consumption. Yet LTC3106 is expensive tho.. Thank you for your answer Jogitech.
================================================================================
|
Discussion Chain ID: 406637
================================================================================
User asked: Altium 17 somehow lost shortcuts, I cannot rotate a part with the spacebar
In both the schematic and PCB I can no longer rotate a part 90 degrees by hitting the space bar. I have tried lots of things, but getting to the context-sensitive help with ctrl-F1 also does not work. I tried assigning 'space' the primary shortcut in edit command-> rotate selection, but then it always prompts me for an angle. I also know I should be able to select a part (which works) and then hit F1 or Control-F1 to bring up a context sensitive menu so I can change things like the shortcuts, but that key is also not assigned correctly so I cant get to the menu to change the shortcuts. Help!?
Discussion:
Comment: Did you try ctrl+space?
Answer 1 (1 votes):
I am using 18 now (which might be wise to update to) but I thought I remember stumbling over this as well. If I remember correctly you have to click on the component and then rotate, not click and hold and then try and rotate within Schematics. Whereas, in the PCB docs you have to click and hold and then hit space bar in order to rotate the component. I see 17 is different then 18 but this shows how to get to the shortcut menu and reassign keys. <https://www.altium.com/documentation/17.0/display/ADES/Altium+Designer+-+((Shortcut+Keys))> Also, you could reset your preferences in the preferences dialog and see if that helps as well. Ultimately, I would recommend moving to 18 as it has some pretty cool features and then all the documents are easy to reference.
================================================================================
|
Discussion Chain ID: 406635
================================================================================
User asked: Low Pass Filter Wrong Pole Location
I wanted to understand and derive an equation of simple low pass filter that shows the location of pole in frequency response graph (Bode plot). [](https://i.sstatic.net/k4fXg.png) So, here is the derivation: $$V_{OUT}=\frac{V_{IN}*X_C}{X_C+R}$$ $$\frac{V_{OUT}}{V_{IN}}=\frac{X_C}{X_C+R}$$ $$\frac{V_{OUT}}{V_{IN}}=\frac{\frac{1}{j\omega C}}{\frac{1}{j\omega C}+R}$$ $$\frac{V_{OUT}}{V_{IN}}=\frac{1}{1+j\omega RC}$$ $$\frac{V_{OUT}}{V_{IN}}=\frac{1}{RC}*\biggl(\frac{1}{j\omega+\frac{1}{RC}}\biggl)$$ In the last equation, term \$\frac{1}{RC}\$ in the denominator should show pole location. To verify this, I entered values of \$ R=10k\Omega\$ and \$ C=10\mu F \$ into LTSpice, whereas I should see pole at \$j\omega=10\$. But for some reason, LTSpice shows me that pole is located at \$j\omega=1.6\$ or \$1.6Hz\$ (that is where -3dB point is located). Even cut-off frequency equation \$f_{cut-off}=\frac{1}{2\pi RC}\$ indicates this specific frequency. **_Did I messed up something, when deriving pole equation? Can anyone explain me a solution to solve this problem?_** [](https://i.sstatic.net/4yfBB.png)
Discussion:
Comment: Since \$\omega=2\pi f\$, just continue your own thoughts one step further:$$\begin{align*}\frac{V_\text{OUT}}{V_\text{IN}}&=\frac{1}{R\:C}\cdot\left(\frac{1}{j\:\omega+\frac{1}{R\:C}}\right)\\\\\\\&=\frac{1}{2\pi \:R\:C}\cdot\left(\frac{1}{j\:f+\frac{1}{2\pi\:R\:C}}\right)\end{align*}$$Now, when discussing frequency, you can use your applied logic to get: \$f=\frac{1}{2\pi \:R\:C}\$.
Comment: @jonk Can you derive same equation but this time for high pass filter? From equation: $$\frac{V_{OUT}}{V_{IN}}=\biggl(\frac{j\omega}{j\omega+\frac{1}{RC}}\biggl)$$ Because I am unable to do so...
Comment: @jonk I don't get it... That means you cannot solve it like you did for low pass filter?
Comment: No. It means your thinking about the proper way was not the formal way. You just got lucky. I simply went with your idea knowing it was accidentally going to work out.
Comment: @Lucky? Why? Anyway, representing pole and zero of high-pass filter with transfer equation (in terms of frequency not radians per second), looks like this: $$\frac{V_{IN}}{V_{OUT}}=\frac{jf}{jf+\frac{1}{2\pi RC}}$$
Comment: I derived that the way you derived equation for low-pass filter. I didn't thought of this way of deriving until you wrote how you did it. So, I did it your way.
Comment: I'll write something up when I have a moment. Basically, this is just complex analysis, though. Have you looked up the absolute value function for complex numbers, yet? (Related to the "argument" of complex numbers.)
Comment: Let us [continue this discussion in chat](https://chat.stackexchange.com/rooms/85761/discussion-between-keno-and-jonk).
Answer 1 (7 votes):
It's just a conversion from radians to degrees. The expression for a capacitor's impedance uses units of radians/sec. for frequency. The simulator is reporting frequencies in Hertz. 10 rad/sec is 1.6Hz
Answer 2 (5 votes):
## Complex Number Diversion Complex numbers have both a Cartesian notation as well as two equivalent polar notations. The Cartesian notation, \$a+b\:i\$, is very hard to use in electronics but it is very easy to plot. A common polar notation used is \$r\left[\operatorname{cos}\left(\theta\right) + i\:\operatorname{sin}\left(\theta\right)\right]\$. But for electronics, expressed as: \$e^{\sigma+i\:\omega}=e^\sigma\:e^{i\:\omega}=e^\sigma\left[\operatorname{cos}\left(\omega\right) + i\:\operatorname{sin}\left(\omega\right)\right]\$. Here, \$r=e^\sigma\$ and \$\theta=\omega\$. If we create a variable \$s\$ such that \$s=\sigma+j\:\omega\$, then the entire polar notation becomes \$e^s\$, which is quite compactly written. Multiplication in the complex domain combines _rotation_ and also _stretching_ (called _scaling_ by mathematicians) in a single action. In Cartesian notation, it is rather difficult to work out the original angles and the resulting angle of rotation. But in polar notation, the effect of multiplication on rotation is quite easy to understand. (You only need to sit down and try out rotation by angle \$\theta\$, but only using Cartesian notation, to apprehend what I mean.) In electronics, \$\omega\$ represents the rate of rotation and \$\sigma\$ represents the vector magnitude (keeping in mind \$r=e^\sigma\$, as \$\sigma=0\$ means a vector magnitude of \$r=1\$.) You can introduce time quite simply by using \$e^{s\: t}\$, where the rotation now is a smooth function of time and the vector magnitude (as a function of time) stays constant _only_ when \$\sigma=0\$. (Otherwise, it spirals outward [not usually a good thing in electronics] or inward [damped.]) When analyzing the frequency response, the vector magnitude stretching aspect isn't used. So \$\sigma=0\$ and only the \$j\:\omega\$ (rotation rate) portion is kept. For that kind of analysis, all that's needed is \$s=j\:\omega\$ (as \$\sigma=0\$.) * * * ## One Pole Low Pass You will shortly see that the one-pole low-pass filter can be completely analyzed from the use of a specialized, simple case. (The same is true for the two-pole low-pass filter, though there is one added _complexity_ then, as you will also soon see.) Let's look at the one-pole RC low-pass filter circuit: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fj6F8Om.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) No surprises here. What is transfer function? It's just a voltage divider network, so: $$\begin{align*}V_\text{OUT}&=V_\text{IN}\:\frac{Z_C}{R+Z_C}=V_\text{IN}\:\frac{\frac{1}{j\:\omega\:C}}{R+\frac{1}{j\:\omega\:C}}\\\\\\\\\therefore\\\\\\\\\frac{V_\text{OUT}}{V_\text{IN}} &=\frac{\frac{1}{j\:\omega\:C}}{R+\frac{1}{j\:\omega\:C}}\\\\\\\&=\frac{1}{1+j\:\omega\:R\:C}\\\\\\\&=\frac{1}{1+j\:\omega\:\tau}& &\text{where }\tau=R\: C\text{, or}\\\\\\\ &=\frac{1}{1+j\,\frac{\omega}{\omega_{_0}}}& &\text{where }\omega_{_0}=\frac{1}{R\, C}\end{align*}$$ Now this doesn't look that bad. But the transfer function can be even simpler if \$R=1\:\Omega\$ and \$C=1\:\text{F}\$ so that \$\tau=\omega_{_0}=1\$. Keeping in mind \$\sigma=0\$: $$\begin{align*}\frac{V_\text{OUT}}{V_\text{IN}} &=\frac{1}{1+j\:\omega}\\\\\\\&=\frac{1}{1+s}\label{1PLP}\tag{Canonical One Pole LP}\end{align*}$$ This single equation represents every one-pole RC low-pass filter in the entire universe. You don't have to analyze anything else, ever again. Just that one equation. It is all there. (Everything else is just _details_.) * * * ## One Pole High Pass Let's look at the one-pole RC high-pass filter circuit: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fuMLnMm.png) No surprises here. What is transfer function? It's just a voltage divider network, so: $$\begin{align*}V_\text{OUT}&=V_\text{IN}\:\frac{R}{R+Z_C}=V_\text{IN}\:\frac{R}{R+\frac{1}{j\:\omega\:C}}\\\\\\\\\therefore\\\\\\\\\frac{V_\text{OUT}}{V_\text{IN}} &=\frac{R}{R+\frac{1}{j\:\omega\:C}}\\\\\\\&=\frac{j\:\omega\:R\:C}{1+j\:\omega\:R\:C}\\\\\\\&=\frac{j\:\omega\:\tau}{1+j\:\omega\:\tau}& &\text{where }\tau=R\: C\text{, or}\\\\\\\ &=\frac{j\,\frac{\omega}{\omega_{_0}}}{1+j\,\frac{\omega}{\omega_{_0}}}& &\text{where }\omega_{_0}=\frac{1}{R\, C}\end{align*}$$ This also doesn't look that bad. But once again the transfer function can be still simpler if \$R=1\:\Omega\$ and \$C=1\:\text{F}\$ so that \$\tau=\omega_{_0}=1\$. $$\begin{align*}\frac{V_\text{OUT}}{V_\text{IN}} &=\frac{j\:\omega}{1+j\:\omega}\\\\\\\&=\frac{s}{1+s}\label{1PHP}\tag{Canonical One Pole HP}\end{align*}$$ This single equation represents every one-pole RC high-pass filter in the entire universe. You don't have to analyze anything else, ever again. Just that one equation. It is all there. (Everything else, again, is just _details_.) * * * ## Intermission In both cases, I've reduced the single-pole RC filters (high- or low-pass) to a very simple fraction. This is the _**analytic**_ form because the values for \$R\$ and \$C\$ have been set arbitrarily to very convenient values. Obviously, this doesn't really do you any good in working out the cut-off frequency, since that actually depends on specific values for \$R\$ and \$C\$. However, it goes to making the point that you can select a special set of values and learn everything there is to learn from the equation without having to repeat similar work over and over again, every time the value of \$R\$ or \$C\$ is changed. Instead, you just keep the curve you have, which is always the same shape, and change the values on the axes. Before returning to either of the above filters, it is useful to take a short diversion into a two-pole low-pass filter (no need to replicate the process for the two-pole high-pass filter, since I've a different point to make and making it doesn't require both.) * * * ## Two Pole Low Pass So what about the two-pole low-pass filter? Let's look at one such circuit first (an unanalyzed form is shown on the right and left for the reader to work out): [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fa3t4R.png) For the left side schematic, it follows: $$\begin{align*}V_\text{OUT}&=V_\text{IN}\:\frac{R\mid\mid Z_C}{Z_L+R\mid\mid Z_C}\\\\\\\\\therefore\\\\\\\\\frac{V_\text{OUT}}{V_\text{IN}} &=\frac{1}{1 +j\:\omega\:\frac{L}{R} +\left(j\:\omega\right)^2\:L\:C}\\\\\\\&=\frac{1}{1 +j\:\omega\:\tau_{_1} +\left(j\:\omega\right)^2\:\tau_{_2}^2}& &\text{where }\tau_{_1}=\frac{L}{R}\text{ and }\tau_{_2}=\sqrt{L\: C}\end{align*}$$ I hope you don't mind that I just shot through some algebraic manipulation there. But the above equation is your two-pole low-pass filter. And I think you can prove this to yourself. (I recommend you also analyze the right-side schematic above, as well.) If you make \$R=1\:\Omega\$, \$C=\frac{1}{d}\:\text{F}\$, and \$L=d\:\text{H}\$, then the above equation becomes: $$\begin{align*}\frac{V_\text{OUT}}{V_\text{IN}} &=\frac{1}{1 +d\:s +s^2}\label{2PLP}\tag{Canonical Two Pole LP}\end{align*}$$ (Yes, I slipped in that \$s=j\:\omega\$ thing on you.) The \$\ref{2PLP}\$ equation is the single equation representing every two-pole RLC low-pass filter in the entire universe. You don't have to analyze anything else, ever again. Just that one equation. It is all there. Everything else is still just _details_. * * * ## Node about the damping value and the dimensionless damping factor Oh! I forgot! What's that \$d\$ there?? It's called the _actual damping value_. It is _not_ unitless and it should _not_ be confused with the _damping factor_ or _damping ratio_ , \$\zeta\$, which is the unitless ratio between the _actual damping value_ shown above and the _critical damping value_ (which in these cases is \$\sqrt{2}\$.) If you want to see the development of a \$2\$\$^\text{nd}\$ order using the dimensionless damping factor, \$\zeta\$, then see this link: [2nd order standard form](https://electronics.stackexchange.com/a/433573/38098). Unlike the passive single-pole low-pass filter, the two-pole low-pass filter has two energy storing elements in it that can _resonate_ together. This allows for _peaking_ to take place, which cannot take place with the one-pole filter. The damping value and/or damping factor is, roughly speaking, the inverse of something called the filter-\$Q\$ or _quality-factor_. You can analyze the magnitude and phase using the complex functions called _**modulus**_ and _**argument**_ to get the magnitude and the phase angle behaviors. The above mentioned link, [2nd order standard form](https://electronics.stackexchange.com/a/433573/38098), provides the formulas for those, as well. * * * ## Intermission Here, it might be appropriate to point out that you can convert a low-pass filter transfer function to a high-pass filter transfer function (and visa-versa) by replacing \$s\$ by \$\frac{1}{s}\$. So, for example, we have the analytic version of the single-pole low-pass function as \$\frac{1}{1+s}\$. If you perform the indicated transformation, you get \$\frac{1}{1+\frac{1}{s}}\cdot \frac{s}{s}=\frac{s}{1+s}\$, which is the analytic version of the single-pole high-pass filter (as previously determined.) * * * ## Cut-off Frequency The cutoff frequency is usually taken to be the point where the filter output is at "half-power." Since power is proportional to the square of voltage, this means that the voltage at the output declines to \$\frac{1}{\sqrt{2}}\$ or about 71% of the input voltage. > An oddity of the insolation difference between Earth and Venus is that Venus' distance to the sun is very close to this (actually about 72%) of the distance of Earth to the sun. So Earth receives about half the solar power, per \$m^2\$, as does Venus. Conversely, the Bond albedo of Earth is slightly less than half the Bond albedo of Venus. This means that Venus reflects away more than twice the solar power that Earth receives and as a result of this the total absorbed insolation on Venus is actually slightly less than the total absorted insolation on Earth. (Earth and Venus have similar surface areas.) Yet the surface temperature of Venus is very much higher than on Earth. To find the cutoff frequency, find where the _**modulus**_ is \$\frac{1}{\sqrt{2}}\$. To compute the modulus of \$H\left(s\right)\$, compute \$\sqrt{H\left(s\right)\cdot H^*\left(s\right)}\$, where \$H^*\left(s\right)\$ is the complex conjugate of \$H\left(s\right)\$. You assume for the moment here that you are only looking at the frequency response aspect, so \$\sigma=0\$ and \$s=j\omega\$ for these purposes. Also, I'll leave the canonical form used for analysis and return to the situation where \$\tau\$ may not be 1. * * * In the single-pole low-pass filter case, this means the modulus is taken from \$\mid\:H\left(j\omega\right)\:\mid\$ $$\begin{align*} \mid\:H\left(j\omega\right)\:\mid &=\sqrt{H\left(j\omega\right)\cdot H^*\left(j\omega\right)}\\\\\\\ &=\sqrt{\frac{1}{1+j\:\omega\:\tau}\cdot \frac{1}{1-j\:\omega\:\tau}}=\frac{1}{\sqrt{1+\omega^2\:\tau^2}} \end{align*}$$ Setting this equal to \$\frac{1}{\sqrt{2}}\$ means: $$\begin{align*} \frac{1}{\sqrt{1+\omega^2\:\tau^2}}&=\frac{1}{\sqrt{2}}\\\\\\\ 1+\omega^2\:\tau^2 &= 2\\\\\\\ \omega\:\tau &=\sqrt{2-1}=1\\\\\\\ \omega &=\frac{1}{\tau} \end{align*}$$ In short, since \$\omega=2\pi\:f\$, it follows that: $$f_\text{cutoff}=\frac1{2\pi\:\tau}=\frac1{2\pi\:R\:C}$$ * * * In the single-pole high-pass filter case, this means the modulus is: $$\begin{align*} \mid\:H\left(j\omega\right)\:\mid &=\sqrt{H\left(j\omega\right)\cdot H^*\left(j\omega\right)}\\\\\\\ &=\sqrt{\frac{j\:\omega\:\tau}{1+j\:\omega\:\tau}\cdot \frac{-j\:\omega\:\tau}{1-j\:\omega\:\tau}}=\frac{\omega\:\tau}{\sqrt{1+\omega^2\:\tau^2}} \end{align*}$$ Setting this equal to \$\frac{1}{\sqrt{2}}\$ means: $$\begin{align*} \frac{\omega\:\tau}{\sqrt{1+\omega^2\:\tau^2}}&=\frac{1}{\sqrt{2}}\\\\\\\ 1+\omega^2\:\tau^2 &= 2\:\omega^2\:\tau^2\\\\\\\ \omega\:\tau &=1\\\\\\\ \omega &=\frac{1}{\tau} \end{align*}$$ In short, since \$\omega=2\pi\:f\$, it is still the case that: $$f_\text{cutoff}=\frac1{2\pi\:\tau}=\frac1{2\pi\:R\:C}$$ * * * Perhaps \$\sqrt{\mid\: H\left(j\omega\right)\cdot H^*\left(j\omega\right)\:\mid}\$ looks like mysterious _**magic**_ of mathematics and isn't otherwise clear to you. So, let me bring you back to the idea of simply plotting complex numbers on a plane and working out the distance, \$r\$, to reach any specific point. I think we can work from there and get to the same place. Let's start with \$H\left(j\omega\right)=\frac{1}{1+j\:\omega\:\tau}\$ and imagine just plotting its point on the complex plane. Before we can do that, we need to convert it to the Cartesian form which is easy to plot: $$\begin{align*} H\left(j\omega\right)&=\frac{1}{1+j\:\omega\:\tau}\\\\\\\ &=\frac{1}{1+j\:\omega\:\tau}\cdot\frac{1-j\:\omega\:\tau}{1-j\:\omega\:\tau}\\\\\\\ &=\frac{1-j\:\omega\:\tau}{1+\omega^2\:\tau^2}\\\\\\\ &=\frac{1}{1+\omega^2\:\tau^2}-j\:\frac{\omega\:\tau}{1+\omega^2\:\tau^2}\\\\\\\ \therefore\\\ a&=\frac{1}{1+\omega^2\:\tau^2}\\\\\\\ b&=\frac{\omega\:\tau}{1+\omega^2\:\tau^2} \end{align*}$$ Now, that's plottable. You can easily compute those two values and place a point at \$\left(a,b\right)\$. From that, I'm sure you realize that we can now compute \$r\$ from this. We have the two legs of the right triangle, so the hypotenuse from the Pythagorean theorem is: $$\begin{align*} r&=\sqrt{\left(\frac{1}{1+\omega^2\:\tau^2}\right)^2+\left(\frac{\omega\:\tau}{1+\omega^2\:\tau^2}\right)^2}\\\\\\\ &=\sqrt{\frac{1+\omega^2\:\tau^2}{\left(1+\omega^2\:\tau^2\right)^2}}\\\\\\\ &=\sqrt{\frac{1}{1+\omega^2\:\tau^2}}\\\\\\\ &=\frac{1}{\sqrt{1+\omega^2\:\tau^2}} \end{align*}$$ And I think you can see that we are exactly back where we were before when computing \$\mid\:H\left(j\omega\right)\:\mid =\sqrt{H\left(j\omega\right)\cdot H^*\left(j\omega\right)}\$. It all works out. There's no magic here. The ideas remain the same. Just notation differences. And you'll simply have to get used to those. * * * That covers the cases for single-pole. You didn't ask about two-pole calculations. But I did provide the equation you could use for analysis. If you follow a similar approach, you can work out those details.
Discussion on this answer:
Comment: Nice. Thank you for your effort here. But, there is still somethings that "bugs me" and I cannot find a solution myself (referring to LPF). You said that magnitude of transfer function can be calculated as calculating value of modulus like this \$|H|=\frac{1}{\sqrt{1+\omega^2R^2 C^2}}\$. But if you calculate magnitude of transfer function from this equation \$ H=\frac{1}{1+sRC}\$ (while ignoring "j"), you get wrong value. Why is that? I know that second equation isn't modulus, but at the end, second equation "origins" from first one.
Comment: Actually, first equation is based on second one.
Comment: Let me show you on example what I mean. If you have \$R=1\Omega\$, \$C=1F\$ and \$f=1Hz\$. Calculating first equation or modulus gives a value of \$|H|=-16.07dB\$, while second equation that "shows" location of pole gives a value of \$H=-17.24dB\$. See the difference? And I assume that only modulus gives the right value, while the other equation doesn't.
Comment: Can you show exactly what you have done when you are solving for \$H\$ in \$\textrm{s}\$ plane?
Comment: @Keno You have to think in 2D now. Not 1D. The magnitude is based upon both the real and the imaginary portions. You can't just add them together and expect a meaningful result. I'm sure you recall how to compute the hypotenuse of a triangle, given the two perpendicular sides? That will work here. But you can't add the value of one side to the other. Right? There's a different computation involved.
Comment: @G36 Today, I'm quite busy with some work. (So I won't be able to add much until at least another 12 hours or so.) That said, I don't understand what you want to see from that short sentence.
Comment: @jonk Sorry for this misunderstanding but this question wast to Keno not for you.
Comment: Also, everything I have learned about poles and zeros in complex domain is covered in this pdf: https://web.njit.edu/~levkov/classes_files/ECE232/Handouts/Frequency%20Response.pdf . In this pdf, writer used rad/sec for x-axis of Bode plot. At some point in that pdf, he enters some value of rad/sec into transfer function as input variable and calculates out magnitude of transfer function (same way I am explaining here)...
Comment: Or not (sorry). I overlooked that after entering some rad/sec value into transfer function, he actually calculates modulus out of that equation - I overlooked those straight lines at start and end of equation "|", which marks transfer function as its modulus. I am so sorry for my bad, I only now noticed my mistake...
Comment: Well done. I'd like to buy your book "The simple art of electronics". :)
Comment: @joeelectro I can't hold a candle to videos by [3blue1brown](https://www.youtube.com/channel/UCYO_jab_esuFRV4b17AJtAw/videos). If you get a chance, view [Euler's and intro to group theory](https://www.youtube.com/watch?v=mvmuCPvRoWQ), [Fourier transform](https://www.youtube.com/watch?v=spUNpyF58BY), [zeta and analytic continuation](https://www.youtube.com/watch?v=sD0NjbwqlYw), and [divergence and curl](https://www.youtube.com/watch?v=rB83DpBJQsE). Or any of his [series of lessons on topics](https://www.youtube.com/channel/UCYO_jab_esuFRV4b17AJtAw/playlists).
Comment: And for those interested in going beyond the short diversion on complex numbers, view this video from 3blue1brown on [quaternions](https://www.youtube.com/watch?v=d4EgbgTm0Bg).
Comment: We got Euler, Fourier, analytic continuation and divergence and curl in our curriculum, but I'm sure he'll be able to upgrade my understanding of it. Thanks for the links, it looks very good.
Comment: @joeelectro I'd like to see him do something on Clifford algebra/analysis and geometric calculus and catastrophe theory (Gilmore), all of which could benefit from his animations and scripts. I'm not sure how he might animate Abraham Robinson's non-standard analysis, but I dislike Dedekind and Weierstrass' way of putting calculus into a cohesive framework. I consider it Rube-Goldberg/ugly by comparison to non-standard analysis. (More intuitive to me, perhaps because I had developed something related before later learning of his work upon exposing my thoughts to a peer decades ago.)
================================================================================
|
Discussion Chain ID: 406630
================================================================================
User asked: How does the transistor topology look like for a gate of this logic inverter?
How does a single inverter gate of [this](https://www.diodes.com/assets/Datasheets/74HCT04.pdf) hex inverter, look like in transistor level? I don't mean the actual photo, but how does the transistor topology look like? Does the BJT inverter (see below), with two resistors, represent the exact topology of the gate of a hex inverter IC?: [](https://i.sstatic.net/galvf.jpg)
Discussion:
Comment: It's not the ***exact*** topology of a gate in a hex inverter IC. For TTL, you might look at this [TTL inverter/NAND discussion](https://electronics.stackexchange.com/a/304722/38098).
Answer 1 (3 votes):
The schematic you show is a very primitive RTL (resistor-transistor-logic) inverter. The datasheet you linked to is for a 74HCT04. The "C" stands for CMOS -- it doesn't use BJTs at all. For some reason, they don't usually show the transistor-level schematics for CMOS gates -- probably because the logic schematic would be totally obfuscated by input and output protection circuits. If you want to see how it's done in other logic families, just look at the datasheets. For example the [7404 datasheet](http://www.ti.com/lit/ds/symlink/sn7404.pdf) from TI covers 7404, 74LS04 and 74S04.
Discussion on this answer:
Comment: @Sparky256: Well, yes, **I** have those books. But they don't seem to be available online anywhere. I'd have to scan them in.
================================================================================
|
Discussion Chain ID: 406626
================================================================================
User asked: What does 1 and 0 mean on this power supply?
I have a Shaw Scientific power supply. On the front there is a switch to set the voltage from 0 to 12 volts. There is an on/off switch. There are connections for ac and also for dc. Then there is a switch with two options, 1 and 0. What could this function be ?[](https://i.sstatic.net/Ag6SA.jpg)
Discussion:
Comment: Shaw appears to be a house brand of the Australian company, MSY. You should contact them by phone and ask if someone here doesn't provide a definitive answer. However, the only intuitive idea I have is that it is +0 or +1 to the setting on the left side, which is only ***even*** numbers. So this allows the selection of ***odd numbered*** voltages, if you want them.
Comment: What would be wrong if you try various combinations and measure the result with a voltmeter?
Answer 1 (5 votes):
If you are referring to the two dials, they are used to set the voltage - hence the label "Set Voltage". At a rough guess you select the voltage you want from the sum of the two dials. The left dial gives you even voltages (multiples of two), and then use the right dial to achieve odd numbers. For example 9V would be selecting the "8" on the left dial, and "1" on the right dial, to give you 8+1=9V. You can select 4V by selecting "4" on the left dial, and "0" on the right dial giving 4+0=4V. You can confirm or reject this assumption by testing the power supplies.
Discussion on this answer:
Comment: That makes sense. I’ll verify the next chance I get.
================================================================================
|
Discussion Chain ID: 701552
================================================================================
User asked: How to add a current limit for a dual rails power supply?
I want to make an adjustable power supply with -18 V and 18 V separately adjustable outputs. I found this [circuit](https://electronics.stackexchange.com/questions/248953/dual-variable-power-supply-with-lm337-and-lm317) might be the best and simplest one to do the job. How can I limit the output current to around 500-750 mA? Or should I just use an efuse? [](https://i.sstatic.net/Yu6kf.png) For the transformer I was planning to use a 24V center tapped, but if it isn't enough to get an 18v output I can replace the transformer no problem.
Discussion:
Comment: Feeding tl431 through 470k + 500k pot makes the KA current a few uA only. For proper work it should be 1mA at least. Try to lower these resistors to 10k.
Comment: Please show your simulation.
Comment: You could build a simple opamp+mosfet current regulator. You will find plenty of examples online if you search for it. Could possibly also power the opamp from the output rails (if it can tolerate such voltage).
Answer 1 (5 votes):
You _can_ use e-fuses (or any fuses) prior to the regulators, or you can do it the classic "active" way: [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fNFyRF.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Choose R1 and R3 according to maximum current permitted \$I_{MAX}\$: $$ R_1 = R_3 = \frac{0.7}{I_{MAX}} $$ The value of 1.2Ω shown will limit current to about 600mA. You should also consider the power that R1 and R3 will dissipate under full load. Here, 600mA through R1 would cause it to dissipate power \$P_{R1}\$: $$ P_{R1} = I^2R_1 = (600mA)^2 \times 1.2\Omega = 0.43W $$ R1 should be rated 0.5W or more. The most power will be dissipated in transistors M1 and M2, when the outputs are short-circuited. In that state M1 and M2 will dissipate about: $$ P_{M1} = IV \approx 20V \times 600mA \approx 12W $$ The regulators will also be dissipating similar power when their outputs are near ground. This is the biggest obstacle when building current limiting systems, and linear voltage regulators. The elements responsible for regulating can get very very hot. In this case, you really need to but the regulators _and_ M1 and M2 on heat sinks, and maybe even put a fan in there. Also, I haven't drawn in the usual capacitors that should accompany the regulators; don't omit them!
Discussion on this answer:
Comment: Thank you for the very helpful answer.. I really appreciate it , however the power dissipation appears to be too too much, is there another topology you can suggest that doesn't require a too big heatsink? I used a DC-DC converters that was capable of 5A and 0-30v with current control, and the heatsink at them was small like 2.5x2.5cm
Comment: Another question please, you said I can use efuses prior regulators, but can and how could that work with the negative supply voltage?
Comment: @Shamooooot A fuse doesn't care what the voltage is. It heats up from current through its own resistance, in either direction. So, you can place a fuse in any path of current (at a regulator input, for example), and when that current exceeds the fuse's rating, it breaks the path.
Comment: I am sorry, I meant Efuse something like TPS25983.. not the conventional fuse..
Comment: @Shamooooot that's a big question, way too big for comments.
Comment: I used a heat sink calculator to calculate the sinks for the FETs and it gave 8cmx8cmx3cm is that what 's expected or how big do you think it should be (without using a fan)
Answer 2 (3 votes):
One of simplest is to make followers with two Darlingtons, references from zeners, and current limiters from 1ohms+bjts (I_lim= 0.6V/1ohm=0.6A). The input voltage should in +-24V to +-35V range. [](https://i.sstatic.net/WC9cK.jpg)
Discussion on this answer:
Comment: In that circuit, there is no feedback from the output to the regulator circuit. Both the line and load regulation are much worse than in the circuit linked to by the OP.
Comment: @AnalogKid That’ right, it doesn’t catch a chip solution regarding precision. But you forgot to mention this can output the voltage from zero volts. That is a big advantage in practise, sometimes even more important than holding precise output.
Comment: Sometimes, but the OP already is content with a 317 output range.
Answer 3 (3 votes):
Every datasheet I've seen for the LM317 and 337 includes an application circuit for a current limiter. Here is a link to the current version of the 317 datasheet. See figure 14: [https://www.ti.com/lit/ds/symlink/lm317.pdf?ts=1707978272869&ref_url=https%253A%252F%252Fwww.ti.com%252Fproduct%252FLM317](https://www.ti.com/lit/ds/symlink/lm317.pdf?ts=1707978272869&ref_url=https%253A%252F%252Fwww.ti.com%252Fproduct%252FLM317) Here is an image grab from that document. [](https://i.sstatic.net/wrsrA.png) If you put this circuits (1-317 and 1-337) in front of the ones in your schematic, there will be two 317/337's in series for each output voltage, one as a current limiter followed by one as the voltage regulator. You will need a minimum of +/-24 V across the filter capacitors. This is fewer parts than the classic 2-transistor current limit circuit. AND, the LM317 is an excellent current regulator. Regulation is based on the value of its internal voltage reference, which is more accurate and far more temperature-stable that the forward voltage of a transistor's base-emitter junction that the classic circuit relies on. Compared to the traditional circuit, this approach requires a higher voltage across the current regulator. But the performance is a huge improvement. Update: Power dissipation in the components can be calculated with Watts Law: P = E x I and Joule's Law: P = I^2 x R The image shows a variable resistor, but many normal small pots cannot handle 750 mA. Better to start with a fixed resistor for a fixed current limit value. Use the given equation to select a standard resistor value. For example, a 1.6 ohm resistor yields a current limit value of 750 mA. Using Joule's Law, the power dissipation at max current is 0.9 W. For better long-term reliability, use a resistor rated for a minimum of 2 W. Power dissipation in the ICs depends on the voltage across the filter capacitors. Please update your question with your transformer output voltage under load and the value of the filter capacitors. As a cross-check, also show the voltage across the filter caps. Below the current limit value, the voltage across the current 317 is fairly constant, and the power dissipation is directly proportional to the output current (Watt's Law). The voltage across the voltage 317 varies inversely with the output voltage. Its power dissipation depends on both the output voltage and current. When the limiter kicks in, things change. The minimum power dissipation in the limit and voltage 317's will be at least 2 W each, demanding heatsinks. More later, after more information.
Discussion on this answer:
Comment: thank you very much, could you elaborate about the expected power dissipation through the regulators and the required resistors wattages roughly?.
Comment: There's a rather big dropout across the 317 and resistor, maybe 3V or so. With a similar dropout for the voltage regulator, that's getting close to a total of 6V at full load. With supply ripple, for 18V out the supply should probably be closer to 26V.
Comment: The OP doesn't say anything about his xfmr, which is why I mentioned a minimum cap voltage. The overall headroom is a bit high, but the circuit simplicity is unmatched. For a relatively inexperienced person, this might be the more important criterion.
Comment: I have updated the question @AnalogKid , but I wanted to ask about the worst case scenario power dissipation required, you mentioned to be at least 2W but what is the power dissipation if the output was short circuited?.
Answer 4 (2 votes):
... @Michal Podmanický and @AnalogKid have tickled my imagination, which is freewheeling roughly in this direction: [](https://i.sstatic.net/CdJsG.jpg) I.e. a long-tailed diff pair to do voltage comparison and negative feedback regulation, plus a current mirror whose emitter ends are used as another differential input, adjustable by a trim-pot, sensing the voltage drop across a shunt resistor. A double diff amp using just four extra BJT's :-) Hans Camenzind is my hero. I haven't simulated the circuit and haven't calculated the resistors, apologies...
================================================================================
|
Discussion Chain ID: 406623
================================================================================
User asked: If I connected two outputs with a wire, one with the information A+B and the other with C+D what would these two combined signals make?
Lets suppose: I connected the output of 2 different OR logic gates: out 1: A+B out 2: C+D with a wire leading out such that these 2 outputs are connected. what would these signals form to make? If I was to somehow 'read' these what would it be?
Discussion:
Comment: but If I was to, What would happen?
Answer 1 (0 votes):
For typical gates, if one wants to put out a high voltage and the other wants to put out a low voltage, they fight each other. Power supply current is high, the chips get hot, and the voltage on that node is at some indeterminate value between logic low and logic high. That's what will happen in your scenario any time A+B does not agree with C+D.
Discussion on this answer:
Comment: would it be possible to ''find'' a Boolean expression for this combined output?
Comment: You are missing the point. There is no valid "Boolean expression" because you are attempting to do a wired "OR" with chips that cannot handle it. You could do it using open collector for TTL or open drain for MOS. The expression would be what Transistor gave you in his answer.
Answer 2 (0 votes):
From the comments: > would it be possible to ''find'' a Boolean expression for this combined output? $$ (A+B) \cdot (\overline {C + D}) + (\overline {A+B}) \cdot (C+D) = smoke$$ No. If you short circuit two logic chip outputs and one is pulling high and the other low then the resultant voltage will be somewhere in the middle and will be an undefined logic level.
================================================================================
|
Discussion Chain ID: 406617
================================================================================
User asked: Timer activated by reed switch on AC solenoid
I am trying to create a 2-digit timer that resets and then starts at the activation of an external AC solenoid, and pauses at the solenoid's deactivation. The circuit I have created (see schematic below) works fine with a neodymium magnet, but not with an AC solenoid (it will only reset the timer, not start it). **Extended explanation:** I work as a barista for a company with various coffeeshops, and in order to improve the quality - and especially the consistency of quality - of our coffee, I want to create an automatic shot-timer for our espresso machines. The time it takes for an espresso (or lungo) shot to complete is important information for a barista to ensure quality, and I want to eliminate the necessity to use separate, manually operated timers. The water supply to the groupheads is regulated by solenoid valves. As I mentioned before, my current circuit (which, as you can see, uses two reed switches) works fine with neodymium magnets, but not with an AC solenoid. It will only reset the timer, and not start it. And when I place the reed sensors inside the espresso machine, near the solenoid valve, the result is a chaotic flickering of the 7-segment display (presumably because of "noise" from all the power cables). I would really appreciate some advice as to how to modify the circuit to get it to work with an AC solenoid, and to protect it from any unwanted interference from nearby magnetic fields (if this is really an issue). Also, this is my first time designing a circuit and a schematic, so any general tips and comments will also be very much appreciated. [](https://i.sstatic.net/pv9Cu.jpg) I have also uploaded a video demonstration of my current breadboard prototype. As you can see in the video, the reed switches are connected with wires, as they will be when I eventually turn this into an end-product, because the display will be on the outside of the espresso machine, with the reed switches inside of it. Also, on this breadboard I have connected only one display and a 4026 IC for the sole reason of keeping it easier to work with. Also I'm using a 9 V battery simply because that is one I have a breadboard connector for. On the eventual PCB I intend to use a 3.3 V button battery. Link to the video (be sure to set to HD): <https://youtu.be/Iy0TjIrrIA4> **Edit:** in the video you can see that sometimes (or more accurately: one time in this video) the timer acts erratically. I believe this to be solely due to the position and approach of the magnet; I can get it to work consistently if I place the magnet right and approach it in the same manner and orientation.
Discussion:
Comment: I use a German ECM E61 system at home. There's a display and a timer there, already. I had a look at the Mirage and I can see why you are considering the idea. There are levers being manipulated and I'm wondering why you didn't simply attach a tiny permanent magnet to something that moves, such that the motion to start causes the magnet to go into proximity of the reed relay. Could you discuss that question? (It's good to have context for questions asked here. +1 for that. I think it shows a respect for the time of others and respect for your own question.)
Comment: Thanks for your reply, jonk. Our mirages are built without levers and use simple push buttons as actuators for the various programmed settings. Using the magnetic field of the solenoid valves seemed like the best way to go without risking to void the warranty of the machines by modifying existing cables or logic boards. (By the way, nice espresso machine to have at home!)
Comment: I wanted something I could actually get into and repair. I was disheartened by looking at typical home espresso machines, their incredibly complex innards almost impossible to repair, etc. So everything was about having access to the service manual, full access to parts at reasonable cost from a variety of sources including the original manufacturer (which they promised, in writing.) I see your point about the button. But isn't there something that "moves" in response to the button, then? Actuator arm? Something? It avoids this entire AC DC question, I think.
Comment: Unfortunately all that moves is the button itself (too small a movement, obviously), and the pin in the solenoid valve (also too small a movement and can’t attach anything to it). Behind the buttons is just a simple pcb that sends an electric signal to the machine’s computer that in turn activates the solenoid valve; no usable mechanical movement.
Comment: That's annoying, but clear to me now. I have been through the process of adding functionality to existing equipment (for example, turning an IBM Model 85 Electronic typewriter into a printer back in 1982 or so) and all the work required to investigate and then design an approach to solving problems like this. This isn't to say that I know how best to approach this. I don't. But if I were tackling this and wanted to create an adaptable unit that was cheap yet full featured, I'd be using an MCU and hall effect. AC and DC vagaries can be "managed in software" easily. Fewer parts, cheaper, etc.
Comment: Thank you very much for the suggestion! It’s late here now but I will most certainly look into that tomorrow! Gets me all excited thinking about a new approach and about all the things I could learn.
Answer 1 (1 votes):
Your circuit looks fine, with 1.5 adjustments. First, add a decoupling capacitor across the power pins of each IC. A typical value is 0.1 uF, such as a small ceramic type. As close as possible to the power and GND pins, with short leads. Second, a minor thing, you can eliminate R20. R18 can pull both Reset inputs down to GND. The problem is that your reed switches are designed to work with a steady magnetic field, such as that from a permanent magnet, while the field around the solenoid is reversing polarity 60 times each second. SW1 is chattering, constantly resetting the counters. SW2 also is chattering, interrupting the clock signal such that the counters would see many more clock edges than intended it they weren't being constantly reset. I completely get your need for a non-contact sensing mechanism, but it does complicate things. The industrial way is to put a small coil of wire near the solenoid, acting like the secondary of an air-core transformer. The coil will produce a very low energy 60 Hz voltage that can be turned into an on/off signal. An alternative is a Hall effect sensor, a solid-state device that produces a square wave that can do the same thing. There are others on this forum with more experience in the today's hobby electronics world. Someone like Adafruit might make a little sensor module to do this.
Answer 2 (0 votes):
I strongly suspect your reed relay is too fast to stay closed during the zero crossings of the AC field. If I'm right, it's resetting and starting the timer 120 times a second. If you put a cap across it, or a debounce circuit, it will probably work.
================================================================================
|
Discussion Chain ID: 406612
================================================================================
User asked: Why is my DC motor making a rattling scraping sound?
The DC motor on my hob extractor fan is making a rattling and scraping sound when I switch it on. I know it is coming from just the motor because I have tried running the motor on its own. What could be causing this sound? How can it be fixed? Thanks!
Discussion:
Comment: Something fell into it, or something inside of it broke. Does it have ventilation holes? Can you peer inside to see if everything looks normal?
Answer 1 (3 votes):
Its almost always bearings. chances are if its scraping already, they'll be right full of tiny metal filings in the grease. If you have the luxury of being able to dissassemble it somewhat, check them all with an IR thermometer or similar, the hot one is the one you want to fix, but perhaps you should give them all a little grease for longevity's sake. then pull the bearing (there are tools, but sometimes you just have to get creative), and just find the same bearing again online... just like electronics, everything's marked and described on the part... or there's a datasheet. I'll entertain the possibility of the brushes being worn out too, but that tends to result in near total failure rather than rattling and scraping
================================================================================
|
Discussion Chain ID: 406609
================================================================================
User asked: Other than direct radiation, how can RF interference transfer between stacked PCBs?
I have VHF aviation radio consisting of 3 boards stacked upon each other: digital, receiver and transmitter, the digital is on ‘top’ with receiver in the middle, there is thick shielding between the transmitter and receiver. The digital uses a reference TCXO at 30MHz, when the boards are laid next to each other on a butterfly board I get good sensitivity. When stacked the sensitivity drops I’m seeing a lot of harmonics of 30MHz near the connector between digital and receiver, and on some other parts of the board including on some power tracks, however no problem when on the butterfly board. But these don’t seem to travel to the receiver directly on the connector since no problem on the butterfly board. I’ve not found any surface track loops so far, and shielding different areas of the digital doesn’t seem to do anything When I filter my signal generator to remove its own harmonics the problem goes, seems like mixing of these and the 30MHz harmonics down to my IF or RF and blocking, and these harmonics must be getting to the receiver BUT since shielding different parts of the digital and the connector has no effect and connecting the boards side by side stops the problem...I’m stumped. I have the problem of reducing the harmonic levels but I first need to find out how they are getting onto the receiver. Removing the standoffs between the digital and receiver has no effect, Using a case on or around the digital and receiver doesn’t effect it
Discussion:
Comment: Coupling on power and control signals is often something you need to take specific measures to prevent.
Comment: The coupling doesn’t seem to be via conduction and I’ve tried shielding. I’ve applied the standard decoupling caps and ferrite beads on all sensitive lines
Comment: How are you shielding the boards? What is on the butterfly board, and how far apart are they? Any inductors on the RF board near the TCXO? How about power supply decoupling? Why do you have a TCXO on a digital board? Is the TCXO output coming over to the RF board? How clean is it? You might have a couple of different interference paths that are combining. The Sensitivity drops? Does that hold across the band? What frequency are you measuring sensitivity? if it's not n* 30 MHz, you may be chasing the wrong thing.
Comment: Either your shielding is not effective (not properly grounded or has openings) or the noise is be being conducted by power or signals.
Comment: I've been shielding using a can (about 2x6cm) which is grounded via a wire, i'm holding this over difference areas, I know this isn't ideal but I would still expect to see some difference Maybe the connector is providing a path for radiation?
Answer 1 (1 votes):
Electric fields will couple everywhere, everywhere water can flow. If there are holes, even if not line-of-sight, the electric flux will enter and upset the nodes behind the shield. The coupling of electric fields, ABOVE A PLANE, drops off as the CUBE of the distance. (thanks to Howard Johnson for writing of this) Thus Efield coupling through the **air** , in the butterfly setup with the spurs adequately low, becomes unacceptable and desenses when the 3 boards are all folded up. ============================================== Do you count Efield (such as parallel-plate or wire-wire or wire-plate) coupling as "direct radiation"? This is all near-field, where the E and H modes are accurately modeled **separately**. Thus if radiation of any form is not the path, you are left with wires. But since "closeness" seems the cause, then Efields or Hfields may be the culprit. Can you make sketches of where these are possible? and can you identify the signal injection levels (such as -140 or -120 dBm) that cause desense?
Discussion on this answer:
Comment: The PCB layout seems to forming a bucket handle shaped path that goes around the board, pass the connector and the reference oscillator. I think the harmonics are getting onto this path and then the connector and onto the 12v on the receiver which goes straight to the receiver front end to bias PIN diodes used for tuning. The problem was reduced to the point of passing by softening the transition gradient of the reference oscillator clock's output buffer, this reduces the harmonic energy by reducing the energy needed at the higher harmonics to produce the clock transitions.
================================================================================
|
Discussion Chain ID: 406602
================================================================================
User asked: Measuring pwm output from low side FET with oscilloscope
I have a n channel MOSFET controlling a high current LED panel. The FET is driven by a FET driver, which is itself driven by a MCU pin. I am using PWM to control the LED brightness. I want to double check the PWM with my scope, to ensure the duty cycle is correct. I can check all along the circuit, and I get proper readings from my scope. If I check the outputs from my FET, I get a garbage reading. This is because, I believe, when the FET is off, the ground clip is disconnected from the ground reference, and it is left floating. How can I check the FET output with my scope, since whenever the pulse is low, the ground reference is no longer connected? EDIT: PWM should be 0-12vdc square wave, 5khz, 10% duty cycle. Also, when I use with the LED, it dims properly as would be expected with PWM, so I'm almost positive it is outputting correctly. [](https://i.sstatic.net/bqiMY.jpg) Scope probe is at 12v, grd clip is at OUT_LED_GND [](https://i.sstatic.net/I4Rsf.jpg) Scope output [](https://i.sstatic.net/Ed2SG.jpg) Scope connections, output LED
Discussion:
Comment: What point are you probing, and where is the ground clip?
Comment: @PhilG added to original post
Comment: You've put the ground clip in the wrong place - **possibly to a dangerous degree** since if the power supply is mains grounded you could easily end up completing the LED circuit *through the scope* and thus either achieving 100% duty cycle in a situation that can't handle that, or putting more LED current through your scope and probe than it was meant to handle. If you feel you can't clip the scope probe to the circuit's *power supply ground*, you are doing something iffy and need to seriously think if your setup is going to be safe or effective.
Comment: @ChrisStratton yeah I made sure it wasn't grounded to the mains. Since the ground is what is switching from my FET output, then there isn't a way to test it from the output? The best I can do is from the logic level stuff? That's what I'm gathering
Comment: A scope isn't made to see its ground changing - it's not a handheld battery powered voltmeter. Instead, use the probe to see the LED's cathode change relative to the power supply ground shared with the scope. You'll see what you want to see, it's just that the waveform will be upside down from what you expect. A modern scope may be able to flip it. Or you can get out the other probe, put it on the LED anode, and select the subtract function. But most people are fine with seeing the cathode voltage as a negative pulse rather than seeing the voltage across the LED as a positive one.
Comment: (You will need *something* connected across the LED output terminals - either the LEDs or the resistor or both)
Comment: @ChrisStratton that worked perfectly. Thank you! I'd accept your answer if you posted it as one!
Comment: It's already there in Edgar Brown's answer.
Answer 1 (1 votes):
For the record, your LED (D2) is connected backwards. But... 1. Place a resistor to Vdd instead of the LED. That would provide you with a +12V square signal driven by the FET. 2. Connect the ground of your oscilloscope to the ground of your circuit (it is likely to already be connected, BTW). I believe you already have a resistor in that position, so the most likely reason for the waveform you are seeing, is that the oscilloscope is shorting the FET. That is you are connecting one side to ground, when the oscilloscope itself is connected to ground. If the oscilloscope was floating, you should be able to see the signal on the resistor.
Discussion on this answer:
Comment: Well D2 is a flyback diode for inductive spikes, OUT_LED_GND is what goes to my LED panel. But with it being a lowside switch, the gnd from the FET is what is switching, not the 12v. That's the problem I'm having
Comment: If your oscilloscope is grounded (they normally are) your FET is not switching anything as its drain is already grounded.
Comment: I can buy that. But even with a bigger load the same thing happens. The issue is that when the FET is off, the ground clip is attached to the drain, which isn't ground anymore, and is left floating?
Comment: Point 2 is key here. The scope ground goes to the circuit's supply ground. The scope probe should go to the FET's drain aka OUT_LED1_GND where the ground clip was mistakenly put. A resistor in place of the LEDs probably won't be necessary but in the unlikely event that the probed signal isn't going high with the FET off one could put a high value pullup resistor in parallel with the LEDs
================================================================================
|
Discussion Chain ID: 406596
================================================================================
User asked: 5V Regulator causing component damage
[](https://i.sstatic.net/QUSps.png)Im using a 5V OKI Murata DC-DC device to power an Arduino UNO R3 and a 4 channel 433MHz receiver. Ive got a 24V DC source which is a bench PSU at the moment. But ive noticed that every so often the RF module would fail as it heats up. Im not sure why but the regulator outputs a steady 4.95V. The regulator is the 5V 1.5A OKI-78SR device which has a current draw of about 8-10mA applied to it with my components. The only thing I can think of is that there might be oscillation or a voltage spike here or there that causes damage to the RF receiver. The data sheet available [OKI Datasheet from here](https://power.murata.com/data/power/oki-78sr.pdf) says that i dont really need external components. I chose the OKI device as i didnt fancy the idea of reducing up to 24V down to 5V using a standard regualtor as it would likely heat up and go boom. So far I have had two RF modules fail, im using the QIACHIP RF module available [RF Datasheet from here](https://www.aliexpress.com/store/product/QIACHIP-433mhz-RX-480-RF-Relay-Receiver-Decoder-Module-Wireless-4-CH-Output-With-Learning-Button/2780158_32843881195.html) I have the wiring correct and I am only using D0 and D1 of the RF module and these are being read by the Arduino digital inputs directly. Are there any external components i should use on the input or output of the DC-DC to prevent this odd issue? It got me confused at this point. Im also driving a 2 channel relay board from the DC-DCs output. The issue did occur when i didnt have it connected but it may be chance, initially i thought it may be floating voltages >5.5V (the maximum input of my RF device) due to the low current draw of <10mA. I may be wrong. If anyone could help I would greatly appreciate it! Thank you guys UPDATE: ive added a schematic just to try and clear things up, if it helps Ive also included a [link to the relay board i am using](https://www.ebay.ie/itm/DC-5V-12V-24V-30A-1-Channel-2-Channel-Relay-Module-Board-High-Low-Trigger-O2L5/352452866606?ssPageName=STRK%3AMEBIDX%3AIT&var=621790513984&_trksid=p2060353.m2749.l2649) for reference.
Discussion:
Comment: Welcome to EE.SE! What makes you think that the DC-DC converter is causing your RF modules to fail? Are these permanent failures, or does the RF module start working again once it cools down? More information on the components/connections involved would help as well
Comment: Your cause of *failure* is likely something else, but there is also a substantial risk of switching mode power supply reducing the weak signal performance of your radio receiver. Also beware the bench supply, some cheaper ones have been caught doing extremely rude things on turn on/off or enable/disable.
Comment: hi, thanks for the welcome! the rf modules seem to heat up and keep doing so and they dont recover as they can longer be programmed using the button. i.e. the pairing button doesnt allow remore fobs to be programmed and the buttons on the fob dont respond anymore. the IC that heats up is located under the clock on the receiver, it can be seen in the pictures in the link in my post.
Comment: i use a power supply from RS components which outputs fixed voltages but it might still be a bit iffy when switching on and off
Answer 1 (1 votes):
Components usually die from overvotlage, when the voltage gets too high for the absolute maximum ratings section. I'll bet this is the culprit of the circuit problems: > It got me confused at this point. Im also driving a 2 channel relay board from the DC-DCs output. Relays without a flyback diode can cause an overvoltage condition momentarily, make sure the relays have a flyback diode. Check the votlage rails with an oscillosope while operating the relays to make sure the voltage does not exceed 5.2 (or whatever the max voltage is for all parts tied to that rail. Make sure you fuse the input to the DC DC converter [](https://i.sstatic.net/VU6FL.png)
Discussion on this answer:
Comment: thanks for the reply. its got a 2A fuse on the input as recomended by the manufacturer. The relays are on a module and are opto isolated.
Comment: Could you supply a schematic, there is a tool if you edit your question
Comment: Hi laptop2d, thank you for your response!
Comment: Hi laptop2d, thank you for your response! I just created a schematic and added it to my original post. I dont know if my 24V voltage divider has anything to do with my issues. with a supply of 24v i get just under 3V out which is within the arduino 5V ADC range. I plan on running this on a battery so voltage spikes shouldn't be a problem. I hope this helps you. Thank you
Answer 2 (1 votes):
As stated in page 19 and 20 of the data sheet, you should use input and output filtering capacitors. I know on the first page it says they aren't required, but they're almost always a good idea. Although, I'm going to highly doubt that the regulator is the case of the component failure.
Discussion on this answer:
Comment: yes, i just saw that and was thinking 22uF @ 50v on the input and a 47uF at 25v or 50v on the output. it might be sufficient, hopefully
Answer 3 (1 votes):
DC-DC converters always have high output voltage ripple. It may damage your IC. You may easily try to add output capacitors to suppress it. MAX output capacitance is defined as 3300uF in datasheet pg.8. If it doesn't work well, think about using DC-DC converter and regulator together. DC-DC converter output noise will be suppressed by the regulator according to the regulator PSRR. Also, there is no heating problem anymore. There is 2 option for this. 1 : find another dc-dc converter to step down from 24V to ~7-8V and then use regulator to supply rf module. 2 : as I see, rf module also work with 3V3. Use dc-dc converter to step down from 24V to 5V and then use another 3V3 output regulator to supply rf module.
================================================================================
|
Discussion Chain ID: 406592
================================================================================
User asked: Understanding the effect of bit depth and sampling rate on SNR
I know the meaning of a 16 bit ADC sampling at 1kHz, but I cannot relate it to SNR contribution to the signal. I also know the concept of aliasing. But even though no aliasing the resolution and the sampling rate of the ADC matters when it comes to SNR. Is there a way to comprhend how these two relate to SNR with an example? How/why does the bit depth and sampling rate contributes to SNR? Maybe bit depth can make sense because ACD cannot resolve more than causing quantization error. Most importantly why SNR is increasing with increasing the sampling rate even beyond the Nyquist freq.?
Discussion:
Comment: I'm not sure if I understand current your question. SNR is a signal to noise ratio. So for example, if we have 8 bit ADC with Vref = 5V. The smallest voltage we can sample is 5V/2^8 = 5V/256 = 19.53mV. And the larges one is 5V. Hence the SNR = 5V/19.53mV = 256 or 48dB. And for 16 bit will have 5V/76.29µV = 65536 = 96dB
Answer 1 (1 votes):
A signal chain with filtering after the ADC will exhibit improving SNR as the sample-rate is increased, because the constant quantization noise becomes spread over a higher span of frequencies, yet the filters are passing a fixed bandwidth.
Answer 2 (0 votes):
For perfect sampling, as long as there's no aliasing increasing the sampling rate does not improve matters. Note that perfect sampling is not a real thing. For perfect sampling with quantization, the quantization has the effect of adding noise into the signal. If you're lucky, the added noise appears to be random. If you assume that the sampling noise is independent from sample to sample and is uniformly distributed, then you can model the sampling process as a bunch of samples, each of which is corrupted by noise with a variance of \$\sigma^2=\frac{1}{12}\$ (if I'm getting my math right). That variance does not change with sampling rate. However, because each sample is independent, the spectral density of the noise _does_ change with sampling rate -- the noise power stays the same, but with faster sampling it's spread out over a wider frequency band. Now go back -- I made the implicit assumption that the input signal was bandlimited, because there's a sampling rate that causes no aliasing. This means that when we sample faster than that rate, our signal is band-limited. That, in turn, means that we can filter the signal. Depending on how you want to look at it, that filter either rejects some of the noise whose spectrum is now spread out by the faster sampling, or it averages out the noise and reduces its amplitude (those statements are equivalent, by the way -- one is the frequency domain explanation, the other is the time domain explanation). So for the right signal, an ADC with quantization noise can perform better by "oversampling". Note, however, that for the _wrong_ signal, you're out of luck. In this case a wrong signal is one where the quantization noise is _not_ independent from sample to sample. An easy example of this is a perfectly constant signal that falls on the edge of a quantization step -- there's an error, but it's also constant. However, there's another process at play -- ADCs are noisy things. A typical 16-bit ADC will have several LSBs of noise. It's often just enough to swamp out the quantization noise. The down side of this is that the noise floor is greater; the upside of this is that the noise is pretty much guaranteed to be independent from sample to sample. In this case, you can **always** improve things by oversampling.
Answer 3 (0 votes):
Nyquist is just related to max frequency in a signal, and equal to 2*f_max. The noise in the incoming signal is based on: 1- environmental noise( input bandwidth is important here) 2- acquisition noise for the first: if you increase sampling rate you often **increase input bandwidth** for capturing the high dynamic version of the signal. We have **at least thermal noise** in the environment that spread in all the world (we have inductive noise, 1/f noise , ...). The thermal noise as an example is spread in all spectrum. <https://en.wikipedia.org/wiki/Noise_(electronics)#Thermal_noise> if you increase bandwidth, you noise power is increased because of a **higher amount of noise pass from input filter**. **acquisition noise** : this is at least quantization noise. the higher quantization noise reduces the SNR. > Most importantly why SNR is increasing with increasing the sampling rate even beyond the Nyquist freq.? if you increase the input bandwidth -> you increase the input noise(ex. thermal noise) and decrease the SNR. **Note** : When SNR increased! If you sample a signal beyond the Nyquist with a filter input with f_max. you generate many input sample. The Nyquist said that 2*f_max is enough for regeneration of signal. But with higher sample rate you have **redundant** input sample. you can use these redundant samples for encreasing SNR.
================================================================================
|
Discussion Chain ID: 406589
================================================================================
User asked: What happens when an op amp misses one of the power rails?
I would like to know what happens when a dual power supply op amp misses one of the power rails and what kinds of damage I can expect for op amp. What prompted this question: I have a analog PID module from SRS (SIM960). It usually works in a mainframe that supplies the power but because of space constraints I had to supply powers myself (+5V for digital and +/-15V for analog). It worked for a while, but yesterday I discovered that -15V connection had been un-plugged by accident, and the PID module was not behaving correctly. I promptly fixed the connection but now the module seems damaged. At least the input pre-amp section is damaged. The (P gain * error) value does not read correctly, and it seems to be at an almost fixed value, not responding to change in polarity, P gain, or error itself. The online manual for SIM960 does not show the schematic diagram, and I don't think I can post a copy of the diagram from the paper manual, so the input preamp section looks like instrumentation amplifier followed by some op amps for proportional gain. All the op amps are OPA228/OPA2228.
Discussion:
Comment: It's dead, get a new one
Comment: Well, I was wondering if I could fix it by replacing several op amps, but I think I'll just ship the unit back for RMA.
Comment: You probably could, not worth it if you dont have a schematic
Comment: @laptop2d, I do have (it's only available with the manual that comes with purchase), but then I am not sure if simply replacing the op amps in the pre-amp stage will do the job.
Comment: if worst comes to worst, you end up replacing everything
Answer 1 (1 votes):
It depends a lot on the topology and the specific devices involved, so without a schematic to review this will be a fairly general answer, but generally the damage conditions are similar to those that occur when a device's IO voltage ratings are exceeded. Essentially, the op-amps power rails will be floating, but likely pulled towards ground (or the opposite supply rail) by all of the devices connected across those same power rails. This includes other ICs, as well as voltage dividers, indicator LEDs, bulk/bypass caps, etc. So as a a starting condition we can assume that the floating rail--which we'll assume is the negative one since that's the case in your situation--is at the same voltage as the positive rail. Thus, _any_ voltage applied to an input or output pin that is less than the positive rail is effectively outside of the op-amps supply rails. On many devices, this will cause current to flow through parasitic junctions or ESD protection diodes from the input pin to the negative supply rail. If the source impedance is low enough, enough current can flow that the floating negative rail can start to be pulled further negative--essentially the negative rail is being supplied through that signal pin. Because these parasitic junctions were never intended to supply current to the entire IC, let alone all of the surrounding circuitry, this can cause them to fail. Likewise, the ESD diodes, if present, were meant to conduct brief surges where, even though the instantaneous current may be substantial, the total energy is limited. Sustained DC current can cause these to fail as well. It's quite common for semiconductors to fail short, in which case, depending on the exact nature of the internal failure, a device may wind up with an input or output pin shorted to a supply rail, or may even wind up with both supply rails internally shorted together, which will obviously disrupt the entire surrounding circuit. More subtle failures may also occur, that simply compromise the internal function of the device. Total failures are common, but partial failures, including changes to device parameters, are certainly possible.
Discussion on this answer:
Comment: Follow-up question: for op amps without internal ESD protection diode, how do parasitic junctions between inputs and power rails physically form?
Answer 2 (1 votes):
It will completely depend on the connections around the op-amp and if those connections allowed the op-amp to exceed its maximum ratings. In nearly all IC processes there are both parasitic and intentional reverse-biased diodes from all pins to the power supply rails. If your op-amp experienced a negative voltage without a negative supply being present those diodes became forward biased and attempted to power the rest of the circuit. If enough current circulated, the op-amp was destroyed. Additionally, transistors have maximum gate-source or reversed base-emitter voltages that are kept in check as long as the bias network is functional. If this fails, individual transistor junctions can be destroyed.
================================================================================
|
Discussion Chain ID: 406588
================================================================================
User asked: PID Run Away Motor Control
I have a PID controlling a DC motor. I am attempting to control the speed of the motor very precisely. My controller allows me to change the direction of the motor and give it a pwm for speed. Therefore, I have a PID that has a plus and minus maximum and minimum. In order to speed up the device and slow down the device quick enough. The output of the PID is for the pwm and therefore is a absolute value of the PID, just changing a direction pin when PID < 0\. I am using the opposite direction of the motor only as a braking system. Thus the motor should always be going in one direction but should slow it self down faster by applying reverse torque. I am writing C firmware in MCUXpresso. The graphs come from sending data over UART to an Arduino to graph data easily. My problem is that sometimes when the process variable hits 0 or close to it, the PID inverts and needs to go negative and thus spins the motor at full speed in the opposite direction. The two pictures below show the certain cases of when it happened. The red line is the set point and the blue line is the process variable. The code controlling the device and PID is below. I am having a hard time understanding why the PID would run away like this. Any help would be amazing. Thank you! [](https://i.sstatic.net/1YqUJ.png) [](https://i.sstatic.net/XOdSX.png) **Main Control** int dir = FORWARD; //Controls direction of motor motorPID.setpoint = vehicleSpeed; motorPID.input = SM_GetRPM(); motorPID.input = motorPID.input * speedConversion; UART_SendPID((uint8_t)motorPID.input, (uint8_t)motorPID.setpoint); PID_Compute(&motorPID); if(motorPID.output < 0){ dir = BACKWARD; } if(motorPID.setpoint == 0){ motorPID.output = 0; } if(motorPID.input > 60){ MC_SetMotorSpeed(0, dir); int test = 0; } MC_SetMotorSpeed(abs(motorPID.output),dir); **PID Code** //Find all error variables self->lastError = self->error; double input = self->input; //Only so input can't change during compute self->error = self->setpoint - input; self->integral += self->error; double derivative = self->error - self->lastError; //Anti-integral Windup if(self->integral > self->Outmax) self->integral = self->Outmax; else if(self->integral < self->Outmin) self->integral = self->Outmin; //Calculate PID self->output = (self->Kp*self->error) + (self->Ki * self->integral) + (self->Kd * derivative); //Set limits if(self->output > self->Outmax) self->output = self->Outmax; else if(self->output < self->Outmin) self->output = self->Outmin; **EDIT: Turns out this was a combined error of the problem described and a hardware issue.**
Discussion:
Comment: Please post the code as text rather than an un-cropped screengrab of the code. That way it will be legible and we can copy and paste it for editing into the answers. Make sure you use the code tag button and format / format it correctly. You might also mention what the development environment and programming language is.
Comment: Sudden huge jumps in a signal like this are often due to problems with integer overflow. If there's any integers in the signal path (MC_SetMotorSpeed, perhaps?) then inspect them or show them.
Comment: Your PID code looks OK, except that you should be incrementing self->integral with error * self->Ki (and not doing that multiplication in the self->output line), or you should be comparing self->integral * self->Ki with self->Outmin and self->Outmax.
Comment: @TimWescott Limiting the integral after multiplying it by Ki looks like this may have been the problem. I appreciate your help and it I should have caught that before. Thank you. If you could put your comment in an answer, it would be the solution for now.
Answer 1 (1 votes):
Try changing the line that reads `self->integral += self->error;` to `self->integral += self-> Ki * self->error;` and match that by changing the line that reads `self->output = (self->Kp*self->error) + (self->Ki * self->integral) + (self->Kd * derivative);` to `self->output = (self->Kp*self->error) + self->integral + (self->Kd * derivative);` That will scale the integral term correctly for your integrator limiting step.
Answer 2 (0 votes):
judging by your graphs, I dont think you are sampling at a high enough rate to achieve stability... This may be the arduino's limitation though, as I am not familiar with the MCUExpresso. Ideally, you should have a mathematical description of your system, such that you have a transfer function, then you can just read off your bandwidth from the transfer function. This bandwidth is also the Nyquist frequency, which is the minimum "acceptable" (using that word loosely) frequency the sample a signal. Normally, you want to sample at around 30-40 times the Nyquist frequency. If this ins't possible, I suggest changing sensors. I encountered similar problems last semester at uni on my project, hope this helps!
Discussion on this answer:
Comment: The graphs are only showing the rate at which data is sent to the arduino. I am not worried about bandwidth in this solution as the sample time on the PID can be adjusted.
Comment: So, if I understood the graph and yourself correctly, the sample number is in the x-axis, and the PWM value is in the y-axis?
Comment: My apologies. I should have made that clear. The x axis is time and the y axis is speed of the motor.
================================================================================
|
Discussion Chain ID: 406587
================================================================================
User asked: Splitting an Analog Signal Without Adding Noise
I am trying to take a current measurement, run it into a PCB that splits the signal, and then output the signal in two places. One of the destinations is a RIO being used for feedback control, the other is a higher sample rate data logger. When splitting the signal from the RIO into an oscilloscope there was a lot of added noise on the signal. This has me concerned that the data logger will see the same messy signal instead of the actual current. What is the best practice method to take a single analog input to a PCB and use it to provide two separate outputs, without the two outputs introducing noise to one another?
Discussion:
Comment: Schematic? What is an RIO?
Comment: @Transistor Programmable I/O. Specifically the CompactRIO from NI
Comment: A schematic would help. How are you taking the current measurement? What sort of noise were you seeing? How was the oscilloscope connected?
Answer 1 (2 votes):
This sometimes happens because of the sample and hold section in the input of data acquisition system. You can try op-amp as a buffer for the input signal. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fM6O0A.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion on this answer:
Comment: It is better to use isolation amplifier, for an acquisition system. RIO works with 220V, that may generate ground loops.
================================================================================
|
Discussion Chain ID: 701544
================================================================================
User asked: Looking for an obscured amplifier
I got this amplifier for a (glas)fiber switch. My guess is that this is originally an audio amplifier. Unfortunately the company that made the PCB obscured the part with a laser engraver. I only removed the name of the company from the pictures. Does anyone know this part? The reason why i want to know the part better is that i can improve the parameter to fit the switch or replace it with an other suitable one [](https://i.sstatic.net/2HdOO.jpg) [](https://i.sstatic.net/TPSK6.jpg)
Answer 1 (2 votes):
If it's an audio amplifier it might be the [TDA1516BQ](https://eu.mouser.com/datasheet/2/302/TDA1516BQ-843523.pdf): - [](https://i.sstatic.net/nqAeR.png) Image taken from [gleeBay](https://www.ebay.co.uk/itm/395125198565?chn=ps&_ul=GB&_trkparms=ispr%3D1&amdata=enc%3A1fL3dQxkTTQyN31pcuXM7qw93&norover=1&mkevt=1&mkrid=710-134428-41853-0&mkcid=2&mkscid=101&itemid=395125198565&targetid=1647205089720&device=c&mktype=pla&googleloc=9046470&poi=&campaignid=19926849521&mkgroupid=147378848803&rlsatarget=pla-1647205089720&abcId=9311021&merchantid=5309806263&gclid=CjwKCAiAibeuBhAAEiwAiXBoJHxchjEMYhHDAGtzdrznR6VJVLLvAggrv0iydioCMEUmmMjKIxo-PRoCM-UQAvD_BwE) A lot of audio amplifiers begin with the letters TDA so it's worth searching for any that don't have a protruding heatsink, have decent sized mounting slots and, have 13 electrical pins arranged down the bottom edge. I advise you to check the pin functions and see if they align with sensible components on the PCB. Also check power supply rails are correct too.
================================================================================
|
Discussion Chain ID: 406580
================================================================================
User asked: How do I make a double dabble circuit with logic gates
Im attempting to make a 8 bit binary calculator that displays on multiple seven segment displays. Can [double dabble](https://en.wikipedia.org/wiki/Double_dabble) be done with logic gates. If so, how?
Discussion:
Comment: You should write more. It's hard for me to know what you really would look back on as a good answer for you from so little writing about what's going on in your mind.
Comment: There's really no reason to use binary arithmetic in a calculator at all. Calculators from time immemorial have used BCD arithmetic throughout. Since electronics is so much faster than humans are, doing everything 4 bits at a time is not a problem.
Comment: I would say you have a two-part question. The double-dabble logic, and then getting the result displayed. I'd go with a microcontroller, send the results to a MAX7219 to drive the display. Then you could also use the display to enter the interim parts of your data entry, + and - signs and what not. The microcontroller will also let you play with added functionality way easier than logic gates that can only do 1 function. But, to each his own ...
Comment: https://electronics.stackexchange.com/a/441405/124362
Answer 1 (4 votes):
For a combinational circuit, [jonk's answer about a double dabble algorithm circuit](https://electronics.stackexchange.com/a/441405/124362) is good. To summarize, all you need is a special component and a layout that matches the double dabble algorithm. [](https://i.sstatic.net/6IiCu.png) Any 4 bit circuit component that can satisfy the "plus 3 if > 4" property will work. That is, the circuit must satisfy this truth table: (The x's are "don't care"s, so the circuit can output any value for those) [](https://i.sstatic.net/cuLcs.png) In disjunctive normal form: [](https://i.sstatic.net/0492f.png) This may be created with an adder, comparator, and multiplexer: [](https://i.sstatic.net/BQVRO.png) Or you can easily implement the DNF equations. If you're clever you might be able to reuse gates since DNF lists each bit independently. If you include a bit of logic to detect if a number is > 4 or not and add a multiplexer, the equations for > 4 simplify further. [](https://i.sstatic.net/OHgjp.png) (Multiple solutions for some output bits) [](https://i.sstatic.net/VuXVH.png)
Discussion on this answer:
Comment: Lovely addition. Definitely a +1. I'll now need to link this in. Hehe. Anyway, thanks so much for your added thoughts. I really like it.
Comment: @jonk Thanks. I have had a great time messing around with Digital. In fact, if you google double dabble circuits, a lot of results are from video game communities that are trying to implement binary to BCD circuits within the mechanics of the game. That is in fact my motivation (redstone in minecraft)
Comment: I wish stack exchange had a built-in way of sharing Digital (the program) circuits
Comment: I really like Neemann's Digital. Their schematic editor is from CircuitLab and they do provide a place for sharing circuits. It would be very nice if there was a way to add Digital here and also to have Digital include a repository of some kind. But I'm sure that would require some kind of monetization Neemann isn't yet ready for. Meanwhile, there is github and codeshare and I'm sure any number of others for just a "place" for things. But nothing officially sanctioned here.
Comment: One suggestion is that you drop the full adder to a half-adder. Neemann's Digital doesn't directly include one (I had to cobble up one of my own.) But it's less logic, by definition. (Obviously, the compare can also be reduced.)
Comment: It can be a full adder without carry-in, but the point is simplicity. Since we are always adding a constant we could simplify the logic even more.
Comment: Yup. The constants allow still further simplification. You should do all that for us!!
Answer 2 (3 votes):
_Any computable function_ can be implemented with _enough_ logic gates if their implementation permits looping outputs back to inputs to construct flip flops, as most real ones do. However, the key thing to realize is that because your algorithm of interest is _iterative_ it is _stateful_ rather than _combinatorial_ \- it requires memory elements such as registers feeding and fed by the combinational logic gates. This would generally make implementing it with only logic gates (some in loop connection to create flip-flops) inadvisable; you probably want a mixture of logic gates and compatible-logic-family register ICs. And more realistically there is no reason other than hobby enjoyment to build this with discrete parts at all. You could for _educational_ purposes build it in a programmable logic device (FPGA, or simply a simulator). But because it is driving a _display_ , ie, something that operates at only human speed, the usual "needs to be blindingly fast and/or parallel" justification for using dedicated logic rather than a small microcontroller isn't really there. So pretty much any modern, "real problem" implementation would do this in software.
Discussion on this answer:
Comment: (On second thought, it is perhaps possible that you could unroll the iterations into one absurdly long and expensive combinatorial path; it would take more time looking at the algorithm to know for sure. But this would not be sensible, especially if wiring up distinct 74xx series ICs, as you'd need to another copy of the logic to implement each of what is usually an iteration of the same operation)
Comment: Great answer for an overly short and vague question that was difficult to get a bead on.
Comment: @jonk I personally think their is enough for the answer i wanted. ( I did leave alot to the imagination :) ) ((sorry))
Answer 3 (-1 votes):
[](https://i.sstatic.net/UGSEu.png) Necro bump, but I just threw this together while researching binary to BCD this evening. This was the first result on google for this topic, so I figured I'd leave this for anyone else looking. Edit: I seem to have received a negative score. I hope I have not posted something wrong or perhaps there is some social faux pas I have performed.
Discussion on this answer:
Comment: I did not downvote, but you probably received a downvote for posting a diagram with no explanation at all
================================================================================
|
Discussion Chain ID: 406578
================================================================================
User asked: Norton's equivalent circuit with independent sources
I need to find the current flowing through \$R_{5}\$ by using Norton's theorem. [](https://i.sstatic.net/FNChF.png) What I tried to do was: 1. Open-circuit the part of the circuit where there is \$R_{5}\$. 2. Calculate \$R_{n}\$ by open-circuiting the independent current sources (that is, \$I_{1}\$) and short-circuiting the voltage sources (\$V_{1}\$). 3. Calculate \$I_{n}\$ by short-circuiting the part where there is \$R_{5}\$. So, 2\. [](https://i.sstatic.net/w67oc.jpg) $$R_{n}=R_{4}+\frac{R_{2}R_{3}}{R_{2}+R_{3}}=7.5ohms$$ 3\. [](https://i.sstatic.net/DarJa.jpg) I used KCL to find \$V_{C}\$: $$\frac{V_{1}-V_{C}}{R_{3}}+\frac{0-V_{C}}{R_{2}}+\frac{0-V_{C}}{R_{1}}-I_{1}=0$$ $$V_{C}=4.18V$$ Then, $$I_{n}=\frac{V_{C}}{R_{4}}=\frac{4.18}{6}=0.696A$$ Apparently, \$I_{n}\$ is wrong, but I can't find any mistake in my reasoning. Any idea?
Discussion:
Comment: Try to write a proper KCL for Vc node. Because now your KCL is not consistent.
Comment: Current through R4 does not feature in your first node equation. Also some signs are wrong.
Comment: @G36 Okay, I checked my KCL, but I still get the wrong result.
Comment: What current direction you have assumed to be "positive" and what "negative"? Do you understand my question?
Comment: @G36 I'm assuming all the currents are coming into the node, and I always leave Vc at the end of the subtraction (v1-vc, 0-vc, etc.). That's what our professor told us. Is it okay?
Answer 1 (0 votes):
> I'm assuming all the currents are coming into the node, and I always leave Vc at the end of the subtraction (v1-vc, 0-vc, etc.) For sure you can do that. But notice that the \$I_1\$ current is leaving the \$V_C\$ node. So the \$I_1\$ current needs to have a different sign. I will show you two cases: **First case:** I will give a **minus sign** if the current entering the node (coming into the node). And the **plus sign** if the current is leaving the node. $$-\frac{V_1 - V_C}{R_3} - \frac{0 - V_C}{R_2} - \frac{0 - V_C}{R_4} + I_1 =0$$ Notice that I give \$I_1\$ the plus sign because \$I_1\$ is leaving the node (current source). **Second case:** Plus sign to all the currents that are entering the node. $$\frac{V_1 - V_C}{R_3} + \frac{0 - V_C}{R_2} + \frac{0 - V_C}{R_4} - I_1 =0$$ Do you know why I give a minus sign to \$ I_1\$? So what is important here is that you always must be consistent with the sign convention you have chosen when you are writing nodal equations. And of course, those two "method" will give the same answer. And we do not take \$R_1\$ resistor into account because \$R_1\$ is in series with the constant current source. Hence, it won't change the current in this branch.
Discussion on this answer:
Comment: But I include R4 in my KCL.
Comment: Okay, I understand now. I have a question, though. The branch where R1 is, is it going to flow only I1 through it? Or it will flow I1 + the diverged current to that branch?
Comment: Only I1 current is flowing in the I1+R1 branch. In series circuit only one current can flow
Comment: Okay, thank you very much. Everything makes sense now.
================================================================================
|
Discussion Chain ID: 406577
================================================================================
User asked: Measuring phase shift between current and voltage with microcontroller
I am trying to understand how this design is used to measure phase shift between current and voltage of an AC signal. From my understand there should be a PWM signal generated on the output. Resistors R3 and R4 are there to drop the 12 V output of the OP amp to 5 V. Resistor R2 is limiting the current through the diodes D1 and D2. However, I do not understand how the voltage drop on R1 and R5 is phase shifted by the same phase as the current and voltage of the source V1. Can someone please explain that? [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2feFyKQ.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) UPDATE: Schematic has been corrected.
Discussion:
Comment: On your circuit, it is not. You are missing the load.
Comment: What load, please explain?
Comment: The only current coming out of your source comes from the measurement setup. Nowhere else.
Comment: Can you please explain it simpler. Where would you add load and why?
Answer 1 (0 votes):
> From my understand there should be a PWM signal generated on the output. Yes, the pulse width being the difference in phase. > Resistors R3 and R4 are there to drop the 12 V output of the OP amp to 5 V. Correct. > Resistor R2 is limiting the current through the diodes D1 and D2. Correct. > However, I do not understand how the voltage drop on R1 and R5 is phase shifted by the same phase as the current and voltage of the source V1. Can someone please explain that? It isn't. The schematic is not correct. One of the transformers should be monitoring the supply voltage so it should be directly across the supply. The other transformer should be monitoring the supply or load current so it should be in series with the load - and there is no load in the schematic! Once the transformer problems are addressed the rest should work. Safety: remove the primary-secondary link at the bottom of XFMR2. * * * [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2faOFkK.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) _Figure 1. Modified schematic showing load connection point._ Note that the load current goes **through** the CT - usually one or a few turns. I've shown the current path in thicker lines.
Discussion on this answer:
Comment: Can you please look at the corrected schematic and check if it is correct now?
Comment: That looks OK now except that R9 is a very high value for the load. What are you actually trying to do and what type of CT do you have? Pop all the information into your question. It's usually a good idea to add an update note to your post to explain the changes otherwise it can make the answers and comments prior to that look totally irrelevant.
Comment: Just experimenting. This might sound odd, but I still do not understand what the load is exactly doing. I need to read up phase shifting.
Comment: Un-accept the answer then until you are fully satisfied. It will encourage others to post answers and you may get some other insights. Your question title says, "*Measuring phase shift between current and voltage ...*" so you need to monitor the current through your light-bulb, AC motor, fluorescent lamp or whatever it is you are checking the phase-shift of. Usually this will be an inductive or capacative load and usually of several amperes up to thousands of amperes. The 10k resistor would only pass 23 mA at 230 V so that was a clue that you were missing some understanding.
Comment: I was interested in testing the phase shift of my network supply. Then I would simply add a resistor in order not to add any additional phase shifting, correct?
Comment: See the update.
================================================================================
|
Discussion Chain ID: 406574
================================================================================
User asked: Electronics interface circuit for PIN Photodiode
I am designing an interfacing circuit for `PIN` photodiode which will be used in `NIR` spectrophotometer project. The PIN diode is `IG22x250S4i` and works in `photovoltaic mode`. The specifications are: 1. Capacitance (@0V): 40pF 2. Forward Voltage: 0.56 V 3. Reverse Voltage Max: 5V 4. Forward Current: 1 mA Max 5. Reverse Current: 0.5 mA (Max) 6. Dark Current: 0.5 uA (at 5 V reverse voltage) 7. Shunt Impedance: 400 - 500 k ohm 8. Wavelength: 1150 - 2200 nm The datasheet of the sensor is over [here](https://www.scribd.com/document/393110187/IG22X250S4i-ds). The application notes and reference circuit is over [here](https://www.scribd.com/document/393110284/IG22x250S4i). Initially, I tried connecting a 10 k ohm resistor in parallel to the diode and observe the response in a `oscilloscope`. I was getting 500mV max when the light source is bought near to the diode. Rather, I realized that due to 50 ohm impedance of probe, I was getting much smaller signal. Later, I picked a random `op-amp` (input bias current in 100 pA) and designed the circuit similar to the one given below (with jumper wire): [](https://i.sstatic.net/Uw0Rc.png) I was getting rail-to-rail signal (3.3V) with that op-amp but it was very noisy. I have now moved to designing a `PCB` with an [opamp](https://www.digikey.in/product-detail/en/analog-devices-inc/AD8616ARMZ/AD8616ARMZ-ND/1971611). I have read this [document](https://www.analog.com/en/technical-articles/optimizing-precision-photodiode-sensor-circuit-design.html) and considered selecting an opamp with `low input bias current`, low `input offset voltage`. But I am confused with bandwidth and slew rate of the opamp for my application. My setup has a single `PIN` diode and a stepper motor. Light after passing through the sample and lens fall on `grating`. The grating splits the light and falls on the diode. The motor moves to capture the whole spectrum. The time required to capture the spectrum is 1 seconds and 3000 points will be taken in that interval. So, one sample will be around `333.3 us`. If I hypothetical consider a peak in spectrum causes an instantaneous jump of `0` V to `3.3` V (of photodiode output) in single point (out of 3000 points), then maximum rate of change of input voltage (to opamp) will be `0.0099 V/ us` and that's how i concluded the slew rate of opamp should be more than `0.0099 V/ us`. I am not confident about my calculation and are looking for similar calculations to calculate required bandwidth of the opamp.
Discussion:
Comment: "I was getting rail-to-rail signal (3.3V) with that op-amp but it was very noisy." Do you mean that it was oscillating? Because that's generally what happens when you take an op-amp that's internally compensated and put together a circuit like that. The photodiode has high capacitance, and op-amps don't like capacitance from \$V_-\$ to ground. Generally you need a cap in parallel with your feedback resistance to kill the oscillation.
Comment: @TimWescott Yes it was oscillating. Can you help me with calculation of capacitor across feedback resistor when we know input capacitance?
Comment: I always do it by experimentation :( !! I think you want \$\frac{1}{2 \pi R C}\$ to be about four times less than the GBW product of the op-amp. That should at least be a good starting point. There's ways to make the circuit faster -- see the [LTC6244 data sheet](https://www.analog.com/media/en/technical-documentation/data-sheets/6244fb.pdf) for detail, although don't think for a second that you have to use that particular amp.
Comment: @TimWescott Are my slew rate calculations right?
Comment: Your slew rate calculations look good.
================================================================================
|
Discussion Chain ID: 406573
================================================================================
User asked: Design example for LED driver output that support 0-10V sinking dimmer
I am trying to come up with a device that can connect to 0-10V wall dimmer(sinking) and convert it to corresponding PWM signal. I have trouble understanding how the 0-10V interface has to be designed on the device to support 0-10V sinking dimmers. Please suggest a low cost option. Example circuit will be greatly appreciated.
Discussion:
Comment: See [Switching circuit for driving LED at different current](https://electronics.stackexchange.com/questions/342458/switching-circuit-for-driving-led-at-different-current-values/342505#342505) and [Dimmable mains PSU control](http://lednique.com/power-supplies/dimmable-mains-psu-control/).
Comment: Thanks for guiding me to those articles, but I am not sure how to supply the small current- constant current. And according to the dimming input circuit, can the Vdd signal be less than 10V to support 0-10V dimming signal. Please forgive my naivety.
Comment: In the linked examples the current source is built into the power supply. I don't know how your wall dimmers are designed.
Comment: Low cost option would be to buy them, e.g. Mean well ELG.
Answer 1 (2 votes):
You really have two separate tasks and they are not related: 1. How to drive a 0-10V dimmer and digitize the signal produced. 2. How to produce a PWM signal based on a value sourced elsewhere. To drive IEC 60929 annex e.2. dimmers you source current from the load device or you power them separately. The standard is 2mA maximum sink, but this varies device to device (load controller). This [Tech note](https://www.legrand.us/-/media/brands/wattstopper/resources/bulletins/controls-compatible-with-industry-standard-ballasts-and-led-drivers-technical-bulletin.ashx) may help you understand. Most 0-10V dimmer controls DO NOT produce a 0-10V signal, they typically produce a 0.5 or 1V low to a 10V high signal. The IEC standard says that at <= 1V the light would be off and at +> 9V the light would be 100%. For example. you can even just hook up a potentiometer to the 0-10V signal point and sink current to the Gnd and get a light to dim. Now to your specific problem, You don't say if you have externally powered (typically a 12VDC supply) dimmers or not. Assuming externally powered. then you just need to provide a current source and maximum voltage to the dimmer, and use a D/A to digitize the signal line. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fMhqZG.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) Use something like an Arduino to digitize the dimmer signal, and produce the PWM signal you want.
Discussion on this answer:
Comment: Thank you for your thorough explanation. Yes this problem is two fold. The second part of converting analog to PWM will be handled by a 8-bit microcontroller (I am planning on using ATtiny 416/816). But my main concern is coming up with a circuit for the primary conversion. The dimmer I wish to use will be standard 0-10V sinking dimmer from Lutron (DVSTV-AL). It does not have it's own 0-12VDC power supply. But my driver has 0-12V supply which I can use to power my conversion device. Can you please help me figure out current source and max voltage with the given 12V aux supply from my driver.
================================================================================
|
Discussion Chain ID: 406568
================================================================================
User asked: Buck-Boost converter not working right when fed by dynamo
So my plan is to charge a powerbank with a bicycle dynamo. I have got it to work with a full bridge rectifier and a linear regulator, it just isn't very effective. I used the following circuit: [](https://i.sstatic.net/IR9iJ.jpg) (The hatched box is the circuit that comes with the powerbank). After some research I found that using a buck-boost converter is way more effective. So I ordered the following from AliExpress: <https://www.aliexpress.com/item/Boost-Buck-DC-DC-adjustable-step-up-down-Converter-XL6009-Module-Solar-Voltage/32661520979.html?spm=a2g0s.9042311.0.0.36774c4dvUq5VL> I connected it to my DC voltage generator to set the voltage to approximately 4.5 V, since that's what the power bank would need. Until here it all worked fine. Then I connected it to my circuit instead of the linear regulator. When I started spinning the dynamo, the output-voltage of the buck-boost converter would rise quickly to 20 or 25 V (probably even more, didn't want to try that though, in fear of breaking it) with only 3 to 4 V input. I also tried it without the capacitor (1500 μF), hoping that would solve the issue, which it unfortunately didn't. I know there are different types of buck-boost converters and I might have picked the wrong kind... Could someone please help me to get this working? Any help is appreciated. Thanks. Edit: The linear regulator I used is a L7805CV, which has an output voltage of 5V. Here the schematics of the circuit I used with the buck-boost converter: [](https://i.sstatic.net/qRSkZ.png) The Capacitor should be big enough. I measured it with an old oscilloscope and it looked fine as far as I can tell (by that I mean it was a more or less smooth line).
Discussion:
Comment: Did you measure the output of the linear regulator?
Comment: When testing the buck boost, did you do it under load? Add a load resistor or some leds with resistor you wouldn't worry about blowing.
Comment: I think you're basically screwed. The [XL6009](https://www.sunrom.com/get/283300) controller on that module is fundamentally a boost converter. The only way to get it to buck is in a SEPIC configuration, and I don't see how the components on the module would achieve that.
Comment: @DaveTweed So what do you suggest I should do? Get another buck-boost converter? Which one would you recommend?
Comment: @winny nothing about this is related to usb handshakes. Nothing.
Comment: @Passerby Calm down!
Comment: @Passerby I tested it again under load (with the actual powerbank) and it stoped doing that thing where the voltage rises that high. However, the output voltage of the buck boost is almost the same as the input voltage (doesn't matter how high that is). So i assume my buck boost is somehow broken. Do you have any recomendations on what else i could use for this purpose or which buck boost i should get?
Answer 1 (1 votes):
The bicycle "dynamo" you have shown in the schematic is an alternator. (A [dynamo](https://en.wikipedia.org/wiki/Dynamo) is an electrical generator that creates direct current using a commutator.) This means that the voltage on the input to your buck-boost converter will be seeing half-wave rectified AC unless the capacitor is big enough to maintain voltage during the valleys. (Why is there no C value shown on the schematic?) If you edit your question to show an accurate schematic of your setup we may be able to help further.
Discussion on this answer:
Comment: The Dynamo is a AC generator then. That's why I used the full bridge rectifier
Comment: OP includes the capacitor value in the question text.
Comment: Sorry, if it was there I missed it.
================================================================================
|
Discussion Chain ID: 406567
================================================================================
User asked: A question on factors affecting the offset removal of an opamp circuit
I will use a function generator module which outputs 0-1V sine-wave for frequencies of interest from 0.5Hz to 30kHz importance. So my input will be 0-1V sine wave but I want to obtain an AC sine wave with 1V amplitude and 0V offset i.e symmetric swing. I also want to achieve this not by using too complicated circuitry. Theoretically below circuit works to eliminate such offset: [](https://i.sstatic.net/EaOfT.png) And here is the output 1V with symmetric swing: [](https://i.sstatic.net/Zrbqh.png) I don't have experience with these but I have couple of questions: 1-) What component in practice should replace Voff for a better accuracy? Voff can be a voltage divider or a reference voltage; but what in practice is better for a reliable offset removal? 2-) The circuit above assumes that the incoming sine is always a 1Vpp with 0.5V offset. What if the Vin's offset varies, is there a solution for that? I mean is there a zero offset Vout solution for a possible varying offset of Vin? I don't know what is the main issue in such circuits so these are the questions I need to figure out. Maybe some other things like power supply stability, opamp type ect. more important. It would be great to hear if some could share experience.
Discussion:
Comment: The simplest "DC-offset removal" is a capacitor. Try 3.3µF capacitor and 1Meg resistor (high-pass filter) at the input of a voltage follower. Or use a voltage divider instead Voff. Connect the voltage divider between Vcc and Vee R1 = 2.2k and R2 = 3.3k
Comment: Are you sure the cap will work down to 0.1Hz input?
Comment: You say 0.5Hz in your question. For 0.1Hz you need a bigger cap
Comment: Im not sure the cap will work well for such low freq.
Comment: AC coupling doesnt pass DC and I might need down to 0.5Hz or even lower freq like 0.1Hz accurate way
Comment: It will. For 0.1Hz you would need 22µF and 1Meg resistor.
Comment: 22uF and 1Meg if set will this work for 30kHz as well? It will let all sort of noise
Comment: It should work fine. Simple test it on the benchtop. And if you do not like this idea (high pass filter ) use a voltage divider instead of Voff.
Comment: Voltage divider will be fixed and will not eliminate if the input offset changes unlike the cap.
Comment: Yes, I know that.
Answer 1 (0 votes):
Within the limits of the frequency band that you are interested in the "easiest" way to remove DC offset from an AC waveform would be to use AC coupling at the input of your amplifier using a suitable capacitor. Another possible way is to sample the input AC waveform with a long time constant low pass filter filters enough to pass just the average value of the AC signal. You could then try to use that filtered voltage to subtract the offset from the original AC waveform. Both of these approaches will self adjust for variation in input signal amplitude and offset. They are not a perfect solutions however because if the changes in amplitude or offset happen too fast they will not be tracked by the long time constants in the respective circuits.
Discussion on this answer:
Comment: I just want to point out that the two approaches are mathematically equivalent. If the pole is the same, both implement the exact same high-pass filter.
Comment: Agreed with the mathematical equivalency.
Comment: Are you sure the cap will work down to 0.1Hz input?
Comment: I need a symmetric sine Im not sure at 0.1Hz it would work.
Comment: AC couupling no good for very low freq close to zero
================================================================================
|
Discussion Chain ID: 406564
================================================================================
User asked: Transformer: Number of turns om primary winding
I'm researching electromagnetism for a guitaramp project. I would like to experiment with different homemade transformers. Find myself stuck trying to get a grip on the effect of the number of turns on the primary winding in relation to the risk of a saturated core. One the one hand more turns imply more inductance according to Inductance (L) = number of turns (N) times magnetic flux(Wb)/current (I). On the other hand it is well known that decreasing the number of turns on primary will increase flux density and the risk of saturation. I guess it must be the relation between number of turns and current that gives the answer, but find it hard to find good explanations. Anyone with a good advice?
Discussion:
Comment: It's not the number of turns that's important, it's the total voltage that determines how much flux you will generate in the core. More turns indeed means more self-inductance, so with AC that limits the current that will flow but not the flux.
Answer 1 (1 votes):
> I guess it must be the relation between number of turns and current that gives the answer Correct - amps x turns is called magneto motive force and it's what drives magnetism and potential saturation. It's related to the magnetic field strength (H) by dividing MMF by the distance the flux path takes around the core so: - $$\dfrac{MMF}{\ell_e} = H$$ And H is related to flux density (B) by the permeability of the core material: - $$B = \mu\cdot H$$ So, too much flux density goes right back to having too many ampere turns. For AC, the inductance of a transformer winding is proportional to turns squared so, if you double the turns you get 4 times more inductance and one-quarter the current for a given voltage/frequency. This generally means that more turns means less core saturation because although the turns might (say) double, the amps reduce to a quarter. The picture below (hopefully and intuitively) explains how inductance is proportional to turns squared: - [](https://i.sstatic.net/xDVfS.png) > Anyone with a good advice? That's dependent on the reader!
Discussion on this answer:
Comment: Thank you for the response. Still trying to grasp it. If we double the turns inductance quardobles and current is reduced to 1/4. How come this doesnt mean that flux is constant? Your explanation relies on MMF being a product of current times turns. But what about induktion that is quardobled?
Comment: MMF is current x turns. I’m not making that part up. More turns means less flux and less induced voltage per turn in the secondary but more turns means overall output voltage is constant. Ie turns ratio defines induced voltage in secondary relative to primary.
Comment: Guess I have to dig more into the relation between current, flux and induction. What determines the current - inductance? Is flux proportional to current and turns? I am surprised that it is so difficult to find intuitive explanations on these relationships. Especially the relation between number of turns and the effect on current in the circut!
Comment: Magnetization current (unrelated to primary referred load current) is related only to the magnetization inductance and that is why we wind so many turns - we try and keep inductance as high as we can to avoid core saturation. But, current in the primary is both mag current and secondary load (referred to the primary) current. It's not that hard once you get your head around it.
Comment: Still reading. Now I dont understand how field strength/flux is proportional til N when inductance is proportional to N squared. As I understand it, induction works through magnetization of the core and can be described L=flux/current. How come this aspect of flux bieng proportional to N and indcutance being proportional to N squared is not more often described? Seem intuitively strange?
Comment: I can't explain why you have not come across this in various texts on the subject. *Induction* (i.e. the production of a secondary voltage) should not be confused with *inductance*.
Comment: And as I see it, this aspect is the explanation to why more turns doesnt leads more flux and saturation but quite the opposite!
Comment: More turns means **much** more inductance and **much** less current. Bring that together and more turns means less flux density
Comment: OK. I get that. Induction will - from 2 to 4 turns - quardouble which leads current to reduce to 1/4. But how can induction quardoble - when flux in core only doubles - i.e. H (field strength)= N (turns) * I (current)?
Comment: If you used one turn of wire in a core you might get 1 uH. However, on further inspection, you found that the "one wire" was in fact two closely wound parallel wires, would you be surprised? OK so far?? If you are with me so far, would it surprise you if both closely wound turns had individually an inductance of 2 uH but, when connected electrically together they made 1 uH? Are you OK so far?
Comment: Do you follow the above. If so, then what inductance would you get if instead of wiring them in parallel, you wired those two wires in series? Inductance (not induction) what I'm talking about here.
Comment: I dont quite get it. The problem is, I think, that induction seems to quardoble when H only doubles. This conflicts with my intuitive understanding of inductance working fra current through flux to MMF. Is it because the coil - so to speak - works twice - generating the magnetic field, and then afterwards generating MMF through the same windings. that would intuitive explain the N squared.
Comment: Sorry about induction/inductance. We are talking inductance.
Comment: Found this conversation:
Comment: Inductance = flux per amp BUT ONLY for a single turn coil. when you add turns things change.
Comment: Found this piece of conversation that mayby sums it up? "Do you mean that, N turns contribute for generating the flux, and once again these N turns contribute in a different way for creating the induction, so that the inductance becomes proportional with N for twice; that is N²? – 5 Yes, they contribute for the first time generating the core flux and the second time "gathering" it.
Comment: I prefer my intuitive approach and I've added an extra picture to my answer. There are words and there are pictures!
Comment: See this link, does it for me;-)) https://physics.stackexchange.com/questions/220623/self-induction-in-a-circular-coil
Answer 2 (0 votes):
For a voltage sourced transformer, which most are, I always use Vt=NAB. Vt is your voltage time area on the primary. N is your primary number of turns, A is the minimum cross section area of the core and B is your peak flux. Voltage-time area makes good sense for SMPS but a bit less so for 50/60 Hz transformers, but see below. Any current source or more likley a choke calculation it's LI=NAB. All units are again in SI. Your L can be written as L=Al*N^2, so you can simplify here depending on if you know your inductance or Al-value. You can derrive Al down to u for the material too and core geometry if you want. For any sine wave input transformer, you can use Urms=4.44fNAB. Aim for 1 T for any laminated steel and most iron powder cores and 0.3 T for ferrite.
================================================================================
|
Discussion Chain ID: 406562
================================================================================
User asked: Can the Kalman gain matrix contain negative values or absolute values greater than 1?
I have implemented an EKF in a power systems application. When I run a simulation in Matlab, in some iterations of the filter I get a Kalman gain matrix (K) with negative values and/or absolute values greater than 1. In some books I have read that the Kalman gain is a real value between 0 an1. Is this correct ? Or is it an indication that something wrong with the Kalman filter?
Answer 1 (1 votes):
Sometimes you can answer a Kalman filtering question using lots of logic and very little math. This is nice, because usually Kalman filtering is this big nasty blob of linear algebra and statistics all mashed together. Take a 1-D system $$ x_n = x_{n-1} + w_n, y_n = -0.01 x_n + v_n $$ At time \$n=0\$, let the "covariance" of \$x_0\$ be \$P = \infty\$, and let our pre-correction estimate of \$x_0 = 0\$. Logically, we know _absolutely nothing_ about \$x\$ until we measure \$y_0\$. At that point, our _logical_ , _very best_ estimate of \$x_0\$ is \$-100 y_0\$. Now if we reverse-engineer that statement, we find that \$K_0 = -100\$ for this problem, at this time. You can do the math on this yourself, formally. You'll probably need to take it in the limit as \$P \to \infty\$ to make the math work, but it'll work. Trust me. I'm an engineer; I know these things.
================================================================================
|
Discussion Chain ID: 406561
================================================================================
User asked: How to get a 24 V signal generated when the input circuit state changes?
So I'm an IT guy with no electrical experience trying to figure this out. How do I set up a circuit that puts out a 24 V signal for a short time or puts out a continuous 24v signal that quickly turns off whenever the inbound circuit state changes? Like when the inbound turns on I need a signal and then when the inbound turns off I need a signal. I have an incredibly stupid industrial molder that will put out a 24 V signal that changes states at the end of every cycle that did not trigger a tolerance alarm. A good part is made, it turns a 24 V signal on. When the next good part is made, it turns it off. If its on and a bad part is made, it remains on, and if it's off and a bad part is made it remains off. We have a LED pace counter that increments the part count whenever it receives a 24 V signal. A continuous 24 V signal will increment it once until it is turned off and back on. I need to figure out how to get this hooked up. I know how to handle this if I had to write a computer program but I have no idea where to even start with relays, circuits, and switches etc. I've tried playing with the setting on the molder device and even contacted the manufacture and they are no help. When I use the settings they tell me to, I get a continuous 24 V out after one part is made. The only consistent cycle I can get that also uses the built in tolerance is by changing some settings and arriving at the above situation. Simply doubling the count increment and having it increment every 2 cycles is not an answer either. I currently have it wired into the circuit that gets triggered every time the safety door gets closes but when line workers get behind, they just open and close the door like 20 times and claim ignorance to what happened. Also, I'm open to any solution, IDK if there's some other product out there that can add some logic to it. Budget is around $100 but as low as possible is best. The post tags may not be appropriate, I honestly have no idea what to tag it.
Discussion:
Comment: If I understand your description, a good part is indicated by the 24 volt signal changing state. There's no change if the part is bad. There are edge detection circuits that traditionally work in the microsecond range, but I'm sure we can come up with a equivalent using relays or similar parts.
Comment: What sucks is the manufacturer is pretty much useless. They explained some settings to me as said if I set a cycle count to 1 it would generate a signal after every good cycle. However it shows a continuous signal and does not trip the counter(after 1 count) when hooked up. I honestly don't know if the "continuous" signal is really continuous or if there is a microsecond drop. so IDK if an edge detection circuit would work. when I set the int count to 2, I get the state change I described above.
Comment: I'm still doing more research. Is this something a plc can do? Originally they were going to put a computer in and use a DAC box and a custom program used on a few other lines (with different machines) but I came in 1 day and they had an LED board installed and said make this work. Can a PLC store a var like past state, and check current state against past on a timer of like every second and send a signal out if different? If not a PLC is there some other device with some basic logic ability?
Comment: Yes - that is what PLCs do. Some of them are under $100 and one of the ways they can be programed is with a BASIC-like language called Structured Text.
Answer 1 (2 votes):
[simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fld6Pq.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) _Figure 1. A circuit based on industrial timers. Top: the desired timing diagram. Centre: the circuit. Bottom: the timing diagram again but showing the internal operation._ Industrial timers are available with DIN rail mounting, etc., and 24 V is the standard operating voltages. They are robust and have plastic enclosures and screw terminals. This solution uses an ON delay and an OFF delay timer. * The on-delay timer output turns on some time after the input turns on. It turns off immediately supply is switched off. * The off-delay timer output turns on immediately with the trigger input. It holds on for some time after the trigger signal has been removed. To maintain output it needs 24 V power. * The changeover contacts of T1 and T2 are wired in opposition so that the output turns on when the status of each does not match. If I have misinterpreted your requirements then please add a timing diagram into your question. You can do this quite well using ASCII art and the code tags as shown below. _____ _____ __| |____| |_____ _ _ _ _ __| |___| |__| |___| |___ * * * Response to PLC answer: You can streamline your PLC solution using the Rising Edge and Falling Edge contacts. These are edge triggered and remain on for one scan of the program. X1 Y0 --|^|---+-------------(SET)---- | X1 | --|v|---+ Y0 +TMR-T1---+ --| |-------------+ 1.000s| +---------+ T1.Done Y0 --| |-----------------(RST)----
Answer 2 (0 votes):
To answer your comment, yes, this is something that can be done with a PIC and some additional circuitry, but if you want to go with transistors or relays it is also possible to implement. The main "problem" is the voltage level of your signals, most circuitry works at lower voltages than that, so voltage conversion becomes necessary for both your input and your output. This is the basic idea (that can be implemented in either hardware or software, I chose the CD40xxx logic family as this is the highest voltage CMOS family, some gates can directly handle 15V): [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fDAm18.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) I would use Schmidt triggers as you might have to deal with relatively slow-changing signals and noisy thresholds. It will also reduce power dissipation in analog elements such as the delay. Note that this can be implemented also with transistors or even relays. The tricky part with relays is possibly the delay element, as a long time constant is not compatible with the relatively high currents needed to operate the coils. Here is a transistor implementation (I might have mixed the connections on the final XOR which would invert the output pulse, but this is the general idea): [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fLPgTL.png)
Discussion on this answer:
Comment: The OP was talking about a PLC not a PIC. PLC's love 24volts.
Comment: I guess I need glasses. But last time I checked PLCs are not less than $100.
Comment: lower case plc and pic do look alike. I googled low cost PLC and see many at $50-$60 and one at $33.
Comment: If PLCs have reached that price range, why do people still bother with making Arduinos do these types of jobs?
Comment: I think they are weird to program
Answer 3 (0 votes):
So, I found the Ace PLC from Velocito for $60 but luckily I guess they keep some proper PLC's laying around. I downloaded the do-more software and PLC sim, did a quick tutorial and I think I wrote ok logic to get what I want done. I just need to get it on one of the PLC's they have laying around and make sure I have the voltage right coming out. Thanks so much to everyone who responded, I honestly expected to get flamed for incorrect tags, posting location, and general lack of knowledge and I am very happy with all of the help. So thank you! [](https://i.sstatic.net/3Uizv.png)
Discussion on this answer:
Comment: See the update to my answer for a streamlined version.
================================================================================
|
Discussion Chain ID: 701543
================================================================================
User asked: Converting PMSM motor differential equation to difference equation/discrete-time implementation
I am researching about sensorless control of PMSM, and currently looking at how to implement the algorithm into code. From this link [Module 9: Position Observer (Part 2/2)](https://community.nxp.com/t5/Model-Based-Design-Toolbox-MBDT/Module-9-Position-Observer-Part-2-2/m-p/748340). I encountered the equations shown below: [](https://i.sstatic.net/dA7nN.png) How did the author come from above equation to the solution below? (from Eq. 17 to Eq.19), which solves for i_gamma, i_delta [](https://i.sstatic.net/57IrO.png) With SISO system I know we can use z transform to derive difference equation which can be implemented in code. However, as this appears to be a MIMO system, I don't know what theory and tool for solving s-domain to the discrete-time domain in this case. I would greatly appreciate any explanation or references to related materials.
Answer 1 (3 votes):
I think that converting those expressions from time domain to Z domain would be an unnecessary complication, since there are time dependent functions being multiplied by each other; for instance \$\omega_{\gamma\delta}(t)L_qi_\delta(t)\$. In this case, we know that fact: _Multiplications in time domain lead to convolution in Z domain and vice-versa_ , what is: $$x_1(n).x_2(n)\longleftrightarrow(\frac{1}{2\Pi j})[X1(Z)*X2(Z)]$$ In other hand, the desired result can be reached simply applying the numeric method of integration known as **Trapezoidal Rule** (notice that Bilinear Transformation is based in this rule, too) : Consider the differential equation below: $$\dot{y}=f(y,t)$$ Integrating it between \$t_k\$ and \$t_{k+1}\$: $$y(t_{k+1})=y(t_k)+\int_{t_{k}}^{t_{k+1}}f(y(\tau),\tau)d\tau$$ Approximating the integral by trapezoids, as shown in the figure below: [](https://i.sstatic.net/NDreT.png) $$\int_{t_{k}}^{t_{k+1}}f(y(\tau),\tau)d\tau=\frac{T_s}{2}\left[f(y(t_{k+1}), t_{k+1}) + f(y(t_k), t_k)\right]$$ Here, I've used \$T_s\$ rather than \$h\$ to stay according the question. Traditionally \$h = t_{k+1} - t_k\$ appears as the integration step (or the sample time). Therefore: $$y(t_{k+1})=y(t_k)+\frac{T_s}{2}\left[f(y(t_{k+1}), t_{k+1}) + f(y(t_k), t_k)\right] \qquad[1]$$ The equations shown in the figure below are that numbered as \$(18)\$ on link you've provided in question (also, \$R\$ was replaced by \$R_s\$): [](https://i.sstatic.net/eNdKq.png) Applying the method in \$[1]\$ with these two first-order differential equations: $$ \begin{align} i_\gamma(k+1)=i_\gamma(k)+\frac{T_s}{2L_d}\left[u_\gamma(k+1)- R_si_\gamma(k+1)+\omega_{\gamma\delta}(k+1)L_qi_\delta(k+1)+e_\gamma(k+1)+ \\\ u_\gamma(k)- R_si_\gamma(k)+\omega_{\gamma\delta}(k)L_qi_\delta(k)+e_\gamma(k)\right] \qquad[2] \end{align} $$ $$ \begin{align} i_\delta(k+1)=i_\delta(k)+\frac{T_s}{2L_d}\left[u_\delta(k+1)- R_si_\delta(k+1)+\omega_{\gamma\delta}(k+1)L_qi_\gamma(k+1)+e_\delta(k+1)+ \\\ u_\delta(k)- R_si_\delta(k)+\omega_{\gamma\delta}(k)L_qi_\gamma(k)+e_\delta(k)\right] \qquad[3] \end{align} $$ The variable \$i_\gamma(t_{k+1})\$ appear in both sides of \$[2]\$, and the variable \$i_\delta(t_{k+1})\$ appear in both sides of \$[3]\$, which are, the desired quantities itself, let's group it and divide the both sides of each equation with the corresponding results (also, replacing \$k+1\$ by \$k\$ and \$k\$ by \$k-1\$): $$i_\gamma(k)= U_{gain}\left[ u_\gamma(k)+u_\gamma(k-1) \right] + W_{gain}\left[\omega_{\gamma\delta}(k)i_\delta(k)+\omega_{\gamma\delta}(k-1)i_\delta(k-1)\right] + E_{gain}\left[e_\gamma(k)+e_\gamma(k-1) \right]+ I_{gain}i_\gamma(k-1)$$ $$i_\delta(k)= U_{gain}\left[ u_\delta(k)+u_\delta(k-1) \right] - W_{gain}\left[\omega_{\gamma\delta}(k)i_\gamma(k)+\omega_{\gamma\delta}(k-1)i_\gamma(k-1)\right] - E_{gain}\left[e_\delta(k)+e_\delta(k-1) \right]+ I_{gain}i_\delta(k-1)$$ Where: $$ \begin{cases} I_{gain}=\frac{2L_d-T_sR_s}{2L_d+T_sR_s} \\\ \\\ U_{gain}=\frac{T_s}{2L_d+T_sR_s} \\\ \\\ W_{gain}=\frac{T_sL_q}{2L_d+T_sR_s} \\\ \\\ E_{gain}=\frac{T_s}{2L_d+T_sR_s} \end{cases} $$ **Notes** * In simulations, the Trapezoidal Rule has a better result when compared with the Euler Method. The later can be unstable and often requires a very low \$T_s\$. * For me, the \$W_{gain}\$ and \$E_{gain}\$ are preceded by negative signs in the expression for \$i_\delta(k+1)\$. * That gains mentioned on the code from your reference, contain additional factors in order to use adequate ranges for the controller (in 14 bit fractional binary, I think).
Discussion on this answer:
Comment: Hi Hirceu. I would like to add more 1 question about the equation: In the part from Eq. 16 to Eq. 17. The first question of Eq. 16 why does the author convert ω_γδ*Lq*i_δ from s-domain to time-domain as ω_γδ(t)*Lq*iδ_(t) while it should be a convolution, am I mistaken?
Comment: @Dinh Thong: Although I am not aware of all the content of the link you mentioned, my statement about convolution stands. Also for the \$s\$ domain, there is a property for convolution in frequency (\$x_1(t)x_2(t)\longleftrightarrow \frac{1}{2\pi j}X_1(s)*X_2(s)\$) and another for convolution in time (\$x_1(t)*x_2(t)\longleftrightarrow X_1(s)X_2(s)\$) for the product of functions. I tried to give an answer that justified obtaining Equation 19 from Equation 17 and made sense. In any case, on the link you've provided, there is a comments section, you could contact author for specific details.
Answer 2 (0 votes):
Re-examining the problem, I came to a solution very similar to the previous ones: [](https://i.sstatic.net/TKaHn.png)
Discussion on this answer:
Comment: Very grateful for your contributions and answers. Surely I will check it out!!
================================================================================
|
Discussion Chain ID: 406557
================================================================================
User asked: VHDL Error " Integer literal is not of type ieee.std_logic_1164.STD_LOGIC_VECTOR."
I'm new to VHDL and I'm getting the following error when I try to compile my code: `** Error: F:\midterm night\assg 3\toplevel_design.vhd(18): near "<byte 0x93>": illegal character found in source` `** Error: F:\midterm night\assg 3\toplevel_design.vhd(18): near "<byte 0x94>": illegal character found in source` `** Error: F:\midterm night\assg 3\toplevel_design.vhd(18): Integer literal 0 is not of type ieee.std_logic_1164.STD_LOGIC_VECTOR.` Seems the problem is `variable memory_block` assignment. library IEEE; use ieee.std_logic_1164.all; use ieee.std_logic_arith.all; entity mem8_16 is port( clk,wr_rd : in std_logic; din : in std_logic_vector ( 15 downto 0); addr : in std_logic_vector ( 2 downto 0); dout : out std_logic_vector (15 downto 0)); end entity; architecture memory of mem8_16 is signal memory_temp :unsigned (127 downto 0); begin process(clk,wr_rd) variable memory_block: integer range 0 to 7; begin if (rising_edge(clk))then case addr is when “000” => memory_block := 0; when “001” => memory_block := 1; when “010” => memory_block := 2; when “011” => memory_block := 3; when “100” => memory_block := 4; when “101” => memory_block := 5; when “110” => memory_block := 6; when “111” => memory_block := 7; end case; if (wr_rd ='1') then memory_temp((memory_block * 16 + 15) downto (memory_block * 16)) <= din (15 downto 0); end if; end if; dout <= memory_temp((memory_block * 16 + 15) downto (memory_block * 16)); end memory;
Answer 1 (1 votes):
The problem is that you have used some sort of word processor to create your source code, and it has inserted left- and right-double-quote characters (" \- 0x93 and " \- 0x94) rather than a proper ASCII double quote (" - 0x22) as delimiters around your string literals. Use a code editor to edit code, and use the word processor to edit documentation. * * * Note also that there's no `end` statement for your `process`.
Discussion on this answer:
Comment: thx alot but i still have a problem with the line `memory_temp((memory_block * 16 + 15) downto (memory_block * 16)) <= din (15 downto 0);`
Comment: What problem is that?
Comment: Error: F:\midterm night\assg 3\toplevel_design.vhd(28): Target type ieee.std_logic_arith.UNSIGNED in signal assignment is different from expression type ieee.std_logic_1164.STD_LOGIC_VECTOR.
Comment: BTW, this is awfully clunky code for creating an 8x16 memory. Why don't you [use an `array`](https://www.nandland.com/vhdl/examples/example-array-type-vhdl.html) like everyone else does? VHDL is already extremely verbose -- why make it worse?
Comment: Exactly what it says: `memory_temp` is declared as `unsigned`. `din` is declared as `std_logic_vector`. You can't assign one to the other without some sort of conversion. But there's no reason for `memory_temp` to be anything other than `std_logic_vector` since that's what `din` and `dout` are.
================================================================================
|
Discussion Chain ID: 406549
================================================================================
User asked: How do memory seats keep track of their position?
I was wondering how do memory seats keep track of their position. Since this kind of equipment existed in 1990's cars, it must be simple yet ingenious. I have been thinking about this for quite a time now and cannot figure out how it works (without tearing apart a donor car). So as to keep it simple, let's only consider the forward / backward position of the seat. Usually, we have buttons for 3 memories. Seats could be using a default position as a reference paired with a duration of movement of the electric motors, but they would need to go back to this position when you press a button to recall a memorized position before moving to the right position. Since they go straight to the right position, I guess it's not how it works. Any idea? Thanks
Discussion:
Comment: Rotary encoders and eeproms. Or comparable parts.
Comment: Thanks! It means the rotary encoder must have some sort of teeth track to drive the encoder's cogwheel, or be driven directly from the electric motors. I kinda see how it works now. Thanks a lot!
Comment: Yeah. It had to be simple back in the 1990s. All we had for memory was scratch marks on slate, but only if you kept a rat bone from the previous week's only meal. Didn't have nonvolatile RAM with battery backup, didn't have EEPROMs or FRAMs. Didn't have encoder wheels with gray code. It's a miracle any of us made it out of the 90s alive.
Comment: Went here to get answers, wasn't expecting such a level of sarcasm. Sorry for not having the same knowledge as you do.
Comment: Slotted rotary encoders are used. So the saved position could be relative to the power on Reset with a new battery. End stop switches define the range.
Answer 1 (1 votes):
The automotive industry has spent a lot of years on designing feature for a low cost. The most likely mechanism used in this case, is a simple contact that is triggered once for each revolution of the motor. The seat position is then memorised in revolutions from the zero state, which is defined by and end switch at one extreme of the range.
Discussion on this answer:
Comment: Seems feasable, storing the revolutions count would be the same as storing the value from a rotary encoder, as suggested by @Passerby
Comment: This would be easy to check. If the seat goes to a "home" position before an adjustment, it's like a relative encoding, like a pulse-per-revolution would provide. I have a feeling its an absolute encoder, however
Comment: @ScottSeidman if the system is very sure about its position all the time, then it maybe needs to do this only once at the factory and can move from the last saved position. Sounds a bit dodgy though, if the seat is moved by force...
Comment: @Arsenal -- I suppose it can store current position in non-volatile memory continuously, to survive a battery change or a blown fuse, but that would involve many writes.
Comment: You overestimate how often people move their seats or set their favorite position. But most cars with automatic seats will have a recalibration process in their service manual, for when seats are worked on.
================================================================================
|
Discussion Chain ID: 406547
================================================================================
User asked: Need to identify this chip on camera lens mainboard
I need to identify this chip in order to replace on an expensive camera lens. The code TF1 and TF2 are printed on the board to signify the issue is with the focus motor control. The core is 1mm thick by 3.5mm length. [](https://i.sstatic.net/l9ngq.jpg) ([Image source](https://drive.google.com/open?id=1HRSTUt-aTVPuPgKKjWRTxV_4gjgWCdXO)) * * * [](https://i.sstatic.net/577Ev.jpg) ([Image source](https://drive.google.com/open?id=19SC0EAcDManYIGTpLNsQaSksOqryN5gb)) * * * [](https://i.sstatic.net/c4y4g.jpg) ([Image source](https://drive.google.com/open?id=1CAo2hxbUneItw4ao-T-yz4GZ7sgiZLTt)) * * * Thanks in advance.
Discussion:
Comment: That is an inductor/transformer, not an integrated circuit (hence the TF designation).
Comment: That is a transformer, hence the identifier TF1. Unfortunately, being from a mass produced lens, it is likely to be custom made. However, with a bit of luck we can find out if there is a replacement for it, if you give us some more details of what other parts are around it, for example what chip drives it. If we can find which chip drives this transformer, and we find its datasheet (a very big if), there we might find some hints to what it is. Alternatively, have you searched for a schematic for your lens online?
Comment: I have tried finding the data sheet with no avail. The board is from a Sigma EX APO DG 70-200mm 1:2.8 II Macro HSM https://drive.google.com/open?id=1CAo2hxbUneItw4ao-T-yz4GZ7sgiZLTt https://drive.google.com/open?id=19SC0EAcDManYIGTpLNsQaSksOqryN5gb i believe the connection comes from the 8202 820
Comment: Some size measurements would help in narrowing it down, but as user156047 says, it could well be a custom wind, even if it is on a standard core.
Answer 1 (1 votes):
Those are transformers and it is very likely the these were custom-made for this circuit (even if the core is standard, the coil windings are unlikely to be). So I doubt you would find a replacement unless you go through an authorized manufacturer/repair channel. However, being transformers it is very unlikely that these parts are damaged. You have to either burn the coils or crack the insulation to make that happen, both of which are somewhat unlikely in low-power circuitry. Furthermore, the ferrite body does not seem to have undergone any overheating. If you are so compelled, you can test the continuity of the parts and their impedance with an LCR meter. You should be able to determine if there is an obvious issue (e.g., shorted or open windings). But I would look at other surrounding parts first.
================================================================================
|
Discussion Chain ID: 406541
================================================================================
User asked: Maximum via frequency
I am designing a 18 layer, 2.5mm board using the material FR408HR and I am wondering about maximum via frequency, because I should use them for PCIe 2.0 (5 Gbps). * I have not found a specific information o formula to calculate via maximum frequency (as for example stub maximum frequency formula). * Using Saturn PCB, with our via parameters, I can find the impedance, and adjust the antipad to obtain 50 ohms and try to minimize via reflections. However, I don't know what means the resonant frequency of a via. * Using Polar Si9000e, the via check tool allow to me to find the maximum bit rate or frequency for a via. However, I do not understand why the maximum bit rate is the double of the maximum frequency (as in the image). [](https://i.sstatic.net/7MpQi.png) [](https://i.sstatic.net/veGkj.png)
Discussion:
Comment: I believe you know more than me. i will just add few cents. See the equivalent circuit of Via, which will be a RLC circuit (different combinations) which will have resonant frequency.Whether it will affect the signal quality or not? Simulate R,L and C of that via.
Answer 1 (0 votes):
There are several schools of thought about this topic, but I'll put in my experience, but I'm sure others will have a different opinion. I have designed Automatic Test Equipment (ATE) boards for several years; these boards were meant to fit between the ATE and the DUT, in my case it would be a new Chip out of the fab. Knowing this, the boards I would have to design had to be transparent to the system and signal integrity was the priority, which meant a lot of layers, anywhere between 16 and 56, and a solid ground plane at every other layer. All traces had to have a 50 Ohm impedance, 100 Ohm differential, or any other impedance required by the specific system. Most of the devices tested had hi-speed busses, such as DDR3 or Gb Ethernet, which meant that extra care was required. We used 50 Ohm vias, and a very careful use of the layers, in order to avoid stubs, and if that was not good enough, back drilling would help us out. Because these boards were hugely expensive, we had to take all of these precautions, but there examples that say that any of these are not needed. This article goes through the paces and might help you out <https://www.ee-training.dk/announcement/high-speed-via.htm> The reason why the max bit rate is twice the frequency is because a bit is a transition between 0 and 1 or viceversa, while the frequency is a whole cycle of 0-1-0, see picture below. [](https://i.sstatic.net/BCqyw.png)
================================================================================
|
Discussion Chain ID: 406536
================================================================================
User asked: Admittance of the impedance of R and C in series?
I have a resistor \$R=150\$ and a capacitance \$C=\frac{1}{750\omega}\$ in series: \$ Z=R-jX=R-j\frac{1}{\omega C}=150-j750 \$ If I take the admittance I have \$Y=\frac{1}{Z}=\frac{1}{R-jX}=\frac{1}{3900}+j\frac{5}{3900}\$ According to my book we now have a resistor \$R=3900\$ **parallell** with a capacitance \$C=\frac{5}{3900\omega}\$. But why parallell now?
Answer 1 (1 votes):
You calculated the admittance and got a complex number. Now you have this complex number and you can interpret that number as it was a result of a calculation for the admittance of a parallel circuit (which is the reciprocal of the impedances connected in parallel). So your book just showed you how can a series RC circuit be replaced with a parallel RC circuit.
================================================================================
|
Discussion Chain ID: 406534
================================================================================
User asked: How is the tuning-word of a DDS sent and coded?
I have read that a [DDS](https://www.analog.com/media/en/technical-documentation/data-sheets/AD9850.pdf) have two inputs one for master clock another for the tuning word. By processing these two inputs the DDS generates the output waveform at a desired frequency. And if I'm not wrong we need to send this tuning word to the DDS via its SPI interface. But I cannot find information about the tuning word and is a little confusing. What I mean is when we program a micro-controller, we code and compile and upload the data to it. And we do the coding part by using lets say C language we know what instructions do what. But when it comes the DDS, how is the tuning word is sent/uploaded and how it is coded? Do we send it through an IDE? I have no picture about it. Can someone simplify this and give maybe an example how it is done. * * * That sequence with FQ UD CLKIN W CLK looks complicated to me. Is that about how SPI functions? It also seems DDS has no memory -- does it need that sequence nonstop as an input? The articles I found were too advanced for me. That's why I'm asking primitive questions.
Answer 1 (3 votes):
Look at page 10 and further in the AD9850 DDS datasheet to see in what sequence the data needs to be presented to the DDS. Often a microcontroller is used to generate the signals as described in this datasheet. It is similar to how you would write data to a memory chip. A certain sequence must be observed. This DDS is not very different in that respect. I suggest to first familiarize yourself with the [concept of communication over SPI](https://en.wikipedia.org/wiki/Serial_Peripheral_Interface) and then look at the details of how that works on this DDS. SPI just describes how the (data) bits get from A to B. The FQ, UD, CLKIN etc.. are just **names** for the registers in the DDS. _It also seems DDS has no memory needs that sequence nonstop as an input?_ Fortunately the DDS does have memory, although they're called **registers** in essence these are just small memories. The DDS would be unable to function in a useful way without it. When you write settings, it uses those until you write new values or you switch the DDS off (obviously).\ There are some projects available on [using an Arduino with the AD9850](http://www.vwlowen.co.uk/arduino/AD9850-waveform-generator/AD9850-waveform-generator.htm)
================================================================================
|
Discussion Chain ID: 406529
================================================================================
User asked: Asynchronous write to EEPROM
There is Stm32l052 with built-in EEPROM (2k). 4 ADC channels are used, data is collected by the trigger every 40 microseconds. Data from the ADC is processed in the interrupt (determined by the output of values beyond the boundaries). So, using the standard Hal libraries during recording in EEPROM points are lost (3 milliseconds standard write speed in EEPROM data), even if you write one byte from the ring buffer. Is there any way to get the controller to write to the EEPROM asynchronously without blocking the ADC interrupts?
Discussion:
Comment: What are you actually trying to accomplish here? EEPROM (regardless if internal or external) is unlikely to be a fit for your actual need, unless it is a fairly infrequent usage. You may just want to capture the data to RAM - either and then write it to EEPROM, or keep it in RAM alone if it is short lived. You should generally think of the internal EEPROM as a notepad to keep small amounts of information, not really an overflow memory or place to store dynamic data like you would get from an ADC.
Comment: @ChrisStratton A *ring buffer* in RAM is implied in the question. As I understand it, only out-of bounds data should make it to permanent storage, i.e. the eeprom is used as an error log, to store more or less infrequent events.
Comment: Looks like the EEPROM is just a partitioned part of FLASH, so the whole memory stalls for 4mS while you are writing. I imagine this is the issue you are talking about. Not easy to fix. You'll probably have to relocate the ISR table and handler to RAM (making sure you don't call library routines in FLASH - including things like floating point math). The better solution would be an external EEPROM.
Answer 1 (5 votes):
`STM32L052` appears to have a single bank NVM controller, therefore a write access to any EEPROM address would block data reads and fetches from flash. **It would work only if you can relocate all relevant code, except initialization, but including the vector table, to RAM.** It would be quite a challenge to do in 8 kbytes, but it might work. Forget about HAL, it has too much overhead and complexity. I'd recommend doing it this way: * Relocate NVIC to RAM * ADC interrupt handler in RAM, puts data in the ring buffer, invokes PendSV (`SCB->ICSR=SCB_ICSR_PENDSVSET`). * PendSV fault handler in RAM, as long as there is data to be written, puts a single 32 bit word† in EEPROM, and waits until the write completes. Do not return while NVM is still busy. * ADC handler should have higher priority as PendSV. * The rest of the code can be left in flash as long as the delay is acceptable. Interrupt handlers in flash should have lower priorities than PendSV. This arrangement would prevent any code in flash from running as long as an EEPROM write is in progress, but lets higher priority handlers run as long as they do not touch nonvolatile memory. **To relocate a function to RAM** With gcc, use `__attribute__((section(".data")))` in the function declaration. Do it recursively to each function it calls. Use [`-ffreestanding`](https://stackoverflow.com/questions/17692428/what-is-ffreestanding-option-in-gcc) to prevent gcc from generating calls to library functions unexpectedly. The `.data` section will be copied from flash to RAM after reset, along with initialized variables, by the startup code. **To relocate the vector table** The vector table of the `STM32L052` is 192 bytes long (Reference manual 12.3 Interrupt and exception vectors). I'd just move the beginning of RAM up by 192 bytes in the linker script RAM (xrw) : ORIGIN = 0x200000C0, LENGTH = 8000 /* 8192 - 192 */ copy the vector table there, and set the vector table pointer memcpy((void*)0x20000000, (void*)0x08000000, 192); SCB->VTOR = 0x20000000; before any interrupt is enabled. * * * **Using`STM32L072` instead, it would be possible to let the program run from Bank 1, and placing EEPROM data in Bank 2**, they would not interfere with each other. Of course it would still take 3 ms (or 6 ms if it's not empty) to write a 32 bit word† into EEPROM, attempting to write more data before the first write is completed would still block program execution until the first one completes. Check the Reference manual for the bank layout (3.3.1 NVM Organization) * * * † AFAIK EEPROM data is written in 32 bit units, writing 1 or 2 bytes at a time takes just as much time as writing a full 4-byte word.
================================================================================
|
Discussion Chain ID: 406528
================================================================================
User asked: How can a dominant state be the one with bigger voltage difference?
I am studying about CAN buses, and there is one thing I just can't find an explanation for. I understand that the idea of a wired-and connection is, that if any node is driving the bus to the dominant state, the bus will get to the dominant state regardless of the number of nodes transmitting a recessive state. However, I find that in CAN the dominant and recessive states are as shown in the image below. [](https://i.sstatic.net/ARINl.png) I could easily image an implementation like this, if it was the other way around, and the dominant state was the one where the wires are on the same voltage level:[](https://i.sstatic.net/xiXNL.png) But this implementation would result in the states being swapped. So how is it possible for the dominant state to be the state with the voltage difference?
Answer 1 (5 votes):
Because CAN is not driven in the way you're imagining. Instead, the termination resistor(s) are connected between the lines (in the position of your transistors), and each driver has two transistors, connected between one line and either Vcc or Gnd. This makes sure that the wires are impedance-balanced and terminated properly for maximum signal integrity.
Answer 2 (3 votes):
CAN drivers are like this [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fPFxjI.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/) For example.
================================================================================
|
Discussion Chain ID: 406524
================================================================================
User asked: How to provide version numbers to hardware schematics / PCBs?
I have one hardware design developed for a customer. We are also selling the same for some more customers with small modifications I would like to know how to provide version numbers for these different customers; is there any standard defined for hardware design versioning? e.g. In software people do the versions as V 1.0.1; V 1.2.2; V 3.0.0 I would like to is it useful for hardware also? How? I would like to maintain hardware revision documents in company system database as a reference for others. Idea is, just by looking at version number other engineer can quickly identify differences with respect to revision document.
Discussion:
Comment: I would add square boxes on the silkscreen which you can 'tick' with a waterproof felt-pen.
Comment: I've also seen pullup/pulldown resistors used to give a machine-readable revision number, if you have a few spare pins on your microcontroller.
Comment: This Q or similar comes up reasonably often, some ideas here: https://electronics.stackexchange.com/questions/371696/encoding-version-or-configuration-on-pcb
Comment: Boards usually have a fab number etched in copper, and an assembly number on the silkscreen layer. Fab revision is for updated versions of the same PCB artwork (gerbers). The revison block of the assembly number is usually left blank so you can write in the appropriate revision. Or use a sticker. If you have a modified version of the PCB for a different customer, the standard practice would be to use a completely different FAB and assembly number. Not a revision code.
Answer 1 (4 votes):
We handle it the following way: **Major.Minor.Revision** **Major** is changed, if there were changes to board dimensions or extensive changes to component placement or general functionality. Like re-designing a PCB for a different enclosure or adding a new connector. **Minor** is changed, if there were any changes to component placement, routing, copper fills etc. Essentially any change, that potentially changes electrical characteristics. **Revision** represents the revision number from our version control system (Subversion) and thus increases with every committed change. This could be a small change to the silkscreen or changing component types/values due to better availability. Versions with a revision changes only can be processed by the assembly house without any adjustments (paste mask compatible, same dimensions, same pick&place). **_Version progression:_** If Major is incremented, Minor resets to 0. Revisions always increments and unambiguously identifies a specific version. Example: 1.0.0 -> 1.0.1 -> 1.0.2 -> 1.1.3 -> 2.0.4 **_Relevance to part list:_** Our BOM contains a reference to the Major.Minor version of the compatible target PCB. The revision is not relevant with respect to the PCB, since there were no relevant physical changes. Thus, 1.2.10 can be assembled just like 1.2.15. The BOM itself has a revision number, that is equal or higher than the target PCB version. Example: A BOM titled "BOM 1.2.18 - Target PCB 1.2" can be used to assemble boards of version 1.2.10 as well as 1.2.15.
Discussion on this answer:
Comment: Username checks out.
Answer 2 (3 votes):
In one of the companies in which I worked, we descript the project, for example: 1801p1v1r1. 18 - is the year the project was founded (here 2018) 01 - another project in a given year p1 - project first v1 - first version r1 - revision first When I create the first scheme and BOM, I describe them: 1801p1v1r1. The PCB design and PCB board describe 1801p1v1 (no revision). And now the meaning of these signs: Let's assume that we have a finish scheme, ordered PCBs, we have made tests and we have to make changes. If, for example, we need to replace the 1k resistor in the 0603 housing with the 1.2k 0603 resistor, then we will only change the revision: Scheme: 1801p1v1r2 BOM: 1801p1v1r2 PCB: 1801p1v1 Therefore, there is no need for revision marks on the PCB, because the PCB itself does not change in this case. We only change the values in the diagram and in the BOM. We can also have different value on schematic for one PCB. If we have to change eg a resistor from housing 0603 to 1206, then we have to change the version: Scheme: 1801p1v2r1 BOM: 1801p1v2r1 PCB: 1801p1v2 However, if we have a project consisting of 2 PCBs to design, then we have to mark one as project 1 and the other as project 2: Project 1 describes: Scheme: 1801p1v1r1 BOM: 1801p1v1r1 PCB: 1801p1v1 Project 2 descirbes: Scheme: 1801p2v1r1 BOM: 1801p2v1r1 PCB: 1801p2v1 It may seem complicated in the description, but in practice it is a ease and logical. I described it in more detail on my blog: <http://sigaris-electronics.eu/2019/01/my-way-of-naming-electronic-projects/>
Answer 3 (2 votes):
I'm just going to put something here about the semantics of version numbering. You can number things **Major.Minor.Build.Revision** as if you were programming something and apply them to their parallel task in physical design. **Revision** numbers separate your files previous to manufacture as you make each initial modification in design stage **Build** numbers would be versions that made it to manufacturing, including small sets of revisions like a material or minor dimensional change. **Minor** numbers would be for manufacturing reworks previous to the new version, such as a modification to improve efficiency or meet a safety requirement. **Major** build number would be typically the yearly reworking of the product You can also use a convention for branching like ABC are for equivalent branches, like a product with an A B and C version that are equivalent but equipped differently, like a drill, angle grinder and circular saw with the same battery, motor and control mechanism. Really it can be anything you like but if you want it to work across a company with multiple developers it has to be easy to remember and execute.
================================================================================
|
Discussion Chain ID: 406518
================================================================================
User asked: What nichrome wire voltage/amps is required to heat 1 meter
How can I work out what voltage and amps are required to heat nichrome to: Temperature: 220 F Length: 100 cm Gauge: 20 (0.85 mm diameter, 1.62 ohms per meter) I think I need 7 volts and 3 amps. I have a lab power supply that is 15 volts and 40 amps.
Discussion:
Comment: There's no way to answer this without knowing exactly how the heat is being removed from the wire.
Answer 1 (1 votes):
Work it out from the wire on a 1kW heating element in an electric fire. Measure the resistance, and use the mains voltage to get the current flow. That current will make any length of similar diameter nichrome glow red hot. Or, in round numbers, if you have 110VAC creating 1kW heat that gives you about 10A
Discussion on this answer:
Comment: Wikipedia has a nice table with current vs temperature in a straight wire for different wire gauges. https://en.wikipedia.org/wiki/Nichrome
Comment: The OP didn't ask for "red hot", they asked for 220F.
Comment: @PeterKarlsen In which case they have an upper limit for current to play with. All they need is to measure the temperature with (say) a cheap IR thermometer. Main thing is that it is current they should be watching primarily, not voltage
================================================================================
|
Discussion Chain ID: 701539
================================================================================
User asked: How do the currents induced by the E-field and H- field flow? Which of the two currents induced by E or H has the larger amplitude?
I came across this problem for an exam preparation question, which I am struggling to answer. Consider a sphere made of thin metal, with a radius of 1 m, at 20 km distance from an AM transmitter operating at 1 MHz. The alternating current in the transmitter tower flows vertically. The amplitudes of the E- and H-fields at 20 km from the transmitter are called E0 and H0. 1. How do the currents induced by the E-field and H- field flow on the sphere? I assume the currents induced by the E-field flow around the equator of the sphere, parallel to it. The currents induced by the H-field flow from pole to pole, perpendicular to the equator of the sphere. 2) Which of the two currents induced by E or H has the larger amplitude? I assume that the amplitude of the induced currents depends on various factors such as the strength of the electric and magnetic field. 3) In which region of the sphere are these currents flowing in the same direction, strengthening each other? With a wall thickness of say 1 mm this sphere (if without slits) shields quite well at 1 MHz. Unfortunately, manufacturing problems make it necessary to construct the sphere in two parts; two half spheres of aluminum. Because of the oxide layer on the aluminum surface the shielding currents cannot cross over from one half sphere to the other; we have a narrow, continuous slit between the two half spheres. I assume the currents induced by the electric field generally have larger amplitudes. The regions where these currents strengthen each other are along the edges of the narrow, continuous slit between the two half spheres, where the induced currents cannot cross over and flow in the same direction around the edges. I tried to answer everything doubtful, I would like to get inputs regarding my answer. Does someone know any study link to understand E and H fields better?
Discussion:
Comment: Hints - 20 km distance is far field, so E and H incident have the impedance of free space ratio, 377 ohms. If you've cut a circumferential slit round it, then frequency needs to be known, as you've constructed an antenna. Polairisation also needs to be known, with respect to the slit orientation. At wavelengths of the order of sphere size, this is extremely important. If you had a conducting sphere, you would know the field inside is zero, so you might be able to do this by the method of images.
================================================================================
|
Discussion Chain ID: 406508
================================================================================
User asked: JK Flip Flop Not Toggling in Logic.ly
This may be simply a logic.ly issue. I'm trying to simulate a JK flip-flop in logic.ly/demo using two AND gates and 2 NOR gates, but the simulation does not work when both inputs are high and the clock is high (i.e. Q and Not Q does not toggle). I've set an initial state, so the S and R are working fine working, but once the J and K are high and the clock is H, the circuit goes haywire? Is it a logic.ly issue (level of complexity not quite there)? [](https://i.sstatic.net/OzM0N.gif)
Discussion:
Comment: "Combinatorial loops" are a challenge to simulate - without really delving into your question in specific to see if there is another issue or misunderstanding, it's worth realizing that its not safe to assume that a simulation tool will be able to do this unless the documentation specifically says that it can. In contrast it does make a fun breadboard experiment with real parts. Generally in real programmable logic design constructing flip flops from gates is considered improper; if you want stateful behavior you use one of the supplied flip-flop, register, or memory primitives.
Comment: That said, the tool vendor seems to offer a flop made of gates as one of their examples, so perhaps there is an intent to support this. However, that example at present generates a fatal error when you try to open it. And there's no obvious documentation for the tool. So who knows.
Comment: Thanks Chris. Logic.ly has a JK Flip Flop IC already built, and it does the toggle nicely, but it has the Preset and Clear input. I was trying to build it here without a Preset and Clear and just set it myself before-hand... maybe going about it the wrong way, or as you said, not really something for this software
Answer 1 (1 votes):
The reason why the circuit is freaking out like this is because of the S/R flip-flop on the right-hand side. You might recall that an S/R flip-flop is not completely stable, because the inputs and the outputs are supposed to be either/or: Either S can be active or R, but not both, and similarly, Q or not-Q can be active, but not both. The effects you're seeing are the results of a feedback loop created in which this rule is not upheld: Both outputs turn on, creating an unstable state in which the circuit keeps "flickering" between two states. I do not know how J/K flip-flops are really structured in the real world, but I believe you are partly suffering from the effects of computer simulation rather than working with physical devices. In the real world, a J/K flip-flop structured in this way would have some real-world propagation time as the signals pass through the gates, which might prevent this state from occurring. (This is similar to the problem inherent in the classical "bistable multivibrator" circuit, which cannot work on paper because it has two inputs which are electrically identical, but which always works in the real world because in reality, you will never have exactly the same voltage on both inputs during power-up.) - Answered by Adam Luoranen
================================================================================
|
Discussion Chain ID: 406507
================================================================================
User asked: How much is the permeability of this attached inductor core?
I want to use this inductor for AC line filter as line reactor. Its inductance value is 6 mH but I don't know the exact value of permeability of the material. It will be used with VFD at the input to remove the harmonics. The input current will be from 2 to 7 A. Could you please tell me the exact value of the permeability of this material? [](https://i.sstatic.net/RzJbF.png)
Discussion:
Comment: Do you have a datasheet from the manufacterer? Anything else is a guess.
Comment: No, I don't have a datasheet. I bought it from scratch.
Comment: Use the advice by Andy below to get the Al, but how do you know you are not saturating it?
Answer 1 (0 votes):
You need some geometrical inputs (internal and external radii, height): [](https://i.sstatic.net/UDOk6.jpg) Be careful: permeability depends on the magnetic field, which depends on current.
Answer 2 (0 votes):
It looks like it has 36 turns and because inductance is proportional to turns squared we can say that the inductance for 1 turn will be: - 4.63 uH because 4.63 uH x \$36^2\$ = 6 mH. The inductor's \$A_L\$ is the inductance of 1 turn i.e. \$A_L\$ = 4.63 uH/turn. And, the permeability of the core is related to \$A_L\$ like so: - $$\mu_e =\dfrac{A_L\cdot \ell_e}{ A_e} $$ Where le is the mean length of the core and Ae is the cross sectional area. An example: if the mean length of the core is 5 cm and the cross sectional area is 1 cm\$^2\$, the absolute permeability will be 4.63 x 10\$^{-6}\$ x 0.05 / 0.01\$^2\$ = 0.002315 or, in relative terms, divide by the permeability of free space (\$4\pi\cdot 10^{-7}\$) to get a value of about 1842. Get your measurement stick out!
================================================================================
|
Discussion Chain ID: 406505
================================================================================
User asked: Identifying a resistor with a weird band combination
I am currently in the process of trying to repair a power supply that has had one of its DC rails fail. A resistor in the PSU has exploded and I am trying to find what value it is. [](https://i.sstatic.net/Gb1jf.jpg) Band 1: White Band 2: Brown Band 3: Silver (Possibly Grey?) Band 4: Gold Band 5: Green The weird thing is that the middle band appears to be silver, which should be invalid as far as I can tell. If you assume the silver is grey (although this is unlikely, as there still needs to be a grey colour as well and the band is metallic), it produces a value of resistor which is incredibly uncommon to the point it does not exist (91.8 Ohms 0.5%). Apologies for the noobie question, I'm just stumped after hours of trying to understand why this is and coming up short :).
Discussion:
Comment: Given the color of the resistor is already very close to grey it could be they opted for metallic as replacement for grey. If you neglect the green ring and treat it as silver, it turns into a 0.91 Ohm resistor which seems to be a value which is available and could be used as current sense resistor (Rs3 might indicate a "sense").
Comment: Could the green ring be temperature coefficient? Making it 0.91 Ohms 5% 20ppm/K ?
Comment: Can you trace what the resistor is connected to? This could give you some valuable clue what order of magnitude the resistance would be.
Comment: Pretty sure @PeterKarlsen is right; when the fourth band is gold or silver on a five-band resistor, the fifth band is tempco.
Answer 1 (4 votes):
The comments above are right. Look at a 4-Band with a 5th temp coefficient band. Not all companies do this, however it is not uncommon either. [](https://i.sstatic.net/qsGKE.png)
Answer 2 (2 votes):
The resistor is 0.91 ohms with 5% tolerance . Band 5 ,green, is Temperature coefficient ppm/Kelvin .
Discussion on this answer:
Comment: This would fit with the PCB designator Rs3 which might suggest a low value current sense resistor, where temperature related change might be important.
Answer 3 (0 votes):
The body colour, 4 ring code + extra band, circuit location and open circuit failure, strongly suggests this is a fusible resistor designed to fail open circuit toprotect the rest of the device. As with a fuse, the replacement should be with another fusible resistor, not just a normal resistor. Have a look at the tag wiki, and [this](https://electronics.stackexchange.com/a/683104/331962) answer for more details.
================================================================================
|
Discussion Chain ID: 406498
================================================================================
User asked: Sense resistance based current sensing
<http://www.carotron.com/articles/current-sensing-circuit/> <http://ww1.microchip.com/downloads/en/appnotes/01332b.pdf> <https://www.arrow.com/en/research-and-events/articles/how-to-maximize-low-side-sensing-performance> All the above article and many other articles says that in low side current sensing, if there is any short circuit is there between power supply and ground, it goes undetected. Can anyone explain me how it is detected in high side current sensing.
Answer 1 (1 votes):
It is not uncommon for equipment to share a ground connection. Communication protocols, analog I/O, and power adapters generally do. Medical applications are one of the few exceptions. However it is rare for equipment to share a power connection. If, due to a fault or design oversight, power finds a path of conduction through one of those external connections then current will flow through a ground that is not part of the low-side sensing circuitry. I’ve seen this happen with USB ports in computers, when the equipment that they are connected to used the wrong kind of power adapters (e.g., a non-isolated one, when the equipment specified an isolated adapter).
Answer 2 (0 votes):
Here is the two in one. [simulate this circuit](/plugins/schematics?image=https%3a%2f%2fi.sstatic.net%2fj74cK.png) - Schematic created using [CircuitLab](https://www.circuitlab.com/)
Discussion on this answer:
Comment: Mmmm... I guess you do believe that a schematic is worth at least a few dozen words. ;)
================================================================================
|
Discussion Chain ID: 406496
================================================================================
User asked: One wire AC power
I would to connect a nodemcu board (powered by 3.3 V) to AC power behind the light switch, but I can use just one AC wire (the one that opens/closes the switch for light). Is it possible to do that using only one AC cable? Thanks
Discussion:
Comment: you are misunderstanding the concept .... it is two wires .... one from each side of the switch ..... a small leakage current flows through the device when the switch is off ..... undesired side effect is that LED lights glow slightly when off
Answer 1 (1 votes):
Simple answer: no. To be able to power anything, current must flow in a circuit, and that requires a return path. So the minimum is two wires. However, in a switch there are two wires. If the power consumption is low enough, and the load is leaky enough, it is possible to power some circuitry via that leak current. This is easier with incandescent bulbs, but even LED bulbs would provide enough leakage to power some circuitry. The types of circuitry that are powered this way, tend to be completely isolated from any possibility of human contact. As generally it cannot afford the power losses introduced by proper isolation.
================================================================================
|
Discussion Chain ID: 406495
================================================================================
User asked: DMX Control - 50W COB LED
I have a DIY project, with the aim of building an (LED-based) stage/theatre light from scratch. One of the challenges I've hit with this is getting DMX control to dim the LED. I spent some time looking for an 'out of the box' solution, but to no avail. This lead to researching some DIY options, and I've thought of three potential solutions. I'm unsure as to the feasibility of each, so your feedback would be much appreciated! 50W COB LED (32V): <https://www.aliexpress.com/item/2Pcs-DIY-10W-20W-30W-50W-100W-IC-SMD-led-Integrated-cob-chips-High-power-Epistar/32742712881.html> * * * **1:** Using an LED Strip DMX Controller and then boosting the (12V max) PWM output signal to 32V max. Unsure if there is equipment to boost the PWM signal correctly to match the 50W (32V) LED dimmer curve. DMX Controller: <https://www.aliexpress.com/item/Wholesale-4CH-4-channel-RGBW-Easy-DMX-Dmx-512-Decoder-Dimmer-Controller-Drive-DC5V-24V-for/32552218694.html> **2:** Taking a 12V power source, stepping it up to 32V via a variable boost converter. Then can dim the LED via a potentiometer connected to the 'voltage adjuster' on the boost converter. Figure out a method to control the 'voltage adjuster' / potentiometer via DMX. Unsure as to this part of it. Boost Converter: <https://www.aliexpress.com/item/1PCS-LOT-150W-Boost-Converter-DC-to-DC-10-32V-to-12-35V-Step-Up-Voltage/32444460864.html> **3:** Going full breadboard, building a controller from scratch. Something from the following documents. While I'm sure I could replicate the PCB designs shown, I would have absolutely no knowledge of what each component does. <http://www.mathertel.de/Arduino/DMXSpot.aspx> <https://bluestampengineering.com/student-projects/matthew-h-3/> * * * If anyone has any suggestions as to which approach would be best (or a seperate approach), or any improvements that would be much appreciated!!!
Discussion:
Comment: Welcome to EE.SE! "suggestions" and "best" are however for you frowned upon here. Can you narrow it down to some circuit specific question?
Comment: If you have experience with MCUs, option 3 isn't all that hard. I've done it with an MSP430 + RS485 transceiver IC. Then you could output whatever signal your LED driver of choice prefers. If you have any more specific questions about that approach I can try to answer them.
Answer 1 (1 votes):
**How about 4:** Use the PWM signal from the DMX controller to drive a dimmable LED driver? Just make sure you have a pull-up resistor if your DMX controller is open-drain, and that the frequencies and voltage levels are compatible with your LED driver. Product recommendations are off-topic here, but there are plenty of commercial constant current drivers with analog and PWM input for dimming. Some comments with regards to your question... 1 - Your boost converter won't like being driven by a PWM signal. 2 - That doesn't make sense as it is not even a full solution, you just delegated the issue to another design step. 3 - Building something from scratch is a decent option.
Discussion on this answer:
Comment: Thanks heaps for that 4th Suggestion! The DMX decoder I linked in (1) outputs a 12V PWM signal (designed for LED strips), I think. So would this signal allow something like the (Mean Well HLG-40H-36B) (that @Misunderstood suggested) to be dimmed?
Comment: @BaseThree - if its made for LED strips it is very likely that it is an open drain driver, so it won't necessarily output a 12V signal, unless you have something like a pull up resistor.
Answer 2 (0 votes):
> Using an LED Strip DMX Controller and then boosting the (12V max) PWM output signal to 32V max. No the DC-DC boost converter is for a constant input voltage, not pulsed. * * * > Taking a 12V power source, stepping it up to 32V via a variable boost converter. Then can dim the LED via a potentiometer connected to the 'voltage adjuster' on the boost converter. LEDs are current driven. You need a constant current source with PWM dimming. Then you find a DMX512 with a PWM output. You need to understand that DMX dimmer modules can be constant voltage, constant current, or PWM signaling (typically 5V). The LED you selected needs a constant current source. Many of the cheap DMX dimmers are made for use with 12V and 24V tape strips of LED that are powered with a constant voltage. * * * > Going full breadboard, building a controller from scratch. You would need to learn a lot more before taking on a DMX project. To give you an idea what you need to learn see this [Lighting Kit](https://www.infineon.com/dgdl/Infineon-Application_Lighting_Digital_Multiplex_%28DMX512%29_Receiving_Device-TR-v02_00-EN.pdf?fileId=5546d4625696ed76015698fbfb177fdb) from Infineon. You need EIA-485 communications for the PHY layer, you need to implement the USITT DMX 512/1990 protocols if addressed to your dimmer, and pass through the DMX commands not addressed to your dimmer. * * * There are multiple parts to dimming an LED with DMX if not using a complete off the shelf solution. 1. A constant current driver with a PWM dimmer input. 2. A DMX dimmer module with a 5V PWM signaling output. 3. A DMX controller. * * * The Infineon Lighting Kit @ $120 is one of the least expensive solutions. Most professional DMX dimmer modules are over $200. * * * If you can find a DMX dimmer that outputs a 5V PWM signal then use a $7 [Mean Well LDD-1000H](https://www.meanwell.com/webapp/product/search.aspx?prod=ldd-h) constant current driver with PWM dimmer input. You will also need a 36V DC power supply to power the LDD. It is possible the 4 CH dimmer you linked to will provide a 5V PWM signal if powered with 5V. * * * If you do not need to use the DMX protocols, and just want to dim the LED, use a $28 Mean Well HLG-40H-36B which can be dimmed with a resistance, a 0-10V level, or 10V PWM. If you need a programmable potentiometer use a [Digital Potentiometer](https://www.digikey.com/products/en/integrated-circuits-ics/data-acquisition-digital-potentiometers/717?k=digital%20Potentiometer)
Discussion on this answer:
Comment: Thanks heaps for the suggestions! Using the DMX protocol is a necessity for this project. Your knowledge in the "full DIY" option is very cool to have! I've read the documents and approaches you suggested, but it does look quite difficult! #2.... Can I use a Constant Current Boost converter to make this work? #4 I will look at trying to find a DMX dimmer in the 5V PWM region!
Comment: You cannot boost the output of the "4CH 4 channel RGBW Easy dmx512 DMX Decoder,Dimmer" because the output is pulsed (PWM). Many constant current LED drivers have a PWM dimmer input. That is likely the way you want to go using a 5V DMX PWM generator. The Mean Well LDD is about as inexpensive as it gets for a reliable driver with PWM input.
Comment: Great! Thanks for the heads up regards not being able to dim PWM. So I could use something like the LDD-1500L, which accepts a 5V PWM signal. All I need to do is find some kind of DMX to 5V PWM converter?
================================================================================
|
Discussion Chain ID: 406494
================================================================================
User asked: Li-ion CR2 / 15270 voltage and charging circuitry
CR2 / 15270 Li-ion cells normally come as 3.0 V. I thought Li-ion cells were always 3.7 V. How is that possible? Does it require a different charger circuit than normal 3.7 V Li-ion cells?
Discussion:
Comment: if you google "15270 lithium ion" most of the results claim to be 3.0v. Every other "lithium ion" battery size claim the expected 3.7v.
Answer 1 (1 votes):
> I thought Li-ion and Lipo batteries were always 3.7v, Actually the most common Li-ion are 3.6V. The charlatan vendors on eBay and Amazon like to incorrectly use 3.7V. You can find the Panasonic NCR18650 cells on eBay and Amazon as 3.7V. Yet the [Panasonic NCR18650 datasheet](https://na.industrial.panasonic.com/sites/default/pidsa/files/panasonic-ncr18650pf-datasheet.pdf) says 3.6v. There are various Li-ion chemistries. The more expensive Li-manganese, used in power tools, is 3.7V. Most Li-ion are Li-cobalt or Lithium Nickel Manganese. The 3.2V Li-phosphate is becoming more popular especially as an automotive Lead Acid replacement. The expensive Li-titanate are 2.4V. See the "Nominal Voltage" row of the various Li-ion batteries: [ Summary Table of Lithium-based Batteries ](https://batteryuniversity.com/learn/article/bu_216_summary_table_of_lithium_based_batteries) * * * > Does it require a different charger circuit than normal 3.7v li-ion/lipo batteries? **You cannot use a charger on a CR2.** The CR2 lithium (Lithium/Iron Disulfide, Li/MnO2) is a primary battery, not rechargeable. Lithium AA batteries have a nominal 1.5V. The CR2 is a dual cell, Li/MnO2 battery LINK: [Lithium (CR2) Datasheet](http://data.energizer.com/pdfs/cr2_eu.pdf)
Answer 2 (-2 votes):
Charging of a batter comes down to delivering an amount of current to a battery at a certain voltage level for a specific amount of time. The combination of current, voltage and time actually represents energy - so what you need to make sure is whether the charger circuitry delivers the required amount of energy to the battery; given that the current and voltage don't go out of the allowed range. If they are to great, they might damage the battery. If to small, the process might never come to a hold. Basically, in this case, it narrows down to whether the current/voltage requirements of your battery fall within the value ranges for the output current/voltage of your circuitry.
Discussion on this answer:
Comment: This does not answer the question about the difference in chemistry OP is asking about.
Comment: Downvote - This answer is way too general for any recommendation regarding charging Li-ion batteries. Safe use and charging requires specific attention to proper procedures and handling. And even if this was addressed in the question it would not be an answer to the actual question.
================================================================================
|
Discussion Chain ID: 406489
================================================================================
User asked: What are the optimal methods for controlling specific header pins via Micro-USB?
Besides buying a Raspberry Pi with GPIO, what is involved in creating a circuit board that can send data to specific pins through a micro-USB cable, as well as read from data from sensors? I am open to designing my own PCB or using low-cost I/O controllers, but my knowledge is limited in what is actually required to design these interfaces. **For example, one usage would be:** 1) Read temperature from an external sensor 2) send data to Android application through micro-USB 3) if temp > 80, turn on LED on the PCB If I want to create many of these circuit boards without spending a solid amount of money, what would be the best method?
Answer 1 (1 votes):
There are literally hundreds of micro-controllers with a USB interface, all of which can do what you want. Most of them have example USB software. Some of them have built-in temperature sensors, but adding an external chip like a I2C temperature sensor is easy and also eliminates the effect of the power of the controller. You have to develop a tiny PCB with the chip(s) on them. I found writing the USB software at the PC/Android side the most challenging. My guess is a prototype can be made for about $100 if you do it all yourself. Production price greatly depends on the volume.Your biggest cost in 10-100 up volume will be the assembly house. I estimate the materials at that volume are between $5 and $10 per board.
Discussion on this answer:
Comment: This is the clarification I was looking for, thank you!
================================================================================
|
Discussion Chain ID: 406483
================================================================================
User asked: Amplify my 3.3V DAC signal to 220V
In one of my projects I need to generate different kind of 220V amplitude waveform signals in order to send commands to a heater using the pilot wire protocol. Here are the needed waveforms: [](https://i.sstatic.net/OqyUs.jpg) Is there a way to use a DAC and then amplify the output of the DAC to a 220V amplitude. If yes which circuit and components can I use. Otherwise I am open to other price and size optimal circuits to get such waveforms. Many thanks
Discussion:
Comment: You have not said a lot about the proposed load, or about the frequency range. Is 220V peak-to-peak or what?
Comment: Hi @SpehroPefhany, yes 220V is peak to peak, and the purpose of proposing a DAC is being able to generate multiple frequencies, even extremely low frequencies (under 1 Hz). For a clearer insight it's for a heater pilot wire for which you can find the needed waveforms at: https://goo.gl/CnnD1k
Comment: @TarikMokafih that’s just the voltage waveforms. What are the current requirements? Or line impedance? Or frequency limits?
Comment: @EdgarBrown, Current requirements are as low as 50mA, Frequency as the image explains is 50Hz or less than 1Hz. Thanks
Comment: While it's possible to make the amplifier output you need high impedance, it isn't possible to make the power supply that will be required (220VDC+) high impedance - therefore, it will be very dangerous. This is a very slippery slope you are proposing to go down.
Comment: @DSWG, You don't think it's possible to use step by step amplification (5 times a 50 volt Op amp circuit) ?
Comment: An opamp can only put out the voltage you power it from. So, you need like +-120V power rails for your opamp. Don't know of many opamps that can handle that. You'd need a power transistor output stage to handle the voltage - and the current. Typical opamps can only put out a few milliamperes - there are power opamps, but they are expensive, and probably won't do what you want.
Comment: Those are all modifications of the line voltage. You can manage all of them by switching the line voltage through solid state relays and diodes. A DAC and amplifier would be the expensive (and hard) way to generate those signals.
Comment: I have a very hard time believing that a 230VAC appliance requires 220 volt peak-to-peak to control, it would be crazy. Your diagram only shows different easy modifications of the standard AC voltage (which is not peak-to-peak)
Comment: The signal here is intended to be one easily *derived* from the mains supply, but it is a distinct wire not actually used to *power* the heater (input impedance is supposed to be >= 100K): http://www.radiateur-electrique.org/fil-pilote-radiateur.php (google translate renders something relatively readable if necessary)
Comment: @ChrisStratton Thanks for digging up the necessary information OP should have included!
Answer 1 (0 votes):
A DAC and amplifier would be the expensive and complicated way to control the heater. You have 230VAC at hand - you must, because that's what the heater operates on. Use that 230VAC source, a few SSRs (solid state relays,) and a couple of diodes. The control signal doesn't seem to drive the heating element directly. The commands seem to be just that: commands to a controller in the heater. That means you don't have to switch high power, and can use small SSRs and diodes to make the control signals. Take the simple cases first: 1. Confort 2. Confort -1 3. Confort -2 4. Eco ou reduit All four can be handled by one relay: 1. Relay open 2. Cycle relay 4 min 57 seconds off, 3 seconds on 3. Cycle relay 4 min 53 seconds off, 7 seconds on 4. Relay on Each of the other two cases require a diode and relay each. Put a diode in series with each relay, each diode points in a different direction. Now, you turn off the main relay, and turn on one of the two relays with a diode. Each sends a different command 1. Use zero crossing SSRs. These switch when the AC voltage crosses zero volts. 2. Use SSRs rated for use on 230VAC. 3. Use diodes rated with a peak inverse voltage of more than 300V. 4. Use diodes rated to handle more current than the command circuit requires. Doing that, you can use three digital outputs from a microprocessor to send all commands. * * * Be very careful when working with 230VAC. There are many safety practices you should follow: look them up, learn them, apply them. **Failure to do so can kill you.** There are many design practices to follow when designing and laying out circuits that use 230VAC. Look them up. Learn them. Follow them. **Failure to do so might burn down your house or electrocute you or someone using the device.**
Discussion on this answer:
Comment: Thanks for the answers, I guess I can use Triacs instead of relays, right ?
Comment: SSRs isolate your low voltage microprocessor from the line voltage. If you can safely do it with triacs, then that's OK.
Comment: OptoTriacs may do the trick I guess
Comment: An SSR is an optotriac with additional circuitry built in to provide safety and reliability when things go wrong. So, you could probably use bare optotriacs - if the additional risk is small enough that you can use the cheaper part.
Answer 2 (0 votes):
A common-base transistor will do this. Drive the emitter from a current-output DAC. Tie the collector thru 100,000 ohm resistor to 220 volts DC. Peak current will be (at 10uA/volt) 2 milliAmps. Power power dissipation will be 1mA * 110 volts, or 0.11 watts. Be sure 0.11 watts is Safe Operating Area acceptable.
Discussion on this answer:
Comment: Perhaps, but application to *existing* appliances doesn't actually require arbitrary signals, but only those which can be derived simply via rectification and gating of the mains supply waveform.
================================================================================
|
Discussion Chain ID: 406477
================================================================================
User asked: Revising CRC value after data adjustment
I have a 181 bytes data stream with 4 bytes CRC32 value at the end. The entire message length is 185 bytes. The data stream is stored in the FPGA onchip memory and waiting to put into wire by TCP. Before sending out the message, there are some 32 bits data in the data stream need to be modified resulting revising CRC value is needed. The location of the new bit values are from 41st - 63rd bit (starting the 5th byte) from the LSB of the stream. As the CRC is within the tcp message payload, the tcp header and ip checksum have to be revised as well. Currently I have to build a pipeline module for re-calculating the CRC like this: module crc32 ( input rst, input clk, input [255:0] in_data, input crc_en, output crc_out ); It works but it need to spend 181 bytes / 256 bits ~= 6 cycles for revising the CRC value of a 181 bytes TCP message. Although the CRC is located at the end of the business message, the tcp header checksum (which is more significant than the tcp payload) can be revised only when the new CRC value is calculated. That's the reason why it have to wait 6 cycles. Is there any smart revising CRC algorithm so that I can use less number of cycles to revise the CRC of a modified data stream? Ideas: 1. Is there any way to recalculate CRC based on the old CRC value? CRC(new) = revise(CRC(old))? 2. I learn from this [paper](https://sar.informatik.hu-berlin.de/research/publications/SAR-PR-2006-05/SAR-PR-2006-05_.pdf) that by patching the data stream to maintain the old CRC value. CH5 : GETTING A CHOSEN CRC BY ALTERING A CHOSEN POSITION It is interesting but it require to recalculate crc from n bit to m bit where n = start bit location of modified field m = start bit location of the patch field which doesn't look good for saving clock cycles.
Answer 1 (1 votes):
1) Yes 2) It's complicated. The CRC is a linear operation on GF(2) (GF(2) is just the fancy discrete-math way of saying binary, added modulo 2). So each bit of your 32 bits will have the same effect on your two CRCs in the add-modulo 2-sense. The really bone-headed (but possibly good enough) way to do this is to have a table of 32 32-bit words. For each bit in your field that you flip, XOR the CRC with the corresponding word from the table. That should work just fine. The actual words in that table are the CRCs for the whole data stream with every bit but the bit in question set to zero. There are alternate ways to do this -- you could have four tables of 256 words each, for instance, with each byte of your 32-bit variable field selecting one word from its corresponding table. That saves you XORs at the cost of keeping the table in memory. If it works, you probably want to generate your long message with that variable section set to zero, then you won't have to compute which bits have flipped, because you know that whatever bits are set to 1 in your replacement variable field are the flipped bits. Going from an n-bit CRC backwards to an n-bit field that you can freely set should have the same linearity property; if you can tack some bits on to the packet after your desired message you should be able to decide ahead of time what you want the packet CRC to be, and then set it after the fact. Or you can do the same trick I mention above, with each bit in the message corresponding to a different 32-bit pattern in the free space that you need to toggle.
================================================================================
|
Discussion Chain ID: 731513
================================================================================
User asked: I2C Timeout Error on DE2-115 Board with ADS1115
I am working on a school project to build a 'weather station' out of a DE2-115 FPGA board and after covering almost everything, the project will not work with I2C. I am using a NIOS-II to run the I2C block provided. I got the help of my professor, basically copying the way he implemented his NIOS-II to work with I2C, but the status return of the I2C program keeps being 'TIMEDOUT'. My code is below. I have checked with my professor that the wiring of my board is correct, so it is most likely a coding issue. #include <stdio.h> #include "altera_avalon_pio_regs.h" #include <unistd.h> #include <system.h> #include <stdlib.h> #include <string.h> #include "altera_avalon_i2c.h" #include "io.h" //#include "ASD115.h" int main() { ALT_AVALON_I2C_DEV_t *i2c_dev; //pointer to instance structure ALT_AVALON_I2C_STATUS_CODE status; ALT_AVALON_I2C_MASTER_CONFIG_t cfg; alt_u8 txbuffer[0x200]; alt_u8 rxbuffer[0x200]; char switch_in, ledg_out, ledr_out; //ADC Variables int16_t ADCAddr = 0x48; int16_t AHTAddr = 0x38; //Register 00 inside the ADS111 is the conversion register, that will contain the conversion from the ADC //Process Variables // int16_t digitalTemp, humidity; int16_t analogTemp, temp; int8_t Hex_addr[4]; //get a pointer to the Avalon I2C Host Controller instance i2c_dev = alt_avalon_i2c_open("/dev/i2c_0"); if (NULL == i2c_dev) { printf("Error: Cannot find /dev/i2c_0\n"); return 1; } else { printf("Opened /dev/i2c_0 \n"); } printf("Configuring ADC..."); alt_avalon_i2c_master_config_get(i2c_dev, &cfg); alt_avalon_i2c_master_config_speed_set(i2c_dev, &cfg, 100000); alt_avalon_i2c_master_config_set(i2c_dev, &cfg); //configuration for ADC alt_avalon_i2c_master_target_set(i2c_dev, ADCAddr); txbuffer[0] = 0x01; status = alt_avalon_i2c_master_tx(i2c_dev, txbuffer, 1, ALT_AVALON_I2C_NO_INTERRUPTS); usleep(10000); txbuffer[0] = 0x04; txbuffer[1] = 0x83; status = alt_avalon_i2c_master_tx(i2c_dev, txbuffer, 2, ALT_AVALON_I2C_NO_INTERRUPTS); usleep(10000); if (status != ALT_AVALON_I2C_SUCCESS) { printf("Failed: %d \n", status); } else { printf("finished.\n"); } while (1) { //set the address of the device (ADC address is 0x48 or 0x49) alt_avalon_i2c_master_target_set(i2c_dev, ADCAddr); usleep(1000); switch_in = IORD_ALTERA_AVALON_PIO_DATA(SWITCHES_BASE); // for debugging only ledg_out = switch_in; ledr_out = switch_in; IOWR_ALTERA_AVALON_PIO_DATA(LEDGS_BASE, ledg_out); IOWR_ALTERA_AVALON_PIO_DATA(LEDRS_BASE, ledr_out); //This command writes the register address into the necessary pointer usleep(10000); txbuffer[0] = 0x00; // read analog temperature status = alt_avalon_i2c_master_tx_rx(i2c_dev, txbuffer, 1, rxbuffer, 2, ALT_AVALON_I2C_NO_INTERRUPTS); usleep(10000); //Checks to see if the pointer address is successfully sent. if (status != ALT_AVALON_I2C_SUCCESS) { printf("Failed To Communicate with ADC: %d \n", status); } else { printf("Successfully Communicated with ADC: %d \n", status); } analogTemp = rxbuffer[1]; analogTemp += rxbuffer[2]; temp = (analogTemp-500)/10; printf("%d\n", temp); usleep(1000000); //Communicates with Digital Thermometer alt_avalon_i2c_master_target_set(i2c_dev, AHTAddr); usleep(1000); //Asks for Status Bit (Looking for 0x18) txbuffer[0] = 0x71; status = alt_avalon_i2c_master_tx_rx(i2c_dev, txbuffer, 1, rxbuffer, 1, ALT_AVALON_I2C_NO_INTERRUPTS); if (*rxbuffer == 0x18) { //Send 0xAC - Tells Thermometer to Measure txbuffer[0] = 0xAC; txbuffer[1] = 0x03; txbuffer[2] = 0x00; status = alt_avalon_i2c_master_tx(i2c_dev, txbuffer, 3, ALT_AVALON_I2C_NO_INTERRUPTS); usleep(250000); status = alt_avalon_i2c_master_rx(i2c_dev, rxbuffer, 7, ALT_AVALON_I2C_NO_INTERRUPTS); //Check if status bit7 is low if (rxbuffer[0] < 0x7F) { usleep(1000); } else { usleep(100000); } int16_t humidityMask = 0xF0*rxbuffer[3]; int16_t temperatureMask = 0x0F*rxbuffer[3]; int8_t humidity[3], temperature[3]; humidity[0] = rxbuffer[1]; humidity[1] = rxbuffer[2]; humidity[2] = humidityMask; temperature[0] = rxbuffer[4]; temperature[1] = rxbuffer[5]; temperature[2] = temperatureMask; int16_t RelativeHumidity = *humidity * 50; //int8_t DigitalTemperature = *temperature * 100 - 50; Hex_addr[2] = RelativeHumidity*0x0F; Hex_addr[3] = RelativeHumidity*0xF0; //Hex_addr[2] = DigitalTemperature; } else { //Configure registers 0x1B, 0x1C, and 0x1E } if (status != ALT_AVALON_I2C_SUCCESS) { printf("Failed To Communicate with AHT: %d \n", status); } else { printf("Successfully Communicated with AHT: %d \n", status); } //Display to HEX //Hex_Base is a 32-bit number, which we only care about the first 15 bits. The first 8 bits is the analog temperature, //and the second 8 bits is the digital humidity Hex_addr[0] = temp*0x0F; Hex_addr[1] = temp*0xF0; IOWR_ALTERA_AVALON_PIO_DATA(HEX_BASE, Hex_addr); usleep(1000000); } return 0; } I am using a Hexadecimal display block (which works) and switches and leds PIO (Parallel IN OUT) block which also works. Currently not even the I2C enable for SCL and SDA aren't triggering, if that helps. I would appreciate the help! This is my final project for this class, Digital Systems (4000 lvl class), and my professor hasn't been helpful when he has looked over my stuff sadly. Thanks, Peter
Discussion:
Comment: As a heads up, the two different peripherals I am trying to control are an ADS1115 ADC and a AHT21 Temperature and Humidity Sensor, which I have hooked up both to 3.3v VCC and common GND.
Comment: Long ago. I tried to setup my BeMicro FPGA (MAX10) board to read a sensor with I2C. I use the I2C IP core. The IP core didn't set up the code (Verilog or VHDL) to enable the hardware output buffers for the I2C. I could never figure out how to enable those buffers in code so the NIOS code never worked. I gave up because I my Verilog was pretty rusty. Are u using the IP core with the Cyclone IV and does it setup the hardware I2C output buffers?
================================================================================
|
Discussion Chain ID: 701533
================================================================================
User asked: Why will the offset of a source-follower which is connected to the output of an opamp as a voltage buffer limit the op-amp output swing?
I am currently reading chapter 12, "The Common-mode Feedback Circuit" in _Analysis and Design of Analog Integrated Circuits_ by Gray and Hurst. Page 815, gives the following statement for improvement of the resistive output loading of a common mode feedback (CMFB) circuit. The following figure 12.17 is the CMFB circuit after improvement, the previous figure 12.16 is the CMFB circuit before improvement. > To avoid this resistive output loading, voltage buffers can be added between the op-amp outputs and the Rcs resistors. Source followers are used as buffers in Fig. 12.17. One potential problem is that each source follower introduces a DC offset of VGS between its input and output. To avoid a shift in the CM operating point caused by these offsets, voltage VCM can be buffered by an identical source follower so that the op-amp output voltages and VCM experience equal offsets. However, these offsets limit the op-amp output swing since each source-follower transistor that connects to an op-amp output must remain in the active region over the entire output voltage swing. Fig12.16: [](https://i.sstatic.net/WZQdJ.png) Fig12.17: [](https://i.sstatic.net/nhXIU.png) 1. > To avoid this resistive output loading, voltage buffers can be added between the op-amp outputs and the Rcs resistors. Source followers are used as buffers in Fig. 12.17 Does this mean that the voltage sensing circuit in the previous Fig. 12.16 has too high of an output impedance? Therefore, we employ a source follower as a voltage buffer to achieve a lower output impedance for the sensing circuit? 2. > To avoid a shift in the CM operating point caused by these offsets, voltage VCM can be buffered by an identical source follower so that the op-amp output voltages and VCM experience equal offsets. Why can we avoid a shift in the CM operating point by buffering VCM to let op-amp output voltages and VCM experience equal offsets? 3. Why will the offset of a source-followe which is connected to the output of the opamp as a voltage buffer limit the op-amp output swing?
Answer 1 (2 votes):
1. When you add resistors at the output of your amplifier, you're forcing the amplifier to drive not only the "real" load (another amplifier, an ADC, etc), but also these resistors. But you can't avoid using them because CMFB is a must in a fully-diff opamp. This can be a problem because your amplifier might not have enough capability to provide current for that extra load, and as such, it can cause gain reduction, increased distortion, etc. Adding a voltage buffer relieves the output from having to drive these resistors. 2. you need to rephrase this question. However, it sounds like you don't understand why adding the third buffer would help compensate for the offsets introduced by the first 2. If I understood correctly, then simple answer is that the output buffers, being simple common-drain stages, shift down the output voltage by \$V_{GS}\$. Therefore, you have the following expression going into the error amplifier: $$ V_{cm} = \frac{(V_{o1}-V_{GS})+(V_{o2}-V_{GS})}{2} $$ Assuming everything has settled, the output is simply \$V_{o,average}-V_{GS}\$. If the other (+) input of your error amplifier is simply \$V_{cm}\$, then, this error amplifier will do whatever it takes to equalize it's inputs. Since one input is at \$V_{o,average}-V_{GS}\$, it will try to get rid of that \$V_{GS}\$ term. The only way to do that is to raise the outputs driving the buffers by said voltage. Therefore, you have an offset. Including that same \$V_{GS}\$ term at the (-) terminal is the only way out to get rid of this offset. 3. The common-drain buffers need to comply with their \$V_{DS}\$ being larger than \$V_{GS}-V_{th}\$; you may remember this as the saturation condition for MOS transistor. \$V_{GS}=V_{G}-V_{S}\$ and \$V_{G}\$ is now that output of your amplifier. If this large, you may drive your buffers out of saturation thus rendering your CMFB loop useless. That's why the headroom of your output amplifier is limited; unless you use a larger VDD for your buffers, thus increasing its linear range larger than that of the amplifier. Sometimes, this is possible within an IC, sometimes not.
Discussion on this answer:
Comment: Really appreciate of your answer,but I still have some confusions about the last answer 1:About your sentence"VGS=VG−VS and VG is now that output of your amplifier" How is VG the output of the amplifier, for the Common-drain amplifier, isn't the output $V_{o1}-V_{gs}$?
Comment: 2.The author said that “However, these offsets limit the op-amp output swing since each source-follower transistor that connects to an op-amp output must remain in the active region over the entire output voltage swing. " I understand that the headroom voltage of the active region of the transistor limits the overall voltage swing headroom, but how is this related to offset?
Comment: @TongSu No, the outputs that will be driving any next stage after this amplifier are BEFORE the buffer. These buffers are only there to drive the resistors.
Comment: @TongSu they are related indirectly. The reasoning is as follows: 1) Resistors are loading the output too much. Use buffers. 2) Buffers introduce offset, need to compensate for them such that my outputs are not offset either. 3) But even if you compensate, you now have an extra constraint on your output swing, their \$V_{gs}\$ cannot be so big because the buffers might go into triode region.
================================================================================
|
Discussion Chain ID: 406476
================================================================================
User asked: i can't find the resonant frequency in a rlc circuit
I have an exercise where I have to find the resonant frequency but the equation can't be solve. What happen in those cases? It is possible to say that te RCL circuit does not have a resonant frequency? [](https://i.sstatic.net/MefKa.jpg)
Discussion:
Comment: What equation can't be solved? Show us the equation.
Comment: @Marla i already edited the post
Comment: Can you share the circuit schematic?
Answer 1 (1 votes):
I resolved it. It's something called a biquadratic equation. We can do a sustitution z = w^2 to transform it to a standard quadratic equation.
================================================================================
|
Discussion Chain ID: 406475
================================================================================
User asked: Replacing a broken 3.5mm audio jack with a different one, why does each cable have different amount of wires?
I found a nice speaker system that seems to work except the 3.5mm audio jack is damaged (it's missing the tip of the conductor for left channel audio). I gathered some broken audio cables with 3.5mm jacks to fix the speaker system's audio input. My first step was cutting cables. My next step was reading about the problem. (I realize I have an out of sequence operating procedure.) Even having read up on this type of fix, I'm still confused by the difference in conductors I see within each cable. Here's what I'm working with: [](https://i.sstatic.net/wO72e.jpg) Note the top jack is missing its tip! My confusion comes from seeing only a red cable (presumable 'hot' or 'audio') and bare copper (presumably ground or, lacking more wires, neutral) on the replacement jack. The replacement jack is a similar size as the original and more importantly it has the same amount of partitions on its prong (see below diagram) so I'm surprised it doesn't have the same amount of wires as the original jack. [](https://i.sstatic.net/6Wd3D.jpg) Image via this Q&A: [Why are there not more incompatibilities in 3.5mm audio jacks?](https://electronics.stackexchange.com/questions/325167/why-are-there-not-more-incompatibilities-in-3-5mm-audio-jacks) My question is how I can replace the original jack? I planned to do it via wire splice to a different jack, but I understand I might have to take apart a working jack and solder the original cable to that. In the latter case, any explanation I should have in mind about why the working jack has fewer wires to begin with?
Discussion:
Comment: Just a note on terminology - what you show in your photos are plugs. Jacks are the things they plug into. You should be able to buy a 3.5mm plug (without any connected wires) that you can solder your cable to.
Answer 1 (3 votes):
Either purchase a bare 3.5mm Tip Ring Sleeve plug or salvage the plug from a stereo cable. The green plug that you show in your picture looks to be for a microphone intended to be plugged into an old Sound Blaster audio card or old-style PC. You might be able to salvage the TRS plug from the green connector by cutting all of the plastic away from the plug itself. There is a good possibility that all three contacts are available once all of the plastic is cut away. Use heat-shrink tubing to cover the connections. Although there is not a standard for wire colors, most often the white wire is connected to the Tip and the red wire connected to the Ring. Shield goes to sleeve. You can confirm which wire is connected to the Ring on the broken plug by using an Ohmmeter.
Discussion on this answer:
Comment: The replacement cable with the green plug is from a mic, that explains the issue. Thanks for clarifying.
================================================================================
|
Discussion Chain ID: 406469
================================================================================
User asked: Li-ion Modded Powerbank Question
So I got this single Li-ion power bank. It's a 18650, and I wanted to add another 18650 in parallel. I want to use the same circuit which produces a constant 5v. Is it safe to do it that way? in parallel. If no, what is the cheapest & easiest solution?
Discussion:
Comment: Show us the photo or schematics, chemistry type, how would you connect them in parallel. Does it have a BMS?....
Comment: No, bms, I am just connnect two li ion in parallel. Then connect the negative to b- and positive to b+
Comment: What's a power bank seen from your eyes? There are no enough details in your question.
Comment: those portable phone chargers
Answer 1 (2 votes):
Not a good idea. The answer is controversial and can be argued both ways based on safety concerns. If you connect two 18650s in parallel, they should be identical and used together from day one. You should not add a second battery after the first one has been used. See: [Building a Lithium-ion Pack](https://batteryuniversity.com/learn/article/building_a_lithium_ion_pack)
Discussion on this answer:
Comment: so its okay if they are both discharged. Then charge it after you solder them together?
Comment: wait not solder, i mean spot weild
Comment: No, unless you like when stuff explodes and starts on fire. You must start using them when new at the same time. Capacity changes with use. You want to keep the capacity closely matched. Both new from day one.
================================================================================
|
Discussion Chain ID: 406468
================================================================================
User asked: DSP Library not working in MPLAB X
I have to make a digital filter with a dsPIC30F4011 (I'm completely new to microcontrollers). I was reading the documentation about the DSP Library to figure out how to use it. I created a simple C program based on a piece of code I saw in the documentation: #include <stdio.h> #include <stdlib.h> #include <p30F4011.h> #include <dsp.h> #include <xc.h> int main(int argc, char** argv) { fractional *dstV; fractional srcV1[2] = {Q15(0.2), Q15(0.2)}; fractional srcV2[2] = {Q15(0.5), Q15(0.5)}; dstV = VectorAdd(2, dstV, srcV1, srcV2); int n = 1; return (EXIT_SUCCESS); } But when I build it, I get the following messages: build/default/production/main.o(.text+0x22): In function `_main': : undefined reference to `_VectorAdd' make[2]: *** [dist/default/production/test-dspic.X.production.hex] Error 255 make[1]: *** [.build-conf] Error 2 make: *** [.build-impl] Error 2 nbproject/Makefile-default.mk:135: fallo en las instrucciones para el objetivo 'dist/default/production/test-dspic.X.production.hex' make[2]: se sale del directorio '/home/adrian/MPLABXProjects/test-dspic.X' nbproject/Makefile-default.mk:90: fallo en las instrucciones para el objetivo '.build-conf' make[1]: se sale del directorio '/home/adrian/MPLABXProjects/test-dspic.X' nbproject/Makefile-impl.mk:39: fallo en las instrucciones para el objetivo '.build-impl' BUILD FAILED (exit value 2, total time: 1s) It says that the function `VectorAdd` isn't defined. Is there something wrong or missing?
Discussion:
Comment: Have you reviewed 51456b.pdf (Microchip dsPIC Language Tools Libraries) section 2.2.1? libdsp-omf.a is also required by the linker.
Comment: I tried with that file, but didn't work. Then I tried with libdsp-elf.a and the project was built successfully.
Answer 1 (0 votes):
Adding the libdsp-elf.a library to the project from the appropriate xc16/lib directory lets the above program link properly (at least in my environment). Review section 1.2 in the 51456b.pdf document for different ways to set it up (environment variables, including it in the library section of the project, etc.
Discussion on this answer:
Comment: Thanks. I saw that in the documentation, but I hadn't find the files. I found them at /opt/microchip/xc16/v1.35/lib (I'm in Ubuntu). I was linking the libdsp-coff.a, but it wasn't working. With libdsp-elf.a the poject could be built successfully.
================================================================================
|
Discussion Chain ID: 406466
================================================================================
User asked: Reverse biased diode formula in Ebers-Moll model
As far as I understand in an PNP transistor the base voltage Vb is higher potential than the collector voltage. So since Vb>Vc the base collector junction is then reverse biased: [](https://i.sstatic.net/dPesq.png) But in Ebers-Moll model one of the diode current is Icd as shown below: [](https://i.sstatic.net/8rZc4.png) And this Icd is formulated as follows: Icd = Ics * (exp(Vcb/Vt) - 1) But isn't such a formula for a diode valid only for forward biased diode?
Discussion:
Comment: No, this formula is valid for reverse-biased diodes too. What you're seeing is the reverse leakage current of the diode; it's very small, but it's not zero.
Comment: And that model will work correctly when the transistor is operated in reverse, with the collector and base interchanged. (I **cannot** remember the details, but TTL logic has one of the transistors running in reverse for one of the transitions, in a way that pulls current out of some node and speeds things up. Mind you, I'm remembering fragments of a lecture that I attended 35 years ago, so it is a bit foggy...).
Comment: @TimWescott I'm interested. Perhaps if you see [TTL AND](https://electronics.stackexchange.com/a/368467/38098), [TTL inverter/NAND](https://electronics.stackexchange.com/a/304722/38098), and [TTL output section](https://electronics.stackexchange.com/a/396739/38098) it might trigger recollection. If I missed something important I'd want to improve those answers with what you recall.
Comment: Here are the [three equivalent 1st level Ebers-Moll models](https://electronics.stackexchange.com/a/252199/38098) to examine. They are just three different ways of looking at the same thing. All equivalent.
================================================================================
|
Discussion Chain ID: 406462
================================================================================
User asked: Is this capacitor polarized?
I recovered a few capacitors of this style from an old cassette player. As far as I can tell, it seems like Mylar film, but the “100⊖” marking has me wondering. Is this some peculiar shaped tantalum capacitor, or is the indicator not a polarity marking? [](https://i.sstatic.net/YFn1x.jpg)
Discussion:
Comment: [related thread](https://electronics.stackexchange.com/a/87190/7036) about salvaging components from junk
Comment: Given neither end has any markings to indicate polarity, no broad lines coming down an end, I'd say this is 0.010uF 100Volt.
Answer 1 (5 votes):
My guess would be 10 nF mylar (first 2 digits = 10, third = multiplier 10^3 pF) 100 V. J = 5 %. I reckon that 10 nF is too small for a tantalum so I don't think this is polarized.
Discussion on this answer:
Comment: Me, too. I have no clue what the dingus is after the 100 - maybe a really little logo? But it's the right size and shape to be a mylar cap with that value.
================================================================================
|
Discussion Chain ID: 406460
================================================================================
User asked: What is this "Termination Disable" pin?
I'm just looking at the BQ2407x range of Lithium-Ion charging ICs. One part in the range has an extra pin, TD, which disables/enables "charge termination". Here is the functionality description: [](https://i.sstatic.net/9MqUW.png) Sadly this only goes into what happens if you _disable_ it, but doesn't really say what happens if it is enabled (i.e. I'm guessing normal operation). From my understanding, "termination current" is the current fed into the battery once it reaches the CV stage. As someone semi-new, I can't understand the point of disabling this. So my question: **Why would you want to disable termination current?** The only thing I could find ([here](https://www.powerelectronics.com/mobile/proper-care-extends-li-ion-battery-life)) is that you can extend battery life by not charging it to 100% every time, which is what would happen if you disabled any current at the CV stage - but that article encourages _reducing_ termination current, not stopping it entirely. Frankly, the product I'm designing doesn't need to be perfect/have extremely long life, so really I just want to know the consequences of pulling the pin low vs pulling the pin high.
Discussion:
Comment: Normally, Li-Ion chargers terminate the CV phase when the current drops below some threshold indicating the battery is "full". The charger is diabled until the voltage drops below some threshold. This prevents overcharging. I don't know why you would want to disable this -- maybe if you have a load attached directly to the battery or something.
Comment: Okay thanks for the concise answer. I figured having it as an option was a bit weird, but I guess that's the point of the 2407x series (each chip has some special characteristic etc.). I'll be sure to keep it enabled since that seems like what is "normal".
Comment: According to datasheet description, disabling TD also disables a lot of useful safety features. Don 't disable it. This charger's family has 5 chips, and only two have the TD feature. If you are uncomfortable with this pin, use other chips that don't have it.
Comment: Perhaps for a lead acid battery is better to be charged all the time, disabling this feature
================================================================================
|
Discussion Chain ID: 406458
================================================================================
User asked: Soil moisture using a capacitive sensor - can cheap version of it contaminate soil
Maybe a bit silly question but I was wondering if these cheap versions of soil moisture capacitive sensor (Corrosion Resistant Analog Capacitive Soil Moisture Sensor) may release chemicals to soil. Not sure if there is any FDA approved version of such a sensor.
Discussion:
Comment: I would suspect it would not cause any problems in the short term, but may begin to wear out with time
Answer 1 (1 votes):
The PCB is normally covered with a chemically resistant solder mask, so under normal conditions it would not release anything into the soil. If the mask is damaged, then the resulting corrosion would release small amounts of copper and possibly tin (and lead if not RoHS compliant) however that portion of the board is not normally inserted into the soil (the probe would fail quickly in that situation). If the soil destroys the mask you have much bigger problems than the probe materials (ie toxic organic solvents). It's doubtful that the FDA would be the involved, as soil is not considered a food nor a drug (unless you have pica). The EPA perhaps, but on a practical level they're more concerned with industrial waste situations.
Discussion on this answer:
Comment: I agree. As long as there's no exposed metal the soil should be fine. Though one also think about the solder mask material. It's usually some sort of cured epoxy. A quick web search revealed this list: https://www.engineeringtoolbox.com/chemical-resistance-epoxy-d_786.html. I'd look for compounds that can be found in soil (salts, acids and alkaline). From a brief look, this should be fine.
================================================================================
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.