RPS 675 Signale

Wir haben ein Problem mit unserem RPS 675 und wollen die Signale
RPS_PRES (RPS present)
RPS_CTRL 1
RPS_CTRL 0
PWR_GOOD (power is good)
überprüfen.
Kann mir bitte jemand sagen welche Signalspannungen (Art der Spannung, Größe der Spannung) bei den jeweiligen Kontakten anliegen bzw. wie diese wechseln wenn:
die Versorgungspannung in Ordnung ist
die Versorgungspannung nicht in Ordnung ist
das RPS auf StandBy geht.
MfG
Matthias Radakovits
We have a problem with our RPS 675 and want to check the following signals
RPS_PRES (RPS present)
RPS_CTRL 1
RPS_CTRL 0
PWR_GOOD (power is good)
Can someone please tell me what kind signal voltages (voltage type, size of the voltage) at the respective contacts lie on and how they change when:
the power supply is OK
the supply voltage is not OK
the RPS is on standby.
MfG
Matthias Radakovits

Hi Matthias,
did you have any success with this issue? I'd be interested in the default values of these signals too.
Cheers,
Tamas

Similar Messages

  • RPS 675 UK AC Power Cord

    We have recently moved office and our RPS 675's have ended up connected with an AC power cord with a 5A fuse. The unit itself is rated at 10-6A so I'm thinking the power cords have been mixed up and should have a higher rated cable (like 10Amp). Unfortunately tech specs and packing list of this product only list as "AC power cord" can anyone check/confirm ?

    For standard UK plug, it should able to support 13A. So if you prepare a standard one w/ fuse, there should be no problem. However, if you order the equipment and selected power option, it will come w/ the correct power cord. Don't worry.
    Hope this helps.

  • Cisco RPS 675

    I have bought 2 cisco 3560 switches & one cisco RPS 675. I have connect the switches to RPS 675 & while testing i found that when i remove the power supply cable of one of the switch RPS kicks in & supplies power to that switch but when i re plug the power cable to the switch RPS continues to suplly power to the switch. If i manually change the status of RPS o standy by the switch reboots & take the power supply from main connection.
    Is there any way RPS goes in to standby mode after the switch starts receving power supply from main line.

    The manual for the 675 states the following
    "The switch might restart when it changes from RPS power to its own internal power. This situation might occur after the power supply on a switch fails, the RPS takes over, and the switch reverts to its own power. We advise you to assume this possibility and plan accordingly when you restart a switch using its internal power after using the RPS as backup power."
    I guess they have stopped the internal power supply taking over again to stop the possibility of the switch reloading during operational hours. This means you have to schedule a reload to revert back in internal power.

  • Using RPS 675 (connecting and disconnecting)

    Hi
    I need to add RPS675 to a working 3560 switch. In the pre tests (on 2950) when I connected it, it worked O.K... but when I turned the power off the RPS the switch did a reset...
    I need a way to turn off the RPS without making the switch to reset.
    Any suggestions?

    Try:
    http://www.cisco.com/univercd/cc/td/doc/product/lan/cat3560/12220se1/3560hg/higoverv.htm#wp1021241
    http://www.cisco.com/en/US/products/hw/switches/ps4916/products_data_sheet09186a0080150e31.html
    http://www.cisco.com/en/US/products/hw/switches/ps5528/prod_bulletin09186a00801f3d7b.html

  • Concurrency with locks and wait/signal. Is it ok?

    Hello,
    I'm relatively new in concurrency. I've write this code that seems to work, but I'm not sure if there is any error (the concurrency concepts are not still clear for me).
    In the following class "diskFile", I'll start 10 threads executing the class "diskCacheDataOneCall". The question is that the "populateCacheFromDisk" method should wait until 10 threads are finished and, if any thread produces an error, interrupt all threads and finish.
    The code seems to work, but I have some questions like if I should synchronize the static variables Lock and Condition before using them.
    Anyway, I'd like that an "expert" on concurrency tells me if this code is acceptable, or what kind of improvements can do (or, if there is some mistake, how to correct it).
    I've spent many time reading tutorials about concurrency, and this is the result. Really, I'm not sure if I'm doing the things well, that's why I need the opinion of an expert in order to get better on concurrency.
    Thanks in advance.
    public class diskFile
    // Static variables for threading.
    public static Lock lock = null;
    public static Condition cdFinished = null;
    public static int numActiveThreads = 0;
    public static Exception loadException = null;
    // Main function
    public static void populateCacheFromDisk() throws cacheServletException
    ArrayList<Thread> arrThread = new ArrayList<Thread>();
    // Init static variables.
    lock      = new ReentrantLock();
    cdFinished      = lock.newCondition();     
    numActiveThreads = 0;
    loadException = null;
    try
    // Iterate 10 times (for simplicity) ...
    for (int i = 0; i < 10; i++)
    // Create THREAD and store its reference
    Thread thr = new Thread(new diskCacheDataOneCall());
    thr.start();
    arrThread.add(thr);
    // Increment "numActiveThreads"
    lock.lock();
    numActiveThreads++;
    lock.unlock();
    // Her we wait while no error happens and still active threads
    lock.lock();
    while ( (loadException == null) && (numActiveThreads > 0) )
    cdFinished.await();
    // If an error happens in any thread, then interrupt every active thread.
    if (loadException != null)
    for (int i = 0; i < arrThread.size(); i++)
    Thread thr = arrThread.get(i);
    if (thr.isAlive()) thr.interrupt();
    throw loadException;
    catch (Exception e) { throw new cacheServletException(); }
    finally { lock.unlock(); }
    public class diskCacheDataOneCall implements Runnable
    public diskCacheDataOneCall() {}     
    public void run()
    try
         diskFile.getCacheDataFromDiskOneCall(); // Load data from disk.
    // Decrement "numActiveThreads"
         diskFile.lock.lock();
         diskFile.numActiveThreads--;
    catch (Exception e)
    diskFile.lock.lock();
    diskFile.loadException = e;
    finally
    // Always signal and unlock.
    diskFile.cdFinished.signal();
    diskFile.lock.unlock();
    }

    Hello David,
    Sorry but the code does not work. An IllegalMonitorStateException is throwed. Here I show you a simplified version (now with ThreadPoolExecutor):
       // Main class (it triggers "maxActive" threads)
       Lock lock  = new ReentrantLock();
       Condition cdFinished = lock.newCondition();       
       numActiveThreads = 0;
       loadException = null;
       try
        ExecutorService ex = Executors.newFixedThreadPool(numActiveThreads);
        for (int i = 0; i < numActiveThreads; i++) ex.execute(arrTasks.get(i));
        lock.lock();
        while ( (loadException == null) && (numActiveThreads > 0) )
                   cdFinished.await();
        ex.shutdown();
       catch (Exception e) { throw e; }
       finally { lock.unlock(); }
      // Every thread.
      public void run()
       try
        doSomething();
        diskFile.lock.lock();
        diskFile.numActiveThreads--;
       catch (Exception e)
        diskFile.lock.lock();
        diskFile.loadException = cse;
       finally
        diskFile.cdFinished.signal();
        diskFile.lock.unlock();
      }The exception is:
    // Fail in the "signal" (finally section)
    Exception in thread "pool-1-thread-1" java.lang.IllegalMonitorStateException
    at java.util.concurrent.locks.AbstractQueuedSynchronizer$ConditionObject.signal(AbstractQueuedSynchronizer.java:1666)
    at com.vcfw.cache.cache.disk.diskCacheDataOneCall.run(diskCacheDataOneCall.java:44)
    at java.util.concurrent.ThreadPoolExecutor$Worker.runTask(ThreadPoolExecutor.java:650)
    at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:675)
    at java.lang.Thread.run(Thread.java:595)
    // Fail in the "unlock" (finally section)
    Exception in thread "pool-1-thread-2" java.lang.IllegalMonitorStateException
    at java.util.concurrent.locks.ReentrantLock$Sync.tryRelease(ReentrantLock.java:125)
    at java.util.concurrent.locks.AbstractQueuedSynchronizer.release(AbstractQueuedSynchronizer.java:1102)
    at java.util.concurrent.locks.ReentrantLock.unlock(ReentrantLock.java:431)
    at com.vcfw.cache.cache.disk.diskCacheDataOneCall.run(diskCacheDataOneCall.java:43)
    at java.util.concurrent.ThreadPoolExecutor$Worker.runTask(ThreadPoolExecutor.java:650)
    at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:675)
    at java.lang.Thread.run(Thread.java:595)
    Some threads fail executing the signal, and some threads fail executing ythe unlock. An IllegalMonitorStateException seems to mean that the lock was not acquired by the thread, but I'm not able to see the mistake.
    Can you help me?
    Thanks.

  • Order Analysis when there is a significant DC offset in signal

    Thanks for reading this. I am using the NI LabVIEW Order Analysis Toolkit to do order analysis of strain gage signals of a part attached to an auto engine. My goal is acquire data from a strain gaged part attached to an engine during its rampup and identify the signifcant orders in the strain signal. I am not able to understand an issue I see with my results in the Order Power Spectrum.
    I measure the strain gage signals during the engine run-up using the cDAQ 9235 module (1000 to 6000 rpm in 15 seconds). I also acquire the Tachometer using NI-9402 module (counter). I then converted the strain signals to even angle signals, and did the Order Power Spectrum.
    Please the resulting Order Power Spectrum shown in Fig1. What I am finding is that the DC offset in the strain signal shows up as a high amplitude peaks (red or green) in the Order Power Spectrum (Please see Fig 1) around order of 0. Because of these huge peaks around order 0,  the order peaks of real interest around 2 or 3 order (blue or purple) are hard to discern in the graph.
    The DC offset shows clearly in the graph of Strain vs RPM (RPM is a linear function of time), so essential this is same as Strain vs Time. The white line in Fig 2 is the DC offset. In this example, the DC offset is constant during the RPM rampup, but more often, the strain gaged part experiences both changing static strain and cyclic strain  as shown in Fig 3. Here the part is undergoing increasing tensile strain, with cyclic strain overlaid on top of that.
    My questions are:
    Am I missing some key step here in preprocessing?
    -- do I need a high pass filter to remove DC offset?
    -- do  I need to subtract the mean value of the signal from the time based signal before sending to Order Processing?
    How does one handle signals that have a varying static strain in addition to a cyclic signal overlaid on top of the static signal? This appears to me a common scenario in strain measurements because the DUT is undergoing both varying static and dynamic stresses during an engine ramp.
    Thanks for any comments or tips!
     

    Other fun facts:
    --- The Encoder solution has absolutely no connection to speed.  It is all connected to crank angle.
    For what we were doing that was perfect. We were looking at cylinder pressure and valve position vs. crank angle.  But you have to measure speed some other way (use the encoder's INDEX output into a COUNTER channel, for example).
    --- Measuring speed on a (combustion) engine is an illusion anyway.  You can come up with an average speed, but the crankshaft literally slows down (that gas does not want to be compressed) and speeds up (exploding gas REALLY wants to get out).  If you analyze the 512/rev signal vs. time, you can see the cylinders firing.  A flywheel mitigates this, but everything is an average.
    --- You're better off (speed wise) if the number of points you choose is a power of 2. You can use a FAST fourier if so.
    --- The basic assumption behind Fourier analysis is that the signal you are analysing is synchronous to the block (the chunk you are analyzing), and repetitive: the next sample after the tail (element N-1) would be the head (element 0).
    --- Order analysis involving windows (Hanning, Hamming, etc.) is simply an attempt to correct for the fact that you're measuring it wrong.  If you take an arbitrary time-chunk of data, then your head may not match up to your tail. As far as Fourier is concerned, that is a sudden transition in the signal and will show up as energy spread through the 1st order, 2nd order, etc.  It's polluting the data.  Worse, it's not consistent: if the head and tail meet at 750 RPM, you have little pollution.  If the head and tail are 180 out at 760 RPM, you have a large pollution.  Hanning, etc. basically reduce that transition by bending the signal toward zero at the head and the tail.  You then multiply the results by a fudge factor, because the window distorts the data.
    --- If you record an arbitrary time-chunk of data, you don't have any phase information.  You don't know if this particular order's artifact is related to the valve opening at 270 degrees, or the suction valve closing, or what.  It's just not there.  You can get a phase result, but it's a phase relative to the start of your block, and if that's arbitrary, then phase is useless.
    --- All those issues are avoided if you take the data synchronously.  Don't window it. Don't filter it, unless you have a known interfering signal way above the highest order you want.
    I mentioned above that you can record as many channels as you like as long as the total scan time is < RPS / 512.
    Obviously, that should be < 1 / RPS / 512 : the TIME it takes to turn the encoder one 512th of a rev.  You shouldn't get too close to that limit, because the speed varies during a revolution.

  • No video signal using mini dvi to vga adapter.

    I just bought a macmini,the last generation. Separately I bought on the apple store a mini dvi to vga adapter because when I bought the macmini I forgot to buy that....once the adapter arrived I tried to turno on the mini,everything seems to be normal,the mini works,the audio signal is normal and after the startup it asks me to choose the language,but the screen says there's no INPUT SIGNAL. I tried another mini dvi to vga adapter,the vga wire works with my pc so I didn't try another one,I tried the reset of the mini,nothing....do I have to try with "miniport to vga" adapter or is there something else I can try?

    I got my Mac Mini yesterday and I am having the exact same problem as you are having.
    I've tried on two different TV's but it is just not sending a signal. Is it faulty?

  • Battery , time , signal strength bar is not getting displayed in home screen , these will be displayed only when i click on any app. Can u let me know the setting change ?

    Battery , time , signal strength bar is not getting displayed in home screen , these will be displayed only when i click on any app. Can u let me know the setting change ?

    Did you check the Zoom setting?
    Have you tried a reset (reboot)? Hold HOME and SLEEP until an Apple logo appears.
    If it isn't Zoom and a reboot doesn't help try Settings/General/Reset - Reset all settings

  • No signal via DVI to VGA adapter on my video projector Sharp PGM 15X

    Hi there!
    I have a big problem with my video projector. It´s connected via mini DVI to VGA adapter to
    the projector. The problem is, Mac OSX decect the projector but there is no picture.
    To resize the solution on both, or one of them doesn´t help.
    When I use my Bootcamp and reboot with Windows XP there is a picture on the video projector.
    I cant believe this.
    What should I do to fix this problem?

    I got my Mac Mini yesterday and I am having the exact same problem as you are having.
    I've tried on two different TV's but it is just not sending a signal. Is it faulty?

  • Mini Displayport to vga adapter on MacBook pro 13" late 2011. No signal on external monitor

    Hi
    Connecting a Late 2011 MacBook Pro 13" to an external monitor, trough mini Dispalyport to vga adapter, i see "no signal" messagge on external monitor, even if i get it as secondary monitor on Preferences > Monitor of my MacBook it's visible (i can change resolution, position, clone screen, ecc.).
    Any suggestion? somebody found the same problem?

    Hi
    i did what you said and tried with other resolution/refresh rate combinations, also with anoter external monitor (and vga cable) but its still the same: monitor is detected but there's no signal.
    Now I will try to chek if the adapter works on other pc and monitor.
    Thanks
    (anyway it was the firs time i connect this mac to an external monitor)

  • Mini DVI to VGA cable doesn't send signal to the projector

    I just received a mini DVI to VGA adapter cable today.
    I connect mini DVI side of cable into my Macbook v. 4.1 and connect the other side into DGA cable, which connected to LCD projector.
    When I connect the cable to my Macbook, the opened application streched out to a full screen (seems like computer detets the cable) but projector says 'no signal'.
    Can any one tell me what is wrong it is?
    Thanks much
    Mike

    I'm still stucked.
    By reading some articles, it says even using mini DVI adapter, the signal is still digital and if the projector doesn't accept digital signal then it's no use....
    My projector is Epson EX3200 and it doesn't have any DVI or HDMI input.
    Does this mean my projector doesn't accept a digital signal?
    But, but, but if even uing mini DVI adapter cable it still doesn't conver to analog signal then why they call the cable a mini DVI to VGA cable???
    Why should this world be so complecated.....

  • Report generation toolkit and signal express user step : problem of closing reference in "Stop" event

    Hi all,
    I'm trying to make a package of Vis to easily make Excel reports with Signal Express. I'm working on LabVIEW 8.2.1.
    I'm using the report generation toolkit, so I build a .llb from my project which contains all the hierarchy of my steps, but also the hierarchy of dynamic VIs called.
    I have made some steps, like "Open Workbook", "Write Data", etc.
    My steps run well, excepts one step : "Close Workbook".
    If my "Close Workbook" step is firing on "Run" Signal Express event, I have no error, so my reference is properly closed.
    But if my "Close Workbook" step is firing on "Stop" Signal Express event, I have an error "1", from "Generate Report Objectrepository.vi".
    I feel that I'm trying to use a reference which has been killed in the "Stop" step...
    I would like to know what exactly do Signal Express on "Stop" event and why my close function does'nt run well.
    Thanks,
    Callahan

    Hi Callahan,
    SignalExpress (SE for short) does the following on the Stop event:
    1. Takes the list of parameters that SE found on your VI's connector pane, and sets the values that the user set from the "Run LabVIEW VI" configuration page, if any.
    2. Then tells the VI that SE is running the Stop event by setting the Enum found on your VI's front panel. This in turn should produce some boolean values telling your VI to execute the Stop case.
    3. The VI is then run, with those values and states.
    4. SE checks to see if any errors where returned.
    5. Since this is the Stop event, SE releases the reference to the VI which it possesses.
    Questions for you would be, is the reference to your Workbook linked to a control on your connector pane, or held in a uninitialized Shift Register. If it's held in a Shift Register, SE would not be aware of it, and would not be able to affect that reference.
    Hope that helps. Feel free to post your LLB if it doesn't.
    Phil

  • Timing control signal and data acquisition

    I have a series of relays which when activated will close different elements of a circuit and I also have a sourcemeter(Keithley) sending a constant source current and reaing the voltage back.(But when no relays are closed the circuit is open and no source current flows )
    I have a microcontroller(pgmmed for 9600 baud rate) based hardware circuit which closes different relays sequentially based on the input it recieves from labview pgm passed on through a Rs232 cable(9600/8 bit/no flow control)
    So i made a sequence structure of sending signal to microcontroller signal then wait for the signal transmission and realy activation and then read the voltage value form keithley sourcemeter back to labview thro a GPIB cable.
    These three events are reapeated sequentially in a while loop. 
    A schematic picture is attached.
    BUt the problem I ma facing is the maximum speed of reading is limited to 200msec/reading even thought the relay activation time is as low as 30 msec.
    I tried with many different delay times (140-60 msec...but more or less each reading takes up 200msec irrespective of the delay time..) 
    What could be the bottle neck is it the Rs232 setting at 9600 baud rate..can changing that to higher baud rate/including flow control solve this problem?
    Attachments:
    daq_printscreen.GIF ‏45 KB

    siva0182 wrote:
    Find attached the picture of the vi where I tried to put in timers.one in each of the frame and at the end added one more frame just to measure the time elapsed .
    The last frame and the frame with sourcemeter measurment show adifference of about 140 msec.
    Is there any way to improve the speed of this portion?
    Probably not.  It sounds like the Keithly VI is taking 140 msec.  You can try opening that up to see if there is anything in there that could be causing an unnecessary slowdown.  But trying to tighten it up too much may cause occasional errors (such as timeouts) in trying to get a response back. 
    But surprisingly I tried displaying the actual timer value at the start and at the start of sourcemeter read function ..but the display of both indicators is almost equal with little difference of only 10 msec.?????  I'm not sure which of the several timers you are referring to here.  What is the value going into the wait function between the VISA write and the Keithly VI?
    When you do benchmarking, the timer functions should be in a frame all by themselves.  Having it mixed with another function or VI causes a bit of uncertainty as to when the time was taken.  For instance, you dont' really know if the Keithly VI was started before the time was taken or after.  (The time was probably taken first, but without a data flow or sequence structure dependency, you can't be sure.)

  • Signal 4 error encountered while running a customized report

    Signal 4 error encountered while running a customized report
    We are running Oracle Applications version 11.5.10 on Oracle RDBMS 9.2.0. and IBM AIX 5.3 o production system and AIX 5.2 on test machines. We have made a new clone of production database on test machine and after installation of a clone on test-machine all customized reports terminated with signal 4 error.
    Can anybody tell the possible causes of signal 4 errors and their remidies ?

    Thank you for the link, i will read it...
    I have problemss with PDF output...
    When trying to run any concurrent request with PDF output, it completed with error and show the following message in the request log file:
    Current NLS_LANG and NLS_NUMERIC_CHARACTERS Environment Variables are :
    American_America.AR8MSWIN1256
    Spawned Process 499776
    stat_low =84
    stat_high = 0
    emsg:was terminated by signal 4
    Program was terminated by signal 4
    Concurrent Manager encountered an error while running Oracle*Report for your concurrent request 20824997

  • Can no longer connect to internet w/ cell signal - advice?

    Hi, all -
    I can no longer access the internet using a cell signal on my Droid 3. Everything was working fine until about a week ago, but now I get no 3G signal at all and only one or two bars. When I turn on the WiFi, I have no trouble accessing the internet. I can make calls with no problem, but cannot access the internet or my apps.
    I have tried the following, but I am still not getting a usable wireless signal:
    ·        -  Restarted device several times
    ·       -  Turned “airplane” settings on and off
    ·        - Removed battery, replaced it and restarted
    ·        -  Dialed *228, then option 1 to activate service
    ·        - Dialed *228, then option 2 to reprogram service
    Does anybody have any other ideas? I REALLY do not want to use the "nuclear" factory reset option unless absolutely necessary!
    Thanks in advance for any help!

        dmiller28, being without data is very difficult! Your efforts are greatly appreciated and you are on the right track with the troubleshooting steps. Have you tried checking the network settings in the device? To do this you will go to: menu>settings>wireless and networks>network mode and check if it is set to CDMA. Otherwise the next step is to do the factory reset which will be the last resort option. Keep us posted, thanks! 
    WiltonA_VZW
    VZW Support
    Follow us on twitter @VZWSupport

Maybe you are looking for

  • How do you mail merge in the new pages?

    I have a pages document that I merge with an informational spreadsheet for real estate brochures in our office. However, I can't find a mail merge option anywhere in the newest version of pages. Does anyone know a way around this? Any information wou

  • Portalweb 500, Internal Server Error

    **Looking for help** I'm running a ConfigMgr 2012 R2 setup, and on the Primary site I'm unable to work with AppCatalog. Looks like IIS isn't functioning properly and I'm getting the following-- from portlctl.log- Call to HttpSendRequestSync failed fo

  • Inserts on Sub (minus) Query

    Ok. This is what I need to complete. I need to Insert from a minus subquery. Here is my query where I need to insert the results. select id_user, system_id, nm_database, cd_altname from accounts_temp minus select id_user, system_id, nm_database, cd_a

  • Should Validation occurs for unselected value?

    I have a JSF page as follows : <h:selectOneListBox ... value="#{Bean.selectedOption}" ...> <f:selectItem itemValue="Ans01" itemLabel="Ford" /> <f:selectItem itemValue="Ans02" itemLabel="Honda" /> </h:selectOneListBox> <h:commandButton ...value="submi

  • Date update from header to item

    Hello All, I have following questions. 1) in CRM if Item Category doesn't have any Date profile assigned in Item category IMG, does it use header date profile to show the date types in sales Transactions or dates doesn't show up at all on item level.