Questions about phase difference (possible timing issue) RC circuit

Hello,
Below is the program I am using to measure the phase difference in an RC circuit. Simply put I generate a 2kHz sine wave in LabView and send it to the circuit using an Analog output. Then I measure the output sine wave using an analog output.I also measure this using n oscilliscope. I cna clearly measure the phase difference with the oscilliscope and know it to be approximately 1.4 radians.
Issues with the program:
Different phase difference measured each time the program is run for the circuit. It is also never correct.
Possible causes:
You will notice by looking at the vi I measure the phase from the signal generator. Should I be using a second analog input to measure the sine wave as it is outputted at the start of the circuit?
I mainly think that it is a timing issue. While the phase difference is constant each time the program it varies each on run. So the time each tone measurement begins its first measurement seems to be different each time and causes this different phase reading.
The card I am using is a PCI 6221, is there a timing issue related from switching to input and output acquistion or are they seperate.
Is there anyway to ensure that both tone measurements are measuring phase at the same point in (actual) time?
I would really appreciate any advice or alterations on the program anyone could offer me (I am a college student and LabVIEW is not on our curriculum so I have no support, yet I am using it for my project (D'oh!))
Solved!
Go to Solution.
Attachments:
RC Circuit Test.vi ‏271 KB

I would certainly acquire two signals.  Feed the analog output right back into an analog input and then your filtered signals in another.
Initially, I would feed the analog output into both analog inputs and measure the phase delay due to the multiplexed A/D on the card.  Once you have that measurement, you can feed in the filtered signal and then measure the phase difference of that signal.
Randall Pursley

Similar Messages

  • Question about main difference between Java bean and Java class in JSP

    Hi All,
    I am new to Java Bean and wonder what is the main difference to use a Bean or an Object in the jsp. I have search on the forum and find some post also asking the question but still answer my doubt. Indeed, what is the real advantage of using bean in jsp.
    Let me give an example to illustrate my question:
    <code>
    <%@ page errorPage="errorpage.jsp" %>
    <%@ page import="ShoppingCart" %>
    <!-- Instantiate the Counter bean with an id of "counter" -->
    <jsp:useBean id="cart" scope="session" class="ShoppingCart" />
    <html>
    <head><title>Shopping Cart</title></head>
    <body bgcolor="#FFFFFF">
    Your cart's ID is: <%=cart.getId()%>.
    </body>
    <html>
    </code>
    In the above code, I can also create a object of ShoppingCart by new operator then get the id at the following way.
    <code>
    <%
    ShoppingCart cart = new ShoppingCart();
    out.println(cart.getId());
    %>
    </code>
    Now my question is what is the difference between the two method? As in my mind, a normal class can also have it setter and getter methods for its properties. But someone may say that, there is a scope="session", which can be declared in an normal object. It may be a point but it can be easily solved but putting the object in session by "session.setAttribute("cart", cart)".
    I have been searching on this issue on the internet for a long time and most of them just say someting like "persistance of state", "bean follow some conventions of naming", "bean must implement ser" and so on. All of above can be solved by other means, for example, a normal class can also follow the convention. I am really get confused with it, and really want to know what is the main point(s) of using the java bean.
    Any help will be highly apprecaited. Thanks!!!
    Best Regards,
    Alex

    Hi All,
    I am new to Java Bean and wonder what is the main
    difference to use a Bean or an Object in the jsp. The first thing to realize is that JavaBeans are just Plain Old Java Objects (POJOs) that follow a specific set of semantics (get/set methods, etc...). So what is the difference between a Bean and an Object? Nothing.
    <jsp:useBean id="cart" scope="session" class="ShoppingCart" />
    In the above code, I can also create a object of
    ShoppingCart by new operator then get the id at the
    following way.
    ShoppingCart cart = new ShoppingCart();
    out.println(cart.getId());
    ...Sure you could. And if the Cart was in a package (it has to be) you also need to put an import statement in. Oh, and to make sure the object is accessable in the same scope, you have to put it into the PageContext scope. And to totally equal, you first check to see if that object already exists in scope. So to get the equivalant of this:
    <jsp:useBean id="cart" class="my.pack.ShoppingCart"/>Then your scriptlet looks like this:
    <%@ page import="my.pack.ShoppingCart %>
    <%
      ShoppingCart cart = pageContext.getAttribute("cart");
      if (cart == null) {
        cart = new ShoppingCart();
        pageContext.setAttribute("cart", cart);
    %>So it is a lot more work.
    As in my mind, a normal class can also
    have it setter and getter methods for its properties.True ... See below.
    But someone may say that, there is a scope="session",
    which can be declared in an normal object.As long as the object is serializeable, yes.
    It may be
    a point but it can be easily solved but putting the
    object in session by "session.setAttribute("cart",
    cart)".Possible, but if the object isn't serializable it can be unsafe. As the point I mentioned above, the useBean tag allows you to check if the bean exists already, and use that, or make a new one if it does not yet exist in one line. A lot easier than the code you need to use otherwise.
    I have been searching on this issue on the internet
    for a long time and most of them just say someting
    like "persistance of state", "bean follow some
    conventions of naming", "bean must implement ser" and
    so on. Right, that would go along the lines of the definition of what a JavaBean is.
    All of above can be solved by other means, for
    example, a normal class can also follow the
    convention. And if it does - then it is a JavaBean! A JavaBean is any Object whose class definition would include all of the following:
    1) A public, no-argument constructor
    2) Implements Serializeable
    3) Properties are revealed through public mutator methods (void return type, start with 'set' have a single Object parameter list) and public accessor methods (Object return type, void parameter list, begin with 'get').
    4) Contain any necessary event handling methods. Depending on the purpose of the bean, you may include event handlers for when the properties change.
    I am really get confused with it, and
    really want to know what is the main point(s) of
    using the java bean.JavaBeans are normal objects that follow these conventions. Because they do, then you can access them through simplified means. For example, One way of having an object in session that contains data I want to print our might be:
    <%@ page import="my.pack.ShoppingCart %>
    <%
      ShoppingCart cart = session.getAttribute("cart");
      if (cart == null) {
        cart = new ShoppingCart();
        session.setAttribute("cart", cart);
    %>Then later where I want to print a total:
    <% out.print(cart.getTotal() %>Or, if the cart is a JavaBean I could do this:
    <jsp:useBean id="cart" class="my.pack.ShoppingCart" scope="session"/>
    Then later on:
    <jsp:getProperty name="cart" property="total"/>
    Or perhaps I want to set some properties on the object that I get off of the URL's parameter group. I could do this:
    <%
      ShoppingCart cart = session.getAttribute("cart");
      if (cart == null) {
        cart = new ShoppingCart();
        cart.setCreditCard(request.getParameter("creditCard"));
        cart.setFirstName(request.getParameter("firstName"));
        cart.setLastName(request.getParameter("lastName"));
        cart.setBillingAddress1(request.getParameter("billingAddress1"));
        cart.setBillingAddress2(request.getParameter("billingAddress2"));
        cart.setZipCode(request.getParameter("zipCode"));
        cart.setRegion(request.getParameter("region"));
        cart.setCountry(request.getParameter("country"));
        pageContext.setAttribute("cart", cart);
        session.setAttribute("cart", cart);
      }Or you could use:
    <jsp:useBean id="cart" class="my.pack.ShoppingCart" scope="session">
      <jsp:setProperty name="cart" property="*"/>
    </jsp:useBean>The second seems easier to me.
    It also allows you to use your objects in more varied cases - for example, JSTL (the standard tag libraries) and EL (expression language) only work with JavaBeans (objects that follow the JavaBeans conventions) because they expect objects to have the no-arg constuctor, and properties accessed/changed via getXXX and setXXX methods.
    >
    Any help will be highly apprecaited. Thanks!!!
    Best Regards,
    Alex

  • Two quick questions about the project and timing panes

    1) Is there a hotkey for toggling between the project and timing panes?
    I can't seem to find this anywhere. I know F5 and F6 open and close them, but I'd like to be able to simply activate then without having to click on them. I'd like to be able to simply toggle between them and navigate using the arrow keys
    2) Is there a way to lock together the project and timing views so that when you open a group in one that group is also opened in the other?

    Sure, play/stop SHOULD work, but it doesn't always. And the up/down arrows only work to move layers in some instances. Try this. In a normal project, select a layer in either the layers pane or the canvas. Use the up/down arrows and you'll find Motion cycles between layers. Now close the layers pane (F5) and open it again. Now try to use the up/down arrows. It no longer cycles on my machine (and probably yours).
    In fact, Motion 4 broke a LOT of the keyboard shortcuts that used to work seemlessly in Motion 3.
    For example: I create a text object and start typing my text. About 30 percent of the time hitting the spacebar while typing text will cause playback to start. Pure annoyance.
    I used to be able to Hit HOME and END to go to the start and end of the project when the layer's pane is active, now I can't.
    About 25 percent of the time when I'm in the layers pane and I hit spacebar, instead of playing the project, I turn off the layer that was currently selected.
    Those are just a few of my pet peeves. There are definitely some real issues with shortcuts in Motion 4.
    Andy

  • Question about the difference between HDDs and SSDs

    Hi. I currently have a MacBook (Black one) that's overheating a lot for the past few months. I'm thinking about purchasing a MacBook Pro for school because it seems to be more stable. I have a question though. What is the difference between HDDs and SSDs? Which one is better? All I know is that with my MacBook and my iBook is that I had hard drive failures (iBook hard drive clicking, MacBook hard drive sounding loud and making my computer overheat). Are hard drive failures normal with Macs?
    Thank you

    astoldbywesley wrote:
    Is a 128GB Solid State Drive better than a 500GB Serial ATA Drive @ 5400 rpm or 500GB Serial ATA Drive @ 7200 rpm?
    Depends what you mean by "better." Faster? Yes. The 500 has 3x more storage capacity.
    Message was edited by: tjk

  • Question about Hz difference between MacBook Pro and iMac?

    Some will think I'm crazy for saying this, but my new MacBook is driving me nuts.
    In a nutshell, I have tinnitus as a result of an accident some years ago. I can hear an intermittent high pitch sound coming from the back left of the machine. I used to hear a similar sound from old TVs back when I first got tinnitus. After some deduction I realised that it was to do (I think) with the fequency. I sold my old TV and brought a new one that was a 100Hz. My theory was somewhat confirmed when they delivered it and it was the 50Hz version and yes, the high pitch sound was very evident! Upon receipt of the 100Hz model and I immediately noticed the difference.
    I'm guessing then that the MacBook has something inside emitting 50-60Hz - someone on this forum mentioned that too.
    Although I want the portability, I can't stand that sound all day long, so I'm thinking of taking it back and swapping it for an iMac.
    The question is, will I find the same problem? I'm not sure of the technical specifications in terms of Hz's between the two machines.
    It's too noisy in the shop to tell.
    Any advice appreciated.
    PS - did not have this issue with my 2008 MacBook pro.
    PPS - makes no difference if it's plugged in or not.

    Isolating the source of the high frequency would take a technician with the instruments to deteermine what components emit sound...actually very easy to do with the proper test instruments, but essential to tell you what is causing the offending sound.  Unless you know that it will be very hard to determine if the iMac will not do the same thing.
    Only qualitative way to find out is go to an Apple store or reseller with a good selection of hardware, work with the different hardware and see if it bothers you.  Preferably with few people around and low background noise level so the sound isn't masked.

  • Question about the requirement for goods issue from a delivery (VOFM)

    Dear all
    ※Please note that this is related to the credit limit check.
    I am trying to set up the SAP system, so that if the maintenance contract (rental document) is billed at least once,
    the system would allow the user to bill the customer regardless of the credit usage (ex. 150%).
    So I created the following routine for the credit check (in VOFM).
    IF XVBAK-AUART = 'ZMZZ'.    --> Please note that ZMZZ is the document type of our rental document
       LOOP AT XFPLT.
           IF XVBUK-FKSAK = 'B' or XVBUK-FKSAK = 'C'.
    We will not do any credit limit check for this item line.
                MOVE CHARX TO BYPASS-SECURITY.
                MOVE CHARX TO BYPASS-STATIC_LIMIT.
                MOVE CHARX TO BYPASS-DYNAMIC_LIMIT.
                MOVE CHARX TO BYPASS-DOCUMENTVALUE.
                MOVE CHARX TO BYPASS-CRITICAL_FIELDS.
                MOVE CHARX TO BYPASS-REVIEWDATE.
                MOVE CHARX TO BYPASS-OPEN_ITEMS.
                MOVE CHARX TO BYPASS-OLDEST_OP.
                MOVE CHARX TO BYPASS-DUNNING_LEVEL.
                MOVE CHARX TO BYPASS-USER1.
                MOVE CHARX TO BYPASS-USER2.
                MOVE CHARX TO BYPASS-USER3.
                EXIT.
          ENDIF. 
               EXIT.
       ENDLOOP.
    ENDIF.
    Now, with the routine above, it became possible to bill customers regardless of the credit usage.
    However, when we try to ship (posting goods issue) the item for that maintenance contract, when the credit usage exceeds 100%, the system rejects it with the error message below.
    <Error message>
    Static credit check: credit limit exceeded
    Now, I want to set up the system, so that if the posting goods is for the item which satisfies the following condition,
    the system would not reject the posting due to the error above.
    <condition>
    1. The item is for the maintenance contract which was billed at least once --> this means that this is not a new contract
    ※Please note that for new maintenance contracts (which is not billed even once),  the system should not allow to post goods 
       issue if the credit usage exceeds 100 %.
    I looked into VOFM, and found out that we are using the following routines for posting goods issue.
    <system routine>
    13
    <user routine>
    113
    But I didn't know where the error (Static credit check: credit limit exceeded) came from.
    Could you tell me how to find (or where to modify) a location where I can make the modification in order to
    satisfy our requirement?
    Thank you very much in advance

    Dear all
    I was able to solve the problem by setting up the credit check routine for delivery notes, and assign it for "No credit check" field
    in the automatic credit control (OVA8).
    So, thank you for your help, everyone
    Takashi

  • Questions about the differences between Arch and Chakra.

    I'm trying to decide whether to install Arch or Chakra on my laptop. Currently, I'm running Arch on my desktop and Windows 7 on my laptop (which I plan to overwrite). My skill level with GNU/Linux is somewhat intermediate – noobs refer to me as an expert, experts refer to me as a noob. If it matters, I'm a KDE user and primarily use my computers for web browsing and python development. Anyway, I just wanted to get an objective opinion on the differences between Arch and Chakra. I have a few points that stand out to me, but I welcome any input.
    -Stability
    I started my journey into GNU/Linux with Debian back in 2009 due to it's stability. I really disliked Debian's ancient software and considered moving my system to Unstable. While doing some googling about Debian Unstable, I stumbled across Arch – it was love at first sight. I've been an Arch user ever since. I love the bleeding edge software, and haven't had any major problems since I originally installed it. However, every time I run a system update I cringe a little. While Arch hasn't broken on me yet, I've read plenty of horror stories and it makes me uneasy. I understand that Chakra is a mix between a point and rolling release model. Is it any more or less stable than Arch? I know there are other distrobutions out there, but I'm in love with the Arch philosophy.
    -Security
    Pretty self-explanatory, but is there any difference in security between the two?
    -AUR
    As much as I love Arch, I wouldn't be able to stand it if it weren't for the massive collection of software available in the AUR. While I'm perfectly capable of compiling software myself, I prefer to use a command like tool like yaourt to manage my software. I understand that Chakra doesn't officially support the AUR and that they have their own user repository. Seeing as Chakra is still relatively new, is it lacking? Will I miss the AUR as a Chakra user?
    -Repositories
    Is there much difference in the official repositories between the two distrobutions?

    avonin wrote:
    I'm trying to decide whether to install Arch or Chakra on my laptop. ... I'm a KDE user ... I just wanted to get an objective opinion on the differences between Arch and Chakra..
    -Stability...
    -AUR...
    -Repositories...
    My take on Chakra is that it's the same as Arch with different developers.  They use pacman. They have a different and rather nice build system for their developers. They're doing a good job, but I'd hate to give up the services of Allan McRae who must work full time keeping the Archlinux core and toolchain up to date.  Chakra devs probably piggy-back off his work.
    As for "semi" rolling: I don't see Chakra as having a stable core.  A stable core sounds attractive, it would be like NetBSD which has a very stable core Unix operating system with apps added via pkgsrc.  But Chakra's core and toolchain is at the same version levels as Archlinux most of the time and are no more tested and stabilized than ours. Their core packages are updated piecemeal just like ours; there is no stable core that is released as a unit (afaik). Today Chakra has gcc 4.7 / glibc 2.15 just like ours. Their kernel is a little more stable: they're using udev 181 / linux 3.2.8 while Arch is on udev 182 / linux 3.3.7.  They are more conservative in upgrading xorg and the video drivers than Arch.  For example, today they're on xorg-server 1.10.4 / intel video 2.17 while Arch is up-to-the-bleeding-edge-minute with xorg-server 1.12.1.902 and intel video 2.19.  Yeah, I would consider Chakra to be a little more "stable" than Arch mainly because of their relaxed pace in changing the kernel and the xorg stuff.
    Most of the patches that I look at for Arch packages (I build my system entirely from source and try to build monthly releases for myself) are needed because we use more recent core packages like glib2/glibc/gcc than the developers of higher level stuff like qt.  Chakra is in the same situation.  We're on the front of the wave
    The Chakra CCR is compatible with the Arch AUR and mainly draws from AUR (an AUR buildscript will usually work fine on a Chakra system -- they just add one or two additional info fields.)  With a little effort you could get any package installed on a Chakra system that is available on Arch.
    Last edited by sitquietly (2012-05-24 20:43:58)

  • A question about a difference between CS3 and CS6 (sorry if it's wrong addressed)

    When I place in InDesign (both CS3 and CS6) a transparent tif image (CMYK) there is a difference between those created in Photoshop CS3 (correct) and CS6 (white background). Why?

    EDIT: With the new InDesign CS6 update (8.1) Photoshop CS6 tifs with transparency import correctly now. Thank you

  • Question about the difference between MSPP and MSTP

    Hell,
    I wonder what is different between 15454 MSPP and SMTP.
    Any answer will be appreciated.
    Thanks

    MSPP and MSTP both use the same chassis. control and communication cards and software. The difference is that MSPP uses TDM (SONET and SDH) cards OCn, STMn, Cross connect, while MSTP is DWDM i.e transponders, ROADM, pre-amps e.t.c

  • Questions about the difference between RFC calls with and without JavaProxy

    Hello,
    I have a two questions:
    1. Why is it more user-friendly to access SAP data in conjunction to plain JCo calls as explained here http://help.sap.com/saphelp_nw04/helpdata/en/79/c6213e225f9a0be10000000a114084/content.htm? Waht's exactly the reason for?
    2. What's exactly the runtime shown in the picture here http://help.sap.com/saphelp_nw2004s/helpdata/en/ed/897483ea5011d6b2e800508b6b8a93/frameset.htm?
    Regards,
    Armin

    Moin Armin,
    from what I understand from the first link, SAP is probably trying to say that it is user friendly because not everyone needs to be concerned regarding the actual JCo calls to the SAP backend. Rather they can simply work with the generated proxies as if they were actually working with the SAP Tables. The mapping, JCo calls and data transfer is taken care of by the Enterprise Connector.
    For instance, you can generate proxies of the BAPIs on your side and let 10 users work with the structures and tables and when it is deployed, the JCo calls are automatically taken care of (from the SLD).
    The figure in the second link just shows the runtime to illustrate that the native calls are hidden (again probably the same point I made before).
    I am not sure, just my interpretation
    Bye,
    Sameer

  • Question about the difference between Creative Cloud Single and Complete packages / Photoshop

    I am an Adobe Photoshop / CS / CC novice so I apologise in advance for however silly this may come across.  If I purchase Photoshop through the 'single application' package will I get to use Creative Suite to its full potential (masking, layers, sharpening etc) or will I need to purchase the 'complete individual' package which is considerably more expensive?
    I have no requirement for Adobe's products beyond photo editing and i am not familiar with the other applications / products listed.
    Thanks

    If you subscribe to just Photoshop CC, you get the full application (aka, masking, layers, sharpening) as well as the 20gb online storage. You will not get any of the other applications like Lightroom or Illustrator though. You only get Photoshop.

  • I have questions about audio timing and volume levels

    I have a question regarding editing the audio timing. There are a few section in my clip that the rythym is a split second off. What technique can I use to sync up the time by just a fraction of a second?
    so far I've tried use the re-time editor which I thought was gonna work but after I re-timed the section, I couldn't drop it back into place without having the lower clip change and make things more confusing, but I had a feeling I was doing thing right for a second. Was I on the right track or is there another way of doing this?
    on another note...
    I have some sections in my clip that are peaking in the red, but sound fine on my computer even at full volume. I hear no distortion at all. Does this pose as a problem, and should I re-adjust?
    how to connect cuts in final cut pro 

    This is actually a somewhat complicated subject. There are actually several different kinds of sync issues. Two major "classes": 1) some audio seems to speed up or slow down over time compared to other audio, and 2) audio that just needs to be aligned in time.
    One of the biggest culprits for sync issues is mixed bitrates. A typical FCPX project should default to an audio bitrate of 48kHz.  If you have 44.1kHz (or other bitrate) clips, mixed in, the first thing you should do is make sure all your audio clips are conformed to your project.
    Select your clips and then select:
    [Note: when retiming clips, even if only slightly, make sure Preserve Pitch is selected.]
    If that doesn't work, or your audio is "live" recordings and you'd like to tighten up performers timing a little, you can manually sync audio tracks to each other. (You should have at least one audio "track" with the best timing to be your "beat track".)
    The idea is to find the events you need sync'd in the audio waveforms; which means listening and seeing the pattern in the waveforms (turning on "scrubbing" helps); and you should find these indicators as close to the end of the clip as possible (you will need to zoom into the clips to see them clearly enough and you will need room to access the retiming slider on one of the clips... so... near the end is best.)
    Zoom into the audio clip on the storyline so you can see the waveform clearly, but not so far as to lose detail in the "subsample" range -- to start (it's very difficult to distinguish specific peaks if you zoom in too far.)
    With the audio clip selected and the playhead placed on the start of the "event" (bass beat, tom/snare hit, cymbal, etc.) type the M key to set a marker (markers on audio clips can be set on subsamples, so it will be "inside" a single video frame range.)
    On corresponing clips that you want to sync with the "master" clip, do the same thing: select the clip, find the corresponding "event" start for that clip, move the playhead to the beginning of the event (you might have to zoom in [command- +] on the storyline one or two times more to improve the resolution), type M to set a marker.
    You now have two markers you can align by retiming one (or more) of the clps to match the "master". Use the playhead and have it 'snap' to the master's marker.  When you retime the others, visually align their markers to the master's by using the playhead as a visual indicator for alignment.
    This technique can be used with video and audio that has gone out of sync, by finding the visual indicators of a specific sound in the video, setting a marker to mark the start of that event, then finding the audio event and setting a marker. You will need to detach the audio from the video first if you're going to work on it in this way.
    It's even easier to sync audio if there are no retiming issues (that is, you just need to align clips, not retime them.) Find the position markers as in the description above (anywhere in a clip since retiming is not necessary), turn on snapping, drag one of the clips until the markers snap... and you're done. You don't even need to use the playhead to have the markers snap to alignment with each other. Very convenient for adding foley/sound effects to video.
    HTH

  • Question about garageband: I have 3 short original songs that i wanted to merge ala "Bohemian Rhapsody". Is that possible in garageband? their tempos are all different from each other. Advance thanks.

    Question about garageband: I have 3 short original songs that i wanted to merge ala "Bohemian Rhapsody". Is that possible in garageband? their tempos are all different from each other. Advance thanks.

    First of all, GarageBand iOS allows for only one tempo and there is no Merge Song feature.
    What you can do.
    Switch between the songs and copy-paste the individual Tracks. You can also Merge Tracks if you run into the 8 Track limitation.
    Hope that helps
    Edgar Rothermich
    http://DingDingMusic.com/Manuals
    'I may receive some form of compensation, financial or otherwise, from my recommendation or link.'

  • Few questions about difference between Satellite P70 , L70, S70

    Hello, i have many questions about the series P70 , L70, S70 that come with a 1920x1080 panel.
    1) What are the differences between the L70 and S70 series? Except of the HDD capacity and RAM, the notebooks look pretty identical.
    2) Do P70 , L70, S70 support a 2nd HDD or is it just the P70 series that support it ?
    3) Do all three (P70, L70, S70 series) come with the same TFT Panels ?
    4) Which of the above series supports mSata ?
    5) Do all of the model of each series come with a mSata support? E.g. Could it be that L70-a-13m supports mSata while the L70-a-146 does not ?
    6) All of the above, come with a S-ATA II or S-ATA III interface ?
    7) Which is the best of those series listed ? I am trying to understand what makes the big difference from S70 to P70 except of the casing for example.
    Thank you in advance.

    >1) What are the differences between the L70 and S70 series? Except of the HDD capacity and RAM, the notebooks look pretty identical.
    What Sat L70 and S70 models do you mean exactly? There are different L70-xxx and S70-xxx models on the market which supports different hardware specifications.
    >2) Do P70 , L70, S70 support a 2nd HDD or is it just the P70 series that support it?
    As you can see in this [Sat P70 HDD replacement document,|http://aps2.toshiba-tro.de/kb0/CRU3903II0000R01.htm] the P70 series supports 2nd HDD bay BUT even if there is an 2nd HDD bay this does not mean that you could use 2nd HDD. In case the 2nd HDD bay would be equipped with HDD connector, you could use the 2nd HDD
    I found also the [Sat L70/S70 HDD replacement |http://aps2.toshiba-tro.de/kb0/CRU3703HG0000R01.htm] document on Toshiba page and there I can see that 2nd HDD bay is not available
    > 3) Do all three (P70, L70, S70 series) come with the same TFT Panels?
    See point 1). Different P70, L70, S70 models were equipped with different hardware parts.
    > 4) Which of the above series supports mSata?
    As far as I know only some P70 models are equipped with an 256GB mSATA-SSD.
    > 5) Do all of the model of each series come with a mSata support? E.g. Could it be that L70-a-13m supports mSata while the L70-a-146 does not ?
    See point 4) not all models supports the same hardware specifications
    > 6) All of the above, come with a S-ATA II or S-ATA III interface ?
    I dont think that SATA III is supported. I guess it would be SATA II
    > 7) Which is the best of those series listed ? I am trying to understand what makes the big difference from S70 to P70 except of the casing for example.
    Not easy to answer because there are too many models released in Europea.
    And not all models are available in each country. So I guess you will need to look for models which were released in your country.

  • I have a question about using multiple ipads in our school.  Each of our teachers have a iPad and AppleTV in their classroom.  The issue is, with our classrooms so close in proximity to one another, is there a way to pair teacher

    I have a question about using multiple ipads in our school.  Each of our teachers have a iPad and AppleTV in their classroom.  The issue is, with our classrooms so close in proximity to one another, is there a way to pair teacher #1 iPad to its AppleTV without effecting/projecting onto the adjacent teachers #2 classroom AppleTV?

    Not as such.
    Give the AppleTV units unique names and also enable Airplay password in settings with unique passwords for each teacher.
    AC

Maybe you are looking for

  • Using htp.p for print dynamic data in apex region make my page slow?

    Hi, everyone!!! My name is Rafael, and... I search in the web and in this forum but i can´t find a answer for my doubt. Using the procedure htp.p for print dynamic data in apex region through on demand process , this will leave my webpage slow to loa

  • I need help: 2 problems on Premiere CS 5.5

    Hello everyone, I'm working with Premiere CS5.5 I have a PC with 16G memory, video card, GTX570, I7 2600 processor The problem is this: 1. When I work with computer M2TS files works smoothly, but when I work with three layers or more, Premier works v

  • Enable Related Files Setting on Dreamweaver CC reset on restart.

    Hello, I am running Dreamweaver CC on OS X Mountain Lion and everytime I try to set Enable Related Files to false and Dreamweaver restarts, the setting is checked on again. I have uninstalled and reinstalled DW, I've fixed my disk permissions, I have

  • Problems when editing videos in IOS 8.02

    I recorded a slowmotion video with a moving train the other day; but when I wanted to edit it, I couldn't like I used to. I wanted to cut the first seconds out because of shaking image, but when I tried doing that, it also cut the ending; I couldn't

  • IDML Coordinate Spaces != DOM coordinate spaces?

    Given IDML for a rectangle, <Rectangle Self="ucf" StoryTitle="$ID/" ContentType="GraphicType" FillColor="Color/Black" GradientFillStart="0 0" GradientFillLength="0" GradientFillAngle="0" GradientStrokeStart="0 0"   GradientStrokeLength="0" GradientSt