Need some Tech Advice -- Harddrive configuation

I've searched the last week or so, just seeing what everyone else has asked, what others have suggested and/or done. So I've gotta ask a couple of questions myself.
System Specs:
G5 Quad Core 2.5Ghz
8GB of RAM
Pair of 500GB Hard Drives (currently two separate drives)
NVIDIA Quadro FX 4500
Dual 30" Displays
There are 2 500GB drives in the computer, but the 2nd one is not being utilized currently. The boot/primary drive has less than 1GB available. System performance is sluggish. 2 applications that are being used are Photoshop CS2 and Aperture. All images are shot with a Canon 1Ds in RAW.
I like the idea of RAID0 in regard to speed, but don't like the idea of no redundancy. This 500GB drive was filled up from February of this year, so hard drives get filled up quickly. What can anyone recommend for a means to increase capacity, performance and stability.
Hardware RAID configuration? Software RAID configuration? External Enclosure? Based on what I've read here, hardware RAID, though more expensive, would be a better solution compared to SoftRAID. External enclosure would need to be FW800 vs. USB2.0.
The thing I'm trying to stay away from would be a 1TB RAID0 and then another 1TB RAID0 as a means for backup.
I currently have the 250GB drive that came with the computer, so I could set that drive back up as the boot drive, then take the pair of 500GB drives to store all the data. Just looking for the advice of the more experienced.
Any advice would be greatly appreciated. Thanks for everyone's time.

don,
After posting this and searching further, I found this:
http://www.caldigit.com/S2VRDuo.asp
I am actully looking at CalDigit's SATA RAID too.
This 2-bay RAID subsystem provides amazing functions that none of FireWire drive can compete. If it is at 150MB/s as they claimed, it is 2 times faster than FireWire 800 RAID.
I also checked with B&H, the price of such GREAT SATA RAID with 4-port Mac Pro compatible SATA card is fairly inexpensive. (only 500+ bucks for 500GB)
Or if you want to use firewire interface, your best bet is to get the new CalDigit FW800 dual bay array, FireWire VR, which is hot swapable and cooled by a nice quiet fan. This might be the best and give you most flexibility (can be upgraded to larger capacity if needed, supports RAID 0, 1 and JBOD, same as their S2VR Duo):
http://www.caldigit.com/FireWireVR.asp.
Cheers,
Darrelo Brown
Mac Pro   Mac OS X (10.4.8)   AJA Kona 3
Mac Pro   Mac OS X (10.4.8)   AJA Kona 3

Similar Messages

  • Pl/sql parameter portlet - need some help/advice - how to create

    I want to create a pl/sql portlet that accepts a parameter and on submit passes the parameter to other portlets (sql reports) these are then automatically run to display the new data.
    E.g.
    parameter portlet = deptno
    On submit
    Sql reports then refreshed using the parameter
    I am aware, and have tried the mycompnay demo, which works exactly as I want but the parameter portlet cannot be amended and is written in Java.
    I need a pl/sql equivalent so I can tailor the code.
    Any advice examples or guidance would be really appreciated.
    Thanks in anticipation.
    SD

    Hi,
    You can use a form portlet to accept parameters and then call a report in the success procedure of the form. In this example it calls a report with the value in the flightno field.
    declare
    flightno number;
    blk varchar2(10) := 'DEFAULT';
    begin
    flightno := p_session.get_value_as_varchar2(
    p_block_name => blk,
    p_attribute_name => 'A_FLIGHT_NO');
    call('SJDEMO30.report1.show?p_arg_names=flightno&p_arg_values='||
    flightno);
    end;
    Thanks,
    Sharmila

  • Need Some Technique Advice

    I am using JInternal frames for a program. So far, selecting one option from a menu opens a frame which allows the user to enter certain information. Other menu options and frames will process or add to that information.
    The initial frame (frame 1) creates an object of a class which is used to recEive information (in this case names), and store it. Now I am ready to move to the next frame where a list of these names will be created and the user will have the ability to enter additional information. In this situation, I need to still be able to access that array of names. However.... I have to access the variables in the storage class (in this case the String array) using an object. But if I create a new object in frame 2, I can't access the information stored via frame 1 because it is stored in the object created there (right?).
    How does a java programmer deal with this? Should I make everything under the sun in my storage class static and then acces via method names without ever creating an object? Will that save the data in the storage class regardless of what frame I access it from? Or is there a way to access the object created in frame 1 from frame 2, retaining all values stored during frame 1?
    I hope I explained this ok....
    Thank you

    Ok, so does a 'Setter' and 'Getter' as you are referring to access the object created in frame 1 from frame 2?
    I pasted my all my code below (sorry for lots of stuff to look at.) So if I understand you correctly, what I could do is restructure the class Recieve (which is meant to be the storage class ) and take out the constructor (because a constructor is only present when you create an object of the class right?) In that case I would not need to create an object of the class. In that situation, would I need to make my methods in the storage class static? ( I think I remember some kind of error about not being able to access non-static methods until I accessed them through an object). Then I would be able to access the data located in Recieve from any class anywhere?
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    Below is the class which creates the Desktop frame.
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    import javax.swing.JInternalFrame;
    import javax.swing.JDesktopPane;
    import javax.swing.JMenu;
    import javax.swing.JMenuItem;
    import javax.swing.JMenuBar;
    import javax.swing.JFrame;
    import javax.swing.KeyStroke;
    import java.awt.event.*;
    import java.awt.*;
    public class IntroTest4 extends JFrame implements ActionListener
    {//BEGIN INTROTEST4 CLASS
    private JDesktopPane desktop;               // Declare a new desktop frame (Instance variable)
    //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
        public IntroTest4()               // Constructor for IntroTest4 class
         {//BEGIN INTROTEST4 CONSTRUCTOR
         super( "Grade Calculator v1.3" );     // Title bar text
         //Make the big window be indented 50 pixels from each edge
         //of the screen.       
         int inset = 50;     
         Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();       
         setBounds(inset, inset,
                      screenSize.width  - inset*2,
                      screenSize.height - inset*2);
         desktop = new JDesktopPane();          // Make a new desktop frame
         getContentPane().add( desktop );     // Create the content pane for the desktop frame
            setBackground(Color.white);
            desktop.setBackground(Color.white);
         setJMenuBar(createMenuBar());          // Menu bar will be made in createMenuBar()
            desktop.setDragMode(JDesktopPane.OUTLINE_DRAG_MODE);  // FAST AND UGLY DRAGGING YAH
         }//END INTROTEST4 CONSTRUCTOR
    //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
        protected JMenuBar createMenuBar()                // What the heck is this damn it.
         {//BEGIN CREATEMENUBAR
    //- "menuBar" is the menu bar              -
         JMenuBar menuBar = new JMenuBar();          // Create new menu BAR
    *     FIRST MENU - " ADD GRADES ". INCLUDES ITEMS: "REGISTER A NEW CLASS",     *
    *     AND "INSERT GRADES".                                   *
    //- "add_menu" is first option on menu bar -
         JMenu add_menu = new JMenu(" Add Grades ");     // Create the first menu on the bar
            add_menu.setMnemonic(KeyEvent.VK_A);          // Set mnemonic to keystroke A
         menuBar.add( add_menu );               // Add the menu to the menu bar
    //- "reg_class" is first item under menu   -
    //- option "add_menu"                   -
         JMenuItem reg_class = new JMenuItem(" Register A New Class "); //New option under Add Grades menu
            reg_class.setMnemonic(KeyEvent.VK_R);            // Set mnemonic to keystroke R
            reg_class.setAccelerator(KeyStroke.getKeyStroke(
                    KeyEvent.VK_R, ActionEvent.ALT_MASK));     // Uh, YAH OK WHATEVER THAT SHIT IS
            reg_class.setActionCommand("reg");               // Assign command "reg" to initiate
            reg_class.addActionListener(this);               //  and add it to ActionListener
            add_menu.add(reg_class);
    //- "insert_g" is next item under menu     -
    //- option "add_menu"                   -
         JMenuItem insert_g = new JMenuItem(" Insert New Grades "); //2nd option under Add Grades menu
            insert_g.setMnemonic(KeyEvent.VK_I);            // Set mnemonic to keystroke I
            insert_g.setAccelerator(KeyStroke.getKeyStroke(
                    KeyEvent.VK_I, ActionEvent.ALT_MASK));     // Uh, YAH OK WHATEVER THAT SHIT IS
            insert_g.setActionCommand("ins");               // Assign command "ins" to initiate
            insert_g.addActionListener(this);               //  and add it to ActionListener
            add_menu.add(insert_g);
            return (menuBar);
         }//END CREATEMENUBAR
    //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    //  React to menu selection              -
        public void actionPerformed(ActionEvent e)
         {//BEGIN ACTIONPERFORMED
            if ("reg".equals(e.getActionCommand()))
              { //new
                     createFrame1();
         else if ("ins".equals(e.getActionCommand()))
              { //new
                     createFrame2();
         else
                     quit();
         }//END ACTIONPERFORMED
    //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    //   Create frame for registering a new class              -
        protected void createFrame1()
    {//BEGIN CREATEFRAME1
            RegFrame frame = new RegFrame();          // New frame RegFrame
            frame.setVisible(true);
            desktop.add(frame);                    // Add new frame to desktop
            try
         {                              // What the fuck is THIS shit?
                frame.setSelected(true);
            } catch (java.beans.PropertyVetoException e) {}
    }//END CREATEFRAME1
    //   Create frame for inserting new grades              -
        protected void createFrame2()
    {//BEGIN CREATEFRAME2
            InsFrame frame = new InsFrame();          // New frame InsFrame
            frame.setVisible(true);
            desktop.add(frame);                    // Add new frame to desktop
            try
         {                              // What the fuck is THIS shit too?
                frame.setSelected(true);
            } catch (java.beans.PropertyVetoException e) {}
    }//END CREATEFRAME2
    //~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
       //Quit the application.
        protected void quit()
             System.exit(0);
    *     COPIED CREATE AND SHOW GUI PIECE FOR TESTING
        private static void createAndShowGUI()
         {//BEGIN CREATEANDSHOW
            //Make sure we have nice window decorations.
            JFrame.setDefaultLookAndFeelDecorated(true);
            //Create and set up the window.
            IntroTest4 frame = new IntroTest4();
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            //Display the window.
            frame.setVisible(true);     
         }//END CREATEANDSHOW
        public static void main(String[] args)
         {//BEGIN MAIN
            //Schedule a job for the event-dispatching thread:
            //creating and showing this application's GUI.
            javax.swing.SwingUtilities.invokeLater(new Runnable()
              {//BEGIN SOME SHIT
                    public void run()
                         createAndShowGUI();
                    });//END SOME SHIT
            }//END MAIN
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    This is class RegFrame. It is the first frame I made created from
    a menu option of the Desktop frame. It takes data and passes it.
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    import java.awt.event.*;
    import java.awt.*;     /* Used by IntroTest3.java. */
    import javax.swing.*;
    public class RegFrame extends JInternalFrame
    {   // Begin class RegFrame
    static final int xOffset = 30, yOffset = 30;
            private Recieve addStud;
         private JLabel nameLabel, displayLabel;  
         private JTextField nameField;
         private JTextArea displayNames;
         private JButton addButton;
         private String name;
         private int numStu;
    public RegFrame() {     // Begin RegFrame constructor  
                  super(" Register a New Student ",
                  true, //resizable
                  true, //closable
                  true, //maximizable
                  true);//iconifiable
            //...Create the GUI and put it in the window...
            //...Then set the window size or call pack...
            setSize(400,500);        //Set the window's location.
            setLocation(xOffset, yOffset);
            Container content = getContentPane();
            setBackground(Color.white);
            content.setBackground(Color.white);
            content.setLayout(new BoxLayout(content, BoxLayout.Y_AXIS));
      //*   CREATE LABELS AND TEST ENTRY FIELDS FOR REGISTERING A NEW STUDENT       *
            *  HERE IS WHERE OBJECT OF RECIEVE IS CREATED *
            addStud = new Recieve();
         nameLabel = new JLabel(" Enter student name: ");
         nameField = new JTextField(20);
            nameField.setPreferredSize(new Dimension(10, 5));       
         content.add ( nameLabel, BorderLayout.CENTER );
         content.add ( nameField, BorderLayout.CENTER );
            content.add(Box.createRigidArea(new Dimension(0,5)));
         addButton = new JButton( "Add Student" );
         content.add( addButton, BorderLayout.CENTER );
            content.add(Box.createRigidArea(new Dimension(0,5)));
            displayNames = new JTextArea();
            content.add( displayNames, BorderLayout.CENTER );
            displayNames.append( "Number\tStudent\n" );
         addButton.addActionListener(
              new ActionListener()
         { // Open ActionListener
              public void actionPerformed (ActionEvent e)
                   getInput();
         } // Close ActionListener
        }   // End RegFrame Constructor
    // get input
        private void getInput()
              numStu++;
              name = nameField.getText();
                    if ( numStu <= 10 )
                        JOptionPane.showMessageDialog( null, "NAME: "  + name
                        + "Student number:"+ numStu );
                        addStud.addName( name );
                        String output = ("\n" + numStu + "\t" + name);
                        displayNames.append( output );                   
                    else
                        JOptionPane.showMessageDialog( null, "ERROR: STUDENT LIMIT EXCEEDED" );                 
                        nameField.setText("");
    } // End class RegFrame;~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    Below is class Recieve (Yes I know it's spelled wrong.) This is where
    I had RegFrame pass the data to.
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    public class Recieve
    { // Begin class Recieve
        private double stAssign[];
        private double stLab[];   
        private double stProject[];
        private double stQuiz[];
        private double stTest[];
        private String stNames[];       
        int snc;  
    public Recieve ()
            stAssign = new double[10];
            stLab = new double[10];
            stProject = new double[10];
            stQuiz = new double[10];
            stTest = new double[10];
            stNames = new String[10];
            snc = 0;    // Student Name Counter      
    public void addName (String stName)
            stNames[snc] = stName;
            snc++;
    public String[] sendNames()
            return stNames;
    //        String bogusNames[];
    //        bogusNames = new String[10];
    //        System.arraycopy(stNames, 0, bogusNames, 0, stNames.length); 
    //        return bogusNames;
    public void addGrades ( int stNum, double assi, double lab, double proj, double quiz, double test )
            stAssign[stNum] = assi;
            stLab[stNum] = lab;
            stProject[stNum] = proj;
            stQuiz[stNum] = quiz;
            stTest[stNum] = test;
    } // End class Recieve~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    This is the frame where I aspire to allow the user to see a list of names,
    select one, and enter more information for them.
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    import javax.swing.*;
    import java.awt.event.*;
    import java.awt.*;     /* Used by IntroTest3.java. */
    public class InsFrame extends JInternalFrame
        static final int xOffset = 40, yOffset = 40;   
        private JList nameList;
        private String stNames[];
    public InsFrame() {       
         super(" Insert New Grades ",
                  true, //resizable
                  true, //closable
                  true, //maximizable
                  true);//iconifiable
            //...Create the GUI and put it in the window...
            //...Then set the window size or call pack...
            setSize(300,300);        //Set the window's location.
            setLocation(xOffset, yOffset);
            stNames = .sendNames();

  • Need some help/advice please

    Hi,
    I am trying to fix a friends computer. She has a MS-6385 m/b but the keyboard does not work. When trying to boot to ME. you just hear clicks when pressing a key.
    If I boot from a W98 disk, I get a beep on each keypress. The CPU seems fine as it will load the W98 boot disk OS.
    I was going to try a PS2 to USB converter, but the manual implies that the USB keyboard is disabled by default and I cannot get into the the BIOS to change it.
    So I am asking for any advice as to how and try to fix this, or should I just bin the m/b and try and get another socket 423 m/b with rambus slots.
    TIA

    Using my keyboard though a KVM switch, which works fine on my network, so its not the kbd. I reckon the ps2 connection has gone belly up, so I'm stuffed for a fix.
    Looks like I will need to get another board, I have found a 6339 board, which I might use or get the Asus P4t board.

  • Need some immediate advice...

    I am writing an applet that will prompt for user input value. Next the program will recursively sum the fractions and display a floating point value. Currently I am having a problem with the public void paint class not recognizing the n...so I can not iterate and display the fractions. Any pointers are appreciated!! Thanks
    Here is my c++ code that works...I am trying to emulate this with java.
    #include <iostream>
    #include <iomanip>
    #include <string>
    using namespace std;
    float sumItUp(int x);
    int main()
    int n;
    float sum = 0.0;
    string symbol = " + ";
    cout<<"Please enter in a value for the denominator of a recursive function call: ";
    cin>>n;
    cout<<endl;
    sum = sumItUp(n);
    cout<<endl;
    for(int i=1; i<=n; i++)
      cout<<"1/"<<i<<' ';
      if(i <= n-1)
         cout<<symbol;
              if(symbol == " + ")
                   symbol = " - ";
              else
              symbol = " + ";
      }//end if stmt
    }//end for loop
    cout<<" = ";
    cout<<showpoint<<setprecision(5)<<sum;
    cout<<endl;
    return 0;
    }//end main
    float sumItUp(int x)
    if (x == 1) return 1.0;
    if (x%2 != 0)
      return -1/(float)x + sumItUp(x-1);
      return 1/(float)x + sumItUp(x-1);
    }Here is my java code that doesnt work:
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class Recursion extends JApplet implements ActionListener {
         //graphical user interface components
         private JLabel numberLabel;
         private JTextField numberField;
         private JButton storeButton;
         public void init() {
              //get content pane and set its layout
              Container c = getContentPane();
              c.setLayout(new FlowLayout());
              //add nuumber label and number text field
              numberLabel = new JLabel("Please enter in the n for denominator:");
              c.add(numberLabel);
              numberField = new JTextField("", 3);
              c.add(numberField);
              //click button to store information
              storeButton = new JButton("Store Data");
              storeButton.addActionListener(this);
              c.add(storeButton);
         } //end method init
         //call method store when button is pressed
         public void actionPerformed(ActionEvent e) {
              String theDenominator;
              int trueNumber;
              //process firstField
              if (e.getSource() == storeButton) {
                   //validate denominator
                   theDenominator = numberField.getText();
                   try {
                        trueNumber = trueNumber = Integer.parseInt(theDenominator);
                   } catch (NumberFormatException ne) {
                        trueNumber = 0;
                   if (trueNumber ==0){
                        JOptionPane.showMessageDialog(
                                                 null,
                                                   "The  denominator value is invalid",
                                                 "Warning",
                                                 JOptionPane.WARNING_MESSAGE);
                                                 return;
                   else sumItUp(trueNumber);
              } //end store button action if
         } //end action performed method     
        public float sumItUp(int n){
              if (n == 1) return (float)1;
              if (n%2 != 0)
               return -1/(float)n + sumItUp(n-1);
               return 1/(float)n + sumItUp(n-1);
         public void paint(Graphics g) {
              int i, x, y;
              super.paint(g);
              g.setColor(Color.BLUE);
              x = 10;
              y = 160;
              g.drawString("First-Name", x, y);
              y += 8;
              g.drawLine(x, y, x + 330, y);
              y += 16;
              //iterate to print array elements and increment y value
              for (i = 1; i <= n; i++) {
                   g.drawString("1/"+n ,x,y);
                   y += 16;
    } //end of class Recursion

    Well, here it is...
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class Recursion extends JApplet implements ActionListener
    {          //graphical user interface components     
              private JLabel numberLabel;
              private JTextField numberField;
              private JButton storeButton;
              private int num;  // ** variable to hold value from numberField **
              private Container c; // moved here **
              private String kj;  // ** variable to hold result as a string from sumItUp method **
              public void init() {          //get content pane and set its layout
                      c = getContentPane();
                      c.setLayout(new FlowLayout());          //add nuumber label and number text field
                      numberLabel = new JLabel("Please enter in the n for denominator:");
                      numberField = new JTextField("", 3);
                      storeButton = new JButton("Store Data");
                      storeButton.addActionListener(this); //click button to store information
                      c.add(numberLabel);
                      c.add(numberField);
                      c.add(storeButton);
                      kj = "Ready"; // ** needed something to display prior to number input **
                   } //end method init
              //call method store when button is pressed
            public void actionPerformed(ActionEvent e) {
                       if (e.getSource() == storeButton) {  //validate denominator
                     try {
                            num = Integer.parseInt(numberField.getText());
                            if (num == 0){
                                         nanWarning(); // ** display JOptionPane warning dialog **
                            else{
                                     kj = Float.toString(sumItUp(num)); // ** I don't know, it just looks neat :-)
                     catch (NumberFormatException ne) {
                           nanWarning(); // ** displays JOptionPane warning dialog **
                           return;
                   }//end store button action if
                   }//end action performed method
                   public void nanWarning(){ // ** display JOptionPane warning dialog **
                           JOptionPane.showMessageDialog(null,"The  denominator value is invalid", "Warning",JOptionPane.WARNING_MESSAGE);
                           kj = "Try Again";  // ** just another message, replace by sumItUp result if a valid number **
                   public float sumItUp(int n){   // ** nothing really changed just re-arranged to look cleaner **
                              if (n == 1) return (float)1;
                                return(n%2 != 0)?(-1/(float)n + sumItUp(n-1)):(1/(float)n + sumItUp(n-1));
                   public void paint(Graphics g) {
                             int x, y;
                            super.paint(g);
                             g.setColor(Color.BLUE);
                             x = 10;
                             y = 160;
                             g.drawString("First-Name", x, y);
                             y += 8;
                             g.drawLine(x, y, x + 330, y);
                             y += 16;
                           //iterate to print array elements and increment y value
                             for (int i = 1; i <= num; i++) {
                             g.drawString("1/" + i ,x,y); // ** used "i" since it actually increments **
                             x += 25;          }
                             g.drawString(kj,x,y + 16);  // ** displays "Ready", "Try Again" or sumItUp result **
    }Based on the information you gave me, I made the corrections commented in the code...
    I modified the actionPerformed method mostly, removed some redundant variables and as you can see by this line...
    kj = new String(Float.toString(sumItUp(num)));assigned the results from sumItUp() to String kj...
    I added a method nanWarning() for the JOptionPane warning message...
    and finally modified this part in the paint() method...
    for (int i = 1; i <= num; i++) {
         g.drawString("1/" + i ,x,y); // ** used "i" since it actually increments **
         x += 25;          }
    g.drawString(kj,x,y + 16);  // ** displays "Ready", "Try Again" or sumItUp result **where I have x increment by 25 to display the fractions horizontally and used int i for the denominator...
    Too much fun, like cool...
    - MaxxDmg...
    - ' He who never sleeps... '

  • Need some Serious Advice! Macbook Magsafe Board Failing

    So I'm in a problematic situation with my 2009 Macbook and I'm really unsure of what to do. Recently, i've had problems with it where the magsafe board (meaning the power outlet on the computer itself, not the adapter) won't receive a charge. I've taken it to a apple certified reseller for repair (in Israel where I live) to fix this problem twice, and each time they've simply replaced the magsafe board, and within a week, for seemingly no reason at all, it fails to receive a charge.
    Another note about the computer is that the area of the body of the laptop where the power outlet is, is sort of destroyed, meaning, some of the plastic has chipped off and that part of the computer is not extremely secure and moves around a bit. To combat this, the 2nd time I had the magsafeboard replaced, I bought an external case that covers the entire computer, but even without it receiving any bumps or anything, the magsafe board has failed again.
    So now I am not sure what to do, the reseller where I took it to instructed me that they may need to send it to Apple in America for a diagnostic (which will cost $250 roughly in Israeli currency). I could ask them to simply fix the magsafe board again, and maybe replace the body of the laptop itself, but that would in total cost me about $430 to do here, and would not be entirely sure that it would solve the problem. At this point I'm considering just buying a new laptop all together if I'm going to be investing so much into fixing it time and time again, but its a shame because its such a simple part of the computer that is causing it to fail, where as the rest of the computer works beautifully.
    Any ideas on why this might be happening, or opinions on what to do, would be supremely appreciated!
    Thanks guys.
    -Daniel

    Macbook?
    there are firewire ports in your Macbook or it is the last version "unibody"?
    if you have firewire i suggest Motu Ultralite or greater
    ... if USB only.. search for Motu 828MKII Usb version
    G
    Message was edited by: fermusic

  • Need some guidance, advice on AS for a video menu im designing

    Hi all,
    I consider myself a well versed professional in terms of design layout in Photoshop, to Iillustrator, and InDesign.  I have  just begun to pick up Flash cs3 and have had no problem laying out elements and so on.  I understand the timeline, since I do allot of video editingfrom FinalCut to AfterEffects.  However what is new and alien to me is ActionScripting I don't know what is best 2.0 or 3.0.  I have tried some tutorials in drop menus and so on.  yet I'm having issues across the board as to what process to build this video menu page.   (see photo below)
    The function of this menu is that you roll over a green title and a menu drops along side of it, then you roll your mouse courser over the sub menu and click on a sub menu title and a video starts.  I believe the functions to be easy and straight forward.  yet action script puzzles me.  is there a site for beginners or tutorials in just menus like this i could copy and use while i pick up action script whatever. or if anyone has simple code ideas to put or drop in said Key Frames or Layers (see photo below)
    any help guidance would be soooo appreciated.
    thanks
    Rastenis
    Set,Illustration, Graphic Designer

    there are lots of flash tutorials.  use google to search.
    however, if you're not, at least aquainted with some oop language, you're in for a steep learning curve trying to create a dropdown menu using actionscript.
    if you don't need any of the as3 features, use as2.  it's easier to learn.  although, if you plan to do more flash, you might want to skip as2 and learn as3.
    for your tutorial use:  flash as2 dropdown menu tutorial

  • I have a therory and need some tech heads and CL to give it a t

    Ok, the popping and crackling issue many have has gone on? long enough I would think. So I am thinking could it possiably be a power issue?What I mean is, like any kind of device that uses power if it is not getting the FULL required amount then what are the chances of failure if even on a small scale. So, is there a way to read the power usage going to the sound card/s? I know you can read the power going to Video cards, thus to trouble shoot an issue in regards to BSOD, crashes and the like concerning the VGA device. If the power goes under the required amount, you can see it and then simply wait for the system to crash. Seen this many times myself. Same with CPUs and mainboards. If the power goes under whats needed for stable operation, you get issues. I then would have to think the same thing goes for sound cards. Im not to sure but what is the required amount of amps for a sound card anyway? 5V or something running via the PCI slot? I dont know. So how can we gauge the amount of power going to a sound card and then assertain weather or not enough power is indeed getting to the device?I cant do anything to messure this but I would have to think the CL team would have the tools to read power usage then perhaps force a lower current to test weather or not the device fails or gives issue in regards to popping and crackling. My main thought here was when a light, be it a tourch or a lamp is not getting the fully required amount of amps, the light flickers. So would a sound device, not getting enough power flicker so to speak, hence popping and crackling. Anyway, its just a thought and I have not read anything anywhere on power consumption in regards to sound cards and the adverse affects if the devices is not getting full power. Plenty of listings on CPU , Video , memory and mainboards though. Any thoughts from anyone would be great as I think a power usage range on sound cards has not been fully investigated. well not to my knowlage anyway. Cheers

    It could be but i think its unlikely, if it was the other stuff in your pc would suffer. I think its more due to the old creative?cards do this on certain boards chestnut which?at a glance seems to be plaguing?nforce 4 & 3 users, nforce 2 also had the same thing with the audigy 2 range, but that seemed to be more prevalent when?a sata controller was used. They both seemed to be fighting over ?pci bandwidth, there were loads of fixes ranging from changing your video card pci latency to 32 to wrapping the card in tin foil. None of these were a fix for all though and that never seemed to get fixed to my knowledge. I got the chance to try out my x-fi in an nforce 4 board last night and i can only say i pity you guys the crackles coming from my once nice clean x-fi dumbfounded me, and got me worried to. Back in my motherboard the crackles are not present thank god.

  • I need some performance advice for video editing

    or
    I am deciding on which Mac Book Pro to purchase for video editing. My choices are:
    2012 - 2.3 Ghz Quad-Core i7 w/ 500GB Serial ATA@5400 rpm 8G RAM
    or
    2013  - 2.0 Ghz Quad-Core i7 w/ 256 Flash Storage 8G RAM
    The one is a year newer but .3 Ghz slower processor and I'm really not sure if it would matter that much for video editing. (FCPX, After Effects, etc.) I know the Flash Storage would be faster as far as opening applications etc., but for video editing, I didn't know.
    Can someone more qualified than me recommend which would be best. I need a laptop for video editing, but I need the least expensive I can get so I am looking at refurbs from Apple.
    Thank you!

    If you look at the 2013 Retina models in the Apple store, you'll see the higher end version has both the Intel Iris and an additional Nvidia graphics module. The higher end models have this additional circuit, which is to provide faster and smoother graphics for video, games, etc.
    I'd suggest looking at both model benchmarks at everymac.com. Here's the 2012:
    https://www.everymac.com/systems/apple/macbook_pro/macbook-pro-unibody-faq/macbo ok-pro-13-15-mid-2012-performance-benchmark-comparison.html

  • I need some Professional Advice!!!

    I am in the process of buying a Mac Pro right now and I am split between these two MACs (there is an 800.00 difference between the two..
    A)Mac Pro 2.26GHz 8-Core Intel Xeon
    Two 2.26GHz Quad-Core Intel Xeon "Nehalem" processors
    6GB (6x1GB) of 1066MHz DDR3 ECC memory
    640GB Serial ATA 3Gb/s 7200 rpm
    18x SuperDrive (DVD±R DL/DVD±RW/CD-RW)
    NVIDIA GeForce GT 120 with 512MB GDDR3 memory
    B)Mac Pro 8-core 3.2GHz Intel Xeon
    Two 3.2GHz Quad-Core Intel Xeon processors
    2GB (2 x 1GB) of 800MHz DDR2 ECC fully buffered DIMM
    500GB Serial ATA 3Gb/s 7200-rpm hard drive
    Two 16x SuperDrives (DVD±R DL/DVD±RW/CD-RW)
    NVIDIA GeForce 8800 GT 512MB (two dual-link DVI ports)
    (doing a lot of chroma keying and am editing with XH-A1 @ 108060i need something fast

    I just talked to apple and they said: "With the 2.26 seems sufficient to me, also has better technology like DDR3, 18x Superdrive, and more ports for external peripherals along with better graphics cards.
    It does not have the airport card built in (neither of them do) but you can have that added)"
    I dont know if that helps me with my decision ... still researching..

  • Need some K8N advice

    I'm looking to hit the checkout button on my shopping cart at newegg.com. It's has the following plus some other minor stuff:
    MSI K8N Neo-Platinum
    AMD Athlon 64 3200+
    Corsair Value Select 1G(512MBx2) DDR PC-3200 cas 3 (yikes!)
    ENERMAX 460W psu Model "EG465AX-VE (W)FMA"
      ---> 3.3V@35A, +5V@35A, -5V@1A, +12V@33A, -12V@1A, [email protected]
    Western Digital 120GB 7200RPM SATA Hard Drive, Model WD1200JD
    ATI RADEON 9800PRO
    Thermaltake Gaming Tower XaserV SeriesModel "V7000+"
      ---> Case Fans: 2 x 80mm, 3 x 90mm
    [plus some other msc. stuff]
    1. I think the Corsair is OK from reading thru the Kingston/Corsair sticky but does anyone else have an opinion about how well this works with this mobo?
    2. Real dumb question now: Can I just use one WD sata hard drive (no raid) like I would if I was just installing a single IDE type? I never used SATA HDDs before.
    3. Is it really stupid to use cas 3 memory while getting a pretty decent video card, mobo, and cpu?
    Thanx,
    Perion

    Wow! Thanks to all for the intelligent replies and mem speed discussion.
    I really appreciate the link to tomshardware where it says:
    Quote
    We observed one interesting result in many of the gaming benchmarks: while the Pentium 4 3.2 GHz is normally just a touch faster than the Athlon 64 3200+, it quickly falls behind the Athlon if you only use slow memory modules.
    I've read such conflicting reports about how noticible the effects of diffs in cas that I wasn't sure it wasn't just throwing money at numbers for nothing.
    I also read somewhere else that the difference between cas 3 and cas 2.5 may end up meaning something comparable to a decrease of 10 fps in Quake 3. I'm not actually doing gaming though. I program 3D simulations - still animation but not as many polys to render or AI to deal with each frame than in high-end gaming. Also will use this machine for a lot of 3D Studio Max modeling. Maybe I won't even notice much difference in those apps - but I do hate rotating complex models and having to wait for the redraw. I'm counting on the Radeon 9800Pro card and the 1 Gb sys mem size to help with that one.
    Still not sure if the faster mem is worth it but HEY - have a great FRIDAY  
    Perion
    Check this out on your machine:
    Celestia - free real time 3D sim of the entire (mapped) Universe
    http://www.shatters.net/celestia/

  • I need some help/advice about a CS5 invalid Serial Number

    I recently purchased a CS5 Master Collection on ebay. Excited to get playing with it, I started to load it right away. When the window popped up asking for the serial number I punched it in and it showed as invalid! I retyped it and again invalid! So I checked the disc and in the notetab text file the serial number there was different than the one I had typed in off of the instruction paper. I typed that number in and the CS5 loaded! HOWEVER, once the CS5 was finished installing and I started up any program the window popped again asking for the serial number! Also on the same window it says on the bottom to (click here) for trial version and the days count down!!!
    The seller claims that I'm not installing it right and says when not installed correctly it acts like a trial version!
    I have uninstalled and reinstalled it 4 times and I get the same results!
    Can anyone offer any comments, suggestions?
    I would greatly appreciate it!
    Rich

    Welcome to our community
    You might try re-posting your issue in a forum where CS5 is discussed. This forum is used to discuss Adobe Captivate Installation issues.
    Click here to visit the Creative Suites forum
    Cheers... Rick

  • Need some quick advice on a restore with Time Machine

    I have just had my MacBook Pro wiped and reinstalled as there was a problem with the way it would 'see' the battery (there was an intermittent fault).
    I think that this has been solved now. So now I want to reinstall the whole Time Machine backup = but NOT the faulty base settings (the Operating system, etc). Everything - applications, folders, settings , files etc. How do I do this?

    I have just had my MacBook Pro wiped and reinstalled as there was a problem with the way it would 'see' the battery (there was an intermittent fault).
    I think that this has been solved now. So now I want to reinstall the whole Time Machine backup = but NOT the faulty base settings (the Operating system, etc). Everything - applications, folders, settings , files etc. How do I do this?

  • Hi,new user needs some tech info on bbm

     hi,ive a problem we belive my daughters friend has stolen her phone and has started to delete her friends off the bbm,now one of my kids mates has told her that her friend has sent him a new request in her name but the pin is my daughters number,i want to get the phone back so if i report it she will probably throw it away,is there anyway i can get hold of any messages sent from a bbm pin to confirm its being used?

    I don't know a way of doing this.  If the phone in question had blackberry protect, you could track it.
    It sounds like you know who it is from the bbm request described below.  Can you go to their house and demand it back?
    Please click the Thumbs Up icon if this comment has helped you!
    If your issue is resolved, please click the solution button on the resolution!
    Every BlackBerry should have BlackBerry Protect, get it now! | Follow me on Twitter | Bring Back BBM Music!

  • Powerbook G4 just Died. Need some help & advice!!

    Hope there's someone out there that can help me. I was working on my titanium Powerbook G4 and it just shut itself down (no warning sounds etc at all) and won't re-start. There's no sound from it at all. Even the green power cable light has stopped working. But the little glowing white light at the front (on the lid release) is still glowing. I've tried removing the battery and re-starting but to no avail (although with the battery removed the lid release light still works!). It's just dead. No sound at all. Has anybody any ideas what caused this?
    Is it a hard drive issue? - I've had hard drives fail before but the machine usually tries to boot up but this PBook is dead. Deceased.
    Can someone point me in the right direction?

    Hi, Andy. If the sleep light on your Powerbook is in the display latch, the PB is Aluminum, not Titanium. There's another set of forums for the Aluminum models here.
    Have you tried resetting the Power Manager?

Maybe you are looking for

  • AS3 TextArea Style

    I'm having an issue trying to change the font/font size/font color in my textarea component using AS3 in Flash CS3. For AS2 to style a comboBox for example it was as easy as: yourComboBox.rollOverColor = 0xe8e8e8; yourComboBox.textRollOverColor = 0x3

  • How to avoid duplicate submission in struts

    Hi, In my application i have a screen showing details of employee record like his name,address,work etc.. and a update button, here user has facility to update any thing on the scrren,but the thing worry to me is even though user hasn't changed an th

  • After updating to 1.2 then restarted, I have seen only blue screen

    I have seen only blue screen after Apple logo startup, and now it is stuck like that. Nothing happen anymore. What a bad luck I am with this new iMac, I have to hand in my assignments in 2 days and I cannot even go to finder. If i can do that at leas

  • Switched HD to new computer now ethernet won't work [SOLVED]

    Had an old Dell desktop in which the motherboard failed (capacitors leaked), but was able to move the HD into another Dell with a similar architecture (Dell Optiplex GX270 ->Dell Dimension 8400).  Everything seems to work fine except the wired intern

  • How long alias name keep as used after delete?

    I need to create new account with my old alias name, i deleted this alias from my account long time ago, but i can't create new account with this name ("This email address is already taken")... how long?