Quick rundown

I'm new to using iDVD and need a quick rundown. Here's what I want to do:
I have a bunch of .avi files that I can't play through quicktime so I want to put them onto a DVD so I can watch them through DVD player.
I want to make DVDs with several episodes of TV programs on each disk
How do I do this easily? Will I have to convert the files before I burn them?
Can I make the menus look cool and themed towards what I put on the disk?
Thanks for any help,
Drew

I don't think iDVD can handle avi files.
I would ask this question again in the iMovie discussions area.

Similar Messages

  • Across row validation in tabular form and across items in row validations.

    Hi,
    We are upgrading to APEX 4.0.
    I need to create a tabular form that will have a start date and an end date. FOr each new row or updated row I need ensure its start date is after the end date of all rows already entered and its end date is after the start date of row being entered. Also that if no end date is entered then no other rows can be found with a null end date.
    SO I need across field validations with in a row and across row validattions. That is I need rowset validations as well.
    Is it possible to do this with APEX? WHat kind of tabular solution would allow these type of validations. How might these validations be done?

    Okay, Here's a quick rundown on how to build a manual form using APEX_ITEM and collections. The process goes in 4 steps: gather the data, display the data, update based on user input, then write the changes. Each step requires it's own piece of code, but you can extend this out as far as you want. I have a complex form that has no less than a master table and 4 children I write to based on user input, so this can get as complex as you need. Let me know if anything doesn't make sense.
    First, create the basic dataset you are going to work with. This usually includes existing data + empty rows for input. Create a Procedure that fires BEFORE HEADER or AFTER HEADER but definitely BEFORE the first region.
    DECLARE
      v_id     NUMBER;
      var1     NUMBER;
      var2     NUMBER;
      var3     VARCHAR2(10);
      var4     VARCHAR2(8);
      cursor c_prepop is
      select KEY, col1, col2, col3, to_char(col4,'MMDDYYYY')
        from table1
        where ...;
      i         NUMBER;
      cntr      NUMBER := 5;  --sets the number of blank rows
    BEGIN
      OPEN c_prepop;
        LOOP
          FETCH c_prepop into v_id, var1, var2, var3, var4;
          EXIT WHEN c_prepop%NOTFOUND;
            APEX_COLLECTION.ADD_MEMBER(
            p_collection_name => 'MY_COLLECTION',
            p_c001 => v_id,  --Primary Key
            p_c002 => var1, --Number placeholder
            p_c003 => var2, --Number placeholder
            p_c004 => var3, --text placeholder
            p_c005 => var4 --Date placeholder
        END LOOP;
      CLOSE c_prepop;
      for i in 1..cntr loop
        APEX_COLLECTION.ADD_MEMBER(
            p_collection_name => 'MY_COLLECTION',
            p_c001 => 0, --designates this as a new record
            p_c002 => 0, --Number placeholder
            p_c003 => 0, --Number placeholder
            p_c004 => NULL, --text placeholder
            p_c005 => to_char(SYSDATE,'MMDDYYYY') --Date placeholder
      end loop;
    END;Now I have a collection populated with rows I can use. In this example I have 2 NUMBERS, a TEXT value, and a DATE value stored as text. Collections can't store DATE datatypes, so you have to cast it to text and play with it that way. The reason is because the user is going to see and manipulate text - not a DATE datatype.
    Now build the form/report region so your users can see/manipulate the data. Here is a sample query:
    SELECT rownum, apex_item.hidden(1, c001),  --Key ID
         apex_item.text(2, c002, 8, 8) VALUE1,
         apex_item.text(3, c003, 3, 3) VALUE2,
         apex_item.text(4, c004, 8, 8) VALUE3,
         apex_item.date_popup(5, null,c005,'MMDDYYYY',10,10) MY_DATE
    FROM APEX_COLLECTIONS
    WHERE COLLECTION_NAME = 'MY_COLLECTION'This will be a report just like an SQL report - you're just pulling the data from the collection. You can still apply the nice formatting, naming, sorting, etc. of a standard report. In the report the user will have 3 "text" values and one Date with Date Picker. You can change the format, just make sure to change it in all four procedures.
    What is critical to note here are the numbers that come right before the column names. These numbers become identifiers in the array used to capture the data. What APEX does is creates an array of up to 50 items it designates as F01-F50. The F is static, but the number following it corresponds to the number in your report declaration above, ie, F01 will contain the primary key value, F02 will contain the first numeric value, etc. While not strictly necessary, it is good practice to assign these values so you don't have to guess.
    One more note: I try to align the c00x values from the columns in the collection with the F0X values in the array to keep myself straight, but they are separate values that do NOT have to match. If you have an application you think might get expanded on, you can leave gaps wherever you want. Keep in mind, however, that you only have 50 array columns to use for data input. That's the limit of the F0X array even though a collection may have up to 1000 values.
    Now you need a way to capture user input. I like to create this as a BEFORE COMPUTATIONS/VALIDATIONS procedure that way the user can see what they changed (even if it is wrong). Use the Validations to catch mistakes.
    declare
      j pls_integer := 0;
    begin
    for j1 in (
      select seq_id from apex_collections
      where collection_name = 'MY_COLLECTION'
      order by seq_id) loop
      j := j+1;
      --VAL1 (number)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>2,p_attr_value=>wwv_flow.g_f02(j));
      --VAL2 (number)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>3,p_attr_value=>wwv_flow.g_f03(j));
      --VAL3 (text)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>4,p_attr_value=>wwv_flow.g_f04(j));
      --VAL4 (Date)
      apex_collection.update_member_attribute (p_collection_name=> 'MY_COLLECTION',
          p_seq=> j1.seq_id,p_attr_number =>5,p_attr_value=>wwv_flow.g_f05(j));
    end loop;
    end;Clear as mud? Walk through it slowly. The syntax tells APEX which Collection (p_collection_name), then which row (p_seq), then which column/attribute (p_attr_number) to update with which value (wwv_flow.g_f0X(j)). The attribute number is the column number from the collection without the "c" in front (ie c004 in the collection = attribute 4).
    The last one is your procedure to write the changes to the Database. This one should be a procedure that fires AFTER COMPUTATIONS AND VALIDATIONS. It uses that hidden KEY value to determine whether the row exists and needs to be updated, or new and needs to be inserted.
    declare
    begin
      --Get records from Collection
      for y in (select TO_NUMBER(c001) x_key, TO_NUMBER(c002) x_1,
                 TO_NUMBER(c003) x_2,
                 c004 x_3,
                 TO_DATE(c005,'MMDDYYYY') x_dt
               FROM APEX_COLLECTIONS
               WHERE COLLECTION_NAME = 'MY_COLLECTION') loop
        if y.x_key = 0 then  --New record
            insert into MY_TABLE (KEY_ID, COL1,
                COL2, COL3, COL4, COL5)
              values (SEQ_MY_TABLE.nextval, y.x_1,
                  y.x_2, y.x_3, y.x_4, y.x_dt);
        elsif y.x_key > 0 then  --Existing record
            update MY_TABLE set COL1=y.x_1, COL2=y.x_2,
                 COL3=y.x_3, COL4=y.x_4, COL5=y.x_dt
             where KEY_ID = y.x_key;
        else
          --THROW ERROR CONDITION
        end if;
      end loop;
    end;Now I usually include something to distinguish the empty new rows from the full new rows, but for simplicity I'm not including it here.
    Anyway, this works very well and allows me complete control over what I display on the screen and where all the data goes. I suggest using the APEX forms where you can, but for complex situations, this works nicely. Let me know if you need further clarifications.

  • How do I use copyprofile, image manager and create a wim file to Sysprep a reference Windows 8 computer.

    Im trying to deploy a reference machine (configured) to other machines (exact or close image) with different hardware.
    I have successfully used sysprep in out of the box, generalise, shutdown mode although i havent tried to deploy this to another device.  Unfortunately it doesnt copy the profile to default.
    I understand that I have to create an answer file using image manager based on that image, save it to a usb drive and attach this in the sysprep command line when sysprepping it.
    My problem is I dont know how to easily capture an image of windows 8 into a wim file so that i can add this into image manager to create a answer file.  Im also not sure what I have to do in image manager, is it a simple matter of creating and saving
    the answer file or do i have to configure it to copy the profile specifically (theres only one account anyhow).
    I also want to know if i have to attach the drivers or are all the standard drivers put into the sysprep image as standard.  I would like the machine to be an exactly replica, same as doing a clone (but with the drivers for the new machine installed
    so it will boot) same as doing a clone and then repair? If thats possible.
    Any specific instructions on this would be helpful.  I have read the microsft links but they are somewhat confusing.

    I know this is a very late response but I thought I'd post for others who search.
    The easiest way to create the .wim file is via WinPE, this guy's two YouTube videos explain the entire process in detail - 
    Windows 8 ADK Part 1: Capture an OS image - https://www.youtube.com/watch?v=XJ8zKX_8E9w
    Windows 8 ADK Part 2: Windows Image Deployment - https://www.youtube.com/watch?v=HHIvoqSw_FI
    Here's a quick rundown from my notes:
    WINPE
    Create WinPE via imaging tools command prompt
    copype amd64 c:\winpe
    makewinpemedia /iso "c:\winpe" "c:\winpe\winpe64.iso"
    UNATTEND
    Open Windows System Image Manager
    Configure unattend.xml
    Save unattend.xml to sysprep folder
    Create script and save it to sysprep folder to launch sysprep with unattend
    @echo off
    cd C:\Windows\System32\sysprep
    Sysprep /oob /generalize /unattend:C:\Windows\System32\sysprep\unattend.xml
    SYSPREP
    C:\Windows\System32\Sysprep
    Run as administrator
    OOBE/Generalize
    Shutdown
    CONFIGURATION of WINPE
    Set IP - netsh int ip set address "Local Area Connection" static 192.168.1.2 255.255.255.0 192.168.1.1
    Set DNS - netsh int ip set dns name = "Local Area Connection" source = static addr = 192.168.1.4 validate = no
    Map Network Name - net use z:
    \\WindowsADK\reflex\images password /USER:domain.local\username
    DISKPART
    diskpart
    list disk
    select disk zero
    list partition
    select partition 2 (OS partition #)
    Assign letter=S (assigns drive letter to partition)
    Exit
    DISM
    dism /capture-image /imagefile:z:\image.wim /capturedir:s:\ /name:"Windows 8.1 Custom"
    Verify image is saved in the image share (z:)
    http://www.microsoftfanboys.com

  • Error messages after new MobileMe Calendar upgrade. Solved?

    Quick rundown of what I've been through and how I have solved my problem.
    I have a MacBook running 10.5.6 and I also have Bento 3. Recently Bento (Filemaker) told me that I would have to complete a few steps before upgrading to the new MobileMe calendar. So I followed the steps exactly. (URL: http://help.filemaker.com/app/answers/detail/a_id/7846/~/setting-up-bento-for-th e-new-mobileme-calendar)
    After completing the steps. I proceeded to upgrade to the new calendar. Upgraded in less than a minute and then after opening up iCal on my mac & importing my calendars, thats when things started to go wrong. I kept getting error messages on almost every even I have ever created. I could barely even quit iCal due to all the error messages. Also, many of my events werent there after importing and the progress wheel kept spinning. Complete DISASTER! (*Luckily, I made plenty of backups before doing any of this so I was safe*) But Still I had NO iCal!
    I searched and searched and could not find a complete solution. So what I did was the following and so far I believe it could be the solution to all of you guys's problems.
    I followed these instructions on this website (URL: http://answers.makeitwork.com/how-to-reset-ical-on-your-mac-or-how-to-clean-up-y our-ical/) **I followed these exactly**
    They are below:
    +Export any Calendars you wish to retain after you reset by clicking on the Calendar you wish to retain and go to File > Export… > Export…+
    +Repeat the above process for every Calendar you wish to keep. (Make sure you remember where you saved them)+
    +Quit out of iCal+
    +Go to Finder and click on your Home icon to display the Library folder.+
    +Open that folder+
    +Open the Calendars folder in the subsequent window+
    +Delete all the contents within that folder+
    +NOTE: If you open iCal at this point, it will initially appear that you cleared everything. Within minutes, however, everything will come back.+
    +Go to your Utilities folder and open the Terminal application+
    +Enter the following command: rm -rf ~/Library/{Caches,Caches/Metadata,Preferences,Application\ Support}/iCal+
    +Exit out of Terminal+
    +Open iCal and…Voila! Brand new iCal!+
    But that did not completely work. So before doing this again, I went to my iPhone and quit syncing calendars on my mobile me account. And chose to ERASE every calendar on my iPhone.
    After doing that and repeating the process above, I opened up iCal and boom, it worked. Then after I had the calendars setup the way I wanted on my MacBook, I proceeded to go to Preferences>MobileMe>Sync> and then chose to sync
    I then went to Me.com and checked to see if the calendar was operable and it was 100%. I could do everything like before. Then I went back to my iPhone and just turned Calendar syncing back on in my mobileme preferences.
    This has solved all my problems 100%. Hope this helps someone. Just remember that as long as you created a backup of your Calendar you should be safe.
    -Cody-

    Well... seems I didn't have any answer on this. I fiddled a bit more but I have to say that I really came to wits' end at this stage. A couple of observations though:
    * I don't really understand this notion of a keyboard issue. My keyboard and its layout work properly but I will not be able to login regardless of login through GDM, KDM or Slim. Yet it's worth noting that in the case of GDM and SLIM the X server starts; I see the graphical interface, I click, etc. but when I type the trouble starts.
    * I tried to check my xsessions-errors file. The file is really big under a frame buffer, and it wasn't clear to me, but I found strange that the log was reporting all sorts of attempts to start KDE. I don't exactly know what's going on.
    If anybody has any clue, let me know... It's becoming very frustrating.
    Thanks!

  • Help with two ipod users on one computer???

    Ok heres a quick rundown of the problem. My girlfriend and i both have ipod minis and i am having difficulty getting I tunes to work for me. Her I tunes works fine for her I pod, but when i try to add music files to my ipod using her I tunes, it keeps telling me that my ipod is attached to another music library, then it asks me if i want to erase the music on the ipod and download her music. I thought that maybe i was doing something wrong so i decided to install my copy of itunes to remedy the problem. I tried to install my ipods i tune disc onto the computer, everything looks like it installs well but for some reason its seems as though you can't have two versions of itunes on one computer. Can someone help me? Is there an easy way to fix this?

    OH good lord! Go into your start up menu and find Tour Windows XP and it will show you how. OR GO into your Control Panel, click on USER ACCOUNTS and go from there...its not rocket science, trust me

  • How to access Navigation result from a bean

    Hi
    I am working on a website being developed in JSF. Right now we have a header, footer and body (kind of like tiles). The header and footer is same and only body changes. We do <jsp:include to include the header and footer.
    Test1.jsp {
         <jsp:include page=Header.jsp />
        <jsp:include page=body.jsp />
        <jsp:include page=footer.jsp />
    }Since the header and footer are to be shown in each and every page, I have to include them in each page. So what we decided to do was to use a bean which would find out what is the next page to be displayed and show it like this...
      <jsp:include page=Header.jsp />
    <jsp:include page=<%=mybean.nextPage%> />
      <jsp:include page=footer.jsp />But because of this our users will not be able to configure the navigation rules in faces-config.xml.
    Is there any way we can centralize the header and footer and other common elements and just change the body of the page using navigation rules defined in faces-config.xml.
    Any other suggestions or ideas are also greatly appreciated.
    Thanks

    Hi Starter,
    a quick rundown of the way we solved this:
    faces-config.xml does specify our navigation
    the url's that are mentioned in these navigation rules point to JSP with content like this
    <jsp:forward page="/parts/page_layout.jsp">
    <jsp:param name="page_id" value="v_zoeken"/>
    <jsp:param name="main_pane" value="/page/v_zoeken_pane.jsp"/>
    </jsp:forward>
    page_layout.jsp includes a header, footer etc. and functions as a template.
    v_zoeken_pane.jsp is the 'embedded' JSF page that changes. It is included in the page_layout.jsp like this
    <jsp:include page='<%=request.getParameter("main_pane")%>'/>
    Unfortunately the 'template' can only contain one JSF page because of a bug in <f:subview/> in JSF RI 1.0
    Hope this helps,
    Joost de Vries
    the Netherlands

  • Error while configuring OBIEE 11G OPMN Service during Installtion

    Hello,
    i tried installing 11G with simple install on Vista and didnot work, I think 11g does not work on Any Vista and not sure of W7
    second, i tried installing the same on Windows XP and the installtion worked fine till the end and while configuring OPMN Services,
    the OBIPS Services and OBICCS services failed, i retried to configure this services with "retry" option but never worked, so i skipped this part thinking that
    i can configure this manually. finally i was not able
    weblogic's Admin server, Managed server, Node manager and Analytics.war deployments are all healthy in EM Console and Weblogic console
    the Fusion Middleware control in EM Console shows the BI Components are not started and i tried restarting it and but never started.
    so i think there is something wrong with OPMN configuration at the end of installtion
    is there a way to trouble shoot this.
    i tried searching of SAWSERVER service so i can start the manaully, but it did not start
    i did a softwareonly install on top this single instance installtion thinking if that can help me, but it didnt
    so please anyone help me
    Thanks
    Kumar

    Hi Kumar,
    I believe OBICCS is the Oracle BI Cluster Controller Service. That particular service requires a static IP address. A lot of people use the loopback adaptor to accomplish.
    Here's a quick rundown of some things you should check before installing OBIEE 11g.
    1. Make sure you have a static IP (use a loopback adaptor if you have to).
    2. Make sure your static IP adaptor is the first adaptor in your connections list. You can do this by going to Control Panel -> Network and Internet -> Network Connections -> Advanced. Use the up and down arrows to ensure that the static IP is the top of the list.
    3. Make sure you hosts file (c:\Windows\system32\drivers\etc\hosts) has the proper entry for the static IP address. For example, if your computer is called MyComputer and your static IP is 192.168.0.1, then the first entry should be: 192.168.0.1 MyComputer. Note: You may need to have your domain on your entry. ie. 192.168.0.1 MyComputer.mydomain.com.
    I recommend you check those things. If you missed one of them, fix it and then back out the 11g install and re-install.
    Good luck and if you found this helpful, please award points!
    -Joe

  • Logic Pro 9.1.7 + Imac 2010 + 10.7.4 + Firewire = Audio Error and Solution.

    Hi all,
    This post is the end of a weeks long hair pulling, to save other people the pain of my past week, here is a quick rundown of the issue and the solution that for us at least worked.
    All the software is legit and fully updated btw, before people ask.
    Logic Pro 9.1.7 on 2010 Imac on 10.6.x, Refx Nexus, Sylenth plus many other VST's and Au's, Mackie Pro + Extender, 2 Midi Keyboards (Oxygen 49 and Alexis 49)  and with a M-Audio 410 external soundcard running 10.1.3 driver, all working.. only issue we had was when copying midi between tracks into differing plugins the midi would corrupt the plugin requiring a restart of Logic.
    This error we later discovered was due to midi automation for plugins being copied over, but that is not this issue.
    Updated OS from 10.6 to 10.7.4 by way of 10.7.4 Combi Update. Removed M-Audio Drivers and then installed 10.7.4,
    Installed brand new GRAID 4TB external disk (Raid 0 at 64kb block sixe) and connected M-Audio 410 via daisy chain.
    Installed M-Audio Drivers, all ok.. at first..
    Graid is 800, M-Audio is 400.. Connected as Imac -> GRaid -> Maudio
    At first, its good, no issues.
    Copied over a whopping 550GB off Imac onto external..  then later on, rebooted mac and started working on music.
    Ran Logic Pro  (64bit mode), whilst using Midi with Nexus we discovered the Audio at first was ok, but quickly over time degraded to where the sounds started becoming distorted, the more we went on, the more the distortion increased, after a while the midi notes were just sounding awful.
    Rebooted mac
    Started using Logic again, not 1 minute in, External drive and M-Audio disconnected themselves from the Mac.
    Rebooted
    Hard drive now seen, no M-Audio.
    Now though, even using Itunes or Quicktime or VLC on any mp3 via internal soundcard, quality was.. well terrible. Within 2 seconds of hitting play, you knew it was bad.
    Shutdown, removed external drive from chain, rebooted Mac -> M-Audio
    M-Audio now seen, sound quality dreadful, shutdown Mac, rebooted without M-Audio, sound still awful just on Internal audio.
    Time passes, I smoke too much, prod and poke and eventually reach for the install media
    (Lots of shutdowns and restarts in next bit, after each line, also carefully reset and tested every Audio setting.)
    Removed M-Audio driver
    Installed 10.7.4
    Installed M-Audio
    All good again.
    Later, as a test, connected External drive on its own, no M-Audio
    All good.
    Second test, added External Drive plus chain to M-Audio
    Not good, M-Audio seen but even though sound bars showing on M-Audio software, no sound out to mixer
    Removed External Drive from Chain, M-Audio now straight to Mac.
    All BAD; sound was terrible,
    Disconnected M-Audio
    Playing any Mp3 via internal Audio, terrible..
    Whatever happened, has thrown the entire Audio system into a mess, again!.
    Removed M-Audio driver.
    Reinstalled 10.7.4
    Reinstalled M-Audio Driver
    All good, on internal or external Audio
    Disconnected M-Audio
    Reconnected External Drive Only
    Drive OK, Internal Sound OK.
    Removed External drive
    Reconnected M-Audio
    All ok, internal or External.
    Ok, Final conclusion.
    When the M-Audio (400FW) is connected to Mac via External Drive (800) the Audio is knackered from that point onwards on 10.7.4, removing M-Audio drivers and re-installing makes no difference, even the Internal Sound is knackered.
    Only solution at this point, remove M-Audio driver, reboot, reinstall 10.7.4, reboot, reinstall M-Audio Driver, reboot.
    Then its all good again.
    My guess is this, and I am probably wrong but it is all I can think of.
    When the M-Audio is daisychained the Mac changes a setting somewhere, probably to adjust for high latency, at this point it is written somewhere (either as a file or as DSP bios setting) that is not being reset.
    This is why it is completely broken until 10.7.4 is re-installed at which point whatever setting it is that was changed, is reset.
    This is all I can think of, I have posted this so that if someone else in the weeks ahead has a similar issue, it will save you the stress and late nights I had this past week.
    Take care all.

    I was seeing the same problem... I'm a new Logic user, switching from DP, and so it was a minty fresh install of Logic Pro 9.1.7 under ML.
    It turned out to be a third party graphics driver that was screwing up some internal process:  specifically, the dirver for AirDisplay, an iOS app that lets you use an iPad as a portable monitor.  When I removed the driver, the problem cleared up instantly, and I have done 9 hour sessions in Logic since then without a single hiccup.
    If you're running a third party driver, remove it, repair permissions and see if the problem clears up.

  • FaceTime lagging and no longer works!

    I have the iPad 2 and the main reason was for FaceTime with relatives in Asia. I am located in Canada. Here's a quick rundown of the situation.
    First day I got iPad 2 I used FaceTime with relatives in Asia. Worked wonderfully. A week later we tried again but this time it was lagging miserably. The call connected, I could see a blurry image for about 5 seconds before the image froze. The sound I was receiving was also very choppy. I could hear bits and pieces but not enough to understand. I restarted router and iPad but same situation. Double checked other computers that are wireless at home and working fine and getting 15Mbps based on speediest.net. The connection in Asia was fine, they sent a short video showing what they saw, perfect motion picture and audio. Everything was on my end.
    I then tried Skype App on iPad and it worked perfectly fine to Asia with no issues or lag.
    Tried googling issues and wifi issues seem to be everywhere however mine does stay connected. It seems under heavy strain it disconnects, FaceTime Netflix YouTube etc. I then tried FaceTime with a friend in the same city. FaceTime still had issues but not as severe. Friends side was still seamless while my iPad is messed up.
    Is there a fix or anyone having the same issues? Please help!
    Wilson

    Some folks have discovered that changing their DNS service fixes FaceTime connection issues.
    The ideal way is to configure your modem/router with DNS service, but often settings in System Preferences/Network on your Mac will override the router settings. Try either of these;
    OpenDNS
    208.67.222.222, 208.67.220.220
    Google Public DNS
    8.8.8.8. 8.8.4.4
    Also, try a reset. Press & hold the Power and Home buttons together for 10+ seconds, ignoring the red power-off slider, until you see the Apple logo.

  • What are the settings to for best quality video for playback on computer?

    I'm not having any software or hardware issues.   I have tried differnent combinations using AVI, MPEG and WMV and I'm still not satisfied with the quality.
    I have used the same settings as my original video and it still is no where near the quality.  Maybe this is as good as it gets, any help would be appreciated.
    quick rundown
    I'm using the recorder on my computer to record my screen and voice to create video tutorials for my students to watch on-line.  This creates a 720x480 AVI file and has good quality.

    What is the best preset to use for HD-lite?
    The best is one that matches the Source Footage 100%. Unfortunately, with that variation on HD, I do not think that PrE, even PrE 10, will be able to come close. PrPro, however, does have the ability to do Custom Sequences (think a bunch of mini-Projects inside of a Project), and one can match odd Frame Sizes, FPS, etc.. I was hoping that PrE 10 would have Custom Presets, but it did not show up. This limits PrE to standard Frame Sizes, which is not what most video screen capture programs offer. Your footage does not match to any real HD-Lite Frame Sizes, so you will still have the same problem.
    It does appear that your program, while different than the TechSmith Camtasia, does use the TSCC CODEC. This will give you a bit more info. Also, though you do not have Camtasia, or CamStudio, I think that the article, that I linked to above, might be of use.
    Now, what options does your video capture program offer for output?
    Good luck,
    Hunt

  • To overhaul/upgrade MBP or buy new?

    Hey guys, apologies in advance for submitting such a commonly asked question, but circumstances are always unique so I hope I can still appeal to the collective brain trust for some feedback
    Quick rundown: I have a Spring 2010 MBP 15-inch (version 6,2) with anti-glare screen. Ram is maxxed out to 8gb.
    I am not a power user. I’m a writer, so I use Word, Safari (usually when I should be using Word ;)), Evernote, FaceTime, and do some light Photoshop work. I occasionally use iTunes and watch movies. This computer has been fabulous. When I bought it new, it was obviously overkill for my needs, but I wanted the size, antiglare-screen and keyboard real estate, so I went big and have been very happy.
    I’m coming up on the 5-year mark and the most pressing issue for me is battery life is, of course, getting very bad, at <2 hours. It’s also running a bit slower lately, and I wonder if it’s because I only have about 10% of the HDD left, or that Mavericks (need to upgrade to Yosemite perhaps) just doesn’t like how old my laptop is. It’s maybe both?
    I was thinking I could do one final upgrade to eke out 2 or even 3 more years of this workhorse - and perhaps that’s overly optimistic, but again, with my light user needs, it seems realistic. The upgrade would be installing a new 512GB SSD and a new battery, with total cost being about $360
    Talking to my tech-savvy buddy, he’s a strong proponent of me just dumping the old computer and getting a new MBA 13 or MBP 13, but I feel like I’d miss the screen size and the anti-glare screen (i work in bright environments about 30% of the time). I understand the Retina screen is awesome,  but I’m not a photo/video guy, and I understand it still has a layer of glass that would give off a good bit of glare.
    That aside, I also know I could do what i did 5 years ago and throw down for a new rMBP 15 with all the bells and whistles, but I feel like it would be a waste of money given my light usage, and I also feel there’s still some good life left in my old MBP 15, especially if i upgrade it.
    I know this sounds like I’ve already made a decision to just upgrade the old rig, but I really am open to any and all suggestions. So, what are your guys’ thoughts? 
    Thanks for reading!
    Dan

    OK, you sound as though you've thought the SSD thing through, so go for it. As for the backup instead of paying BackBlaze each month buy a backup drive instead so your data are right there when you need them and won't take hours to get over the Internet. If you buy a 500 GB SSD then you just need a 500 GB backup HDD. OWC has just your ticket: OWC 500GB Mercury On-The-Go Portable FW800&400-USB3 for $125.99. Here's some good backup software to use with it:
    Suggested Backup Software
      1. Carbon Copy Cloner
      2. Get Backup
      3. Deja Vu
      4. SuperDuper!
      5. Synk Pro
      6. Tri-Backup
    Others may be found at MacUpdate.
    Visit The XLab FAQs and read the FAQ on backup and restore.  Also read How to Back Up and Restore Your Files.

  • External hard drive clicking and not recognized by mac will DiskWarrior work?

    First of all apologizes if I've posted in the wrong community I couldn't find one that really fit my particular query.
    I'll give a quick rundown of what happened and see if anyone can help or suggest a course of action. My Seagate External HDD model SRD0SP0 was mounted to my 2013 MacBook Air when it started to make a loud noise freezing the computer and requiring me to force shutdown the entire system. I immediately rebooted the computer and it started up again fine but when I tried plugging in the drive to the USB it would only spin and beep at regular intervals and then go quite. The drive did not mount to the desktop but I could see it in DiskUtility although the 'verify' and 'repair' options were greyed out. I tried to connect to a PC but it would not recognize the drive either. I left the drive alone for a few months and now when I plug it in it starts to fire up with the whirl sound but that is quickly followed by 5 faint ticks followed by a louder click. It almost sounds like something is dragging and the click is it coming to an end before starting up again. (I have a .m4a recording of the this but I don't see an option to upload) This goes on for about 20 seconds and then a window pops up saying something along the lines of 'this disk is not recognized by this computer' and the options to 'initialize' 'ignore' or 'eject'. I have only ever clicked eject. As before the drive is visible in DiskUtility but the options are greyed out.
    I contacted a data recovery agency and their response was:
    I would recommend to remove bare drive from the External casing and connect it to a computer directly or via another USB enclosure. If the drive is internally fine you should be able to see and copy the files. If you still get the same symptoms then your clicking hard drive most likely has internal problem with read/write heads and needs head assembly swapped from a donor. It's a very serious problem and recovery procedure in this case requires a lot of experience, use of class 100 clean room and specialized equipment.
    If stored files are not particularly important you should replace the hard drive. If you need data from the drive we could recover it for $950 USD.
    At this time I am not comfortable taking my drive apart and I can not afford close to 1k in repair costs. From my research on this forum I have seem multiple suggestions to try DiskWarrior but I am not sure that it will work with the problems that I am describing. Before I spend the money has anyone had a similar problem and had success recovering their data via DiskWarrior? Or do I have to resort to the data recovery agency or the freezer technique?

    If the drive is making clicking sounds then it will probably fail. That's evidence of a mechanical issue. DW isn''t going to fix that nor will Disk Utility. Only replacing it with a new drive will fix it. While you can you should make a backup.

  • Nexus 4001i and MST tons of log errors

    Went looking through my Nexus 4001i logs today, and started noticing a bunch of STP role and port change messages:
    2013 Jul  5 14:40:31 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/1 instance MST0000 role changed to designated
    2013 Jul  5 14:40:31 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port port-channel2 instance MST0000 role changed to alternate
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port port-channel1 instance MST0000 role changed to root
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/14 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/14 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/13 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/13 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/12 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/12 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/11 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/11 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/10 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/10 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/9 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/9 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/8 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/8 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/7 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/7 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/6 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/6 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/5 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/5 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/4 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/4 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/3 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/3 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/2 removed as MST Boundary port
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-PORT_ROLE: Port Ethernet1/2 instance MST0000 role changed to designated
    2013 Jul  5 14:40:32 N4k-SLOT7-SW1 %STP-6-MST_PORT_BOUNDARY: Port Ethernet1/1 removed as MST Boundary port
    After going through a variety of configuration validations, spanning-tree root and priority validations as well as making sure the instances and revisions between the various MST speaking switches (all of the Nexus gear including Nexus 5596 which are vPC peers, 4001i's which connect via vPC's to the 5596's, and Catalyst 3110X's which also use MST, but only have one uplink at this time to the 5596's not in a vPC setup).
    None of the other devices appear to be experiencing this problem.
    I am quite confused as to what is going on, and cannot figure out why the 4001i is wigging out like this.
    A quick output of MST::
    N4k-SLOT7-SW1# show spanning-tree mst
    ##### MST0    vlans mapped:   801-3109,3111-4094
    Bridge        address 6073.5c8d.7e82  priority      24576 (24576 sysid 0)
    Root          address 0023.04ee.be03  priority      16384 (16384 sysid 0)
                  port    Po1             path cost     0       
    Regional Root address 0023.04ee.be03  priority      16384 (16384 sysid 0)
                                          internal cost 500       rem hops 19
    Operational   hello time 2 , forward delay 15, max age 20, txholdcount 6
    Configured    hello time 2 , forward delay 15, max age 20, max hops    20
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Root FWD 500        32.4096 P2p
    Po2              Altn BLK 1000       64.4097 P2p
    Eth1/1           Desg FWD 2000      128.129  Edge P2p
    Eth1/2           Desg FWD 2000      128.130  Edge P2p
    Eth1/3           Desg FWD 2000      128.131  Edge P2p
    Eth1/4           Desg FWD 2000      128.132  Edge P2p
    Eth1/5           Desg FWD 2000      128.133  Edge P2p
    Eth1/6           Desg FWD 2000      128.134  Edge P2p
    Eth1/7           Desg FWD 2000      128.135  Edge P2p
    Eth1/8           Desg FWD 2000      128.136  Edge P2p
    Eth1/9           Desg FWD 2000      128.137  Edge P2p
    Eth1/10          Desg FWD 2000      128.138  Edge P2p
    Eth1/11          Desg FWD 2000      128.139  Edge P2p
    Eth1/12          Desg FWD 2000      128.140  Edge P2p
    Eth1/13          Desg FWD 2000      128.141  Edge P2p
    Eth1/14          Desg FWD 2000      128.142  Edge P2p
    ##### MST1    vlans mapped:   2-499,600-800,3110
    Bridge        address 6073.5c8d.7e82  priority      24577 (24576 sysid 1)
    Root          address 0023.04ee.be03  priority      16385 (16384 sysid 1)
                  port    Po1             cost          500       rem hops 19
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Root FWD 500       128.4096 P2p
    Eth1/1           Desg FWD 2000      128.129  Edge P2p
    Eth1/2           Desg FWD 2000      128.130  Edge P2p
    Eth1/3           Desg FWD 2000      128.131  Edge P2p
    Eth1/4           Desg FWD 2000      128.132  Edge P2p
    Eth1/5           Desg FWD 2000      128.133  Edge P2p
    Eth1/6           Desg FWD 2000      128.134  Edge P2p
    Eth1/7           Desg FWD 2000      128.135  Edge P2p
    Eth1/8           Desg FWD 2000      128.136  Edge P2p
    Eth1/9           Desg FWD 2000      128.137  Edge P2p
    Eth1/10          Desg FWD 2000      128.138  Edge P2p
    Eth1/11          Desg FWD 2000      128.139  Edge P2p
    Eth1/12          Desg FWD 2000      128.140  Edge P2p
    Eth1/13          Desg FWD 2000      128.141  Edge P2p
    Eth1/14          Desg FWD 2000      128.142  Edge P2p
    ##### MST2    vlans mapped:   1,500-599
    Bridge        address 6073.5c8d.7e82  priority      24578 (24576 sysid 2)
    Root          address 0023.04ee.be03  priority      16386 (16384 sysid 2)
                  port    Po2             cost          1000      rem hops 19
    Interface        Role Sts Cost      Prio.Nbr Type
    Po2              Root FWD 1000      128.4097 P2p
    Eth1/1           Desg FWD 2000      128.129  Edge P2p
    Eth1/2           Desg FWD 2000      128.130  Edge P2p
    Eth1/3           Desg FWD 2000      128.131  Edge P2p
    Eth1/4           Desg FWD 2000      128.132  Edge P2p
    Eth1/5           Desg FWD 2000      128.133  Edge P2p
    Eth1/6           Desg FWD 2000      128.134  Edge P2p
    Eth1/7           Desg FWD 2000      128.135  Edge P2p
    Eth1/8           Desg FWD 2000      128.136  Edge P2p
    Eth1/9           Desg FWD 2000      128.137  Edge P2p
    Eth1/10          Desg FWD 2000      128.138  Edge P2p
    Eth1/11          Desg FWD 2000      128.139  Edge P2p
    Eth1/12          Desg FWD 2000      128.140  Edge P2p
    Eth1/13          Desg FWD 2000      128.141  Edge P2p
    Eth1/14          Desg FWD 2000      128.142  Edge P2p
    N4k-SLOT7-SW1# show spanning-tree detail | i occur|from|exec
    MST0000 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 1 last change occurred 3:48:09 ago
              from port-channel1
    MST0001 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 1 last change occurred 3:48:07 ago
              from port-channel1
    MST0002 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 1 last change occurred 3:48:07 ago
              from port-channel2
    (topology change was due to testing rapid-PVST for this switch, and then putting it back, the previous change occured 555 hours ago).
    N4k-SLOT9-SW2# show spanning-tree
    MST0000
      Spanning tree enabled protocol mstp
      Root ID    Priority    16384
                 Address     0023.04ee.be03
                 Cost        0
                 Port        4096 (port-channel1)
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    24576  (priority 24576 sys-id-ext 0)
                 Address     2c54.2ded.b704
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Root FWD 500       128.4096 P2p
    Po2              Altn BLK 1000      128.4097 P2p
    Eth1/1           Desg FWD 2000      128.129  Edge P2p
    Eth1/2           Desg FWD 2000      128.130  Edge P2p
    Eth1/3           Desg FWD 2000      128.131  Edge P2p
    Eth1/4           Desg FWD 2000      128.132  Edge P2p
    Eth1/5           Desg FWD 2000      128.133  Edge P2p
    Eth1/6           Desg FWD 2000      128.134  Edge P2p
    Eth1/7           Desg FWD 2000      128.135  Edge P2p
    Eth1/8           Desg FWD 2000      128.136  Edge P2p
    Eth1/9           Desg FWD 2000      128.137  Edge P2p
    Eth1/10          Desg FWD 2000      128.138  Edge P2p
    Eth1/11          Desg FWD 2000      128.139  Edge P2p
    Eth1/12          Desg FWD 2000      128.140  Edge P2p
    Eth1/13          Desg FWD 2000      128.141  Edge P2p
    Eth1/14          Desg FWD 2000      128.142  Edge P2p
    MST0001
      Spanning tree enabled protocol mstp
      Root ID    Priority    16385
                 Address     0023.04ee.be03
                 Cost        500
                 Port        4096 (port-channel1)
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    24577  (priority 24576 sys-id-ext 1)
                 Address     2c54.2ded.b704
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Root FWD 500       128.4096 P2p
    Eth1/1           Desg FWD 2000      128.129  Edge P2p
    Eth1/2           Desg FWD 2000      128.130  Edge P2p
    Eth1/3           Desg FWD 2000      128.131  Edge P2p
    Eth1/4           Desg FWD 2000      128.132  Edge P2p
    Eth1/5           Desg FWD 2000      128.133  Edge P2p
    Eth1/6           Desg FWD 2000      128.134  Edge P2p
    Eth1/7           Desg FWD 2000      128.135  Edge P2p
    Eth1/8           Desg FWD 2000      128.136  Edge P2p
    Eth1/9           Desg FWD 2000      128.137  Edge P2p
    Eth1/10          Desg FWD 2000      128.138  Edge P2p
    Eth1/11          Desg FWD 2000      128.139  Edge P2p
    Eth1/12          Desg FWD 2000      128.140  Edge P2p
    Eth1/13          Desg FWD 2000      128.141  Edge P2p
    Eth1/14          Desg FWD 2000      128.142  Edge P2p
    MST0002
      Spanning tree enabled protocol mstp
      Root ID    Priority    16386
                 Address     0023.04ee.be03
                 Cost        1000
                 Port        4097 (port-channel2)
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    24578  (priority 24576 sys-id-ext 2)
                 Address     2c54.2ded.b704
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po2              Root FWD 1000      128.4097 P2p
    Eth1/1           Desg FWD 2000      128.129  Edge P2p
    Eth1/2           Desg FWD 2000      128.130  Edge P2p
    Eth1/3           Desg FWD 2000      128.131  Edge P2p
    Eth1/4           Desg FWD 2000      128.132  Edge P2p
    Eth1/5           Desg FWD 2000      128.133  Edge P2p
    Eth1/6           Desg FWD 2000      128.134  Edge P2p
    Eth1/7           Desg FWD 2000      128.135  Edge P2p
    Eth1/8           Desg FWD 2000      128.136  Edge P2p
    Eth1/9           Desg FWD 2000      128.137  Edge P2p
    Eth1/10          Desg FWD 2000      128.138  Edge P2p
    Eth1/11          Desg FWD 2000      128.139  Edge P2p
    Eth1/12          Desg FWD 2000      128.140  Edge P2p
    Eth1/13          Desg FWD 2000      128.141  Edge P2p
    Eth1/14          Desg FWD 2000      128.142  Edge P2p
    N4k-SLOT9-SW2#  show spanning-tree detail | i occur|from|exec
    MST0000 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 18758 last change occurred 4:01:03 ago
              from port-channel1
    MST0001 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 45742 last change occurred 4:01:02 ago
              from port-channel1
    MST0002 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 21007 last change occurred 599:47:47 ago
              from port-channel2
    N4k-SLOT9-SW2#
    N5596-DC-SW1# show spanning-tree
    MST0000
      Spanning tree enabled protocol mstp
      Root ID    Priority    16384
                 Address     0023.04ee.be03
                 This bridge is the root
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    16384  (priority 16384 sys-id-ext 0)
                 Address     0023.04ee.be03
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Desg FWD 1000      128.4096 P2p
    Po2              Desg FWD 200       128.4097 (vPC) P2p
    Po3              Desg FWD 200       128.4098 (vPC) P2p
    Po57             Desg FWD 200       128.4152 (vPC) P2p
    Po100            Desg FWD 1000      128.4195 (vPC peer-link) Network P2p
    Eth1/15          Desg FWD 2000      128.143  Edge P2p
    Eth1/16          Desg FWD 2000      128.144  Edge P2p
    MST0001
      Spanning tree enabled protocol mstp
      Root ID    Priority    16385
                 Address     0023.04ee.be03
                 This bridge is the root
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    16385  (priority 16384 sys-id-ext 1)
                 Address     0023.04ee.be03
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po2              Desg FWD 200       128.4097 (vPC) P2p
    Po3              Desg FWD 200       128.4098 (vPC) P2p
    Po57             Desg FWD 200       128.4152 (vPC) P2p
    Po100            Desg FWD 1000      128.4195 (vPC peer-link) Network P2p
    MST0002
      Spanning tree enabled protocol mstp
      Root ID    Priority    16386
                 Address     0023.04ee.be03
                 This bridge is the root
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    16386  (priority 16384 sys-id-ext 2)
                 Address     0023.04ee.be03
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Desg FWD 1000      128.4096 P2p
    Eth1/15          Desg FWD 2000      128.143  Edge P2p
    Eth1/16          Desg FWD 2000      128.144  Edge P2p
    N5596-DC-SW1# show spanning-tree detail | i occur|from|exec
    MST0000 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 44578 last change occurred 4:11:57 ago
              from port-channel2
    MST0001 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 98707 last change occurred 4:11:55 ago
              from port-channel2
    MST0002 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 4 last change occurred 4:11:55 ago
              from port-channel1
    N5596-DC-SW2# show spanning-tree
    MST0000
      Spanning tree enabled protocol mstp
      Root ID    Priority    16384
                 Address     0023.04ee.be03
                 This bridge is the root
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    16384  (priority 16384 sys-id-ext 0)
                 Address     0023.04ee.be03
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Desg FWD 1000      128.4096 P2p
    Po2              Desg FWD 200       128.4097 (vPC) P2p
    Po3              Desg FWD 200       128.4098 (vPC) P2p
    Po57             Desg FWD 200       128.4152 (vPC) P2p
    Po100            Root FWD 1000      128.4195 (vPC peer-link) Network P2p
    Eth1/9           Desg FWD 20000     128.137  P2p
    Eth1/15          Desg FWD 2000      128.143  Edge P2p
    Eth1/16          Desg FWD 2000      128.144  Edge P2p
    MST0001
      Spanning tree enabled protocol mstp
      Root ID    Priority    16385
                 Address     0023.04ee.be03
                 This bridge is the root
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    16385  (priority 16384 sys-id-ext 1)
                 Address     0023.04ee.be03
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po2              Desg FWD 200       128.4097 (vPC) P2p
    Po3              Desg FWD 200       128.4098 (vPC) P2p
    Po57             Desg FWD 200       128.4152 (vPC) P2p
    Po100            Root FWD 1000      128.4195 (vPC peer-link) Network P2p
    Eth1/9           Desg FWD 20000     128.137  P2p
    MST0002
      Spanning tree enabled protocol mstp
      Root ID    Priority    16386
                 Address     0023.04ee.be03
                 This bridge is the root
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
      Bridge ID  Priority    16386  (priority 16384 sys-id-ext 2)
                 Address     0023.04ee.be03
                 Hello Time  2  sec  Max Age 20 sec  Forward Delay 15 sec
    Interface        Role Sts Cost      Prio.Nbr Type
    Po1              Desg FWD 1000      128.4096 P2p
    Eth1/9           Desg FWD 20000     128.137  P2p
    Eth1/15          Desg FWD 2000      128.143  Edge P2p
    Eth1/16          Desg FWD 2000      128.144  Edge P2p
    N5596-DC-SW2# show spanning-tree | i occur|from|exec
    N5596-DC-SW2# show spanning-tree detail | i occur|from|exec
    MST0000 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 44234 last change occurred 4:12:45 ago
              from port-channel100
    MST0001 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 97804 last change occurred 4:12:43 ago
              from port-channel100
    MST0002 is executing the mstp compatible Spanning Tree protocol
      Number of topology changes 49801 last change occurred 599:58:06 ago
              from Ethernet1/9
    Except from MST configs:
    Nexus 4001i switches:
    vlan 1,301-499
    vlan 500
      fip-snooping enable
    vlan 600-800
    spanning-tree mode mst
    spanning-tree pathcost method long
    spanning-tree mst 0-2 priority 24576
    spanning-tree mst configuration
      revision 1
      instance 1 vlan 2-499,600-800,3110
      instance 2 vlan 1,500-599
    Nexus 5596 switches:
    N5596-DC-SW1
    spanning-tree mode mst
    spanning-tree pathcost method long
    spanning-tree mst 0-2 priority 16384
    spanning-tree pseudo-information
      mst 0-2 root priority 16384
      mst 0-2 designated priority 16384
    spanning-tree mst configuration
      revision 1
      instance 1 vlan 2-499,600-800,3110
      instance 2 vlan 1,500-599
    N5596-DC-SW2
    spanning-tree mode mst
    spanning-tree pathcost method long
    spanning-tree mst 0-2 priority 16384
    spanning-tree vlan 3110 priority 24576
    spanning-tree pseudo-information
      mst 0-1 designated priority 20480
      mst 2 designated priority 16384
      vlan 1-499,501,600-800 designated priority 20480
    spanning-tree mst configuration
      revision 1
      instance 1 vlan 2-499,600-800,3110
      instance 2 vlan 1,500-599
    5596's vPC configs
    N5596-DC-SW1
    vpc domain 3
      peer-switch
      role priority 100
      peer-keepalive destination 192.168.92.223 source 192.168.92.222
      auto-recovery
    N5596-DC-SW2
    vpc domain 3
      peer-switch
      role priority 200
      peer-keepalive destination 192.168.92.222 source 192.168.92.223
      auto-recovery
    Quick rundown of connections between devices:
    Nexus 4001's connect to Nexus 5596's for ethernet data via twinax cables in a four port vPC between both Nexus 5596's.
    Nexus 4001's connect to one Nexus 5596 a piece for FCoE two port LACP port channel. (hence the two instances, and vlan 1,500-599 in the same instance)
    Catalyst 3110X connects via one Fiber-Optic connection to the N5596-DC-SW2, eventually will have two in a port-channel
    Also keep in mind I corrected a priority conflict between the 3110X and Nexus 5596's earlier last month, which would explain all of the topology changes.
    I can provide any other information if it is useful. I am just confused!

    I identified the problem.
    Refer to
    http://www.cisco.com/en/US/docs/switches/datacenter/sw/4_2/nx-os/interfaces/configuration/guide/if_vPC.html
    for more information.
    The problem I encountered was self-inflicted.
    Using the spanning-tree pseudo-information command creates a psuedo priority setup that if implemented after the global spanning-tree commands sits alongside the spanning-tree priority and vlan definitions. This is intended to allow for non-vPC VLANs to have their own spanning-tree definitions separate of the spanning-tree environment for the vPC vlans. I am not sure the best way to describe it, but if you are not running a hybrid vPC setup (where you have vPC member VLANs and non-vPC VLANS with a separate link between the 5596's for the non-vPC VLANs) this setup would help you ensure you have a stable spanning-tree and prevent unnecessary blocking.
    When I enabled this command, I applied it to the vPC VLAN's as well, and that caused the Nexus 4001i's vPC links to constantly change port role, and update all of the edge ports subsequently. While I didn't see a performance impact to end hosts (not much traffic is on the Nexus DataCenter environment yet), I did get a torrent of logs as shown above.
    Once I removed the spanning-tree pseudo-information, the switches quieted down and spanning-tree stabilized on the Nexus 4001i's.
    I will revisit the configuration though for trunks not using vPC if it is needed.

  • How to use $PROFILES$CONC_COPIES in plsql

    Can you give me an example of using $PROFILES$.CONC_COPIES in plsql? I need to change a plsql program to product 2 set of output reports each time when the job is run. User doesn't to change user profile option number of Concurrent copies. Thanks.

    I thought you said you knew how to use/create profiles in your previous post...
    This is the quick rundown: Just as with regular profiles, you first need to make sure that your content has the profile trigger metadata field assigned when it's created. This is done within designer under "Switch region content" definition of your contribution region. Assign the "Profile Trigger Value" under "Default Metadata" and then assign that idoc to the activation condition of your content profile rule.

  • Reports servers in 10.1.2.0.2

    Hello to all,
    Quick rundown of software - Windows Server 2k3, 10G AS 10.1.2.0.2 (forms and reports standalone)
    My first question is how do you remove the default reports server in a standalone installation of forms / reports? Do you simply modify the opmn.xml and targets.xml to remove the references to the default rep_<servername>? Are any other steps required to remove this instance?
    I have created two other reports servers (offline and online) to handle our reports (using addNewServerTarget.bat), and the default is not necessary...
    Also, I am noticing within the forums that each custom reports instance must have a unique name on the entire network. Currently, we are running 6i forms/reports, and on each of our 7 load-balanced web servers we have 2 reports instances - online and offline. They are named the same on all servers, installed as Windows services, and users are load-balanced thru a Cisco Local Director. With 10.1.2.0.2, installing as a Windows service is no longer possible, and if i understand the unique name requirement correctly, then I must change names on each server also. Is this correct? Does anyone forsee any problems load balancing thru the Local Director with all reports instances uniquely named?
    Your thoughts are appreciated...
    We're currently working on upgrading from 6i to 10G AS, and the differences are sometimes difficult to wrap your head around.
    Thanks,
    Scott

    I haven't tried this and am not sure about certification etc. - suggest you ask this in the J2EE forum:
    OC4J

Maybe you are looking for