JButtons in JToolbar don't work with JApplet- why?

I made a JApplet which has a toolbar, populated with burrons that manipulate data from text files. The programs works perfectly when it is not a JApplet. However, once I converted it to a JApplet it does nothing. The code was exactly the same, but, pressing buttons does nothing when it is an applet. here is the complete code;
import java.io.*;
import javax.swing.*;
import java.awt.*;
import java.util.*;
import java.awt.event.*;
public class CSE extends JApplet implements ActionListener, ItemListener
//GUI COMPONENTS
//ToolBar components
JToolBar mainSelect = new JToolBar("Materials");
JButton materials;
String materialNames[] = {"Fur Square", "Bolt of Linen", "Bolt of Damask", "Bolt of Silk", "Glob of Ectoplasm", "Steel Ingot", "Deldrimor Steel Ingot", "Monstrous Claw", "Monstrous Eye", "Monstrous Fang", "Ruby", "Lump of Charcoal", "Obsidian Shard", "Tempered Glass Vial", "Leather Square", "Elonian Leather Square", "Vial of Ink", "Roll of Parchment", "Roll of Vellum", "Spiritwood Plank", "Amber Chunk", "Jadeite Shard"};
ImageIcon materialIcons;
//Graphic components
JDesktopPane mainGraph = new JDesktopPane();
JPanel dailyGraph = new JPanel();
JPanel weeklyGraph = new JPanel();
JPanel finalPrices = new JPanel();
Box graphs = Box.createHorizontalBox();
//The Console
JFrame CSEFrame = new JFrame();
JSplitPane mainConsoleBackdrop = new JSplitPane(JSplitPane.VERTICAL_SPLIT);
JSplitPane dataOut = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT);
JTextArea prediction = new JTextArea(10,10);
JScrollPane predictionScroll;
Box finalPricesLabels = Box.createVerticalBox();
Box finalPricesLay = Box.createVerticalBox();
JLabel finalBuy = new JLabel("Net Buy Price Change: 0.00");
JLabel finalSell = new JLabel("Net Sell Price Change: 0.00");
JLabel buySell = new JLabel("We recommend you: N/A");
JTextArea priceUpdate = new JTextArea(10, 10);
JTextArea priceUpdateWeekly = new JTextArea(10, 10);
JScrollPane priceUScrollW;
JScrollPane priceUScroll;
JCheckBox weeklySelect = new JCheckBox("To show weekly price changes.", false);
JCheckBox dailySelect = new JCheckBox("To show daily price changes.", true);
ButtonGroup dataToShow = new ButtonGroup();
//COMPONENTS FOR DATE; OBTAINING CORRECT FOLDER
String days[] = {"Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"};
Calendar calSource = new GregorianCalendar(TimeZone.getTimeZone("GMT"));
int day = calSource.get(Calendar.DAY_OF_MONTH);
int month = calSource.get(Calendar.MONTH);
int year = calSource.get(Calendar.YEAR);
int monthCheck [] = {Calendar.JANUARY, Calendar.FEBRUARY, Calendar.MARCH, Calendar.APRIL, Calendar.MAY, Calendar.JUNE, Calendar.JULY, Calendar.AUGUST, Calendar.SEPTEMBER, Calendar.OCTOBER, Calendar.NOVEMBER, Calendar.DECEMBER};
int dayS = day;
int monthS = month;
int yearS = year;
//if there is file found
boolean proceed = false;
//int data for analysis
int buyPrice;
int currentBuyPrice;
int sellPrice;
int currentSellPrice;
boolean weekly = false;
//tools for parsing and decoding input
String inputS = null;
String s = null;
Scanner [] week = new Scanner[7];
Scanner scanner;
int position = 0;
//weekly tools
String weekPos[] = {"Seventh", "Sixth", "Fifth", "Fourth", "Third", "Second", "First"};
int dayOfWeek = 0; //0 = 7    1 = 6...
                public JButton getToolBarButton(String s)
                    String imgLoc = "TBar Icons/" +s +".gif";
                    java.net.URL imgURL = CSE.class.getResource(imgLoc);
                    JButton button = new JButton();
                    button.setActionCommand(s);
                    button.setToolTipText(s);
                    button.addActionListener(this);
                    if(imgURL != null)
                        button.setIcon(new ImageIcon(imgURL, s));
                    else
                        button.setText(s);
                        System.err.println("Couldn't find; " +imgLoc);
                    return button;
                    public CSE()
                               // super("Test CSE");
                                //CSEFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                                for(int x=0; x<materialNames.length; x++)
                                    materials = getToolBarButton(materialNames[x]);
                                    mainSelect.add(materials);
                                //checkBoxes
                                dataToShow.add(weeklySelect);
                                dataToShow.add(dailySelect);
                                weeklySelect.addItemListener(this);
                                dailySelect.addItemListener(this);
                                // sizes
                                setSize(850, 850);
                                //colors and fonts
                                weeklyGraph.setBackground(new Color(250, 30, 40));
                                dailyGraph.setBackground(new Color(100, 40, 200));
                                //text Manip.
                                prediction.setLineWrap(true);
                                priceUpdate.setLineWrap(true);
                                //scrolling
                                predictionScroll = new JScrollPane(prediction, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
                                priceUScroll = new JScrollPane(priceUpdate, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
                                priceUScrollW = new JScrollPane(priceUpdateWeekly, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
                                //main splitpane config.
                                mainConsoleBackdrop.setOneTouchExpandable(true);
                                mainConsoleBackdrop.setResizeWeight(.85);
                                //placement and Layout
                                //GraphLayout
                                graphs.add(Box.createHorizontalStrut(10));
                                graphs.add(dailyGraph);
                                graphs.add(Box.createHorizontalStrut(10));
                                graphs.add(weeklyGraph);
                                graphs.add(Box.createHorizontalStrut(10));
                                dataOut.setRightComponent(predictionScroll);
                                //consoleData layout
                                finalPricesLabels.add(Box.createVerticalStrut(10));
                                finalPricesLabels.add(finalBuy);
                                finalPricesLabels.add(Box.createVerticalStrut(10));
                                finalPricesLabels.add(finalSell);
                                finalPricesLabels.add(Box.createVerticalStrut(10));
                                finalPricesLabels.add(buySell);
                                finalPricesLay.add(finalPricesLabels);
                                finalPricesLay.add(Box.createVerticalStrut(10));
                                finalPricesLay.add(weeklySelect);
                                finalPricesLay.add(dailySelect);
                                finalPricesLay.add(priceUScroll);
                                dataOut.setLeftComponent(finalPricesLay);
                                mainConsoleBackdrop.setTopComponent(graphs);
                                mainConsoleBackdrop.setBottomComponent(dataOut);
                                getContentPane().add(mainConsoleBackdrop);
                                getContentPane().add(mainSelect, BorderLayout.NORTH);
                                //visibility
                               // CSEFrame.setVisible(true);
                                //return(CSEFrame);
                                    public void actionPerformed(ActionEvent e)
                                        getMonth();
                                        inputS = e.getActionCommand();
                                        FileReader newRead = null;
                                                try {
                                                       newRead = new FileReader(monthS +"-" +dayS +"-" +yearS +"/" +inputS +".dat");
                                                       proceed = true;
                                                    catch(FileNotFoundException f)
                                                       System.out.println("File not found");
                                                       proceed = false;
                                      if(proceed)
                                      BufferedReader bufferedReader = new BufferedReader(newRead);
                                      scanner  = new Scanner(bufferedReader);
                                      scanner.useDelimiter("\n");
                                     //starts daily analysis
                                      getPrice(scanner);
                                    //starts weekly analysis
                                      weekly(inputS);
                                public void itemStateChanged(ItemEvent e)
                                    if(weeklySelect.isSelected())
                                    priceUpdateWeekly.setText("");
                                    finalPricesLay.remove(priceUScroll);
                                    finalPricesLay.add(priceUScrollW);
                                    finalPrices.updateUI();
                                    else
                                        priceUpdate.setText("");
                                        finalPricesLay.remove(priceUScrollW);
                                        finalPricesLay.add(priceUScroll);
                                        finalPrices.updateUI();
                                public void weekly(String inputS)
                                    weekly = true;
                                    for(int x = 0; x < 7; x++)
                                       dateToUse(month, day, year, (x+1));
                                        try
                                                FileReader weeklySource = new FileReader(monthS +"-" +dayS +"-" +year +"/" +inputS +".dat");
                                                BufferedReader weeklyBuffer = new BufferedReader(weeklySource);
                                                week[x] = new Scanner(weeklyBuffer);
                                                week[x].useDelimiter("\n");
                                                getPrice(week[x]);
                                         catch(FileNotFoundException f)
                                            JOptionPane.showMessageDialog(this, "No such weekly files- going back;" +(x+1) +"days");
                                    weekly = false;
                                    dateReset();
                                public void getPrice(Scanner scanner)
                                    while(scanner.hasNextLine())
                                        //puts into string the next scan token
                                        String s = scanner.next();
                                        //takes the scan toke above and puts it into an editable enviroment
                                        String [] data = s.split("\\s");
                                        for(position = 0; position < data.length; position++)
                                                    //Scanner test to make sure loop can finish, otherwise "no such line" error
                                                    if(scanner.hasNextLine()==false)
                                                    scanner.close();
                                                    break;
                                                       /*Starts data orignazation by reading from each perspective field
                                                        * 1 = day
                                                        * 2 = day of month
                                                        * 3 = month
                                                        * 4 = year
                                                       if(position == 0 && weekly == false)
                                                           String dayFromFile = data[position];
                                                            int dayNum = Integer.parseInt(dayFromFile);
                                                          priceUpdate.append(days[dayNum-1] +" ");
                                                       else if(position == 1  && weekly == false )
                                                          priceUpdate.append(data[position] + "/");
                                                       else if(position == 2 && weekly == false)
                                                          priceUpdate.append(data[position] + "/");
                                                        else if(position == 3 && weekly == false)
                                                            priceUpdate.append(data[position] +"\n");
                                                       //if it is in [buy] area, it prints and computes
                                                        else if(position == 7)
                                                            //obtains string for buy price and stores it, then prints it
                                                            String buy = data[position];
                                                        if(weekly == false)
                                                        priceUpdate.append("Buy: " +buy +"\n" );
                                                         //converts buy to string
                                                        currentBuyPrice = Integer.parseInt(buy);
                                                        //eliminates problems caused by no data from server- makes the price 0
                                                        if(currentBuyPrice < 0)
                                                            currentBuyPrice = 0;
                                                        //if it is greater it adds
                                                        if(currentBuyPrice > buyPrice)
                                                                 buyPrice += currentBuyPrice;
                                                        //if it is equal [there is no change] then it does nothing    
                                                        if(currentBuyPrice == buyPrice)
                                                            buyPrice +=0;
                                                        //if there is a drop, it subtracts
                                                           else
                                                               buyPrice -= currentBuyPrice;
                                                        //if it is in [sell] area, it prints, and resets the position to zero because line is over
                                                        else if(position == 8)
                                                            //puts sell data into string and prints it
                                                            String sell = data[position];
                                                            if(weekly == false)
                                                            priceUpdate.append("Sell: " + sell +"\n");
                                                            //turns sell data into int.
                                                          currentSellPrice = Integer.valueOf(sell).intValue();;
                                                        //gets rid of problems caused by no data on server side- makes it 0 
                                                        if(currentSellPrice < 0)
                                                            currentSellPrice = 0;
                                                        //adds if there is an increase
                                                        if(currentSellPrice > sellPrice)
                                                                 sellPrice += currentSellPrice;
                                                        //does nothing if it is the same    
                                                        if(currentSellPrice == sellPrice)
                                                            sellPrice +=0;
                                                        //subtracts if there is drop
                                                           else
                                                               sellPrice -= currentSellPrice;
                                                            //further protection against "No such line" and moves it down
                                                           if(scanner.hasNextLine() == true)
                                                            scanner.nextLine();
                                                            //if scanner is finished, prints out all lines
                                                           if(scanner.hasNextLine() == false && weekly == false)
                                                            finalBuy.setText("Net Buy Price Change: "+buyPrice);
                                                            finalSell.setText("Net Sell Price Change: " +sellPrice);
                                                            buyPrice = 0;
                                                            sellPrice = 0;
                                                            position = data.length;
                                                           else if(scanner.hasNextLine() == false && weekly == true)
                                                               priceUpdateWeekly.append("\n" +weekPos[dayOfWeek] +" day of the week ended with; \nBuy Price;" +buyPrice +"\nSell Price;" +sellPrice);
                                                               buyPrice = 0;
                                                               sellPrice = 0;
                                                               position = data.length;
                                                               dayOfWeek++;
                                                               if(dayOfWeek > 6)
                                                               dayOfWeek = 0;
                            public void getMonth()
                                for(int x=0; x < monthCheck.length; x++)
                                    if(month == monthCheck[x])
                                          monthS = (x+1);
                                          x = monthCheck.length;
                             public void dateToUse(int month, int day, int year, int increment)
                             //set day of source
                              dayS = (day - increment);
                            //if day of source is less then O then we have moved to another month 
                            if(dayS <= 0)
                                    //checks the difference between how much we have incremented and the day we have started; this tells us how far into the new month we are
                                    int incrementDay = increment - day;
                                    //decrements month
                                    monthS--;
                                    //if month is less then zero, then we have moved into another year and month has become 12
                                    if(monthS <= 0)
                                        yearS--;
                                        monthS = 12;
                                    //the following looks at the current month and if it goes below it assigns the day to the proper ammount of days of the month before minus the days into the month
                                       if(month == 3)
                                           dayS = 28 - incrementDay;
                                       else if(month == 5 || month == 7)
                                           dayS = 29 - incrementDay;
                                       else if(month == 2 || month == 4 || month == 6 || month == 9 || month == 11)
                                           dayS = 31 - incrementDay;
                                        else
                                            dayS = 30 - incrementDay;
                           //resets the source date to the current date once data from the week has been reached
                            public void dateReset()
                                dayS = day;
                                monthS = month;
                                yearS = year;
                 public void init()
                     //JFrame frame = new CSEFrameSet();
                    // this.setContentPane(CSEFrameSet());
                    CSE aCSE = new CSE();
public static void main(String [] args)
CSE cs = new CSE();
}I have tried uploading it to a server, running it from appletviewer, and locally using the .HTML file. The GUI works fine, everything is there, however, pressing the buttons does nothing.
Can you not use the Scanners and such with JApplets?
Yes, the directories are good.
EDIT EDIT EDIT; OK, it works with appletviewer, but still doesn't work when it is published.
Message wa

I can't seem to edit the post anymore, here it is again;
import java.io.*;
import javax.swing.*;
import java.awt.*;
import java.util.*;
import java.awt.event.*;
public class CSE extends JApplet implements ActionListener, ItemListener
//GUI COMPONENTS
//ToolBar components
JToolBar mainSelect = new JToolBar("Materials");
JButton materials;
String materialNames[] = {"Fur Square", "Bolt of Linen", "Bolt of Damask", "Bolt of Silk", "Glob of Ectoplasm", "Steel Ingot", "Deldrimor Steel Ingot", "Monstrous Claw", "Monstrous Eye", "Monstrous Fang", "Ruby", "Lump of Charcoal", "Obsidian Shard", "Tempered Glass Vial", "Leather Square", "Elonian Leather Square", "Vial of Ink", "Roll of Parchment", "Roll of Vellum", "Spiritwood Plank", "Amber Chunk", "Jadeite Shard"};
ImageIcon materialIcons;
//Graphic components
JDesktopPane mainGraph = new JDesktopPane();
JPanel dailyGraph = new JPanel();
JPanel weeklyGraph = new JPanel();
JPanel finalPrices = new JPanel();
Box graphs = Box.createHorizontalBox();
//The Console
JFrame CSEFrame = new JFrame();
JSplitPane mainConsoleBackdrop = new JSplitPane(JSplitPane.VERTICAL_SPLIT);
JSplitPane dataOut = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT);
JTextArea prediction = new JTextArea(10,10);
JScrollPane predictionScroll;
Box finalPricesLabels = Box.createVerticalBox();
Box finalPricesLay = Box.createVerticalBox();
JLabel finalBuy = new JLabel("Net Buy Price Change: 0.00");
JLabel finalSell = new JLabel("Net Sell Price Change: 0.00");
JLabel buySell = new JLabel("We recommend you: N/A");
JTextArea priceUpdate = new JTextArea(10, 10);
JTextArea priceUpdateWeekly = new JTextArea(10, 10);
JScrollPane priceUScrollW;
JScrollPane priceUScroll;
JCheckBox weeklySelect = new JCheckBox("To show weekly price changes.", false);
JCheckBox dailySelect = new JCheckBox("To show daily price changes.", true);
ButtonGroup dataToShow = new ButtonGroup();
//COMPONENTS FOR DATE; OBTAINING CORRECT FOLDER
String days[] = {"Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"};
Calendar calSource = new GregorianCalendar(TimeZone.getTimeZone("GMT"));
int day = calSource.get(Calendar.DAY_OF_MONTH);
int month = calSource.get(Calendar.MONTH);
int year = calSource.get(Calendar.YEAR);
int monthCheck [] = {Calendar.JANUARY, Calendar.FEBRUARY, Calendar.MARCH, Calendar.APRIL, Calendar.MAY, Calendar.JUNE, Calendar.JULY, Calendar.AUGUST, Calendar.SEPTEMBER, Calendar.OCTOBER, Calendar.NOVEMBER, Calendar.DECEMBER};
int dayS = day;
int monthS = month;
int yearS = year;
//if there is file found
boolean proceed = false;
//int data for analysis
int buyPrice;
int currentBuyPrice;
int sellPrice;
int currentSellPrice;
boolean weekly = false;
//tools for parsing and decoding input
String inputS = null;
String s = null;
Scanner [] week = new Scanner[7];
Scanner scanner;
int position = 0;
//weekly tools
String weekPos[] = {"Seventh", "Sixth", "Fifth", "Fourth", "Third", "Second", "First"};
int dayOfWeek = 0; //0 = 7 1 = 6...
public JButton getToolBarButton(String s)
String imgLoc = "TBar Icons/" +s +".gif";
java.net.URL imgURL = CSE.class.getResource(imgLoc);
JButton button = new JButton();
button.setActionCommand(s);
button.setToolTipText(s);
button.addActionListener(this);
if(imgURL != null)
button.setIcon(new ImageIcon(imgURL, s));
else
button.setText(s);
System.err.println("Couldn't find; " +imgLoc);
return button;
public CSE()
// super("Test CSE");
//CSEFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
for(int x=0; x<materialNames.length; x++)
materials = getToolBarButton(materialNames[x]);
mainSelect.add(materials);
//checkBoxes
dataToShow.add(weeklySelect);
dataToShow.add(dailySelect);
weeklySelect.addItemListener(this);
dailySelect.addItemListener(this);
// sizes
setSize(850, 850);
//colors and fonts
weeklyGraph.setBackground(new Color(250, 30, 40));
dailyGraph.setBackground(new Color(100, 40, 200));
//text Manip.
prediction.setLineWrap(true);
priceUpdate.setLineWrap(true);
//scrolling
predictionScroll = new JScrollPane(prediction, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
priceUScroll = new JScrollPane(priceUpdate, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
priceUScrollW = new JScrollPane(priceUpdateWeekly, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
//main splitpane config.
mainConsoleBackdrop.setOneTouchExpandable(true);
mainConsoleBackdrop.setResizeWeight(.85);
//placement and Layout
//GraphLayout
graphs.add(Box.createHorizontalStrut(10));
graphs.add(dailyGraph);
graphs.add(Box.createHorizontalStrut(10));
graphs.add(weeklyGraph);
graphs.add(Box.createHorizontalStrut(10));
dataOut.setRightComponent(predictionScroll);
//consoleData layout
finalPricesLabels.add(Box.createVerticalStrut(10));
finalPricesLabels.add(finalBuy);
finalPricesLabels.add(Box.createVerticalStrut(10));
finalPricesLabels.add(finalSell);
finalPricesLabels.add(Box.createVerticalStrut(10));
finalPricesLabels.add(buySell);
finalPricesLay.add(finalPricesLabels);
finalPricesLay.add(Box.createVerticalStrut(10));
finalPricesLay.add(weeklySelect);
finalPricesLay.add(dailySelect);
finalPricesLay.add(priceUScroll);
dataOut.setLeftComponent(finalPricesLay);
mainConsoleBackdrop.setTopComponent(graphs);
mainConsoleBackdrop.setBottomComponent(dataOut);
getContentPane().add(mainConsoleBackdrop);
getContentPane().add(mainSelect, BorderLayout.NORTH);
//visibility
// CSEFrame.setVisible(true);
//return(CSEFrame);
public void actionPerformed(ActionEvent e)
getMonth();
inputS = e.getActionCommand();
FileReader newRead = null;
try {
newRead = new FileReader(monthS +"-" +dayS +"-" +yearS +"/" +inputS +".dat");
proceed = true;
catch(FileNotFoundException f)
System.out.println("File not found");
proceed = false;
if(proceed)
BufferedReader bufferedReader = new BufferedReader(newRead);
scanner = new Scanner(bufferedReader);
scanner.useDelimiter("\n");
//starts daily analysis
getPrice(scanner);
//starts weekly analysis
weekly(inputS);
public void itemStateChanged(ItemEvent e)
if(weeklySelect.isSelected())
priceUpdateWeekly.setText("");
finalPricesLay.remove(priceUScroll);
finalPricesLay.add(priceUScrollW);
finalPrices.updateUI();
else
priceUpdate.setText("");
finalPricesLay.remove(priceUScrollW);
finalPricesLay.add(priceUScroll);
finalPrices.updateUI();
public void weekly(String inputS)
weekly = true;
for(int x = 0; x >< 7; x++)
dateToUse(month, day, year, (x+1));
try
FileReader weeklySource = new FileReader(monthS +"-" +dayS +"-" +year +"/" +inputS +".dat");
BufferedReader weeklyBuffer = new BufferedReader(weeklySource);
week[x] = new Scanner(weeklyBuffer);
week[x].useDelimiter("\n");
getPrice(week[x]);
catch(FileNotFoundException f)
JOptionPane.showMessageDialog(this, "No such weekly files- going back;" +(x+1) +"days");
weekly = false;
dateReset();
public void getPrice(Scanner scanner)
while(scanner.hasNextLine())
//puts into string the next scan token
String s = scanner.next();
//takes the scan toke above and puts it into an editable enviroment
String [] data = s.split("\\s");
for(position = 0; position < data.length; position++)
//Scanner test to make sure loop can finish, otherwise "no such line" error
if(scanner.hasNextLine()==false)
scanner.close();
break;
/*Starts data orignazation by reading from each perspective field
* 1 = day
* 2 = day of month
* 3 = month
* 4 = year
if(position == 0 && weekly == false)
String dayFromFile = data[position];
int dayNum = Integer.parseInt(dayFromFile);
priceUpdate.append(days[dayNum-1] +" ");
else if(position == 1 && weekly == false )
priceUpdate.append(data[position] + "/");
else if(position == 2 && weekly == false)
priceUpdate.append(data[position] + "/");
else if(position == 3 && weekly == false)
priceUpdate.append(data[position] +"\n");
//if it is in [buy] area, it prints and computes
else if(position == 7)
//obtains string for buy price and stores it, then prints it
String buy = data[position];
if(weekly == false)
priceUpdate.append("Buy: " +buy +"\n" );
//converts buy to string
currentBuyPrice = Integer.parseInt(buy);
//eliminates problems caused by no data from server- makes the price 0
if(currentBuyPrice < 0)
currentBuyPrice = 0;
//if it is greater it adds
if(currentBuyPrice > buyPrice)
buyPrice += currentBuyPrice;
//if it is equal [there is no change] then it does nothing
if(currentBuyPrice == buyPrice)
buyPrice +=0;
//if there is a drop, it subtracts
else
buyPrice -= currentBuyPrice;
//if it is in [sell] area, it prints, and resets the position to zero because line is over
else if(position == 8)
//puts sell data into string and prints it
String sell = data[position];
if(weekly == false)
priceUpdate.append("Sell: " + sell +"\n");
//turns sell data into int.
currentSellPrice = Integer.valueOf(sell).intValue();;
//gets rid of problems caused by no data on server side- makes it 0
if(currentSellPrice < 0)
currentSellPrice = 0;
//adds if there is an increase
if(currentSellPrice > sellPrice)
sellPrice += currentSellPrice;
//does nothing if it is the same
if(currentSellPrice == sellPrice)
sellPrice +=0;
//subtracts if there is drop
else
sellPrice -= currentSellPrice;
//further protection against "No such line" and moves it down
if(scanner.hasNextLine() == true)
scanner.nextLine();
//if scanner is finished, prints out all lines
if(scanner.hasNextLine() == false && weekly == false)
finalBuy.setText("Net Buy Price Change: "+buyPrice);
finalSell.setText("Net Sell Price Change: " +sellPrice);
buyPrice = 0;
sellPrice = 0;
position = data.length;
else if(scanner.hasNextLine() == false && weekly == true)
priceUpdateWeekly.append("\n" +weekPos[dayOfWeek] +" day of the week ended with; \nBuy Price;" +buyPrice +"\nSell Price;" +sellPrice);
buyPrice = 0;
sellPrice = 0;
position = data.length;
dayOfWeek++;
if(dayOfWeek > 6)
dayOfWeek = 0;
public void getMonth()
for(int x=0; x < monthCheck.length; x++)
if(month == monthCheck[x])
monthS = (x+1);
x = monthCheck.length;
public void dateToUse(int month, int day, int year, int increment)
//set day of source
dayS = (day - increment);
//if day of source is less then O then we have moved to another month
if(dayS <= 0)
//checks the difference between how much we have incremented and the day we have started; this tells us how far into the new month we are
int incrementDay = increment - day;
//decrements month
monthS--;
//if month is less then zero, then we have moved into another year and month has become 12
if(monthS <= 0)
yearS--;
monthS = 12;
//the following looks at the current month and if it goes below it assigns the day to the proper ammount of days of the month before minus the days into the month
if(month == 3)
dayS = 28 - incrementDay;
else if(month == 5 || month == 7)
dayS = 29 - incrementDay;
else if(month == 2 || month == 4 || month == 6 || month == 9 || month == 11)
dayS = 31 - incrementDay;
else
dayS = 30 - incrementDay;
//resets the source date to the current date once data from the week has been reached
public void dateReset()
dayS = day;
monthS = month;
yearS = year;
public void init()
//JFrame frame = new CSEFrameSet();
// this.setContentPane(CSEFrameSet());
CSE aCSE = new CSE();
public static void main(String [] args)
CSE cs = new CSE();
}Message was edited by:
Cybergasm

Similar Messages

  • IMovie app don't work with upgrade why

    iMovie app dose not work since the upgrade I can not get any media files why

    iMovie app dose not work since the upgrade I can not get any media files why

  • Yosemite (10.10.3). Any browser don´t work with by wifi

    Hi
    I think i have the same problem that most the Mac users have had after upgrade from Mavericks to Yosemite (10.10.3) and are connected to internet by wifi.
    This new version don´t work fine, or in any way, with any internet browser (Safari, Mozilla, Crome...) when the connection it´s by WiFi. In fact i´m writing this with a ethernet cat 5e connection.
    I read in other thread that version 10.10.3 solved this problem but at least in my case it's not true.
    And like other users as i read, in some normal actions, like open "System Preferences", appears the wheel round and round during two o three seconds, when with Maverick don´t happens. Probably this last problem it´s a question of RAM memory, but nothing in the upgrade said that you need more that 8 GB to work with normality like before.
    Below this you have the Etrecheck report.
    Thanks in advance and greetings from Madrid
    Problem description:
    Yosemite (10.10.3). Wifi don´t work with any browser
    EtreCheck version: 2.1.8 (121)
    Report generated 12 de abril de 2015, 20:44:10 CEST
    Download EtreCheck from http://etresoft.com/etrecheck
    Click the [Click for support] links for help with non-Apple products.
    Click the [Click for details] links for more information about that line.
    Hardware Information: ℹ️
        MacBook Pro (13-inch, Early 2011) (Technical Specifications)
        MacBook Pro - model: MacBookPro8,1
        1 2.7 GHz Intel Core i7 CPU: 2-core
        8 GB RAM Upgradeable
            BANK 0/DIMM0
                4 GB DDR3 1333 MHz ok
            BANK 1/DIMM0
                4 GB DDR3 1333 MHz ok
        Bluetooth: Old - Handoff/Airdrop2 not supported
        Wireless:  en1: 802.11 a/b/g/n
        Battery Health: Normal - Cycle count 29
    Video Information: ℹ️
        Intel HD Graphics 3000
            Color LCD 1280 x 800
    System Software: ℹ️
        OS X 10.10.3 (14D131) - Time since boot: 0:42:4
    Disk Information: ℹ️
        TOSHIBA MK5065GSXF disk0 : (500,11 GB)
            EFI (disk0s1) <not mounted> : 210 MB
            Macintosh HD (disk0s2) / : 499.25 GB (275.44 GB free)
            Recovery HD (disk0s3) <not mounted>  [Recovery]: 650 MB
        MATSHITADVD-R   UJ-8A8
    USB Information: ℹ️
        Apple Computer, Inc. IR Receiver
        Apple Inc. FaceTime HD Camera (Built-in)
        Apple Inc. BRCM2070 Hub
            Apple Inc. Bluetooth USB Host Controller
        Apple Inc. Apple Internal Keyboard / Trackpad
    Thunderbolt Information: ℹ️
        Apple Inc. thunderbolt_bus
    Configuration files: ℹ️
        /etc/hosts - Count: 30
    Gatekeeper: ℹ️
        Mac App Store and identified developers
    Kernel Extensions: ℹ️
            /Applications/VMware Fusion.app
        [not loaded]    com.vmware.kext.vmci (90.6.3) [Click for support]
        [not loaded]    com.vmware.kext.vmioplug.14.1.3 (14.1.3) [Click for support]
        [not loaded]    com.vmware.kext.vmnet (0249.89.30) [Click for support]
        [not loaded]    com.vmware.kext.vmx86 (0249.89.30) [Click for support]
        [not loaded]    com.vmware.kext.vsockets (90.6.0) [Click for support]
            /Library/Application Support/MacKeeper/AntiVirus.app
        [not loaded]    net.kromtech.kext.AVKauth (2.3.7 - SDK 10.9) [Click for support]
        [loaded]    net.kromtech.kext.Firewall (2.3.7 - SDK 10.9) [Click for support]
            /System/Library/Extensions
        [loaded]    com.Cycling74.driver.Soundflower (1.6.6 - SDK 10.6) [Click for support]
        [not loaded]    com.emu.driver.EMUUSBAudio (1.4.0 - SDK 10.6) [Click for support]
        [loaded]    com.hzsystems.terminus.driver (4) [Click for support]
        [not loaded]    com.macvide.driver.MacVideAudioConnectorDriver (1.0.0) [Click for support]
        [not loaded]    com.roxio.BluRaySupport (1.1.6) [Click for support]
        [not loaded]    com.wacom.kext.wacomtablet (6.3.7 - SDK 10.8) [Click for support]
            /Users/[redacted]/Library/Services/ToastIt.service/Contents/MacOS
        [not loaded]    com.roxio.TDIXController (2.0) [Click for support]
    Startup Items: ℹ️
        MySQLCOM: Path: /Library/StartupItems/MySQLCOM
        Startup items are obsolete in OS X Yosemite
    Problem System Launch Daemons: ℹ️
        [failed]    com.apple.mtrecorder.plist
    Launch Agents: ℹ️
        [not loaded]    com.adobe.AAM.Updater-1.0.plist [Click for support]
        [loaded]    com.adobe.CS5ServiceManager.plist [Click for support]
        [loaded]    com.divx.dms.agent.plist [Click for support]
        [loaded]    com.divx.update.agent.plist [Click for support]
        [loaded]    com.oracle.java.Java-Updater.plist [Click for support]
        [running]    com.wacom.wacomtablet.plist [Click for support]
    Launch Daemons: ℹ️
        [loaded]    com.adobe.fpsaud.plist [Click for support]
        [loaded]    com.adobe.SwitchBoard.plist [Click for support]
        [failed]    com.apple.spirecorder.plist
        [loaded]    com.bombich.ccc.plist [Click for support]
        [loaded]    com.macpaw.CleanMyMac2.Agent.plist [Click for support]
        [loaded]    com.microsoft.office.licensing.helper.plist [Click for support]
        [loaded]    com.oracle.java.Helper-Tool.plist [Click for support]
        [loaded]    com.oracle.java.JavaUpdateHelper.plist [Click for support]
        [running]    com.zeobit.MacKeeper.AntiVirus.plist [Click for support]
    User Launch Agents: ℹ️
        [loaded]    com.google.keystone.agent.plist [Click for support]
        [loaded]    com.macpaw.CleanMyMac2Helper.diskSpaceWatcher.plist [Click for support]
        [loaded]    com.macpaw.CleanMyMac2Helper.scheduledScan.plist [Click for support]
        [loaded]    com.macpaw.CleanMyMac2Helper.trashWatcher.plist [Click for support]
        [running]    com.zeobit.MacKeeper.Helper.plist [Click for support]
    User Login Items: ℹ️
        Mail    Aplicación Hidden (/Applications/Mail.app)
        Dropbox    Aplicación  (/Applications/Dropbox.app)
    Internet Plug-ins: ℹ️
        JavaAppletPlugin: Version: Java 8 Update 31 Check version
        WacomNetscape: Version: 2.1.0-1 - SDK 10.8 [Click for support]
        OVSHelper: Version: 1.1 [Click for support]
        Default Browser: Version: 600 - SDK 10.10
        WacomTabletPlugin: Version: WacomTabletPlugin 2.1.0.2 [Click for support]
        FlashPlayer-10.6: Version: 17.0.0.134 - SDK 10.6 [Click for support]
        DivX Web Player: Version: 3.2.4.1250 - SDK 10.6 [Click for support]
        Flash Player: Version: 17.0.0.134 - SDK 10.6 [Click for support]
        iPhotoPhotocast: Version: 7.0 - SDK 10.8
        QuickTime Plugin: Version: 7.7.3
        SharePointBrowserPlugin: Version: 14.0.0 [Click for support]
        DirectorShockwave: Version: 12.0.3r133 - SDK 10.6 [Click for support]
    User internet Plug-ins: ℹ️
        Google Earth Web Plug-in: Version: 7.1 [Click for support]
    Safari Extensions: ℹ️
        iMedia Converter Deluxe
        iTube Studio
    3rd Party Preference Panes: ℹ️
        Flash Player  [Click for support]
        Java  [Click for support]
        MySQL  [Click for support]
    Time Machine: ℹ️
        Skip System Files: NO
        Mobile backups: OFF
        Auto backup: NO - Auto backup turned off
        Volumes being backed up:
        Destinations:
            Time Machine [Local]
            Total size: 499.76 GB
            Total number of backups: 2
            Oldest backup: 2012-11-25 14:45:01 +0000
            Last backup: 2012-11-26 22:08:06 +0000
            Size of backup disk: Excellent
                Backup size 499.76 GB > (Disk size 0 B X 3)
    Top Processes by CPU: ℹ️
            18%    WindowServer
             0%    fontd
             0%    AppleSpell
             0%    taskgated
             0%    SystemUIServer
    Top Processes by Memory: ℹ️
        481 MB    MacKeeper Helper
        275 MB    AntiVirus
        215 MB    firefox
        172 MB    softwareupdated
        129 MB    mds_stores
    Virtual Memory Information: ℹ️
        3.04 GB    Free RAM
        3.49 GB    Active RAM
        668 MB    Inactive RAM
        1.39 GB    Wired RAM
        1.66 GB    Page-ins
        0 B    Page-outs
    Diagnostics Information: ℹ️
        Apr 12, 2015, 08:00:37 PM    Self test - passed
        Apr 12, 2015, 07:58:07 PM    /Library/Logs/DiagnosticReports/System Preferences_2015-04-12-195807_[redacted].hang

    Hi again Linc
    Sorry for de delay but i have receive the famous e-mail:
    "Hello!
    My name is Josephine Bergson representing the advertising department of the LLI Consulting company..." thats offers 950$ for put a banner in your web site!!. For that it´s necessary to run one supposed applet of Java, and after do that i have been checking, and apparently does nothing.
    Well. I have done old you tell me in your response and here you have the result of your "Diagnostic Test". Only one thing for you information: the wifi connection have works fine during two hours but fails run the  "Diagnostic Test". I want explain that the failures of wifi connection are intermittent.
    Thanks again. Wait for your answer
    Greetings
    Jesus
    Start time: 01:55:22 04/13/15
    Revision: 1311
    Model Identifier: MacBookPro8,1
    System Version: OS X 10.10.3 (14D131)
    Kernel Version: Darwin 14.3.0
    Time since boot: 3:28
    UID: 501
    SerialATA
        TOSHIBA MK5065GSXF                     
    FireWire
        eGo Rugged FW USB2 (iomega)
    USB
        Compact Optical Mouse 500 (Microsoft Corporation)
        Intuos5 touch S (WACOM Co., Ltd.)
        USB SMART CARD READER (C3PO)
        Storage (Iomega Corporation)
        Storage (Iomega Corporation)
        Deskjet F4100 series (Hewlett Packard)
    Bluetooth
        Apple Magic Mouse
        Apple Wireless Keyboard
    Activity
        CPU: user 10%, system 7%
        en1: in 636, out 19 (KiB/s)
    CPU usage (%)
        WindowServer (UID 0): 25,8
    Energy (lifetime)
        kernel_task (UID 0): 9.88
        WindowServer (UID 88): 6.97
    Energy (sampled)
        Safari (UID 501): 8.70
        storedownloadd (UID 501): 6.39
    DNS: 80.58.61.250 (static)
    Listeners
        kdc: kerberos
        launchd: afpovertcp
    Wi-Fi
        Security: WPA Personal
    Diagnostic reports
        2015-04-12 System Preferences hang
        2015-04-13 WacomTabletDriver crash
    HID errors: 11
    Kernel log
        Apr 11 16:13:39 vmnet: netif-vmnet8: SIOCPROTODETACH failed: 16.
        Apr 11 19:39:08 MacAuthEvent en1   Auth result for: 00:19:15:d0:8a:84 Auth request tx failed
        Apr 11 19:51:05 firefox (map: 0xffffff801d7fb0f0) triggered DYLD shared region unnest for map: 0xffffff801d7fb0f0, region 0x7fff8ec00000->0x7fff8ee00000. While not abnormal for debuggers, this increases system memory footprint until the target exits.
        Apr 12 19:55:00 firefox (map: 0xffffff8040abe960) triggered DYLD shared region unnest for map: 0xffffff8040abe960, region 0x7fff90e00000->0x7fff91000000. While not abnormal for debuggers, this increases system memory footprint until the target exits.
        Apr 12 20:01:34 [BNBMouseDevice][waitForHandshake][58-1f-aa-fc-6b-e9] Timeout waiting for handshake
        Apr 12 20:01:34 [BNBMouseDevice::_simpleSetReport][85.3] ERROR: setReport returned error 0xe00002d6 for reportID 0xD7
        Apr 12 20:01:34 [BNBMouseDevice::_enableMultitouchEvents][85.3] ERROR: _simpleSetReport returned error 0xe00002d6
        Apr 12 20:01:35 [AppleBluetoothHIDKeyboard][waitForHandshake][40-30-04-07-71-f9] Timeout waiting for handshake
        Apr 12 20:01:35 [AppleBluetoothHIDKeyboard][interruptChannelOpeningWL] final device setup failed
        Apr 12 20:01:35 [AppleBluetoothHIDKeyboard][sendData][40-30-04-07-71-f9] commandSleep in sendData returned an error
        Apr 12 20:01:37 [BNBMouseDevice][waitForHandshake][58-1f-aa-fc-6b-e9] Timeout waiting for handshake
        Apr 12 20:01:37 [BNBMouseDevice::_simpleSetReport][85.3] ERROR: setReport returned error 0xe00002d6 for reportID 0xD7
        Apr 12 20:01:37 [BNBMouseDevice::_enableMultitouchEvents][85.3] ERROR: _simpleSetReport returned error 0xe00002d6
        Apr 12 20:01:47 ### ERROR: Exit sniff failed (probably already unsniffed) (err=10)
        Apr 12 20:01:48 ### ERROR: opCode = 0x0406 (Disconnect) -- send request failed (err=0x0010 (kBluetoothHCIErrorHostTimeout))
        Apr 12 20:30:50 firefox (map: 0xffffff8016b324b0) triggered DYLD shared region unnest for map: 0xffffff8016b324b0, region 0x7fff89400000->0x7fff89600000. While not abnormal for debuggers, this increases system memory footprint until the target exits.
        Apr 12 22:19:55 Kext com.apple.driver.AppleIntelSlowAdaptiveClocking failed to loadCouldn't alloc class "AppleThunderboltEDMSink"
        Apr 12 22:19:55 Failed to load kext com.apple.driver.AppleIntelSlowAdaptiveClocking Couldn't alloc class "AppleThunderboltIPService"
        Apr 12 22:21:10 [AppleBluetoothHIDKeyboard][sendData][40-30-04-07-71-f9] commandSleep in sendData returned an error
        Apr 12 22:21:13 [AppleBluetoothHIDKeyboard][waitForHandshake][40-30-04-07-71-f9] Timeout waiting for handshake
        Apr 12 22:21:13 [AppleBluetoothHIDKeyboard][interruptChannelOpeningWL] final device setup failed
        Apr 12 22:21:13 [AppleBluetoothHIDKeyboard][waitForHandshake][40-30-04-07-71-f9] Timeout waiting for handshake
        Apr 12 22:21:15 [AppleBluetoothHIDKeyboard][getExtendedReport] getReport returned error e00002d8
        Apr 12 22:21:21 [IOBluetoothHCIController][handleACLPacketTimeout] -- Disconnecting due to device not responding (ACL Packet timed out) for connection handle 0xb
        Apr 12 22:31:47 considerRebuildOfPrelinkedKernel com.apple.kext.OSvKernDSPLib triggered rebuild
    System log
        Apr 13 00:47:36 WindowServer: window 130 is already attached to window 12b
        Apr 13 00:47:43 WindowServer: WSGetSurfaceInWindow : Invalid surface 1086438165 for window 298
        Apr 13 00:47:43 WindowServer: WSGetSurfaceInWindow : Invalid surface 1086438165 for window 298
        Apr 13 00:47:43 WindowServer: WSGetSurfaceInWindow : Invalid surface 1086438165 for window 298
        Apr 13 00:53:05 fseventsd: Logging disabled completely for device:1: /Volumes/Antivirus for Mac
        Apr 13 00:53:46 BDCoreIssues: VerifyLo_(com.bitdefender.coreissues.issues.plist): 22
        Apr 13 00:53:46 BDCoreIssues: VerifyLo_(state.txt): 22
        Apr 13 00:55:39 WindowServer: WSGetSurfaceInWindow : Invalid surface 1061774428 for window 343
        Apr 13 00:58:59 WindowServer: disable_update_timeout: UI updates were forcibly disabled by application "Mail" for over 1.00 seconds. Server has re-enabled them.
        Apr 13 00:59:39 spindump: Error loading dyld shared cache uuid UUID: 0x8
        Apr 13 01:00:41 BDUpdDaemon: [com.bitdefender.upddaemon] reload('/var/tmp/Bitdefender/AvDaemon', 584): 60
        Apr 13 01:09:02 com.apple.kextd: Kext id com.apple.kernel.iokit not found; removing personalities from kernel.
        Apr 13 01:09:02 com.apple.kextd: String/URL conversion failure.
        Apr 13 01:09:08 fseventsd: event logs in /Volumes/Copia de Seguridad/.fseventsd out of sync with volume.  destroying old logs. (528 1 19163)
        Apr 13 01:09:09 fseventsd: log dir: /Volumes/Copia de Seguridad/.fseventsd getting new uuid: UUID
        Apr 13 01:09:09 fseventsd: event logs in /Volumes/JVT/.fseventsd out of sync with volume.  destroying old logs. (528 1 19164)
        Apr 13 01:09:10 fseventsd: log dir: /Volumes/JVT/.fseventsd getting new uuid: UUID
        Apr 13 01:09:27 WindowServer: MPServiceForDisplayDevice: Invalid device alias (0)
        Apr 13 01:09:35 WindowServer: MPServiceForDisplayDevice: Invalid device alias (0)
        Apr 13 01:17:20 WindowServer: _CGXRemoveWindowFromWindowMovementGroup: Window not in group
        Apr 13 01:17:40 WindowServer: _CGXRemoveWindowFromWindowMovementGroup: Window not in group
        Apr 13 01:22:21 WindowServer: disable_update_timeout: UI updates were forcibly disabled by application "App Store" for over 1.00 seconds. Server has re-enabled them.
        Apr 13 01:23:39 fseventsd: Logging disabled completely for device:1: /Volumes/Recovery HD
        Apr 13 01:28:20 fseventsd: Logging disabled completely for device:1: /Volumes/Recovery HD
        Apr 13 01:38:00 WindowServer: disable_update_timeout: UI updates were forcibly disabled by application "Mail" for over 1.00 seconds. Server has re-enabled them.
    launchd log
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/PrivateFrameworks/DataDetectorsCore.framework/Versions/A/XPCSer vices/DataDetectorsDynamicData.xpc/Contents/MacOS/DataDetectorsDynamicData error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/Frameworks/AppKit.framework/Versions/C/XPCServices/SandboxedSer viceRunner.xpc/Contents/MacOS/SandboxedServiceRunner error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/XPCTimeSta mpingService.xpc/Contents/MacOS/XPCTimeStampingService error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Diction aryServices.framework/Versions/A/XPCServices/com.apple.DictionaryServiceHelper.x pc/Contents/MacOS/com.apple.DictionaryServiceHelper error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/XPCKeychai nSandboxCheck.xpc/Contents/MacOS/XPCKeychainSandboxCheck error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/Frameworks/IOKit.framework/Versions/A/XPCServices/IOServiceAuth orizeAgent.xpc/Contents/MacOS/IOServiceAuthorizeAgent error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/PrivateFrameworks/SpeechRecognitionCore.framework/Versions/A/XP CServices/com.apple.SpeechRecognitionCore.brokerd.xpc/Contents/MacOS/com.apple.S peechRecognitionCore.brokerd error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/XPCTimeSta mpingService.xpc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/PrivateFrameworks/DataDetectorsCore.framework/Versions/A/XPCSer vices/DataDetectorsDynamicData.xpc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/PrivateFrameworks/SpeechRecognitionCore.framework/Versions/A/XP CServices/com.apple.SpeechRecognitionCore.brokerd.xpc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/Frameworks/AppKit.framework/Versions/C/XPCServices/SandboxedSer viceRunner.xpc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Diction aryServices.framework/Versions/A/XPCServices/com.apple.DictionaryServiceHelper.x pc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/Frameworks/IOKit.framework/Versions/A/XPCServices/IOServiceAuth orizeAgent.xpc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Failed to bootstrap path: path = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/XPCKeychai nSandboxCheck.xpc, error = 1: Operation not permitted
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/Frameworks/AppKit.framework/Versions/C/XPCServices/SandboxedSer viceRunner.xpc/Contents/MacOS/SandboxedServiceRunner error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/PrivateFrameworks/SpeechRecognitionCore.framework/Versions/A/XP CServices/com.apple.SpeechRecognitionCore.brokerd.xpc/Contents/MacOS/com.apple.S peechRecognitionCore.brokerd error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/PrivateFrameworks/DataDetectorsCore.framework/Versions/A/XPCSer vices/DataDetectorsDynamicData.xpc/Contents/MacOS/DataDetectorsDynamicData error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:20:06 com.apple.xpc.launchd.domain.pid.SecurityAgent.205: Path not allowed in target domain: type = uid, path = /System/Library/PrivateFrameworks/GeoServices.framework/Versions/A/XPCServices/ com.apple.geod.xpc/Contents/MacOS/com.apple.geod error = 1: Operation not permitted, origin = /System/Library/Frameworks/Security.framework/Versions/A/XPCServices/SecurityAg ent.xpc
        Apr 12 22:28:22 com.apple.xpc.launchd.user.501.100006.Aqua: Could not import service from caller: caller = otherbsd.214, service = com.apple.photostream-agent, error = 119: Service is disabled
        Apr 13 00:53:38 com.apple.xpc.launchd.user.501.100006.Aqua: Could not read path: path = /Library/LaunchAgents/com.bitdefender.antivirusformac.plist, error = 2: No such file or directory
        Apr 13 00:53:38 com.apple.xpc.launchd.user.501.100006.Aqua: Could not read path: path = /Library/LaunchAgents/com.bitdefender.EndpointSecurityforMac.plist, error = 2: No such file or directory
        Apr 13 00:53:39 com.apple.xpc.launchd.domain.system: Could not read path: path = /Library/LaunchDaemons/com.bitdefender.upgrade.plist, error = 2: No such file or directory
        Apr 13 00:53:39 com.apple.xpc.launchd.domain.system: Could not read path: path = /Library/LaunchDaemons/com.bitdefender.epag.plist, error = 2: No such file or directory
        Apr 13 00:53:39 com.apple.xpc.launchd.domain.system: Could not read path: path = /Library/LaunchDaemons/com.bitdefender.AuthHelperTool.plist, error = 2: No such file or directory
        Apr 13 00:53:41 com.apple.xpc.launchd.domain.system: Could not read path: path = /Library/LaunchDaemons/com.bitdefender.epag.plist, error = 2: No such file or directory
    Console log
        Apr 10 22:42:36 fontd: Failed to open read-only database, regenerating DB
        Apr 10 22:44:05 mbloginhelper: Property list invalid for format: 200 (property lists cannot contain NULL)
        Apr 12 22:28:23 fontd: Failed to open read-only database, regenerating DB
    Loaded kernel extensions
        com.Cycling74.driver.Soundflower (1.6.6)
        com.hzsystems.terminus.driver (4)
        net.kromtech.kext.Firewall (2.3.7)
    System services loaded
        com.adobe.fpsaud
        com.apple.Kerberos.kdc
        - status: 1
        com.apple.mtrecorder
        - status: 78
        com.apple.spirecorder
        - status: 78
        com.apple.watchdogd
        com.bitdefender.AuthHelperTool
        com.bitdefender.CoreIssues
        com.bitdefender.Daemon
        com.bitdefender.UpdDaemon
        com.bitdefender.upgrade
        com.bombich.ccc
        com.macpaw.CleanMyMac2.Agent
        com.microsoft.office.licensing.helper
        com.oracle.java.Helper-Tool
        com.oracle.java.JavaUpdateHelper
        com.zeobit.MacKeeper.AntiVirus
    System services disabled
        com.apple.mtmd
        com.apple.mrt
        com.apple.mtmfs
    Login services loaded
        com.adobe.CS5ServiceManager
        com.apple.mrt.uiagent
        com.bitdefender.antivirusformac
        com.divx.dms.agent
        com.divx.update.agent
        com.google.keystone.user.agent
        com.macpaw.CleanMyMac2Helper.diskSpaceWatcher
        com.macpaw.CleanMyMac2Helper.scheduledScan
        com.macpaw.CleanMyMac2Helper.trashWatcher
        com.oracle.java.Java-Updater
        com.wacom.wacomtablet
        com.zeobit.MacKeeper.Helper
    Login services disabled
        com.macpaw.CleanMyMac.volumeWatcher
        com.macpaw.CleanMyMac.trashSizeWatcher
        com.apple.photostream-agent
        com.macpaw.CleanMyMac.helperTool
        com.adobe.AAM.Scheduler-1.0
        com.spotify.webhelper
    User services disabled
        com.macpaw.CleanMyMac.volumeWatcher
        com.macpaw.CleanMyMac.trashSizeWatcher
        com.apple.photostream-agent
        com.macpaw.CleanMyMac.helperTool
        com.adobe.AAM.Scheduler-1.0
        com.spotify.webhelper
    Startup items
        /Library/StartupItems/MySQLCOM/MySQLCOM
        /Library/StartupItems/MySQLCOM/StartupParameters.plist
    User login items
        Mail
        - /Applications/Mail.app
        Dropbox
        - /Applications/Dropbox.app
    Safari extensions
        iMedia Converter Deluxe 
        - com.wondershare.iskyvc
        iTube Studio
        - com.wondershare.safari.itubestudio
    Firefox extensions
        Clear Console
        QBurst
    iCloud errors
        cloudd 51
        comapple.CloudPhotosConfiguration 27
        cloudphotosd 8
        storedownloadd 2
        accountsd 2
        Finder 2
        Spotlight 1
        Mail 1
        CallHistorySyncHelper 1
    Continuity errors
        sharingd 3
    Restricted files: 1610
    Lockfiles: 178
    High file counts
        Desktop: 61
    Contents of /Library/LaunchAgents/com.bitdefender.antivirusformac.plist
        - mod date: Feb 23 15:39:54 2015
        - size (B): 690
        - checksum: 2783812254
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.bitdefender.antivirusformac</string>
        <key>Nice</key>
        <integer>1</integer>
        <key>KeepAlive</key>
        <dict>
        <key>PathState</key>
        <dict>
        <key>/private/var/db/.AVXupgRunning</key>
        <false/>
        </dict>
        </dict>
        <key>Program</key>
        <string>/Library/Bitdefender/AVP/AntivirusforMac.app/Contents/MacOS/Antivirusfo rMac</string>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/Bitdefender/AVP/AntivirusforMac.app/Contents/MacOS/Antivirusfo rMac</string>
        </array>
        </dict>
        </plist>
    Contents of /Library/LaunchAgents/com.divx.dms.agent.plist
        - mod date: Nov 17 09:11:48 2014
        - size (B): 426
        - checksum: 637650676
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.divx.dms.agent</string>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/Application Support/DivX/DivXMediaServer.app/Contents/MacOS/DivXMediaServer</string>
        </array>
        <key>RunAtLoad</key>
        <true/>
        </dict>
        </plist>
    Contents of /Library/LaunchAgents/com.divx.update.agent.plist
        - mod date: May 19 23:24:29 2014
        - size (B): 498
        - checksum: 3867571547
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.divx.update.agent</string>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/Application Support/DivX/DivXUpdate.app/Contents/MacOS/DivXUpdate</string>
        <string>/silent</string>
        </array>
        <key>RunAtLoad</key>
        <true/>
        <key>StartInterval</key>
        <integer>10800</integer>
        </dict>
        </plist>
    Contents of /Library/LaunchAgents/com.oracle.java.Java-Updater.plist
        - mod date: Jan 15 14:05:43 2014
        - size (B): 104
        - checksum: 1039097793
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.oracle.java.Java-Updater</string>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/Internet Plug-Ins/JavaAppletPlugin.plugin/Contents/Resources/Java Updater.app/Contents/MacOS/Java Updater</string>
        <string>-bgcheck</string>
        </array>
        <key>StandardErrorPath</key>
        <string>/dev/null</string>
        <key>StandardOutPath</key>
        <string>/dev/null</string>
        <key>StartCalendarInterval</key>
        <dict>
        <key>Hour</key>
        <integer>50</integer>
        <key>Minute</key>
        <integer>52</integer>
        <key>Weekday</key>
        <integer>2</integer>
        </dict>
        </dict>
        ...and 1 more line(s)
    Contents of /Library/LaunchAgents/com.wacom.wacomtablet.plist
        - mod date: Oct 12 00:37:46 2013
        - size (B): 712
        - checksum: 2972905917
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>EnvironmentVariables</key>
        <dict>
        <key>RUN_WITH_LAUNCHD</key>
        <string>1</string>
        </dict>
        <key>KeepAlive</key>
        <dict>
        <key>SuccessfulExit</key>
        <true/>
        </dict>
        <key>Label</key>
        <string>com.wacom.wacomtablet</string>
        <key>LimitLoadToSessionType</key>
        <array>
        <string>Aqua</string>
        <string>LoginWindow</string>
        </array>
        <key>Program</key>
        <string>/Library/Application Support/Tablet/WacomTabletSpringboard</string>
        <key>RunAtLoad</key>
        <true/>
        ...and 4 more line(s)
    Contents of /Library/LaunchDaemons/com.bitdefender.AuthHelperTool.plist
        - mod date: Feb 23 15:39:55 2015
        - size (B): 801
        - checksum: 329828832
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.bitdefender.AuthHelperTool</string>
        <key>KeepAlive</key>
        <false/>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/Bitdefender/AVP/common.bundle/AuthHelperTool</string>
        <string>/Library/Bitdefender/AVP/common.bundle/Common.plist</string>
        </array>
        <key>Sockets</key>
        <dict>
        <key>MasterSocket</key>
        <dict>
        <key>SockFamily</key>
        <string>Unix</string>
        <key>SockPathMode</key>
        <integer>438</integer>
        <key>SockPathName</key>
        <string>/var/run/com.bitdefender.AuthHelperTool</string>
        <key>SockType</key>
        <string>Stream</string>
        ...and 4 more line(s)
    Contents of /Library/LaunchDaemons/com.bitdefender.upgrade.plist
        - mod date: Feb 23 15:39:55 2015
        - size (B): 609
        - checksum: 972189573
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.bitdefender.upgrade</string>
        <key>Nice</key>
        <integer>1</integer>
        <key>KeepAlive</key>
        <dict>
        <key>SuccessfulExit</key>
        <false/>
        </dict>
        <key>Program</key>
        <string>/Library/Bitdefender/AVP/antivirus.bundle/BDUpgDaemon</string>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/Bitdefender/AVP/antivirus.bundle/BDUpgDaemon</string>
        </array>
        <key>RunAtLoad</key>
        <true/>
        </dict>
        </plist>
    Contents of /Library/LaunchDaemons/com.bombich.ccc.plist
        - mod date: Nov 25 14:27:44 2012
        - size (B): 770
        - checksum: 3730953884
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Disabled</key>
        <false/>
        <key>Label</key>
        <string>com.bombich.ccc</string>
        <key>OnDemand</key>
        <true/>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/PrivilegedHelperTools/com.bombich.ccc</string>
        </array>
        <key>ServiceIPC</key>
        <true/>
        <key>Sockets</key>
        <dict>
        <key>MasterSocket</key>
        <dict>
        <key>SockFamily</key>
        <string>Unix</string>
        <key>SockPathMode</key>
        <integer>438</integer>
        <key>SockPathName</key>
        ...and 7 more line(s)
    Contents of /Library/LaunchDaemons/com.macpaw.CleanMyMac2.Agent.plist
        - mod date: Nov 13 14:21:09 2014
        - size (B): 801
        - checksum: 3775555851
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.macpaw.CleanMyMac2.Agent</string>
        <key>MachServices</key>
        <dict>
        <key>com.macpaw.CleanMyMac2.Agent</key>
        <true/>
        </dict>
        <key>ProgramArguments</key>
        <array>
        <string>/Library/PrivilegedHelperTools/com.macpaw.CleanMyMac2.Agent</string>
        </array>
        <key>Sockets</key>
        <dict>
        <key>MasterSocket</key>
        <dict>
        <key>SockFamily</key>
        <string>Unix</string>
        <key>SockPathMode</key>
        <integer>438</integer>
        <key>SockPathName</key>
        <string>/var/run/com.macpaw.CleanMyMac2.Agent.socket</string>
        ...and 6 more line(s)
    Contents of /Library/LaunchDaemons/com.zeobit.MacKeeper.AntiVirus.plist
        - mod date: Nov 26 20:34:16 2012
        - size (B): 455
        - checksum: 4244331265
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
            <dict>
        <key>Disabled</key>
        <false/>
        <key>Label</key>
        <string>com.zeobit.MacKeeper.AntiVirus</string>
        <key>Program</key>
        <string>/Library/Application Support/MacKeeper/AntiVirus.app/Contents/MacOS/AntiVirus</string>
        <key>OnDemand</key>
        <false/>
        </dict>
        </plist>
    Contents of /private/etc/hosts
        - mod date: Nov 29 21:28:38 2012
        - size (B): 1194
        - checksum: 1440585190
        127.0.0.1 localhost
        255.255.255.255 broadcasthost
        ::1             localhost
        fe80::1%lo0 localhost
        127.0.0.1 activate.adobe.com
        127.0.0.1 practivate.adobe.com
        127.0.0.1 ereg.adobe.com
        127.0.0.1 activate.wip3.adobe.com
        127.0.0.1 wip3.adobe.com
        127.0.0.1 3dns-3.adobe.com
        127.0.0.1 3dns-2.adobe.com
        127.0.0.1 adobe-dns.adobe.com
        127.0.0.1 adobe-dns-2.adobe.com
        127.0.0.1 adobe-dns-3.adobe.com
        127.0.0.1 ereg.wip3.adobe.com
        127.0.0.1 activate-sea.adobe.com
        127.0.0.1 wwis-dubc1-vip60.adobe.com
        127.0.0.1 activate-sjc0.adobe.com
        127.0.0.1 hl2rcv.adobe.com
        127.0.0.1 activate.adobe.com
        127.0.0.1 practivate.adobe.com
        127.0.0.1 ereg.adobe.com
        127.0.0.1 activate.wip3.adobe.com
        127.0.0.1 wip3.adobe.com
        127.0.0.1 3dns-3.adobe.com
        ...and 9 more line(s)
    Contents of Library/LaunchAgents/com.google.keystone.agent.plist
        - mod date: Mar 17 00:58:04 2015
        - size (B): 805
        - checksum: 2902800363
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.google.keystone.user.agent</string>
        <key>LimitLoadToSessionType</key>
        <string>Aqua</string>
        <key>ProgramArguments</key>
        <array>
         <string>/Users/USER/Library/Google/GoogleSoftwareUpdate/GoogleSoftwareUpdate.bu ndle/Contents/Resources/GoogleSoftwareUpdateAgent.app/Contents/MacOS/GoogleSoftw areUpdateAgent</string>
         <string>-runMode</string>
         <string>ifneeded</string>
        </array>
        <key>RunAtLoad</key>
        <true/>
        <key>StartInterval</key>
        <integer>3523</integer>
        <key>StandardErrorPath</key>
        <string>/dev/null</string>
        <key>StandardOutPath</key>
        <string>/dev/null</string>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/com.macpaw.CleanMyMac2Helper.diskSpaceWatcher.plist
        - mod date: Apr 11 01:00:25 2015
        - size (B): 639
        - checksum: 2857823656
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.macpaw.CleanMyMac2Helper.diskSpaceWatcher</string>
        <key>ProgramArguments</key>
        <array>
        <string>/usr/bin/open</string>
        <string>-F</string>
        <string>-g</string>
        <string>/Users/USER/Library/Application Support/CleanMyMac 2/CleanMyMac 2 Helper.app</string>
        <string>--args</string>
        <string>-watchDiskSpace</string>
        </array>
        <key>RunAtLoad</key>
        <false/>
        <key>StartInterval</key>
        <integer>3600</integer>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/com.macpaw.CleanMyMac2Helper.scheduledScan.plist
        - mod date: Apr 11 01:00:25 2015
        - size (B): 738
        - checksum: 766325059
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.macpaw.CleanMyMac2Helper.scheduledScan</string>
        <key>ProgramArguments</key>
        <array>
        <string>/usr/bin/open</string>
        <string>-F</string>
        <string>-g</string>
        <string>-n</string>
        <string>/Users/USER/Library/Application Support/CleanMyMac 2/CleanMyMac 2 Helper.app</string>
        <string>--args</string>
        <string>-scheduled</string>
        </array>
        <key>RunAtLoad</key>
        <true/>
        <key>StartCalendarInterval</key>
        <dict>
        <key>Hour</key>
        <integer>13</integer>
        <key>Minute</key>
        <integer>25</integer>
        </dict>
        ...and 2 more line(s)
    Contents of Library/LaunchAgents/com.macpaw.CleanMyMac2Helper.trashWatcher.plist
        - mod date: Apr 11 01:00:25 2015
        - size (B): 664
        - checksum: 4001678413
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Label</key>
        <string>com.macpaw.CleanMyMac2Helper.trashWatcher</string>
        <key>ProgramArguments</key>
        <array>
        <string>/usr/bin/open</string>
        <string>-F</string>
        <string>-g</string>
        <string>/Users/USER/Library/Application Support/CleanMyMac 2/CleanMyMac 2 Helper.app</string>
        <string>--args</string>
        <string>-watchTrash</string>
        </array>
        <key>RunAtLoad</key>
        <false/>
        <key>WatchPaths</key>
        <array>
        <string>/Users/USER/.Trash</string>
        </array>
        </dict>
        </plist>
    Contents of Library/LaunchAgents/com.zeobit.MacKeeper.Helper.plist
        - mod date: Mar 16 11:47:58 2015
        - size (B): 619
        - checksum: 1794757485
        <?xml version="1.0" encoding="UTF-8"?>
        <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
        <plist version="1.0">
        <dict>
        <key>Disabled</key>
        <false/>
        <key>EnvironmentVariables</key>
        <dict>
        <key>ZBTimeStamp</key>
        <string>20150305190134</string>
        </dict>
        <key>Label</key>
        <string>com.zeobit.MacKeeper.Helper</string>
        <key>LimitLoadToSessionType</key>
        <string>Aqua</string>
        <key>OnDemand</key>
        <false/>
        <key>Program</key>
        <string>/Applications/MacKeeper.app/Contents/Resources/MacKeeper Helper.app/Contents/MacOS/MacKeeper Helper</string>
        </dict>
        </plist>
    Bad plists
        /Library/Preferences/com.epson.Epson Customer Research Participation.UnInstallList.plist
        /Library/Preferences/com.epson.Epson Event Manager.UnInstallList.plist
        /Library/Preferences/com.epson.EPSON Scan.UnInstallList.plist
        /Library/Preferences/com.epson.Epson Scanner ICA Driver.UnInstallList.plist
        /Library/Preferences/com.epson.Inkjet Printer Driver.UnInstallList.plist
    Extensions
        /System/Library/Extensions/EMUUSBAudio.kext
        - com.emu.driver.EMUUSBAudio
        /System/Library/Extensions/JMicronATA.kext
        - com.jmicron.JMicronATA
        /System/Library/Extensions/MacVideAudioConnectorDriver.kext
        - com.macvide.driver.MacVideAudioConnectorDriver
        /System/Library/Extensions/RoxioBluRaySupport.kext
        - com.roxio.BluRaySupport
        /System/Library/Extensions/SiLabsUSBDriver.kext
        - com.silabs.driver.CP210xVCPDriver
        /System/Library/Extensions/SiLabsUSBDriver64.kext
        - com.silabs.driver.CP210xVCPDriver64
        /System/Library/Extensions/Soundflower.kext
        - com.Cycling74.driver.Soundflower
        /System/Library/Extensions/Terminus.kext
        - com.hzsystems.terminus.driver
        /System/Library/Extensions/Wacom Tablet.kext
        - com.wacom.kext.wacomtablet
    Applications
        /Applications/Adobe After Effects CS5/Adobe After Effects CS5.app
        - com.adobe.AfterEffects
        /Applications/Adobe After Effects CS5/Adobe After Effects Render Engine.app
        - N/A
        /Applications/Adobe Fireworks CS5/Configuration/Mac/Shared/AdobeAIR/SDK/runtimes/air/mac/Adobe AIR.framework/Versions/1.0/Resources/Template.app
        - com.adobe.air.NativeTemplate
        /Applications/Adobe Flash CS5/AIK2.0/lib/nai/lib/naib.app
        - APP_ID
        /Applications/Adobe Flash CS5/AIK2.0/runtimes/air/mac/Adobe AIR.framework/Resources/Template.app
        - com.adobe.air.NativeTemplate
        /Applications/Adobe Flash CS5/AIK2.0/runtimes/air/mac/Adobe AIR.framework/Versions/1.0/Resources/Template.app
        - com.adobe.air.NativeTemplate
        /Applications/Adobe Flash CS5/AIK2.0/runtimes/air/mac/Adobe AIR.framework/Versions/Current/Resources/Template.app
        - com.adobe.air.NativeTemplate
        /Applications/Adobe Media Encoder CS5/PCI/AMEPCI/resources/uninstall/Uninstall Product.app
        - com.Adobe.Uninstall Product
        /Applications/Adobe Media Encoder CS5/PCI/Dolby/resources/uninstall/Uninstall Product.app
        - com.Adobe.Uninstall Product
        /Applications/Adobe Media Player.app
        - com.adobe.amp.UUID.1
        /Applications/Adobe/Adobe Help.app
        - chc.UUID.1
        /Applications/Audacity/Audacity.app
        - net.sourceforge.audacity
        /Applications/AudioXplorer.app
        - ch.curvuspro.audioxplorer
        /Applications/BitTorrent.app
        - com.bittorrent.BitTorrent
        /Applications/Creative Professional/E-MU USB Audio/E-MU USB Audio Control Panel.app
        - com.creative-professional.E-MU USB Audio Control Panel
        /Applications/Creative Professional/E-MU USB Audio/E-MU USB Audio Uninstaller.app
        - com.emu.Uninstaller
        /Applications/DivX/DivX Preferences.app
        - com.divx.divxprefs
        /Applications/DivX/Uninstall DivX for Mac.app
        - com.divxinc.uninstalldivxformac
        /Applications/Epson Software/EPSON Scan Settings.app
        - com.epson.scan.settingutility
        /Applications/Epson Software/EPSON Scan.app
        - com.epson.scan.standalone
        /Applications/Epson Software/Event Manager.app
        - com.epson.ProjectManager
        /Applications/Google SketchUp 8/SketchUp.app
        - com.google.sketchupfree8
        /Applications/Img2icns.app
        - net.shinyfrog.img2icns
        /Applications/Lucien.app
        - N/A
        /Applications/MacScan 2/MacScan Scheduler.app
        - com.securemac.MacScan Scheduler
        /Applications/MacScan 2/MacScan.app
        - com.securemac.MacScan
        /Applications/Microsoft Communicator.app
        - com.microsoft.Communicator
        /Applications/Microsoft Messenger.app
        - com.microsoft.Messenger
        /Applications/Microsoft Office 2011/Microsoft Document Connection.app:́n de documentos de Microsoft:
        - N/A
        /Applications/Microsoft Office 2011/Microsoft Excel.app
        - com.microsoft.Excel
        /Applications/Microsoft Office 2011/Microsoft Outlook.app
        - com.microsoft.Outlook
        /Applications/Microsoft Office 2011/Microsoft PowerPoint.app
        - com.microsoft.Powerpoint
        /Applications/Microsoft Office 2011/Microsoft Word.app
        - com.microsoft.Word
        /Applications/Microsoft Office 2011/Office/Alerts Daemon.app
        - com.microsoft.AlertsDaemon
        /Applications/Microsoft Office 2011/Office/Equation Editor.app
        - com.microsoft.EquationEditor
        /Applications/Microsoft Office 2011/Office/Microsoft Chart Converter.app
        - com.microsoft.openxml.chart.app
        /Applications/Microsoft Office 2011/Office/Microsoft Clip Gallery.app:́a de imágenes de Microsoft:
        - N/A
        /Applications/Microsoft Office 2011/Office/Microsoft Database Daemon.app
        - com.microsoft.outlook.database_daemon
        /Applications/Microsoft Office 2011/Office/Microsoft Database Utility.app
        - com.microsoft.outlook.database_utility
        /Applications/Microsoft Office 2011/Office/Microsoft Graph.app
        - com.microsoft.Graph
        /Applications/Microsoft Office 2011/Office/Microsoft Office Reminders.app
        - com.microsoft.outlook.office_reminders
        /Applications/Microsoft Office 2011/Office/Microsoft Office Setup Assistant.app:́n de Microsoft Office:
        - N/A
        /Applications/Microsoft Office 2011/Office/Microsoft Query
        - N/A
        /Applications/Microsoft Office 2011/Office/Microsoft Upload Center.app
        - com.microsoft.office.uploadcenter
        /Applications/Microsoft Office 2011/Office/My Day.app
        - com.microsoft.myday
        /Applications/Microsoft Office 2011/Office/Open XML for Excel.app
        - com.microsoft.openxml.excel.app
        /Applications/Microsoft Office 2011/Office/SyncServicesAgent.app
        - com.microsoft.SyncServicesAgent
        /Applications/Pure Analyzer System.app
        - com.gaelyvan.flux.pureanalysersystem
        /Applications/Remote Desktop Connection.app:́n a Escritorio remoto:
        - N/A
        /Applications/Sample Manager.app
        - com.audiofile.SampleManager
        /Applications/Smaart.app
        - Rational Acoustics
        /Applications/Soundflower/Soundflowerbed.app
        - com.cycling74.Soundflowerbed
        /Applications/StellarPhoenix.app
        - com.StellarInformationSystemLtd..StellarPhoenix
        /Applications/StuffIt 12/DropStuff.app
        - com.stuffit.DropStuff
        /Applications/StuffIt 12/MagicMenu.app
        - com.stuffit

  • Dear Apple's people, please note that "Lightning to 30 pin Adapter" don't work with iPhone5 and iPhone5s "Base Dock"  !!!!

    Dear Apple's people, please note that "Lightning to 30 pin Adapter" don't work with iPhone5 and iPhone5s "Base Dock"  !!!!

    Ho comprato un adattatore originale Apple "lighitning to 30 pin adapter" per poter usare i mei vecchi cavi dell'iPhone4 con il nuovo iPhone5.
    Se collego l'adattatore (con il vecchio cavo delliPhone4) direttamente all'iPhone5 , tutto funziona.
    Ma se collego l'adattatore (con il vecchio cavo delliPhone4) all'iPhone5 tramite la "base dock" , l'adattatore non viene riconosciuto e non funziona.
    Pensando che l'adattatore fosse rotto, ho riprovato con altri identici adattatori originali, ma il risultatato è lo stesso.
    Quindi penso che potrebbe essere un errore di progettazione della base dock che supporta unicamente la connessione diretta tramite un cavo lighning e non supporta la connessione se in mezzo c'è l'adattatore !!

  • Java Class (Compiled with JDK6_u12) that works with UCCX 9.0.2, don´t work with UCCX 10.5

    I have a Java Class (Compiled with JDK6_u12) that works with UCCX 9.0.2, after upgrade it don´t work with UCCX 10.5
    I get the error message: "Failed to access the WSDL at: https://www.brightnavigator.se/brightservice/brightservice.asmx?WSDL. It failed with: Got java.lang.RuntimeException: Unexpected error: java.security.InvalidAlgorithmParameterException: the trustAnchors parameter must be non-empty while opening stream from https://www.brightnavigator.se/brightservice/brightservice.asmx?WSDL.; nested exception is: javax.xml.ws.WebServiceException: Failed to access the WSDL at: https://www.brightnavigator.se/brightservice/brightservice.asmx?WSDL. It failed with: Got java.lang.RuntimeException: Unexpected error: java.security.InvalidAlgorithmParameterException: the trustAnchors parameter must be non-empty while opening stream from https://www.brightnavigator.se/brightservice/brightservice.asmx?WSDL. (line: 1, col: 47)
    Does anyone know about this ?

    Did you ever find a resolution to this issue? I have a similar issue after upgrading from 7 to 10.5. I have loaded all provided certificates to the tomcat-trust store, restarted Tomcat Services and still get the same error
    Thanks

  • Behavior drag a layer don't work with safari 2

    The behavior "move (drag) a layer" for Dreamweaver 8.02 don't
    work with Safari 2 (it's work with safari 1). Is there an issue for
    this problem ?
    Thanks
    Emmanuel

    Yep - fails in Safari2.
    It's hard to know who is responsible for that - I'm guessing
    it's Apple,
    since it works on FF2/Mac....
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.dreamweavermx-templates.com
    - Template Triage!
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    http://www.macromedia.com/support/search/
    - Macromedia (MM) Technotes
    ==================
    "emg75" <[email protected]> wrote in message
    news:eqmh8m$o1d$[email protected]..
    > Example :
    >
    http://www.cyberformateur.com/support/dream/bugs-dream/draganddrop.htm
    >
    > With safari 2, it's impossible to drag this layer. (it's
    ok with safari 1)
    >
    > Thanks
    >
    > EmG

  • A few of my pages don't work with Firefox nor Chrome. How do I fix this?

    I created my website from scratch (enjoyaquatics.com) but unfortunately a few of my pages don't work with Firefox nor Chrome. How do I fix this?
    Everything looks and works GREAT on Safari but not Firefox, Chrome, nor Internet Explorer.

    The pages look fine in FF and Chrome on my Mac. Didn't check with Win XP.
    If you use MSIE on a Mac, know that it became obsolete in 2003.
    I noticed what I call wobbly text on your pages. Here's the solution :
         iWeb : Prevent wobbly text in textboxes

  • Has anyone done any work with the "Form" Email Feature in 2008?

    Has anyone done any work with the "Form" Email Feature in 2008?
    2006.7
    Oracle 9i
    Websphere 5.11
    IE6 & IE7
    I have been testing the version 2008.2 and noticed the "Form" link in the email templates, has anyone used this or know what its for? 
    It seems like a useful feature, but I can not find any documentation on its use.
    Thank you
    Daniel

    Hi Daniel,
    The HTML widget we have incorporated into the application is an open source tool. It's name is FCKeditor. Here is the URL for the documentation site: http://docs.fckeditor.net/
    - Ed

  • Parallels don't work with MacBook Pro mid 2012

    Parallels don't work with new MBP. It operates with 2011 and under portables.
    No answer from Parallels: get you something good?
           Regards

    Talk to NOVA Development providing your license no.  They will respond.  If this would have happened to me I'd check permission errors.  If none, I would use the DMG file for paralllels, uninstall and reinstall from scratch.

  • I have a MBP 13" running 10.8, can I also install 10.6 to run apps that don't work with 10.8?

    I have a 13" MBP running 10.8.2, can I also install 10.6 to run some apps that don't work with 10.8?

    Uninstall Genieo:
    http://www.thesafemac.com/arg-genieo/
    See if that makes a difference.
    Ciao.
    DawnHerbie wrote:
    Also is Safeboot ok to use?
    Yes, it will do no harm, but it is meant for trouble shooting and you should not have to use it all the time.
    Message was edited by: OGELTHORPE

  • Graphics card Quadro K4200 don't work with cuda in Adobe Premiere CS 6 version 6.0.5. Maybe they are bad drivers for graphics card? How to solve this problem?

    I have purchased graphics card Quadro K4200, but graphics card don't work with cuda in Adobe Premiere CS 6 version 6.0.5. Maybe they are bad drivers for graphics card? How to solve this problem?

    Did you use the nVidia Hack http://forums.adobe.com/thread/629557

  • This code DOM don't works with firefox

    this code DOM don't works with firefox:
    <div class="fileupload fileupload-new" data-provides="fileupload"><input type="hidden">
    <div class="uneditable-input span3">
    <i class="icon-file fileupload-exists"></i> <span class="fileupload-preview"></span>
    </div>
    <span class="btn btn-file"><span class="fileupload-new">Procurar ficheiro</span><span class="fileupload-exists">Alterar</span><input id="ficheiro" name="ficheiro" type="file"></span><a href="#" class="btn fileupload-exists" data-dismiss="fileupload">Remover</a>
    </div>

    This site is based on wiki software and doesn't handle code very nicely -- as you can see.
    Do you want to provide the code another way? For example, you could set up a test case on jsfiddle.net or paste the source into a page on pastebin.com and post a link in a reply here.

  • What ordinary tasks don't work with OS X 10.3.9 ?...

    Thank you folks !
    a.
    What kinds of users might not need to upgrade from OS X 10.3.9 yet?...
    b. What ordinary tasks don't work with OS X 10.3.9 ?...
    c. What other tasks don't work with OS X 10.3.9 ?...

    Hi everyone and hi fugnug,
    {quote:title=fugnug wrote:}
    There are many ordinary tasks that don't work with Panther. Browsing with Safari is a good instance. That seems to be a Mac thing, even though Safari 2 and 3 aren't for Panther, so the browsing experience just isn't as good. Safari 1 is fast, but it just won't run newer developer's scripts. The sad thing about Safari being a Mac thing is that it is supported on Windows Xp which is just as old as Panther.{quote}
    It is disappointing safari 2&3 isn't supported by Panther. But, ya know we gotta
    live with it. Windows XP is Microsoft. Panther users really don't need it with free/donationware like OpenOffice and NeoOffice. You can also try FileJuicer and
    purchase it for a small price, and it can come in really handy if you need to open Windows type documents and Stuffit deluxe for Mac can open some of them too.
    Safari 1 has a few substitutes that work very well and are current and supported.: like Seamonkey, iCab, Camino. Firefox is no longer updated current for Panther though.
    {quote}
    Another common thing like a dashboard isn't really supported.
    {quote}
    Yahoo widgets works for Panther and it's a really nice App. It was Konfabulator before Tiger was out.
    {quote}
    Also most freeware developers don't make their programs supported by Panther these days. A very common dismay for Panther users is to see a really great program and download it eagerly forgetting to look at the req-specs and then get the little disappearing icon on the dock. That crash should come with a fog horn sound effect, it would really be a good metaphor for that feeling you get. Not just freeware, but newer software like Adobe CS3. (Of course, if you had the money to buy CS3, you could probably sprig for Leopard{quote}
    There's plenty to keep you more than productive available on Versiontracker.com
    with lots and lots of older panther compatible versions. (Although not all of them are still in the severs. Just check the versions in the preview of the source at the bottom of your browser.
    {quote}
    Screen-shots is common task; AppleShift3(4). You can only save in PDFs, which we all know you can't upload to Photobucket. So you have to export from Preview, which is reminiscent of Print Screen and paste into Paint in Windows (a total turn off). I've heard there was a way to change it and I think I found a tutorial once about how to change the save screen format... but I think it was actually for Tiger, because it didn't work for me /fog horn{quote}
    You can export from preview to other formats easily by clicking on File/Export..
    Sure though, some things out there don't work on panther. Like free songs from Amazon require a special downloader compatible with 10.4.x and higher.
    If you want to listen to full songs for free, there's sites out there that let you type in what you want to listen to and you can stream it in from your browser.
    Some sites like nintendo and probably others require Firefox. So, yes. Time is ticking against panther.
    I'm in the serious consideration stage of upgrading to Tiger or Leopard. For some
    things on the Web we need to stay current. Honestly, now a days everyone who uses
    a computer needs to.
    But, Panther is a very fun and snappy OS for me. I'll miss it's simplicity and humbleness. It's been totally awesome for my family and me! It's had it's shortcomings, but I look forward to a bright future in upgrading.
    Cheers,
    L+

  • GP Tutorials don't work with 2004s Java Trial Version

    Hi,
    I know that the SAP Composite Application Framework - CAF Tutorial Center [original link is broken] [original link is broken]  require the Callable Object types "Content Package" and "Interactive Form" which at least in my installation are not visible.
    Is my installation corrupt? Or are the tutorial descriptions incorrect?
    Thanks.
    Dick

    Hi,
    The problem was a role problem.  Solution is noted in my GP Tutorials don't work with 2004s Java Trial Version
    Thanks.
    Dick

  • I need to replace firefox 4.0.1 with firefox 3.6 because my add ins don't work with 4.0

    Question
    i need to replace firefox 4.0.1 with firefox 3.6 because my add ins don't work with 4.0 but will work with 3.6. How do I accomplish this?

    Any particular add-on? Maybe there's an updated version or substitute?
    If you can't find a solution with Firefox 4, here's the process to roll back:
    First, I recommend backing up your Firefox settings in case something goes wrong. See [https://support.mozilla.com/en-US/kb/Backing+up+your+information Backing up your information]. (You can copy your entire Firefox profile folder somewhere outside of the Mozilla folder.)
    Next, download and save Firefox 3.6 to your desktop for future installation. http://www.mozilla.com/firefox/all-older
    Close Firefox 4.
    You could install Firefox 3.6 over it (many have reported success) or you could uninstall Firefox first. If you uninstall, do not remove your personal data and settings, just the program.
    Unless you have installed an incompatible add-on, Firefox 3.6 should pick up where you left off. If there are serious issues, please post back with details.
    Note: I haven't actually tried this myself!

Maybe you are looking for

  • How do I create a PDF document from Pages on my iPad

    I have a Pages document on my iPad.  How can I convert this document to a PDF file and send it as an email attachment? Pages Help on my iPad says, "Pages documents created or edited on your iOS device can be exported for viewing or editing in Pages o

  • Sharing out a printer via SMB on Lion

    I have a complex situation where we share out a printer from a Mac workstation to a windows computer in another location. It worked fine until we replaced the Snow Leopard Mac with a Lion one. Now, the windows computer no longer sees the printer, eve

  • Satellite L300-2CL - built in mic stopped working

    Hello When I bought this computer (sep-09) everything was working fine. Then in march (I hade it idle for awhile), my built in mic stopped working. Everything eles is working fina, and I have scanned the web for solutions, and tried to install new dr

  • Converting MP4 to AIFF

    I purchased a song to use in Final Cut Express. However, Final Cut Express will not accept MP3 or MP4 formats, only AIFF. But iTines will not convert MP4 to AIFF. Both iTunes and Final Cut Express are Apple products. Isn't one department of this comp

  • HTTP - Calling a PL/SQL Function

    I am wanting to call a PL/SQL Function over the web. Say if I am using Oracle APEX and my user is the standard "HR". How would I call a function from PL/SQL made by the user HR called EXAMPLE_FUNCTION.