N8 - Strange problem when adding an OVI email acco...

Hi there.
When adding my GFs OVI email account to her N8 I start the installer which directs me to a page where I can sign up or login.
I choose login as she's already setup an account. The login succeeds and we get the "readying inbox" or a similar message. Then the browser seems to get stuck at reloading a link and finally gives me an error saying the login name or password was incorrect.
Login in on a PC works great.
I didn't have this problem on my N8 but then again I was using email.nokia.com since my previous E52.
Any one have a clue?
Thanks.
Simon
N8 User.

Hi pradeepwitu,
probably this is the result of your excellent
code
Instead of
code
you could try
code
Regards,
Clemens

Similar Messages

  • JTable sorting - problem when adding elements (complete code inside)

    I�m writing this email with reference to a recent posting here but this time with the code example. (I apologize for the duplicated posting � this time it will be with the code)
    Problem: when adding more elements to the JTable (sorted) the exception: ArrayIndexOutOfBoundsException is thrown.
    Example: If the elements in the table are 10 and then the user requests for 8 � the table will produce the correct result. However, if the user will ask for 11 items (>10) the exception will be thrown.
    The program: The program below (compiles and running). A JTable is constructed with 3 items, when you click the button - the return result should be 4 items - this will generate the error, WHY?
    I would highly appreciate your thoughts why this is happening and most importantly � how to fix it.
    Thanks a lot
    3 files:
    (1) TableSorterDemo
    (2) Traveler
    (3)TableSorter
    //TableSorterDemo:
    package sorter;
    import javax.swing.DefaultListModel;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JScrollPane;
    import javax.swing.JTable;
    import javax.swing.table.AbstractTableModel;
    import java.awt.BorderLayout;
    import java.awt.Dimension;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    * TableSorterDemo is like TableDemo, except that it
    * inserts a custom model -- a sorter -- between the table
    * and its data model.  It also has column tool tips.
    public class TableSorterDemo implements ActionListener
         private JPanel superPanel;
         private JButton clickMe = new JButton("click me to get diff data");
         private boolean DEBUG = false;
         private DefaultListModel defaultListModel;
         private JTable table;
        public TableSorterDemo()
             superPanel = new JPanel(new BorderLayout());
             defaultListModel = new DefaultListModel();
             init1();
            TableSorter sorter = new TableSorter(new MyTableModel(defaultListModel)); //ADDED THIS     
            table = new JTable(sorter);             //NEW
            sorter.setTableHeader(table.getTableHeader()); //ADDED THIS
            table.setPreferredScrollableViewportSize(new Dimension(500, 70));
            //Set up tool tips for column headers.
            table.getTableHeader().setToolTipText(
                    "Click to specify sorting; Control-Click to specify secondary sorting");
            //Create the scroll pane and add the table to it.
            JScrollPane scrollPane = new JScrollPane(table);
            //Add the scroll pane to this panel.
            superPanel.add("Center", scrollPane);
            superPanel.add("South",clickMe);
            clickMe.addActionListener(this);              
        public JPanel getPanel()
             return superPanel;
        public void init1()
             //in real life this will be done from the db
             Traveler a = new Traveler();
             Traveler b = new Traveler();
             Traveler c = new Traveler();
             a.setFirstName("Elvis");
             a.setLastName("Presley");
             a.setSprot("Ping Pong");
             a.setNumYears(3);
             a.setVegetarian(true);
             b.setFirstName("Elton");
             b.setLastName("John");
             b.setSprot("Soccer");
             b.setNumYears(2);
             b.setVegetarian(true);
             c.setFirstName("shaquille");
             c.setLastName("oneil");
             c.setSprot("Golf");
             c.setNumYears(22);
             c.setVegetarian(true);
             defaultListModel.addElement(a);
             defaultListModel.addElement(b);
             defaultListModel.addElement(c);
        public void init2()
             //in real life this will be done from the db
             Traveler d = new Traveler();
             Traveler e = new Traveler();
             Traveler f = new Traveler();
             Traveler g = new Traveler();
             d.setFirstName("John");
             d.setLastName("Smith");
             d.setSprot("Tennis");
             d.setNumYears(32);
             d.setVegetarian(true);
             e.setFirstName("Ron");
             e.setLastName("Cohen");
             e.setSprot("Baseball");
             e.setNumYears(12);
             e.setVegetarian(true);
             f.setFirstName("Donald");
             f.setLastName("Mac Novice");
             f.setSprot("Vallyball");
             f.setNumYears(1);
             f.setVegetarian(true);
             g.setFirstName("Eithan");
             g.setLastName("Superstar");
             g.setSprot("Vallyball");
             g.setNumYears(21);
             g.setVegetarian(true);
             defaultListModel.addElement(d);
             defaultListModel.addElement(e);
             defaultListModel.addElement(f);
             defaultListModel.addElement(g);            
        class MyTableModel extends AbstractTableModel
             private DefaultListModel myModel;
             public MyTableModel(DefaultListModel m)
                  myModel=m;
            private String[] columnNames = {"First Name",
                                            "Last Name",
                                            "Sport",
                                            "# of Years",
                                            "Vegetarian"};
            public int getColumnCount()
                return columnNames.length;
            public int getRowCount()
                return myModel.size();
            public String getColumnName(int column)
                 return getNames()[column];             
             public String[] getNames()
                  String[] names = {"First Name", "Last Name", "Sport", "# of Years", "Vegetarian"};
                  return names;
            public Object getValueAt(int row, int col)
                 return distributeObjectsInTable(row, col, (Traveler) myModel.elementAt(row));
            public Object distributeObjectsInTable(int row, int col, Traveler tr)
               switch(col)
                         case 0:
                              return tr.getFirstName();
                         case 1:
                           return tr.getLastName();
                      case 2:
                           return tr.getSprot();
                      case 3:
                           return new Integer(tr.getNumYears());
                      case 4:
                           return new Boolean (tr.isVegetarian());
                     default:
                         return "Error";
            public Class getColumnClass(int c)
                return getValueAt(0, c).getClass();
        private static void createAndShowGUI()
            //Make sure we have nice window decorations.
            JFrame.setDefaultLookAndFeelDecorated(true);
            //Create and set up the window.
            JFrame frame = new JFrame("TableSorterDemo");
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            //Create and set up the content pane.
            TableSorterDemo newContentPane = new TableSorterDemo();
            newContentPane.getPanel().setOpaque(true); //content panes must be opaque
            frame.setContentPane(newContentPane.getPanel());
            //Display the window.
            frame.pack();
            frame.setVisible(true);
        public static void main(String[] args)
            //Schedule a job for the event-dispatching thread:
            //creating and showing this application's GUI.
            javax.swing.SwingUtilities.invokeLater(new Runnable()                   
                public void run()
                    createAndShowGUI();
         public void actionPerformed(ActionEvent ae)
              if (ae.getSource()==clickMe)
                   defaultListModel.removeAllElements();
                   init2(); //if the size of the model was less than 2 items - the result will be ok.
                              //in other words, if you commens the last 2 rows of this method (addElement(f) & g)
                             // the result will be fine.
                   table.updateUI();          
    }//(2) Traveler
    package sorter;
    public class Traveler
         private String firstName;
         private String lastName;
         private String sprot;
         private int numYears;
         private boolean vegetarian;
         public String getFirstName()
              return firstName;
         public String getLastName()
              return lastName;
         public int getNumYears()
              return numYears;
         public String getSprot()
              return sprot;
         public boolean isVegetarian()
              return vegetarian;
         public void setFirstName(String firstName)
              this.firstName = firstName;
         public void setLastName(String lastName)
              this.lastName = lastName;
         public void setNumYears(int numYears)
              this.numYears = numYears;
         public void setSprot(String sprot)
              this.sprot = sprot;
         public void setVegetarian(boolean vegetarian)
              this.vegetarian = vegetarian;
    }//(3)TableSorter
    package sorter;
    import java.awt.*;
    import java.awt.event.*;
    import java.util.*;
    import java.util.List;
    import javax.swing.*;
    import javax.swing.event.TableModelEvent;
    import javax.swing.event.TableModelListener;
    import javax.swing.table.*;
    public class TableSorter extends AbstractTableModel {
        protected TableModel tableModel;
        public static final int DESCENDING = -1;
        public static final int NOT_SORTED = 0;
        public static final int ASCENDING = 1;
        private static Directive EMPTY_DIRECTIVE = new Directive(-1, NOT_SORTED);
        public static final Comparator COMPARABLE_COMAPRATOR = new Comparator() {
            public int compare(Object o1, Object o2) {
                return ((Comparable) o1).compareTo(o2);
        public static final Comparator LEXICAL_COMPARATOR = new Comparator() {
            public int compare(Object o1, Object o2) {
                return o1.toString().compareTo(o2.toString());
        private Row[] viewToModel;
        private int[] modelToView;
        private JTableHeader tableHeader;
        private MouseListener mouseListener;
        private TableModelListener tableModelListener;
        private Map columnComparators = new HashMap();
        private List sortingColumns = new ArrayList();
        public TableSorter() {
            this.mouseListener = new MouseHandler();
            this.tableModelListener = new TableModelHandler();
        public TableSorter(TableModel tableModel) {
            this();
            setTableModel(tableModel);
        public TableSorter(TableModel tableModel, JTableHeader tableHeader) {
            this();
            setTableHeader(tableHeader);
            setTableModel(tableModel);
        private void clearSortingState() {
            viewToModel = null;
            modelToView = null;
        public TableModel getTableModel() {
            return tableModel;
        public void setTableModel(TableModel tableModel) {
            if (this.tableModel != null) {
                this.tableModel.removeTableModelListener(tableModelListener);
            this.tableModel = tableModel;
            if (this.tableModel != null) {
                this.tableModel.addTableModelListener(tableModelListener);
            clearSortingState();
            fireTableStructureChanged();
        public JTableHeader getTableHeader() {
            return tableHeader;
        public void setTableHeader(JTableHeader tableHeader) {
            if (this.tableHeader != null) {
                this.tableHeader.removeMouseListener(mouseListener);
                TableCellRenderer defaultRenderer = this.tableHeader.getDefaultRenderer();
                if (defaultRenderer instanceof SortableHeaderRenderer) {
                    this.tableHeader.setDefaultRenderer(((SortableHeaderRenderer) defaultRenderer).tableCellRenderer);
            this.tableHeader = tableHeader;
            if (this.tableHeader != null) {
                this.tableHeader.addMouseListener(mouseListener);
                this.tableHeader.setDefaultRenderer(
                        new SortableHeaderRenderer(this.tableHeader.getDefaultRenderer()));
        public boolean isSorting() {
            return sortingColumns.size() != 0;
        private Directive getDirective(int column) {
            for (int i = 0; i < sortingColumns.size(); i++) {
                Directive directive = (Directive)sortingColumns.get(i);
                if (directive.column == column) {
                    return directive;
            return EMPTY_DIRECTIVE;
        public int getSortingStatus(int column) {
            return getDirective(column).direction;
        private void sortingStatusChanged() {
            clearSortingState();
            fireTableDataChanged();
            if (tableHeader != null) {
                tableHeader.repaint();
        public void setSortingStatus(int column, int status) {
            Directive directive = getDirective(column);
            if (directive != EMPTY_DIRECTIVE) {
                sortingColumns.remove(directive);
            if (status != NOT_SORTED) {
                sortingColumns.add(new Directive(column, status));
            sortingStatusChanged();
        protected Icon getHeaderRendererIcon(int column, int size) {
            Directive directive = getDirective(column);
            if (directive == EMPTY_DIRECTIVE) {
                return null;
            return new Arrow(directive.direction == DESCENDING, size, sortingColumns.indexOf(directive));
        private void cancelSorting() {
            sortingColumns.clear();
            sortingStatusChanged();
        public void setColumnComparator(Class type, Comparator comparator) {
            if (comparator == null) {
                columnComparators.remove(type);
            } else {
                columnComparators.put(type, comparator);
        protected Comparator getComparator(int column) {
            Class columnType = tableModel.getColumnClass(column);
            Comparator comparator = (Comparator) columnComparators.get(columnType);
            if (comparator != null) {
                return comparator;
            if (Comparable.class.isAssignableFrom(columnType)) {
                return COMPARABLE_COMAPRATOR;
            return LEXICAL_COMPARATOR;
        private Row[] getViewToModel() {
            if (viewToModel == null) {
                int tableModelRowCount = tableModel.getRowCount();
                viewToModel = new Row[tableModelRowCount];
                for (int row = 0; row < tableModelRowCount; row++) {
                    viewToModel[row] = new Row(row);
                if (isSorting()) {
                    Arrays.sort(viewToModel);
            return viewToModel;
        public int modelIndex(int viewIndex)
            return getViewToModel()[viewIndex].modelIndex;
        private int[] getModelToView()
            if (modelToView == null) {
                int n = getViewToModel().length;
                modelToView = new int[n];
                for (int i = 0; i < n; i++) {
                    modelToView[modelIndex(i)] = i;
            return modelToView;
        // TableModel interface methods
        public int getRowCount() {
            return (tableModel == null) ? 0 : tableModel.getRowCount();
        public int getColumnCount() {
            return (tableModel == null) ? 0 : tableModel.getColumnCount();
        public String getColumnName(int column) {
            return tableModel.getColumnName(column);
        public Class getColumnClass(int column) {
            return tableModel.getColumnClass(column);
        public boolean isCellEditable(int row, int column) {
            return tableModel.isCellEditable(modelIndex(row), column);
        public Object getValueAt(int row, int column) {
            return tableModel.getValueAt(modelIndex(row), column);
        public void setValueAt(Object aValue, int row, int column) {
            tableModel.setValueAt(aValue, modelIndex(row), column);
        // Helper classes
        private class Row implements Comparable {
            private int modelIndex;
            public Row(int index) {
                this.modelIndex = index;
            public int compareTo(Object o) {
                int row1 = modelIndex;
                int row2 = ((Row) o).modelIndex;
                for (Iterator it = sortingColumns.iterator(); it.hasNext();) {
                    Directive directive = (Directive) it.next();
                    int column = directive.column;
                    Object o1 = tableModel.getValueAt(row1, column);
                    Object o2 = tableModel.getValueAt(row2, column);
                    int comparison = 0;
                    // Define null less than everything, except null.
                    if (o1 == null && o2 == null) {
                        comparison = 0;
                    } else if (o1 == null) {
                        comparison = -1;
                    } else if (o2 == null) {
                        comparison = 1;
                    } else {
                        comparison = getComparator(column).compare(o1, o2);
                    if (comparison != 0) {
                        return directive.direction == DESCENDING ? -comparison : comparison;
                return 0;
        private class TableModelHandler implements TableModelListener {
            public void tableChanged(TableModelEvent e) {
                // If we're not sorting by anything, just pass the event along.            
                if (!isSorting()) {
                    clearSortingState();
                    fireTableChanged(e);
                    return;
                // If the table structure has changed, cancel the sorting; the            
                // sorting columns may have been either moved or deleted from            
                // the model.
                if (e.getFirstRow() == TableModelEvent.HEADER_ROW) {
                    cancelSorting();
                    fireTableChanged(e);
                    return;
                // We can map a cell event through to the view without widening            
                // when the following conditions apply:
                // a) all the changes are on one row (e.getFirstRow() == e.getLastRow()) and,
                // b) all the changes are in one column (column != TableModelEvent.ALL_COLUMNS) and,
                // c) we are not sorting on that column (getSortingStatus(column) == NOT_SORTED) and,
                // d) a reverse lookup will not trigger a sort (modelToView != null)
                // Note: INSERT and DELETE events fail this test as they have column == ALL_COLUMNS.
                // The last check, for (modelToView != null) is to see if modelToView
                // is already allocated. If we don't do this check; sorting can become
                // a performance bottleneck for applications where cells 
                // change rapidly in different parts of the table. If cells
                // change alternately in the sorting column and then outside of            
                // it this class can end up re-sorting on alternate cell updates -
                // which can be a performance problem for large tables. The last
                // clause avoids this problem.
                int column = e.getColumn();
                if (e.getFirstRow() == e.getLastRow()
                        && column != TableModelEvent.ALL_COLUMNS
                        && getSortingStatus(column) == NOT_SORTED
                        && modelToView != null) {
                    int viewIndex = getModelToView()[e.getFirstRow()];
                    fireTableChanged(new TableModelEvent(TableSorter.this,
                                                         viewIndex, viewIndex,
                                                         column, e.getType()));
                    return;
                // Something has happened to the data that may have invalidated the row order.
                clearSortingState();
                fireTableDataChanged();
                return;
        private class MouseHandler extends MouseAdapter {
            public void mouseClicked(MouseEvent e) {
                JTableHeader h = (JTableHeader) e.getSource();
                TableColumnModel columnModel = h.getColumnModel();
                int viewColumn = columnModel.getColumnIndexAtX(e.getX());
                int column = columnModel.getColumn(viewColumn).getModelIndex();
                if (column != -1) {
                    int status = getSortingStatus(column);
                    if (!e.isControlDown()) {
                        cancelSorting();
                    // Cycle the sorting states through {NOT_SORTED, ASCENDING, DESCENDING} or
                    // {NOT_SORTED, DESCENDING, ASCENDING} depending on whether shift is pressed.
                    status = status + (e.isShiftDown() ? -1 : 1);
                    status = (status + 4) % 3 - 1; // signed mod, returning {-1, 0, 1}
                    setSortingStatus(column, status);
        private static class Arrow implements Icon {
            private boolean descending;
            private int size;
            private int priority;
            public Arrow(boolean descending, int size, int priority) {
                this.descending = descending;
                this.size = size;
                this.priority = priority;
            public void paintIcon(Component c, Graphics g, int x, int y) {
                Color color = c == null ? Color.GRAY : c.getBackground();            
                // In a compound sort, make each succesive triangle 20%
                // smaller than the previous one.
                int dx = (int)(size/2*Math.pow(0.8, priority));
                int dy = descending ? dx : -dx;
                // Align icon (roughly) with font baseline.
                y = y + 5*size/6 + (descending ? -dy : 0);
                int shift = descending ? 1 : -1;
                g.translate(x, y);
                // Right diagonal.
                g.setColor(color.darker());
                g.drawLine(dx / 2, dy, 0, 0);
                g.drawLine(dx / 2, dy + shift, 0, shift);
                // Left diagonal.
                g.setColor(color.brighter());
                g.drawLine(dx / 2, dy, dx, 0);
                g.drawLine(dx / 2, dy + shift, dx, shift);
                // Horizontal line.
                if (descending) {
                    g.setColor(color.darker().darker());
                } else {
                    g.setColor(color.brighter().brighter());
                g.drawLine(dx, 0, 0, 0);
                g.setColor(color);
                g.translate(-x, -y);
            public int getIconWidth() {
                return size;
            public int getIconHeight() {
                return size;
        private class SortableHeaderRenderer implements TableCellRenderer {
            private TableCellRenderer tableCellRenderer;
            public SortableHeaderRenderer(TableCellRenderer tableCellRenderer) {
                this.tableCellRenderer = tableCellRenderer;
            public Component getTableCellRendererComponent(JTable table,
                                                           Object value,
                                                           boolean isSelected,
                                                           boolean hasFocus,
                                                           int row,
                                                           int column) {
                Component c = tableCellRenderer.getTableCellRendererComponent(table,
                        value, isSelected, hasFocus, row, column);
                if (c instanceof JLabel) {
                    JLabel l = (JLabel) c;
                    l.setHorizontalTextPosition(JLabel.LEFT);
                    int modelColumn = table.convertColumnIndexToModel(column);
                    l.setIcon(getHeaderRendererIcon(modelColumn, l.getFont().getSize()));
                return c;
        private static class Directive {
            private int column;
            private int direction;
            public Directive(int column, int direction) {
                this.column = column;
                this.direction = direction;
    }

    The table listens to the TableModel for changes. Changing the table by adding/removing
    rows or columns has no affect on its table model. If you make changes to the table model
    the table will be notified by its TableModelListener and change its view. So tell
    MyTableModel about the change of data:
    public class TableSorterDemo implements ActionListener
        MyTableModel tableModel;
        public TableSorterDemo()
            defaultListModel = new DefaultListModel();
            init1();
            tableModel = new MyTableModel(defaultListModel);
            TableSorter sorter = new TableSorter(tableModel);
        public void actionPerformed(ActionEvent ae)
            if (ae.getSource()==clickMe)
                defaultListModel.removeAllElements();
                init2();
                tableModel.fireTableStructureChanged();
    }

  • Strange problem when copying files to NAS

    Hello all. I have a strange problem when trying to copy files from my intel iMac to my Seagate NAS. I am copying files from my HD and when the file is nearly copyied i get an error message saying that the file can't be copied because it is already in use by another application. Well... it surely isn't. I try copying them by ftp (Filezilla) and everything works fine. I can then access them through my media server but !!!! NOT THROUGH MY iMac!!!! It is like the files are not there!!!! But they definetely are! I tried fixing the disk permissions, rebooting NAS, iMac etc but nothing seems to solve the problem. Is there any suggestion of what might be wrong? I am under Mavericks and i am pretty sure that the problem started after the update. When copying from my external USB hard drive to my iMac HD everything works fine. The problem is from my iMac to my NAS.

    Wow... thanks for the time you devote Linc.... Well below are the results of the above commands....
    Step 1 returned no text.
    Step 2 returned the following text:
    com.tunabellysoftware.checkmytemp.GNTPClientService
    jp.co.canon.MasterInstaller
    com.WesternDigital.WDSmartWareD
    com.wdc.WDDMservice
    com.teamviewer.service
    com.tappin.agent.plist
    com.microsoft.office.licensing.helper
    com.klieme.TimeMachineScheduler
    com.adobe.SwitchBoard
    com.adobe.fpsaud
    Step 3 returned the following text:
    com.adobe.PDApp.AAMUpdatesNotifier.59168.9D679ECB-757D-43DD-920E-153524EA697A
    jp.co.canon.cijscannerregister.67792
    jp.co.canon.ij.CNSSelectorAgent.66384
    OpenObject.fuspredownloader.65328
    com.tappin.TappIn.53712
    com.ecamm.PhoneViewHelper.65680
    com.pratikkumar.RemoteHelper.51424
    com.elgato.eyetvhelper.10064
    6.0.65152
    com.tunabellysoftware.TemperatureGaugeHelper
    com.paragon.ntfs.trial
    com.teamviewer.desktop
    com.teamviewer.teamviewer
    com.sony.PMBPortable.AutoRun
    com.google.keystone.user.agent
    com.adobe.ARM.df0ab5bbe6f698196fcc21e3c1e66dcb758bd911f4d637272d9d8109
    com.adobe.AAM.Scheduler-1.0
    Step 4 returned the following text:
    /Library/Components:
    /Library/Extensions:
    ATTOCelerityFC8.kext
    ATTOExpressSASHBA2.kext
    ATTOExpressSASRAID2.kext
    ArcMSR.kext
    CalDigitHDProDrv.kext
    HighPointIOP.kext
    HighPointRR.kext
    PromiseSTEX.kext
    SoftRAID.kext
    /Library/Frameworks:
    AEProfiling.framework
    AERegistration.framework
    Adobe AIR.framework
    AudioMixEngine.framework
    NyxAudioAnalysis.framework
    PluginManager.framework
    TSLicense.framework
    WesternDigital
    iLifeFaceRecognition.framework
    iLifeKit.framework
    iLifePageLayout.framework
    iLifeSQLAccess.framework
    iLifeSlideshow.framework
    iTunesLibrary.framework
    /Library/Input Methods:
    /Library/Internet Plug-Ins:
    AdobePDFViewer.plugin
    AdobePDFViewerNPAPI.plugin
    Aspera Web.plugin
    Default Browser.plugin
    EPPEX Plugin.plugin
    Flash Player.plugin
    Flip4Mac WMV Plugin.plugin
    JavaAppletPlugin.plugin
    NavIn.plugin
    Quartz Composer.webplugin
    QuickTime Plugin.plugin
    SharePointBrowserPlugin.plugin
    SharePointWebKitPlugin.webplugin
    Silverlight.plugin
    flashplayer.xpt
    iPhotoPhotocast.plugin
    nsIQTScriptablePlugin.xpt
    /Library/Keyboard Layouts:
    /Library/LaunchAgents:
    com.adobe.AAM.Updater-1.0.plist
    com.apple.NavService.plist
    com.oracle.java.Java-Updater.plist
    com.sony.PMBPortable.AutoRun.plist
    com.teamviewer.teamviewer.plist
    com.teamviewer.teamviewer_desktop.plist
    /Library/LaunchDaemons:
    com.WesternDigital.WDSmartWareD.plist
    com.adobe.SwitchBoard.plist
    com.adobe.fpsaud.plist
    com.klieme.TimeMachineScheduler.plist
    com.microsoft.office.licensing.helper.plist
    com.oracle.java.Helper-Tool.plist
    com.tappin.agent.plist
    com.teamviewer.teamviewer_service.plist
    com.wdc.WDDMservice.plist
    jp.co.canon.MasterInstaller.plist
    /Library/PreferencePanes:
    EyeConnect.prefPane
    Flash Player.prefPane
    Flip4Mac WMV.prefPane
    GRproofing.prefPane
    Growl.prefPane
    JavaControlPanel.prefPane
    NTFSforMacOSX.prefPane
    Perian.prefPane
    TappIn.prefPane
    TimeMachineScheduler.prefPane
    /Library/PrivilegedHelperTools:
    com.microsoft.office.licensing.helper
    jp.co.canon.MasterInstaller
    /Library/QuickLook:
    GBQLGenerator.qlgenerator
    QuickLookEyeTV.qlgenerator
    iBooksAuthor.qlgenerator
    iWork.qlgenerator
    /Library/QuickTime:
    AC3MovieImport.component
    AppleIntermediateCodec.component
    AppleMPEG2Codec.component
    EyeTV MPEG Support.component
    Perian.component
    /Library/ScriptingAdditions:
    Adobe Unit Types.osax
    /Library/Spotlight:
    GBSpotlightImporter.mdimporter
    LogicPro.mdimporter
    Microsoft Office.mdimporter
    iBooksAuthor.mdimporter
    iWork.mdimporter
    /Library/StartupItems:
    ChmodBPF
    DynDNSUpdater
    EyeConnect
    /etc/mach_init.d:
    /etc/mach_init_per_login_session.d:
    /etc/mach_init_per_user.d:
    Library/Address Book Plug-Ins:
    SkypeABDialer.bundle
    SkypeABSMS.bundle
    Library/Fonts:
    AC-CondensedScript_Unicode.otf
    AC-CuttingEdge.otf
    AC-FrenchToast.otf
    AC-Gorgi.otf
    AC-HiSchool.otf
    AC-Hollow_Unicode.otf
    AC-Lundi.otf
    AC-Lycee.otf
    AC-Pathetic_unicode.otf
    AC-mutlu_unicode.otf
    ACRealAdult.otf
    AVI-BonatiPT-Bold.ttf
    AVI-BonatiPT-BoldItalic.ttf
    AVI-BonatiPT-Italic.ttf
    AVI-BonatiPT-Normal.ttf
    AVI-Jacobs-Bold.ttf
    AVI-Jacobs-BoldItalic.ttf
    AVI-Jacobs-Italic.ttf
    AVI-Jacobs-Normal.ttf
    AVI-Optima-Bold.ttf
    AVI-Optima-BoldItalic.ttf
    AVI-Optima-Italic.ttf
    AVI-Optima-Normal.ttf
    AVI-OptimaCollege-Italic.ttf
    AVI-OptimaCollege.ttf
    AVI-ParisAifel-Medium.ttf
    AVI-ParisAifel-MediumItalic.ttf
    AdLib BT.suit
    AdLibBTReg
    Andale Mono
    ArbuckleShadowNF.otf
    Arial
    Arial Black
    Arial Narrow
    BleeckerStreetShadedNF.otf
    BundleofJoyOutlineNF.otf
    CF Bac
    CF Bar
    CF Bar-Bold
    CF BarText
    CF BarText-Bold
    CF Big
    CF Compacta Bold
    CF Compacta ExtraBold
    CF Compacta Light
    CF Compacta Medium
    CF Compacta Regular
    CF Criton
    CF Criton-Contrafos
    CF Criton-Heavy
    CF Derrida-Bold
    CF Derrida-Book
    CF Derrida-Heavy
    CF Derrida-Light
    CF Derrida-SemiBold
    CF DogEatDog
    CF Fat
    CF Holly
    CF Holly-Bold
    CF Holly-Light
    CF Holly-Medium
    CF Initials
    CF Jet
    CF Jet-Alter
    CF Jet-Left
    CF Jet-Right
    CF Jet-Simple
    CF K-Graffiti
    CF K-Select
    CF KouroudiSelect-Bold
    CF KouroudiSelect-Fun
    CF KouroudiSelect-Regular
    CF KouroudisGraffiti-Dust
    CF KouroudisGraffiti-Light
    CF KouroudisGraffiti-Regular
    CF LetterGothic
    CF MatrixDot
    CF MatrixFax
    CF MatrixMonospace
    CF MatrixNegative
    CF Newspaper
    CF PainterBlack
    CF PainterBold
    CF PainterRegular
    CF Poster
    CF Sans
    CF Sans-Bold
    CF Sans-Heavy
    CF SempliceBold
    CF SempliceRegular
    CF SempliceThin
    CF Smooth
    CF Smooth-CondBold
    CF Smooth-CondNorm
    CF Smooth-ExtraBold
    CF Smooth-Revenge
    CF Smooth-Toy
    CF Sophia
    CF Sophia-Bold
    CF Sophia-BoldItalic
    CF Sophia-Italic
    CF Stamp
    CF Stencil
    CF Suprematica
    CF Twins
    CF Venus
    CFBarSG
    CFBarSGBol
    CFBarTexSG
    CFBarTexSGBol
    CFBigSG
    CFCriSGCon
    CFCriSGHea
    CFDogEatDogSG
    CFEteoclesContrafos
    CFEteoclesHeavy
    CFEteoclesRegular
    CFFatSG
    CFHolSGBol
    CFHolSGLig
    CFHolSGMed
    CFIniSG
    CFJetAlt
    CFJetLef
    CFJetRig
    CFJetSim
    CFKouGraSGDus
    CFKouGraSGLig
    CFKouGraSGReg
    CFKouSelSGBol
    CFKouSelSGFun
    CFKouSelSGReg
    CFLetGotSG
    CFNewSG
    CFSanSG
    CFSanSGBol
    CFSanSGHea
    CFSmoSGConBol
    CFSmoSGConNor
    CFSmoSGExtBol
    CFSmoSGRev
    CFSmoSGToy
    CFSopSG
    CFSopSGBol
    CFSopSGBolIta
    CFSopSGIta
    CFSteSG
    CFSupSG
    CFTwiSG
    Century
    ChicaGogoOpenNF.otf
    D-Regular.suit
    DReg
    DejaVuSans-Bold.ttf
    DejaVuSans-BoldOblique.ttf
    DejaVuSans-ExtraLight.ttf
    DejaVuSans-Oblique.ttf
    DejaVuSans.ttf
    DejaVuSansCondensed-Bold.ttf
    DejaVuSansCondensed-BoldOblique.ttf
    DejaVuSansCondensed-Oblique.ttf
    DejaVuSansCondensed.ttf
    DejaVuSansMono-Bold.ttf
    DejaVuSansMono-BoldOblique.ttf
    DejaVuSansMono-Oblique.ttf
    DejaVuSansMono.ttf
    DejaVuSerif-Bold.ttf
    DejaVuSerif-BoldOblique.ttf
    DejaVuSerif-Oblique.ttf
    DejaVuSerif.ttf
    DejaVuSerifCondensed-Bold.ttf
    DejaVuSerifCondensed-BoldOblique.ttf
    DejaVuSerifCondensed-Oblique.ttf
    DejaVuSerifCondensed.ttf
    Demo_ConeriaScript.ttf
    Demo_ConeriaScript_Slanted.ttf
    Demon
    Demonstrator.suit
    DidgereeDoodleOutlineNF.otf
    DrumagStudioOutlineNF.otf
    ElektromotoNarrowOutlineNF.otf
    Franklin Gothic Demi
    Franklin Gothic Heavy
    FuturBTBol
    FuturCon
    Futura Bd BT.suit
    Futura Condensed.suit
    GFS Goschen-Italic.otf
    GFSAmbrosia.otf
    GFSDecker.otf
    GFSEustace.otf
    GFSFleischman.otf
    GFSGaraldus.otf
    GFSIgnacio.otf
    GFSJackson.otf
    GFSNeohellenic.otf
    GFSNeohellenicBold.otf
    GFSNeohellenicBoldIt.otf
    GFSNeohellenicIt.otf
    GFSNicefore.otf
    GFSPhilostratos.otf
    GFSPolyglot.otf
    GFSTheokritos.otf
    Georgia
    Gill Sans Hel
    Gill Sans Hel Pt-SCOS
    Gill Sans Hel Pt-SCOSBold
    Gill Sans Hel-Bold
    Gill Sans Hel-BoldItalic
    Gill Sans Hel-Con
    Gill Sans Hel-ConBold
    Gill Sans Hel-Demi
    Gill Sans Hel-DemiItalic
    Gill Sans Hel-ExBold
    Gill Sans Hel-ExConBold
    Gill Sans Hel-ExLight
    Gill Sans Hel-Italic
    Gill Sans Hel-Light
    Gill Sans Hel-LightItalic
    Gill Sans Hel-SCOS
    Gill Sans Hel-SCOSBold
    Gill Sans Hel-SemCon
    Gill Sans Hel-SemConBdIt
    Gill Sans Hel-SemConBold
    Gill Sans Hel-SemConIt
    Gill Sans Hel-SemConLight
    Gill Sans Hel-SemConThin
    Gill Sans Hel-Thin
    Gill Sans Hel-UltBold
    Gulim.ttf
    HelveConBol
    HelveNeuMedCon
    Helvetica Condensed.suit
    HelveticaNeue MediumCond.suit
    Looney Tunes Tilt BT.ttf
    LooseCabooseOutlineNF.otf
    Lucida Sans
    PF DaVinciScriptPoly-Inked.ttf
    PF DaVinciScriptPoly-Reg.ttf
    PFAlfabeta
    PFAlfabetaOS Poly Bold.ttf
    PFAlfabetaOS Poly BoldItal.ttf
    PFAlfabetaOS Poly Italic.ttf
    PFAlfabetaOS Poly Regular.ttf
    PFAmateur
    PFArabats.ttf
    PFBarApart
    PFBaseline
    PFBaselineDisplay
    PFBeatnick
    PFBedroom
    PFBellGothicText
    PFBerkleyBlue
    PFBevel
    PFBodoniScriptOne
    PFBodoniScriptTwo
    PFBodoniText
    PFBodoniText Poly-Bold.ttf
    PFBodoniText PolyBoldItalic.ttf
    PFBodoniText-Poly Italic.ttf
    PFBodoniText-Poly Regular.ttf
    PFBulletin
    PFCatalog
    PFCatalogPoly-Bold.ttf
    PFCatalogPoly-BoldItalic.ttf
    PFCatalogPoly-Italic.ttf
    PFCatalogPoly-Regular.ttf
    PFCentury
    PFCereal
    PFCheltenham
    PFCosmonut
    PFCosmonut-Astrobats.ttf
    PFDaVinciScript
    PFDeeJay
    PFDidotOsPoly-Bold.ttf
    PFDidotOsPoly-BoldItalic.ttf
    PFDidotOsPoly-Italic.ttf
    PFDidotOsPoly-Regular.ttf
    PFDigicons-One.ttf
    PFDigicons-Two.ttf
    PFDigidotSemiSquare
    PFDigidotSquare
    PFDinDisplay
    PFDinText
    PFDinTextCompressed
    PFDinTextCondensed
    PFDiplomat
    PFDiplomatPoly-Bold.ttf
    PFDiplomatPoly-BoldItalic.ttf
    PFDiplomatPoly-Italic.ttf
    PFDiplomatPoly-Regular.ttf
    PFDiplomatSans
    PFEarthbound
    PFEphemera
    PFEphemera Poly-Bold.ttf
    PFEphemera Poly-BoldItalic.ttf
    PFEphemera Poly-Italic.ttf
    PFEphemera Poly-Regular.ttf
    PFEtnica
    PFFragment
    PFFranklinGothic
    PFFreeScript
    PFFuel
    PFFusionSans
    PFFuturaNeu
    PFGaramondClassic
    PFGlobal
    PFGoudyInitials.ttf
    PFGrid
    PFHardkore
    PFHausSquare
    PFHighwayGothic
    PFHighwayGothicCompressed
    PFHighwayGothicCondensed
    PFHighwayGothicExtended
    PFHighwayGothicXtraCond
    PFHipster
    PFHitower
    PFHybrid
    PFIndex
    PFInnercity
    PFIsotext
    PFIsotextExtended
    PFJunior
    PFKids
    PFKids-LilStuff.ttf
    PFKonstantinople
    PFKonstantinople Initials.ttf
    PFLetterGothicDisplay
    PFLetterGothicNext
    PFLibera
    PFLithoText
    PFMacsimile
    PFManicAttack
    PFMechanica
    PFMediterra
    PFMonumenta
    PFNext
    PFOnline
    PFPanel
    PFPaperback
    PFPapernote
    PFPlasmatic
    PFPlayskool
    PFPremierDisplay
    PFPremierFrame
    PFPremierText
    PFPress
    PFPsychedelia
    PFRadikale
    PFRafSkript
    PFReminder
    PFReport
    PFRetrospace
    PFRoyalscript
    PFScriptor-Ligatures.ttf
    PFScriptor-Ornaments.ttf
    PFScriptor-Regular.ttf
    PFSectorA
    PFSectorB
    PFSidetrip
    PFSignSkript
    PFSignSkript-AdClips.ttf
    PFStamps
    PFStudio
    PFSugar
    PFSystemplus
    PFTemple
    PFTemple-Icons.ttf
    PFTempleSerif
    PFTextbook
    PFTraffic
    PFTransport
    PFUniversal
    PFVenue
    PFVideotext
    PFWonderland
    PFWonderland-Wonderbats.ttf
    Palatino Linotype
    SketchIcons.ttf
    SketchIconsbold.ttf
    SnoopySnailsOutlineNF.otf
    StadionGreek
    Tahoma
    That_'s Font Folks!.ttf
    Times New Roman
    Times.suit
    TimesRom
    Trebuchet MS
    UB-Aircraft
    UB-AntiqueOlive
    UB-AntiqueOlive-Bold
    UB-AntiqueOlive-BoldItalic
    UB-AntiqueOlive-Italic
    UB-AntiqueOliveBlack
    UB-AntiqueOliveBlack-Italic
    UB-AntiqueOliveCompact
    UB-AntiqueOliveCompact-Ita
    UB-AntiqueOliveLight
    UB-AntiqueOliveLight-Italic
    UB-AvantGarde
    UB-Baskerville
    UB-Baskerville-Bold
    UB-Baskerville-BoldItalic
    UB-Baskerville-Italic
    UB-Bonati
    UB-BonatiCond
    UB-BonatiHeavy
    UB-Byzantine
    UB-Calculator
    UB-Calligula
    UB-Century
    UB-Century-Bold
    UB-Century-BoldItalic
    UB-Century-Italic
    UB-Donuts
    UB-DonutsCond
    UB-End
    UB-Europa
    UB-FarWest
    UB-FarWestExt
    UB-Fashion
    UB-Fine
    UB-Flores
    UB-Free
    UB-Front
    UB-Future
    UB-FutureCond
    UB-Goudies
    UB-Helvetica
    UB-Helvetica-Bold
    UB-Helvetica-BoldItalic
    UB-Helvetica-Italic
    UB-HelveticaBlack
    UB-HelveticaBlack-Italic
    UB-HelveticaCond
    UB-HelveticaCond-Bold
    UB-HelveticaCond-BoldItalic
    UB-HelveticaLight
    UB-HelveticaLight-Italic
    UB-HelveticaThin
    UB-HelveticaThinCond
    UB-King
    UB-Lucky
    UB-Maskat
    UB-Muratti
    UB-MurattiCond
    UB-NewsLetter
    UB-Ninza
    UB-Omnius
    UB-Optima
    UB-Optima-Bold
    UB-Optima-BoldItalic
    UB-Optima-Italic
    UB-Paris
    UB-Rich
    UB-Rockwell
    UB-Rockwell-Bold
    UB-Rockwell-BoldItalic
    UB-Rockwell-Italic
    UB-RockwellBlack
    UB-RockwellBlack-Italic
    UB-RockwellLight
    UB-RockwellLight-Italic
    UB-Script
    UB-Sherlock
    UB-SherlockCond
    UB-Shop
    UB-Sign
    UB-Slogan
    UB-Soccer
    UB-SoccerCondOblique
    UB-Souvenir
    UB-Souvenir-Bold
    UB-Souvenir-BoldItalic
    UB-Souvenir-Italic
    UB-SouvenirBlack
    UB-SouvenirBlack-Italic
    UB-SouvenirLight
    UB-SouvenirLight-Italic
    UB-Times
    UB-Times-Bold
    UB-Times-BoldItalic
    UB-Times-Italic
    UB-Unifine
    UB-Vampire
    UB-World
    Verdana
    VinnieBoombahOutlineNF.otf
    Wingdings
    Wingdings 2
    Wingdings 3
    nbyzn.ttf
    soundfx.ttf
    Library/Frameworks:
    SamsungKiesFoundation.framework
    SamsungKiesSerialPort.framework
    Library/Input Methods:
    .localized
    Library/InputManagers:
    Library/Internet Plug-Ins:
    Google Earth Web Plug-in.plugin
    iGetterBundle.plugin
    Library/Keyboard Layouts:
    Library/LaunchAgents:
    com.adobe.AAM.Updater-1.0.plist
    com.adobe.ARM.df0ab5bbe6f698196fcc21e3c1e66dcb758bd911f4d637272d9d8109.plist
    [email protected]t.plist
    com.google.keystone.agent.plist
    Library/PreferencePanes:
    .TVPC93ED0576A
    Library/ScriptingAdditions:
    iGetterScriptingAddition.osax
    Library/Services:
    ToastIt.service
    Finallu step 5 returned the following text:
    Skype, EyeTV Helper, RemoteHelper, PhoneViewHelper, TappIn, Dropbox, Canon IJ Network Scanner Selector EX, fuspredownloader, StatusMenu
    I hope you find it helpful Linc. Many thanks for all the attention!

  • When adding a yahoo email account I keep getting "Server Unavailable" notification.  This started after I updated my software.  I deleted my accounts and tried to re-add them but continue to get this notification??

    When adding a yahoo email account I keep getting "Server Unavailable" notification.  This started after I updated my software.  I deleted my accounts and tried to re-add them but continue to get this notification??

    hello, this is a scam tactic that is trying to trick you into installing malware, so don't download or execute this kind of stuff! as you've rightly mentioned, you're already using the latest version of firefox installed and you can always initiate a check for ''updates in firefox > help > about firefox''.
    you might also want to run a full scan of your system with the security software already in place and different tools like the [http://www.malwarebytes.org/products/malwarebytes_free free version of malwarebytes], [http://www.bleepingcomputer.com/download/adwcleaner/ adwcleaner] & [http://www.kaspersky.com/security-scan kaspersky security scan] in order to make sure that there isn't already some sort of malware active on your system that triggers these false alerts.
    [[Troubleshoot Firefox issues caused by malware]]

  • Strange problem when opening word doc situated in WLS virtual dir

    Hi all,
    we have a strange problem when opening word doc
    situated in C:\Oracle\Middleware\as_1\forms\webutil
    we put some word docs there and tried to open from forms using for example web.show_document('http://wp0606:9001/forms/webutil/mug00103.doc', '_blank');
    no problem using FF, however in IE8 the word doc is shown in its binary format, this also happens when we try to open the doc in IE8
    however when we google and search for instance for a test.doc and then click on this url a file save dialog is shown
    that's why we believe that this might be due to a configuration issue of WLS
    any help would be greatly appreciated
    Kr
    Martin

    I think you have 2 ways to go here. Figure out what html is from wherever weblogic gets it, meaning you have to delve into the docs, snoop
    around in directories and find what it must be sending (This is going to be unavoidable if you are going to change what weblogic is doing.
    Sooner or later you have to try to figure out where it gets this stuff from)
    or
    you can experimentally snoop on your url with a tool like wget or curl. These are fundamental web tools.
    The latter is always a useful thing to be able to do. (you need to formulate a query to get the content-type).
    Whoever managed to get weblogic to serve any files in the first place probably can figure this out.

  • Strange problem when tried to convert HelloWorld.class..

    Hi friends..
    i've downloaded the Java Card SDK 2.2.1, and i tried to compile HelloWorld application that shipped with its distribution..
    i found strange problem when i tried to convert HelloWorld.class into .CAP, etc.. :(
    I use Windows XP, assume that i've set the Environment Variables needed
    i've compiled the HelloWorld.java into HelloWorld.class..
    the package of of HelloWorld is : com.sun.javacard.samples.HelloWorld;
    and i use this config file :
    -out EXP JCA CAP
    -exportpath .
    -applet  0xa0:0x0:0x0:0x0:0x62:0x3:0x1:0xc:0x1:0x1 com.sun.javacard.samples.HelloWorld.HelloWorld
    com.sun.javacard.samples.HelloWorld
    0xa0:0x0:0x0:0x0:0x62:0x3:0x1:0xc:0x1 1.0and then i tried to run converter script in the Console :
    *C:\java_card_kit-2_2_1\samples>converter -config com\sun\javacard\samples\HelloWorld\HelloWorld.opt*
    *error: file com\sun\javacard\samples\HelloWorld\HelloWorld.opt could not be found*
    Usage:  converter  <options>  package_name  package_aid  major_version.minor_ve
    sion
    OR
    converter -config <filename>
                        use file for all options and parameters to converter
    Where options include:
            -classdir <the root directory of the class hierarchy>
                          set the root directory where the Converter
                          will look for classes
            -i            support the 32-bit integer type
            -exportpath  <list of directories>
                          list the root directories where the Converter
                          will look for export files
            -exportmap    use the token mapping from the pre-defined export
                          file of the package being converted. The converter
                          will look for the export file in the exportpath
            -applet <AID class_name>
                          set the applet AID and the class that defines the
                          install method for the applet
            -d <the root directory for output>
            -out  [CAP] [EXP] [JCA]
                          tell the Converter to output the CAP file,
                          and/or the JCA file, and/or the export file
            -V, -version  print the Converter version string
            -v, -verbose  enable verbose output
            -help         print out this message
            -nowarn       instruct the Converter to not report warning messages
            -mask         indicate this package is for mask, so restrictions on
                          native methods are relaxed
            -debug        enable generation of debugging information
            -nobanner     suppress all standard output messages
            -noverify     turn off verification. Verification is defaultPlease help me regarding this, because i'm new in this field..
    Thanks in advance..

    Thanks safarmer for your reply..
    i tried this :
    C:\java_card_kit-2_2_1\samples>javac -target 1.3 -source 1.1 -g -classpath .\cla
    sses;..\lib\api.jar;..\lib\installer.jar src\com\sun\javacard\samples\HelloWorld
    \*.java
    javac: invalid source release: 1.1
    Usage: javac <options> <source files>
    use -help for a list of possible options
    C:\java_card_kit-2_2_1\samples>javac -target 1.3 -source 1.2 -g -classpath .\cla
    sses;..\lib\api.jar;..\lib\installer.jar src\com\sun\javacard\samples\HelloWorld
    \*.java
    it seems that i can't specify the -source to 1.1, so i tried to use -source 1.2..
    after that, i tried to convert again, and i got this error :
    C:\java_card_kit-2_2_1\samples\src>converter -config com\sun\javacard\samples\He
    lloWorld\HelloWorld.opt
    Java Card 2.2.1 Class File Converter, Version 1.3
    Copyright 2003 Sun Microsystems, Inc. All rights reserved. Use is subject to lic
    ense terms.
    error: com.sun.javacard.samples.HelloWorld.HelloWorld: unsupported class file fo
    rmat of version 47.0.
    conversion completed with 1 errors and 0 warnings.Please help me regarding this..
    Thanks in advance..

  • Problem when adding ascx user control in the MasterPage: Parser Error Message: The referenced file ... is not allowed on this page.

    Hello,
    I have to maintain a SharePoint 2010 project, in which a TopNavigation User Control for SiteCollection is registered in the MasterPage in this way:
    <%@ Register TagPrefix="ABC" TagName="TopNavigation" src="~/_layouts/ABCApplication/MainSite/Navigation/TopNavigation.ascx" %>
    <asp:ContentPlaceHolder id="PlaceHolderTopNavBar" runat="server">
    <asp:ContentPlaceHolder id="PlaceHolderHorizontalNav" runat="server">
                                        <ABC:TopNavigation ID="TopNavi" XMLDataLocation="/_layouts/ABCApplicatopm/MainSite/TopNavigation.xml" IsRoot="true"
    runat="server" />
    </asp:ContentPlaceHolder>
    </asp:ContentPlaceHolder>
    When I deploy the SiteCollection, the TopNavigation user control is working correctly. Unfortunately when i modify the masterpage over SharePoint Designer, the following error message comes allways, regardless of the art of changes i did in the MAsterPage
    ( even if I open the MasterPage, add an space and do save/close the MasterPage).
    "Problem when adding user control in my custom master page, Parser Error Message: The referenced file '/_layouts/Navigation/TopNavigation.ascx' is not allowed on this page."
    Any ideas?

    Hi Simon,
     When we use UserControl in SharePoint Page or MasterPage, and the UserControl is kept in any folder other than ControlTemplates, we will got the error. Here is an article about this issue and provided the solution:
    http://sharepoint-tina.blogspot.com/2009/07/referenced-file-pathxyzascx-is-not.html 
    The solution can also be used in SharePoint 2010.
    Qiao Wei
    TechNet Community Support

  • After updating to the new ios5 with my 4S , no wifi connection (at home), problem when sending or receiving email

    After updating to the new ios5 with my 4S, no wifi connection and problem when sending or receiving email. I had no issue before the update... I am very disappointed

    Did you already try to reset your network settings in Settings/General/Reset?

  • Strange problem when transfering songs

    Hi Everyone,
    I have a very strange problem when i transfer songs to my iphone.
    When i transfering songs maually (dragging them from ITunes music library to my iphone) i can see that they are in my iphone (at "On This iPhone"),
    but when im looking in my iphone (in the music library) im seeing only 70-80% of the songs.
    And the strange thing is that i can see them if im searching them!
    Please help.
    Thank you!

    I'll have to rephrase my question. Close this one.

  • Problems when I resend an email with attachments

    I am using Mail 7,0 with Mavericks.
    I am having problems resending emails. If I resend any email wihout any attached file, the receiver does not have any problem and and he gets the body text and all the chained mails in the proper order and format. However, when I resend an email with one or more attached files, then I am having a lot of problems because the receiver everything scrambled!!, the body text is received as an attachment and all the images or logos included in my signautre are also received as an attachment.
    I did not have this problem in the past. I have bee exploring Mail Preferences and have tried several different things, but I have been able of solving this disgussting problem.
    I would thank very much if someone has had the same problem and can help me to solve the problem.
    Thank you!!!
    José Ignacio

    What are the types that won't open?
    Do you have an App that can open those types of files?

  • There are some strange problems when i used swc files in my as3 project

    Hello everyone,
            My development environment:  fdk4.0,  flash cs5.5,  I publish fla file by using flash cs5.5,   publish setting is  fp version :10.0&10.1 ->swc. I imported swc files to my as3 project and  complied them by using flex sdk4.0. When i run my project,fp was crash.   when i republished on fp 10.2, the project works. Is there any reason?
            another strange problem, for example   a MovieClip's aslink named "A" in swc, it has a textfield named "subText".  I write code like below:
                            var mc:A = new A();
                            mc.subText.text = "test";  
             when mc called "subText" , fp throws null property error, it can't find  subText..  very small number of movieclips have this problem,  I sloved this by duplicating a new one and rename it.
             but i don't  know why ? 
              thank you for your reply.

    I should have figured that out from your original post. I think there is a possibility that your bookmarks/history database (places.sqlite) has a corrupted record. Rather than take drastic action on that immediately, could you do a test? The test is to exit Firefox, rename your existing database, and restart Firefox. Firefox should import your last bookmarks backup. You then could check whether the problem remains or whether you got a clean restore of bookmarks. After the test, assuming you prefer to retain your history, you could undo the procedure and try restoring your bookmark backup into the database to see whether that overwrites the problem record. If not, then we would go back to possible drastic action.
    '''Test procedure''':
    Open your current Firefox settings (AKA Firefox profile) folder using
    Help > Troubleshooting Information > "Show Folder" button
    Switch back to Firefox and Exit
    Pause while Firefox finishes its cleanup, then rename '''places.sqlite''' to something like places_20130614.sqlite. Keep this window open.
    Restart Firefox. By design, Firefox should import your last automatic bookmark backup.
    If you return to the Library dialog, how does it look?
    '''To reverse the test''' (but preserve a backup of your history/bookmark database):
    Exit Firefox
    Delete the newly created places.sqlite file
    Right-click copy and paste the places_20130614.sqlite and rename the copy to places.sqlite
    Restart Firefox and open the Library dialog. Should look like it did a few minutes ago before any changes.
    ''If the test showed no corruption,'' try to restore your last bookmarks backup. The procedure is described in this article: [[Restore bookmarks from backup or move them to another computer]].
    Does any of that get us closer to a solution?

  • Display problems when adding a document

    Hi,
    one of our customers is facing a strange problem. He runs SBO 8.8 PL18 on Windows Server 2008 R2, and the users work in SBO through Terminal Server. I will do my best to explain what happens.
    When one adds a manual journal entry, the screen flickers the same number of times there are rows. Let me explain the flickering. Suppose you have 10 rows. When you click Update, the table that displays the rows is kind of refresh or repainted 10 times, then fields are empty ready for a new journal entry. The best way I can describe what one can see is that the table is rolled down as many times as there are rows. Unfortunately I have not been able to record the flickering.
    This take some times, and users fell eyes fatigue because of the flickering. I have seen it on my own computer, so this problem does not relate to the computer used to work with SBO. I am told that it happens as well in A/P Invoices.
    The only hint I have is that display problem does not takes place with a TS established on Server 2003.
    Any hint at what this can be, has someone else seen this ?
    Thanks

    Hello,
    If you are using Add-on then it will happed because programmer set keyword last focus in which cell and i think your programmer have code for some arthritic operation on grid then it will happen.
    So discuss your programmer it will solve issue or give proper explanation for same.
    It will defiantly through add-on .
    for tesing pupose stop the add-on then try make new document.
    Thanks
    Manvendra Singh Niranjan
    Edited by: Manvendra Singh Niranjan on May 21, 2011 8:07 AM

  • Problems when adding iTunes to iMovie project

    I recently recorded onto miniDV tape about 15 minutes of rare color film footage from 1938-40, courtesy of the University of Missouri archives. Using iMovie 6.0.1, I made about 15 clips, divided by subject and year and added some titles. I placed them into the clip viewer and previewed the movie. No problems when I previewed it. I also "unchecked" the ambient audio, because the film was silent and the only sound was the sound of the film projector picked up by the Sony TRV-30 digital camcorder. Via the Internet, I found the top songs of the those years and downloaded them from iTunes. I "clicked and dragged" the songs from iTunes into the sound track of the project. Here's where the problem arose. After I added the music, I previewed the movie. The music track played OK, but the video image was extremely "jerky;" in other words, it would appear to stop momentarily, then "jerk" to a start again. It appears that way through the entire project. Any ideas as to why it would be doing this?
    Also, I have another "mystery." The icon for the project is in the "movies" folder. The icon appears as a white "one-dimentional square" with "sideways Vs" a the top and a black star on a white field on the face of the icon. When I click on the icon, the project opens (clips etc.). In previous projects, there is a two-dimentional folder with a blue front and when you open it, there are other sub-folders in it (a "media" folder" and the .mov file etc). Why does my current movie only give me the option of opening the project, and does not show the media folder and .mov file? As always, your assistance is very much appreciated. This forum has been very helpful to me in the past. --Scooper

    Hi scooper,
    ... An answered the second part, I give a try to part one:
    * is the project located on your Mac's local drive or external?
    * is the iTunes library on the Mac's local drive or external?
    * is the "internet" (<<woohoo, bad kharma;-) ) music coded as aac, mp3 or aiff? or, something different, internet "standard", as ogg, wav, whatever?
    your Mac/iM tries to playback in realtime (sure, that makes sense with a movie...), but obviously has too much to do encoding the music...
    in case you own QTpro or a designated audio-app (Garageband, Audacity), try to convert the internet music (<<woohoo, bad kharma... ah, said that) BEFORE import to iM into aiff...
    in case of usage of external harddrives:
    make sure, the drive is "MacOsExtended" formatted, not FAT32... use Disk Utility to accomplish that (any reformatting erases all content!)
    pay the artists//respect local laws//get good kharma

  • Strange problem when joining two tables

    Hi,
    I have recently encountered a strange problem on an Oracle 11gR2 database which is optimized for Datawarehouse usage.
    I am using two tables that have a relationship enforced by two fields of type NUMBER(10).
    The problem is that when I am joining these two tables very often I get strange results and when I re-execute the query I get a different result. I saw in the explain plan that the Hash Join is used for joining these two tables.
    select count(*)
    from recharge_history rh, recharge_history_balance rhb
    where rh.recharge_id = rhb.recharge_id
    and rh.recharge_id2 = rhb.recharge_id2
    and trunc(rh.recharge_date_time) between '30-Dec-2012' and '31-Dec-2012'
    If I explicitly set the Join method to some other type through SQL Hints, or if I use to_number function when joining (even though the two fields used for join in both tables are of NUMBER(10) type), I get the correct result, like for example below:
    select /*+ USE_MERGE (rh rhb) */
    count(*)
    from recharge_history rh, recharge_history_balance rhb
    where rh.recharge_id = rhb.recharge_id
    and rh.recharge_id2 = rhb.recharge_id2
    and trunc(rh.recharge_date_time) between '30-Dec-2012' and '31-Dec-2012'
    select
    count(*)
    from recharge_history rh, recharge_history_balance rhb
    where to_number(rh.recharge_id) = t_number(rhb.recharge_id)
    and to_number(rh.recharge_id2) = (to_number)rhb.recharge_id2)
    and trunc(rh.recharge_date_time) between '30-Dec-2012' and '31-Dec-2012'
    Thank you for your time.
    Edrin

    Hi, Edrin,
    961841 wrote:
    Hi,
    I have recently encountered a strange problem on an Oracle 11gR2 database which is optimized for Datawarehouse usage.
    I am using two tables that have a relationship enforced by two fields of type NUMBER(10).
    The problem is that when I am joining these two tables very often I get strange results and when I re-execute the query I get a different result. I saw in the explain plan that the Hash Join is used for joining these two tables.
    select count(*)
    from recharge_history rh, recharge_history_balance rhb
    where rh.recharge_id = rhb.recharge_id
    and rh.recharge_id2 = rhb.recharge_id2
    and trunc(rh.recharge_date_time) between '30-Dec-2012' and '31-Dec-2012'
    Don't try to compare DATEs with VARCHAR2s, such as '30-Dec-2012'. The VARCHAR2 '31-Aug-2012' is between '30-Dec-2012' and '31-Dec-2012'; so are '31-Aug-2013' and '30-Mar-1999'.
    That may not be your only problem, but it's still a problem.
    If you're getting incosistent results, then it sounds like a bug. Start a service request with Oracle support.

  • Strange problem when copying standard program SAPF100 (transaction F.05)

    Hi there ABAP'ers,
    I've got a very strange problem I can't figure out :/
    I'm doing a copy of a standard program - SAPF100, which stands for F.05 transaction.
    I copy it to ZSAPF100 and after launching it, filling a selection-screen with data and F8 I'm receiving a dump
    GETWA_NOT_ASSIGNED
    Field symbol has not yet been assigned.
    The termination occurred in the ABAP program "SAPF100" in "DO_SKC1C".      
    The main program was "ZSAPF100 ".                                                                               
    The termination occurred in line 253 of the source code of the (Include)   
    program "SAPF100_SBEW"                                                    
    of the source code of program "SAPF100_SBEW" (when calling the editor 2530).
    and when debugging the place in Zcode where error occurs - really a fs is not assigned, whilst in standard code is assigned.
    Why such situation appeared? I just copied the standard program and launched a copy :/ How to deal with that problem?
    I will be very very very thankful for a help.
    Regards. P.

    I'm doing the copy:
    Components:
    Source       
    Text elements
    Documentation
    Variants     
    User interface
    Screens      
    INCLUDEs     
    Includes:
    FROM            ->              TO
    <ICON>                         Z<ICON>     
    <LINE>                          Z<LINE>                 
    FIUUMS40                        ZFIUUMS40               
    RKASMAWF                        ZRKASMAWF               
    SAPF100_I1                      ZSAPF100_I1             
    SAPF100_POSTINGS                ZSAPF100_POSTINGS       
    SAPF100_SBEW                    ZSAPF100_SBEW           
    SAPF100_SLDATA                  ZSAPF100_SLDATA         
    SCHEDMAN_EVENTS                 ZSCHEDMAN_EVENTS        
    And still DUMP

Maybe you are looking for

  • Good receipt problem for subcontracting purchase order

    Good receipt problem for subcontracting purchase order with account assignment type ‘E’. After update to ECC 6.0. Do good receipt for subcontracting purchase order with account assigment 'E'.The system show the error message(KI235)----Two cost elemen

  • External Hard drive won't edit?

    I have been PC for 15 years and just moved to a MAC to do graphic design on for college and future. Just set this up 2 nights ago. I bought a brand new 20inch 2GB 2.66ghz, 320GB hard drive. Now, I have just a plain ole'USB external hard drive with al

  • Skype Windows client hangs for the first call - co...

    Hi, Skype on my Windows 8.1 (depending on its mood) hangs for the first call. It will keep ringing and ringing till it times out, during that time I am not able to hang up the call as well, the red hang up button doesnt work and we have to let the ca

  • Dropped my iPhone

    Ok, so I dropped my iPhone last night It was a low drop, about 4 feet, and it only fell on a thick carpeted floor. But it's not working properly now. These are the problems that I'm getting: • the Home button does not respond at all, which means I ca

  • Compile error (Code could not be generated)

    When I try to run the attached vi I get the following error message "Code could not be generated correctly for this VI." I use Labview 7.1 under Windows XP. Attachments: ParSettings.zip ‏293 KB