Programmatically selecting a tab in panelTabbed

Hi,
i have the following UI structure.
af:paneltabbed
---af:iterator
-------af:showdetailitem
As you can see, i have the showdetailitem inside the af:iterator. so am currently in one particular tab, on click of a button i need to programmatically show other tab and close the current tab.
How this can be done in this case?

Can you please check this thread:
Re: How do I select a Tab in a ManagedBean?
Thanks,
Navaneeth

Similar Messages

  • Programmatically Select a Tab in a Tab Navigator

    I have an Application with a TabNavigator Component. I am
    dynamically adding new Tabs to the Navigator, and I want the new
    tab to be selected and displayed. I can find no way to do this
    programatically.
    Any suggestions?
    I've attached a small version of my app, but I notice when
    this is run locally, the addTab() method adds a URL parameter for
    selectedIndex, and I think this may be screwing things up.
    Thanks
    Eric.

    Add a call to validateNow after addChildAt and before setting
    the selectedIndex.
    tabNav.addChildAt(_canvas, tabNav.numChildren-1);
    tabNav.validateNow(); // would prepare tabNav for the next
    task !
    var _canvasAdd:Canvas =
    tabNav.getChildAt(tabNav.numChildren-2) as Canvas;

  • Programmatically selecting a cell in a two-dimensional JTable

    The problem is that when a person edits a cell and the value fails validation, I would like to programmatically select the cell. The validation is done in the setValueAt method of a Class extending the AbstractTableModel. By simply returning out of that method, the cell value is set back to the way it was before the user changed it. In addition, I would like the problem cell to be automatically selected rather than requiring the user to click in it to select it. The first question is 1- Is this possible, and 2- Any clues as to how to select it?
    We find for examle in Chapter 6 of the CoreJava 2 Vol II Advanced features statements like this on page 399 of, I think, Edition 4, (can anyone tell what edition it is?) by Cay Horstmann
    void setCellSelectionEnabled(boolean b)
    If b is true, then individual cells are selected (when the user clicks in the cell?). I have researched this problem for several days and don't have a clue how to automatically select the cell although I know precisely what row and column it is.

    This is the code to return the focus to error cell.
    /* TableCellValidator class */
    /* The class basically validates the input entry in a cell and */
    /* pops up a JOptionPane if its an invalid input */
    /* And an OK is clicked on the JOptionPane, the control returns back */
    /* to the same cell */
    /* Basic Idea: The controls Arrow/Tab/mouse clicks are handled by our */
    /* ----------- custom table. Its has been slightly tricky to handle */
    /* mouse clicks, since when you click the next cell, the */
    /* editingrow/editingcol advances. Hence the */
    /* previousrow/previouscol has been captured in the */
    /* setValueAt method. */
    /* To capture Table/Arrow/Numeric Arrow, The keyStrokes(TAB etc)*/
    /* assigned different AbstractionActions to execute like */
    /* validateBeforeTabbingToNextCell */
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.table.*;
    public class TableCellValidator {
    * Constructor.
    * Basically instantiates the class and sets up the
    * JFrame object and the table.
    public TableCellValidator() {
    JFrame f = new JFrame("JTable test");
    f.getContentPane().add(new JScrollPane(createTable()), "Center");
    f.pack();
    f.setVisible(true);
    f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    * A method which created our custom table.
    * The JTable methods processMouseEvent
    * and setValueAt are overridden to handle
    * Mouseclicks.
    * The Tables ActionMap is fed with different
    * AbstractAction classes eg: (validateBeforeTabbingToNextCell)
    * (Scroll down below for the innerclass
    * validateBeforeTabbingToNextCell).
    * So basically when TAB is pressed the stuff present
    * in the validateBeforeTabbingToNextCell's actionPerformed(..)
    * method is performed.
    * So we need to handle all the stuff a TAB does.
    * ie. if a TAB hits the end of the row, we need to increment
    * it to the next Row (if the validation is successful)
    * in the current row etc..
    * @return JTable
    * @see validateBeforeTabbingToNextCell
    * @see validateBeforeShiftTabbingToNextCell
    * @see validateBeforeMovingToNextCell
    * @see validateBeforeMovingDownToCell
    * @see validateBeforeMovingUpToCell
    * @see validateBeforeMovingLeftToCell
    private JTable createTable() {
    JTable table = new JTable(createModel()){
    private int previousRow =0;
    private int previousCol =0;
    * Processes mouse events occurring on this component by
    * dispatching them to any registered
    * <code>MouseListener</code> objects.
    * <p>
    * This method is not called unless mouse events are
    * enabled for this component. Mouse events are enabled
    * when one of the following occurs:
    * <p><ul>
    * <li>A <code>MouseListener</code> object is registered
    * via <code>addMouseListener</code>.
    * </ul>
    * <p>Note that if the event parameter is <code>null</code>
    * the behavior is unspecified and may result in an
    * exception.
    * @param e the mouse event
    * @see java.awt.event.MouseEvent
    * @see java.awt.event.MouseListener
    * @see #addMouseListener
    * @see #enableEvents
    * @since JDK1.1
    protected void processMouseEvent(MouseEvent e) {
    boolean canMoveFocus = true;
    int currentRowAndColumn[] = getCurrentRowAndColumn(this); //we pull the current row and column
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    if ( e.getID() == MouseEvent.MOUSE_PRESSED || e.getID() == MouseEvent.MOUSE_CLICKED) {
    stopCurrentCellBeingEdited(this); //stop the cellbeing edited to grab its value
    final String value = (String)getModel().getValueAt(row,column);
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    SwingUtilities.invokeLater(new Runnable(){
    public void run() {
    JOptionPane.showMessageDialog(null,"Alpha value ="+ value ,"Invalid entry!",JOptionPane.WARNING_MESSAGE);
    changeSelection(previousRow,previousCol, true, true);
    editCellAt(previousRow, previousCol);
    requestFocus(); // or t.getEditorCompo
    if ( canMoveFocus ) {
    super.processMouseEvent(e);
    * The method setValueAt of the JTable is overridden
    * to save the previousRow/previousCol to enable us to
    * get back to the error cell when a Mouse is clicked.
    * This is circumvent the problem, when a mouse is clicked in
    * a different cell, the control goes to that cell and
    * when you ask for getEditingRow , it returns the row that
    * the current mouse click occurred. But we need a way
    * to stop at the previous cell(ie. the cell that we were editing
    * before the mouse click occurred) when an invalid data has
    * been entered and return the focus to that cell
    * @param aValue
    * @param row
    * @param col
    public void setValueAt(Object aValue,int row, int col) {     
    this.previousRow = row;
    this.previousCol = col;
    super.setValueAt(aValue,row,col);
    /* These are the various KeyStrokes like
    ENTER,SHIFT-TAB,TAB,Arrow Keys,Numeric Arrow keys being assigned an Abstract action (key string ) in to the
    inputMap first . Then an Action is assigned in the ActionMap object
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_TAB,0) ,"validateBeforeTabbingToNextCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_TAB,1) ,"validateBeforeShiftTabbingToNextCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_RIGHT,0) ,"validateBeforeMovingToNextCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_KP_RIGHT,0) ,"validateBeforeMovingToNextCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_DOWN,0) ,"validateBeforeMovingDownToCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_KP_DOWN,0) ,"validateBeforeMovingDownToCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_ENTER,0) ,"validateBeforeMovingDownToCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_UP,0) ,"validateBeforeMovingUpToCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_KP_UP,0) ,"validateBeforeMovingUpToCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_LEFT,0) ,"validateBeforeMovingLeftToCell");
    table.getInputMap(JTable.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT).put(KeyStroke.getKeyStroke(KeyEvent.VK_KP_LEFT,0) ,"validateBeforeMovingLeftToCell");
    table.getActionMap().put("validateBeforeTabbingToNextCell",
    new validateBeforeTabbingToNextCell());
    table.getActionMap().put("validateBeforeShiftTabbingToNextCell",
    new validateBeforeShiftTabbingToNextCell());
    table.getActionMap().put("validateBeforeMovingToNextCell",
    new validateBeforeMovingToNextCell());
    table.getActionMap().put("validateBeforeMovingDownToCell",
    new validateBeforeMovingDownToCell());
    table.getActionMap().put("validateBeforeMovingUpToCell",
    new validateBeforeMovingUpToCell());
    table.getActionMap().put("validateBeforeMovingLeftToCell",
    new validateBeforeMovingLeftToCell());
    table.setPreferredScrollableViewportSize(table.getPreferredSize());
    return table;
    * A table model is created here for 5 rows/5 columns.
    * And the isCellEditable is overridden to return true,
    * indicating that the cell can be edited.
    * So fine tuned control can be done here by saying,
    * the user can be allowed to edit Row 1,3 or 5 only.
    * or column 1 only etc..
    * @return DefaultTableModel
    private DefaultTableModel createModel() {
    DefaultTableModel model = new DefaultTableModel(5, 5) {
    public boolean isCellEditable(int row, int column) {
    return true;
    return model;
    * This method basically returns the currentRow/currentCol value
    * If the current Row/Col is being edited then
    * it returns the getEditingRow/getEditingColumn
    * If its not being edited,
    * it return the getAnchorSelectionIndex of the JTables
    * ListSelectionModel.
    * If the column or row is -1, then it return 0.
    * The first element in the int[] array is the row
    * The second element in the int[] array is the column
    * @param t input a JTable
    * @return int[]
    * @see ListSelectionModel
    * @see JTable
    private int[] getCurrentRowAndColumn(JTable t){
    int[] currentRowAndColum = new int[2];
    int row, column;
    if (t.isEditing()) {
    row = t.getEditingRow();
    column = t.getEditingColumn();
    } else {
    row = t.getSelectionModel().getAnchorSelectionIndex();
    if (row == -1) {
    if (t.getRowCount() == 0) {
    //actually this should never happen.. we need to return an exception
    return null;
    column =t.getColumnModel().getSelectionModel().getAnchorSelectionIndex();
    if (column == -1) {
    if (t.getColumnCount() == 0) {
    //actually this should never happen.. we need to return an exception
    return null;
    column = 0;
    currentRowAndColum[0]=row;
    currentRowAndColum[1]=column;
    return currentRowAndColum;
    * Tbis basically a wrapper method for CellEditors,
    * stopCellEditing method.
    * We need to do this because,
    * for instance we have entered a value in Cell[0,0] as 3
    * and when we press TAB or mouse click or any other relevant
    * navigation keys,
    * ** IF the cell is BEING EDITED,
    * when we do a getValueAt(cellrow,cellcol) at the TableModel
    * level , it would return "null". To overcome this problem,
    * we tell the cellEditor to stop what its doing. and then
    * when you do a getValueAt[cellrow,cellcol] it would
    * return us the current cells value
    * @param t Input a JTable
    * @see CellEditor
    private void stopCurrentCellBeingEdited(JTable t){
    CellEditor ce = t.getCellEditor(); /*this not the ideal way to do..
    since there is no way the CellEditor could be null.
    But a nullpointer arises when trying to work with mouse.. rather than just
    keyboard" */
    if (ce!=null) {
    ce.stopCellEditing();
    * The following Action class handles when a
    * RIGHT ARROW or NUMERIC RIGHT ARROW is pressed.
    * There just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move it to the
    * next Cell.. else take it back to the currentCell
    class validateBeforeMovingToNextCell extends AbstractAction {
    * The following Action class handles when a
    * DOWN ARROW or NUMERIC DOWN ARROW is pressed.
    * There is just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move it to
    * down by one Cell.. else take it back to the currentCell
    * @param e
    public void actionPerformed(ActionEvent e) {
    JTable t = (JTable) e.getSource();
    int currentRowAndColumn[] = getCurrentRowAndColumn(t);
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    stopCurrentCellBeingEdited(t);
    String value = (String)t.getModel().getValueAt(row,column);
    if (value!= null && !value.equals("")) {
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    JOptionPane.showMessageDialog(null,"Please input numeric values at cell[row="+row+","+"col="+column+"]","Invalid Input!!",JOptionPane.WARNING_MESSAGE);
    t.changeSelection(row, column, true, true);
    t.editCellAt(row,column);
    t.getEditorComponent().requestFocus();
    return;
    column++;
    if (column >= t.getColumnCount())
    column = column-1;
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    * The following Action class handles when a
    * DOWN ARROW or NUMERIC DOWN ARROW is pressed.
    * There just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move it to the
    * down by Cell.. else take it back to the currentCell
    class validateBeforeMovingDownToCell extends AbstractAction {
    public void actionPerformed(ActionEvent e) {
    JTable t = (JTable) e.getSource();
    int currentRowAndColumn[] = getCurrentRowAndColumn(t);
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    stopCurrentCellBeingEdited(t);
    String value = (String)t.getModel().getValueAt(row,column);
    if (value!= null && !value.equals("")) {
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    JOptionPane.showMessageDialog(null,"Please input numeric values at cell[row="+row+","+"col="+column+"]","Invalid Input!!",JOptionPane.WARNING_MESSAGE);
    t.changeSelection(row, column, true, true);
    t.editCellAt(row,column);
    t.getEditorComponent().requestFocus();
    return;
    row++;
    if (row >= t.getRowCount())
    row = row - 1;
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    * The following Action class handles when a
    * UP ARROW or NUMERIC UP ARROW is pressed.
    * There just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move the cursor/
    * editable status up by a Cell.. else take it back to the currentCell
    class validateBeforeMovingUpToCell extends AbstractAction {
    public void actionPerformed(ActionEvent e) {
    JTable t = (JTable) e.getSource();
    int currentRowAndColumn[] = getCurrentRowAndColumn(t);
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    stopCurrentCellBeingEdited(t);
    String value = (String)t.getModel().getValueAt(row,column);
    if (value!= null && !value.equals("")) {
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    JOptionPane.showMessageDialog(null,"Please input numeric values at cell[row="+row+","+"col="+column+"]","Invalid Input!!",JOptionPane.WARNING_MESSAGE);
    t.changeSelection(row, column, true, true);
    t.editCellAt(row,column);
    t.getEditorComponent().requestFocus();
    return;
    row--;
    if (row <0)
    row = 0;
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    * The following Action class handles when a
    * LEFT ARROW or NUMERIC LEFT ARROW is pressed.
    * There just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move the cursor/
    * editable status up by a Cell.. else take it back to the currentCell
    class validateBeforeMovingLeftToCell extends AbstractAction {
    public void actionPerformed(ActionEvent e) {
    JTable t = (JTable) e.getSource();
    int currentRowAndColumn[] = getCurrentRowAndColumn(t);
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    stopCurrentCellBeingEdited(t);
    String value = (String)t.getModel().getValueAt(row,column);
    if (value!= null && !value.equals("")) {
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    JOptionPane.showMessageDialog(null,"Please input numeric values at cell[row="+row+","+"col="+column+"]","Invalid Input!!",JOptionPane.WARNING_MESSAGE);
    t.changeSelection(row, column, true, true);
    t.editCellAt(row,column);
    t.getEditorComponent().requestFocus();
    return;
    column--;
    if (column <0)
    column = 0;
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    * The following Action class handles when a TAB is pressed.
    * There just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move the cursor/
    * editable status up by a Cell.. else take it back to the currentCell
    class validateBeforeTabbingToNextCell extends AbstractAction {
    public void actionPerformed(ActionEvent e) {
    JTable t = (JTable) e.getSource();
    int currentRowAndColumn[] = getCurrentRowAndColumn(t);
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    stopCurrentCellBeingEdited(t);
    String value = (String)t.getModel().getValueAt(row,column);
    if (value!= null && !value.equals("")) {
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    JOptionPane.showMessageDialog(null,"Please input numeric values at cell[row="+row+","+"col="+column+"]","Invalid Input!!",JOptionPane.WARNING_MESSAGE);
    t.changeSelection(row, column, true, true);
    t.editCellAt(row,column);
    t.getEditorComponent().requestFocus();
    return;
    column++;
    int rows = t.getRowCount(), columns = t.getColumnCount();
    while (row < rows) {
    while (column < columns) {
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    column++;
    row++;
    column = 0;
    row = 0;
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    * The following Action class handles when a SHIFT TAB is pressed.
    * There just a basic checking for Numeric values
    * (Integer.parseInt) inside the code.
    * When validation is successfull, we need to move the cursor/
    * editable status up by a Cell.. else take it back to the currentCell
    class validateBeforeShiftTabbingToNextCell extends AbstractAction {
    public void actionPerformed(ActionEvent e) {
    JTable t = (JTable) e.getSource();
    int currentRowAndColumn[] = getCurrentRowAndColumn(t);
    int row = currentRowAndColumn[0];
    int column = currentRowAndColumn[1];
    stopCurrentCellBeingEdited(t);
    String value = (String)t.getModel().getValueAt(row,column);
    if (value!= null && !value.equals("")) {
    try {
    Integer.parseInt(value);
    } catch (NumberFormatException nfe) {
    JOptionPane.showMessageDialog(null,"Please input numeric values at cell[row="+row+","+"col="+column+"]","Invalid Input!!",JOptionPane.WARNING_MESSAGE);
    t.changeSelection(row, column, true, true);
    t.editCellAt(row,column);
    t.getEditorComponent().requestFocus();
    return;
    column--;
    int rows = t.getRowCount(), columns = t.getColumnCount();
    while ((row < rows) && (row >= 0)) {
    while ((column < columns) && (column >= 0)) {
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    column--;
    row--;
    column = columns - 1;
    row = rows - 1;
    if (t.isCellEditable(row, column)) {
    t.changeSelection(row, column, true, true);
    t.editCellAt(row, column);
    if ((t.getEditingRow() == row)
    && (t.getEditingColumn() == column)) {
    t.requestFocus();
    return;
    public static void main(String[] args) {
    new TableCellValidator();

  • Need to select current tab (dynamically generated) while navigation back

    Hi,
    Jdev 11.1.1.3 version.
    In my sample application I have two pages, DynamicTab.jspx and NextPage.jspx. In DynamicTab page I have dynamic tab (number of tabs depends on the data in db). Also have one 'Next' button. While clicking on 'Next' button we can navigate to NextPage.jspx. In NextPage.jspx I have only one 'Back' button to navigate back to 1st page.
    Lets assume I have 3 records in the db as a result 3 tabs will be there in the DynamicTab page. I have selected 2nd tab and then navigated to NextPage.jspx.
    While navigating back to 1st screen I see the 1st tab is selected not the 2nd one.
    My requirement is the current tab need to be selected while navigating back again (not the 1st tab always)
    DynamicTab.jspx :
    <af:panelTabbed id="pt1">
              <af:iterator id="i1" value="#{bindings.EmpVO1.collectionModel}"
                           var="row">
              <af:showDetailItem text="#{row.Empname}" id="sdi1">
              <af:outputText value="#{row.Empid}"/>
              <af:outputText value="#{row.Empname}"/>
               </af:showDetailItem>
              </af:iterator>
            </af:panelTabbed>Any help will be appreciated.
    ~abhijit

    Hi,
    There is a similar use-case where I proposed a solution here:
    Re: ADF: Remembering which tab you came from and returning to it.
    But in your case you will need to construct the ShowDetailItem component Id dynamically for this solution to work.
    Gabriel.

  • Submit data of all tab in panelTabbed

    Hi all,
    I have a problem with af:panelTabbed. When I click the submit button, there is only data of current select tab were submit to the server.
    I wonder that, we can submit all data in all tab of panelTabbed to the server or not?
    Do you have any idea about it?
    Thanks a lot!

    Hi "in the line of fire",
    In my situation, I can't using AM. So, we can have other way to do that?
    Thanks so much!

  • Select a tab programmtically in VWP.

    I have several tabs in a Tabset. Does anyone know how to select a tab programmatically in a Visual Web Page?
    Thanks,
    Daniel

    Add a call to validateNow after addChildAt and before setting
    the selectedIndex.
    tabNav.addChildAt(_canvas, tabNav.numChildren-1);
    tabNav.validateNow(); // would prepare tabNav for the next
    task !
    var _canvasAdd:Canvas =
    tabNav.getChildAt(tabNav.numChildren-2) as Canvas;

  • How do you programmatically select TabBar VC within the MORE section?

    Can anyone help me figure out how to programmatically select a view controller that is beyond the main 4 tabs in a TabBarController? Usually you can use:
    tabBarController.selectedIndex = NSUInteger;
    but once you have more than 5 Tabs, you get the "More" tab as #5 and the others go into their own TableView. If you try to change selectedIndex to any # > 4 you get an NSRange error.
    I have tried the following workaround unsuccessfully:
    UIViewController *desiredVC = [[tabBarController.viewControllers] objectAtIndex:5];
    tabBarController.selectedViewController = desiredVC;
    where tabBarController is a UITabBarController;
    Still no go. Any help would be greatly appreciated.

    I came up with this solution:
    [self.tabBarController.moreNavigationController popToRootViewControllerAnimated:NO];
    [self.tabBarController setSelectedIndex:4];
    [self performSelector:@selector(selectMore:) withObject:newViewController afterDelay:0.1f];
    - (void) selectMore:(UIViewController *)controller
    [self.tabBarController.moreNavigationController pushViewController:controller animated:NO];
    It's does the job, but the "More..." list is shortly displayed before the newViewController is displayed.
    Is there another way to handle this problem?

  • Is there a way to select MULTIPLE tabs and then copy ALL of the the URLs and titles/or URLs+titles+HTML links? This can be done with the Multiple Tab Handler add on; However, I prefer to use a Firefox feature rather than download an add on. Thanks.

    Currently, I can copy ONE tab's url and nothing else (not its name). Or I can bookmark all tabs that are open. However, I'd like to have the ability to select multiple tabs and then copy ALL of the the URLs AND their titles/or copy ALL of the URLs+titles+HTML links? This can be done with the Multiple Tab Handler add on; when I download the add on, I get a message saying that using the add on will disable Firefox's tab features. I prefer to use Firefox features rather than download and use an add on. Is there a way to do this without an add on?

    Hi LRagsdale517,
    You should definitely be able to upload multiple files by Shift-clicking or Ctrl-clicking the files you want to upload. Just to make sure you don't have an old version of the service cached, please clear the browser cache and then log in to https://cloud.acrobat.com/files. After clicking the File Upload icon in the upper-right corner, you should be able so select multiple files for upload.
    Please let us know how it goes.
    Best,
    Sara

  • Itunes 10.6.1.7 problem: when I change the file "media type" from 'Music' to 'Podcast' the file disapears from ITUNES. I do this via (1) right click, (2) select 'Get Info', (3) select 'options' tab, and (4) change media type. What is the problem?

    Itunes 10.6.1.7 problem: when I change the file "media type" from 'Music' to 'Podcast' the file disapears from ITUNES. I do this via (1) right click, (2) select 'Get Info', (3) select 'options' tab, and (4) change media type. What is the problem?

    Hi Memalyn
    Essentially, the bare issue is that you have a 500GB hard drive with only 10GB free. That is not sufficient to run the system properly. The two options you have are to move/remove files to another location, or to install a larger hard drive (eg 2TB). Drive space has nothing to do with SMC firmware, and usually large media files are to blame.
    My first recommendation is this: download and run the free OmniDiskSweeper. This will identify the exact size of all your folders - you can drill down into the subfolders and figure out where your largest culprits are. For example, you might find that your Pictures folder contains both an iPhoto Library and copies that you've brought in from a camera but are outside the iPhoto Library structure. Or perhaps you have a lot of purchased video content in iTunes.
    If you find files that you KNOW you do not need, you can delete them. Don't delete them just because you have a backup, since if the backup fails, you will lose all your copies.
    Don't worry about "cleaners" for now - they don't save much space and can actually cause problems. Deal with the large file situation first and see how you get on.
    Let us know what you find out, and if you manage to get your space back.
    Matt

  • Select * from tab is not working in oracle 10g

    select * from tab is not working in oracle 10g. But at the same time,
    select * from <<table>> is working.
    Please advise me.

    This works for me in 10.2.0.2
    Connected to:
    Oracle Database 10g Enterprise Edition Release 10.2.0.2.0 - 64bit Production
    With the Partitioning, OLAP and Data Mining options
    SQL> select * from tab;
    TNAME                          TABTYPE            CLUSTERID
    LOAN_DETAIL                    TABLE
    PLAN_TABLE                     TABLE
    ...

  • Firefox 8.0 No New Tab displays next to open tab, have to manually select new tab

    I am no longer seeing a New Tab when I have a tab in use... in FF 3.6, & 4.0 when I opened a site in a tab, then a New Tab would automatically appear to the right of the tab in use... I checked tab settings in OPTIONS, and all correct.... So now I have to manually select "New Tab" if I want to open a new tab....and it's not opening a new site into a new tab as is selected in OPTIONS, instead it opens in the current tab, so it's overriding the tab I am on... very frustrating.. How can I go back to FF 4.0????? thanks TB

    Do you have any themes installed?
    Tools -> Add-ons -> Appearance
    If so, try selecting the default theme and restart the browser.
    Also check to see if you can add the "+" by right-clicking on tab toolbar in a blank area and selecting "Customize...". Then select the "+" button from the list of available buttons and drag it to the right of the rightmost tab.
    Another method:
    1. Right click somewhere on the toolbar area and select Customize.
    2. Add flexible space to the far right side of the tabs toolbar, to the left of the (now white) "+" icon.

  • Safari in Lion keeps crashing when selecting a tab...

    Hi =)
    My Safari keeps crashing. I have two tabs open, just normal advertising websites for Amnesty. Everytime I try to select these tabs or when I quit these tabs or when I quit Safari (and Safari quits these tabs) it crashes.. And they keep coming back ofcourse with resume. Can anyone help me? The report says:
    Process:         Safari [2525]
    Path:            /Applications/Safari.app/Contents/MacOS/Safari
    Identifier:      com.apple.Safari
    Version:         5.1 (7534.48.3)
    Build Info:      WebBrowser-7534048003000000~1
    Code Type:       X86-64 (Native)
    Parent Process:  launchd [156]
    Date/Time:       2011-07-30 14:22:15.162 +0200
    OS Version:      Mac OS X 10.7 (11A511)
    Report Version:  9
    Interval Since Last Report:          47605 sec
    Crashes Since Last Report:           24
    Per-App Interval Since Last Report:  39460 sec
    Per-App Crashes Since Last Report:   24
    Anonymous UUID:                      1D60CAAB-BD0C-444E-BF51-9694FEEA4BDF
    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Exception Type:  EXC_BAD_ACCESS (SIGSEGV)
    Exception Codes: KERN_INVALID_ADDRESS at 0x00000007ffffffe8
    VM Regions Near 0x7ffffffe8:
        __LINKEDIT             0000000200bf3000-0000000200c35000 [  264K] r--/rwx SM=COW  /System/Library/Extensions/GeForceGLDriver.bundle/Contents/MacOS/GeForceGLDrive r
    -->
        JS JIT generated code  00005340d1800000-00005340d9800000 [128.0M] rwx/rwx SM=PRV 
    Application Specific Information:
    Enabled Extensions:
    com.revision1.saveforlater-5C3KMPL7P9 (7 - 1.16) Save For Later
    com.agilebits.onepassword-safari-2BUA8C4S2C (30982 - 3.7.b1) 1Password (beta)
    objc[2525]: garbage collection is OFF
    Thread 0 Crashed:: Dispatch queue: com.apple.main-thread
    0   com.apple.WebKit2                       0x00007fff89c43f42 WebKit::WebBackForwardList::backItem() + 20
    1   com.apple.WebKit2                       0x00007fff89c43f22 WebKit::WebPageProxy::canGoBack() const + 16
    2   com.apple.WebKit2                       0x00007fff89c43f0b WKPageCanGoBack + 9
    3   com.apple.Safari.framework              0x00007fff87906819 Safari::WK::Page::canGoBack() const + 17
    4   com.apple.Safari.framework              0x00007fff87792113 Safari::BrowserContentViewController::canGoBack() const + 49
    5   com.apple.Safari.framework              0x00007fff877ec712 -[BrowserWindowControllerMac(Internal) _canGoBack] + 42
    6   com.apple.Safari.framework              0x00007fff877e53fc -[BrowserWindowControllerMac validateUserInterfaceItem:] + 92
    7   com.apple.Safari.framework              0x00007fff879991d5 -[NSControl(BrowserToolbarExtras) validateAsToolbarViewOrSubview] + 165
    8   com.apple.Safari.framework              0x00007fff87999335 -[NSView(BrowserToolbarExtras) validateControls] + 102
    9   com.apple.AppKit                        0x00007fff887143c3 -[NSToolbar validateVisibleItems] + 192
    10  com.apple.AppKit                        0x00007fff8871428f -[NSToolbar _autovalidateVisibleToolbarItems] + 86
    11  com.apple.AppKit                        0x00007fff8871420d __-[NSToolbarView _scheduleDelayedValidationAfterTime:]_block_invoke_1 + 144
    12  libdispatch.dylib                       0x00007fff8f3ff90a _dispatch_call_block_and_release + 18
    13  libdispatch.dylib                       0x00007fff8f401c57 _dispatch_after_timer_callback + 16
    14  libdispatch.dylib                       0x00007fff8f4042f1 _dispatch_source_invoke + 614
    15  libdispatch.dylib                       0x00007fff8f400fc7 _dispatch_queue_invoke + 71
    16  libdispatch.dylib                       0x00007fff8f401747 _dispatch_main_queue_callback_4CF + 257
    17  com.apple.CoreFoundation                0x00007fff8ae9fc0c __CFRunLoopRun + 1724
    18  com.apple.CoreFoundation                0x00007fff8ae9f216 CFRunLoopRunSpecific + 230
    19  com.apple.HIToolbox                     0x00007fff8f51f4ff RunCurrentEventLoopInMode + 277
    20  com.apple.HIToolbox                     0x00007fff8f526c21 ReceiveNextEventCommon + 355
    21  com.apple.HIToolbox                     0x00007fff8f526aae BlockUntilNextEventMatchingListInMode + 62
    22  com.apple.AppKit                        0x00007fff8864a191 _DPSNextEvent + 659
    23  com.apple.AppKit                        0x00007fff88649a95 -[NSApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 135
    24  com.apple.Safari.framework              0x00007fff87783135 -[BrowserApplication nextEventMatchingMask:untilDate:inMode:dequeue:] + 171
    25  com.apple.AppKit                        0x00007fff886463d6 -[NSApplication run] + 463
    26  com.apple.AppKit                        0x00007fff888c452a NSApplicationMain + 867
    27  com.apple.Safari.framework              0x00007fff87935725 SafariMain + 197
    28  com.apple.Safari                        0x0000000102277f24 0x102277000 + 3876
    Thread 1:: Dispatch queue: com.apple.libdispatch-manager
    0   libsystem_kernel.dylib                  0x00007fff8df057e6 kevent + 10
    1   libdispatch.dylib                       0x00007fff8f40160e _dispatch_mgr_invoke + 923
    2   libdispatch.dylib                       0x00007fff8f40019e _dispatch_mgr_thread + 54
    Thread 2:: WebCore: IconDatabase
    0   libsystem_kernel.dylib                  0x00007fff8df04bca __psynch_cvwait + 10
    1   libsystem_c.dylib                       0x00007fff8d139274 _pthread_cond_wait + 840
    2   com.apple.WebCore                       0x00007fff8427dda5 WebCore::IconDatabase::syncThreadMainLoop() + 375
    3   com.apple.WebCore                       0x00007fff8427b71d WebCore::IconDatabase::iconDatabaseSyncThread() + 489
    4   com.apple.WebCore                       0x00007fff8427b52b WebCore::IconDatabase::iconDatabaseSyncThreadStart(void*) + 9
    5   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    6   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 3:: CoreAnimation render server
    0   libsystem_kernel.dylib                  0x00007fff8df0367a mach_msg_trap + 10
    1   libsystem_kernel.dylib                  0x00007fff8df02d71 mach_msg + 73
    2   com.apple.QuartzCore                    0x00007fff8a522ce9 CA::Render::Server::server_thread(void*) + 184
    3   com.apple.QuartzCore                    0x00007fff8a522c29 thread_fun + 24
    4   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    5   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 4:: Safari: CertRevocationChecker
    0   libsystem_kernel.dylib                  0x00007fff8df0367a mach_msg_trap + 10
    1   libsystem_kernel.dylib                  0x00007fff8df02d71 mach_msg + 73
    2   com.apple.CoreFoundation                0x00007fff8ae9729c __CFRunLoopServiceMachPort + 188
    3   com.apple.CoreFoundation                0x00007fff8ae9fa04 __CFRunLoopRun + 1204
    4   com.apple.CoreFoundation                0x00007fff8ae9f216 CFRunLoopRunSpecific + 230
    5   com.apple.Safari.framework              0x00007fff878f0147 Safari::MessageRunLoop::threadBody() + 163
    6   com.apple.Safari.framework              0x00007fff878f009f Safari::MessageRunLoop::threadCallback(void*) + 9
    7   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    8   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 5:: WebCore: LocalStorage
    0   libsystem_kernel.dylib                  0x00007fff8df04bca __psynch_cvwait + 10
    1   libsystem_c.dylib                       0x00007fff8d139274 _pthread_cond_wait + 840
    2   com.apple.JavaScriptCore                0x00007fff8eef7ba0 ***::ThreadCondition::timedWait(***::Mutex&, double) + 64
    3   com.apple.WebCore                       0x00007fff8429a2ba ***::MessageQueue<WebCore::LocalStorageTask>::waitForMessage() + 132
    4   com.apple.WebCore                       0x00007fff8429a213 WebCore::LocalStorageThread::threadEntryPoint() + 99
    5   com.apple.WebCore                       0x00007fff8429a15b WebCore::LocalStorageThread::threadEntryPointCallback(void*) + 9
    6   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    7   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 6:: com.apple.NSURLConnectionLoader
    0   libsystem_kernel.dylib                  0x00007fff8df0367a mach_msg_trap + 10
    1   libsystem_kernel.dylib                  0x00007fff8df02d71 mach_msg + 73
    2   com.apple.CoreFoundation                0x00007fff8ae9729c __CFRunLoopServiceMachPort + 188
    3   com.apple.CoreFoundation                0x00007fff8ae9fa04 __CFRunLoopRun + 1204
    4   com.apple.CoreFoundation                0x00007fff8ae9f216 CFRunLoopRunSpecific + 230
    5   com.apple.Foundation                    0x00007fff83f1da97 +[NSURLConnection(NSURLConnectionReallyInternal) _resourceLoadLoop:] + 335
    6   com.apple.Foundation                    0x00007fff83f121ea -[NSThread main] + 68
    7   com.apple.Foundation                    0x00007fff83f12162 __NSThread__main__ + 1575
    8   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    9   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 7:: Safari: SafeBrowsingManager
    0   libsystem_kernel.dylib                  0x00007fff8df0367a mach_msg_trap + 10
    1   libsystem_kernel.dylib                  0x00007fff8df02d71 mach_msg + 73
    2   com.apple.CoreFoundation                0x00007fff8ae9729c __CFRunLoopServiceMachPort + 188
    3   com.apple.CoreFoundation                0x00007fff8ae9fa04 __CFRunLoopRun + 1204
    4   com.apple.CoreFoundation                0x00007fff8ae9f216 CFRunLoopRunSpecific + 230
    5   com.apple.Safari.framework              0x00007fff878f0147 Safari::MessageRunLoop::threadBody() + 163
    6   com.apple.Safari.framework              0x00007fff878f009f Safari::MessageRunLoop::threadCallback(void*) + 9
    7   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    8   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 8:: Safari: SnapshotStore
    0   libsystem_kernel.dylib                  0x00007fff8df04bca __psynch_cvwait + 10
    1   libsystem_c.dylib                       0x00007fff8d139274 _pthread_cond_wait + 840
    2   com.apple.JavaScriptCore                0x00007fff8eef7ba0 ***::ThreadCondition::timedWait(***::Mutex&, double) + 64
    3   com.apple.Safari.framework              0x00007fff8796703f Safari::MessageQueue<***::RefPtr<Safari::SnapshotStore::DiskAccessMessage> >::waitForMessage(***::RefPtr<Safari::SnapshotStore::DiskAccessMessage>&) + 125
    4   com.apple.Safari.framework              0x00007fff879647bb Safari::SnapshotStore::diskAccessThreadBody() + 305
    5   com.apple.Safari.framework              0x00007fff8796418b Safari::SnapshotStore::diskAccessThreadCallback(void*) + 9
    6   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    7   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 9:: WebCore: Database
    0   libsystem_kernel.dylib                  0x00007fff8df04bca __psynch_cvwait + 10
    1   libsystem_c.dylib                       0x00007fff8d139274 _pthread_cond_wait + 840
    2   com.apple.JavaScriptCore                0x00007fff8eef7ba0 ***::ThreadCondition::timedWait(***::Mutex&, double) + 64
    3   com.apple.WebCore                       0x00007fff848bd26a ***::MessageQueue<WebCore::DatabaseTask>::waitForMessage() + 134
    4   com.apple.WebCore                       0x00007fff848bcf54 WebCore::DatabaseThread::databaseThread() + 132
    5   com.apple.WebCore                       0x00007fff848bce03 WebCore::DatabaseThread::databaseThreadStart(void*) + 9
    6   libsystem_c.dylib                       0x00007fff8d1358bf _pthread_start + 335
    7   libsystem_c.dylib                       0x00007fff8d138b75 thread_start + 13
    Thread 10:
    0   libsystem_kernel.dylib                  0x00007fff8df05192 __workq_kernreturn + 10
    1   libsystem_c.dylib                       0x00007fff8d137594 _pthread_wqthread + 758
    2   libsystem_c.dylib                       0x00007fff8d138b85 start_wqthread + 13
    Thread 11:
    0   libsystem_kernel.dylib                  0x00007fff8df05192 __workq_kernreturn + 10
    1   libsystem_c.dylib                       0x00007fff8d137594 _pthread_wqthread + 758
    2   libsystem_c.dylib                       0x00007fff8d138b85 start_wqthread + 13
    Thread 12:
    0   libsystem_kernel.dylib                  0x00007fff8df05192 __workq_kernreturn + 10
    1   libsystem_c.dylib                       0x00007fff8d137594 _pthread_wqthread + 758
    2   libsystem_c.dylib                       0x00007fff8d138b85 start_wqthread + 13
    Thread 0 crashed with X86 Thread State (64-bit):
      rax: 0x00000000fffffffd  rbx: 0x0000000103f96000  rcx: 0x0000000000000000  rdx: 0x00007fff74257698
      rdi: 0x000000010d9abb40  rsi: 0x00007fff87a31416  rbp: 0x00007fff61e75520  rsp: 0x00007fff61e75520
       r8: 0x00007fe8838a61f0   r9: 0x0000000000000004  r10: 0x0000000105e51a60  r11: 0x00007fe8820192a8
      r12: 0x0000000000000000  r13: 0x00007fff74000c40  r14: 0x00007fff61e75568  r15: 0x00000001023311f0
      rip: 0x00007fff89c43f42  rfl: 0x0000000000010246  cr2: 0x00000007ffffffe8
    Logical CPU: 1
    Binary Images:
           0x102277000 -        0x102277fff  com.apple.Safari (5.1 - 7534.48.3) <C23CF439-A7C3-3A27-A80B-DE92FAF9ADE8> /Applications/Safari.app/Contents/MacOS/Safari
           0x106aae000 -        0x106ab4fef  libcldcpuengine.dylib (1.50.61 - compatibility 1.0.0) <EAC03E33-595E-3829-8199-479FA5CD9987> /System/Library/Frameworks/OpenCL.framework/Libraries/libcldcpuengine.dylib
           0x106aba000 -        0x106abdff7  libCoreFSCache.dylib (??? - ???) <783C2402-CA3F-3D9B-B909-0F251145CF1D> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCoreFSCache .dylib
           0x106ad2000 -        0x106ad2ffd +cl_kernels (??? - ???) <0C75D0C7-5504-4333-97DE-DE924B3D8F16> cl_kernels
           0x106ad4000 -        0x106b67ff7  unorm8_bgra.dylib (1.50.61 - compatibility 1.0.0) <3ED8B0D5-4A55-3E39-8490-B7BC1780F67B> /System/Library/Frameworks/OpenCL.framework/Libraries/ImageFormats/unorm8_bgra. dylib
           0x106c0c000 -        0x106c0dff3 +cl_kernels (??? - ???) <2135F670-E89D-4046-A325-3832ECCD5EE1> cl_kernels
           0x106d54000 -        0x106d55ffc +cl_kernels (??? - ???) <C3219032-F7EE-4D3E-8204-8EF3B61506BD> cl_kernels
           0x106f1a000 -        0x106f48ff7  GLRendererFloat (??? - ???) <AB59F7EA-62B1-3AA6-B940-47C0B6BC6DD9> /System/Library/Frameworks/OpenGL.framework/Resources/GLRendererFloat.bundle/GL RendererFloat
           0x1073c4000 -        0x10755cff7  GLEngine (??? - ???) <EE6CCAE3-1CA1-3C5E-A83C-BB56AB413AB3> /System/Library/Frameworks/OpenGL.framework/Resources/GLEngine.bundle/GLEngine
           0x10758f000 -        0x107688fff  libGLProgrammability.dylib (??? - ???) <7B17211F-D04C-3916-8176-1930C24BA421> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLProgramma bility.dylib
           0x1076ae000 -        0x10870dfef  com.apple.driver.AppleIntelHDGraphicsGLDriver (7.2.9 - 7.0.2) <410F7BE3-2DC1-39E0-9E58-D3A2B91A4DB7> /System/Library/Extensions/AppleIntelHDGraphicsGLDriver.bundle/Contents/MacOS/A ppleIntelHDGraphicsGLDriver
           0x109431000 -        0x109432ff3 +cl_kernels (??? - ???) <17B1E64D-8FA4-42AC-8158-DAE9441CFD52> cl_kernels
           0x10992e000 -        0x1099bfff7  unorm8_rgba.dylib (1.50.61 - compatibility 1.0.0) <278541F2-18CC-3BE4-AD6B-24A3E983ACB5> /System/Library/Frameworks/OpenCL.framework/Libraries/ImageFormats/unorm8_rgba. dylib
           0x1099de000 -        0x1099dfffe +cl_kernels (??? - ???) <66A8EC87-59AC-4A2B-AF3E-84B6B7A6F148> cl_kernels
           0x200000000 -        0x20075ffff  com.apple.GeForceGLDriver (7.2.9 - 7.0.2) <5DB4B25D-E5DA-3EEB-A979-13FCBFA7958B> /System/Library/Extensions/GeForceGLDriver.bundle/Contents/MacOS/GeForceGLDrive r
        0x7fff61e77000 -     0x7fff61eabac7  dyld (195.5 - ???) <4A6E2B28-C7A2-3528-ADB7-4076B9836041> /usr/lib/dyld
        0x7fff834ee000 -     0x7fff83909ff7  com.apple.RawCamera.bundle (3.7.2 - 573) <FF8D349E-E8DF-3D12-91E9-BA00C13D5359> /System/Library/CoreServices/RawCamera.bundle/Contents/MacOS/RawCamera
        0x7fff8390a000 -     0x7fff83b78ff7  com.apple.QuartzComposer (5.0 - 232) <CE01B3AC-C19F-3148-9301-615E8FD6F356> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuartzCompose r.framework/Versions/A/QuartzComposer
        0x7fff83b79000 -     0x7fff83b9dff7  com.apple.Kerberos (1.0 - 1) <2FF2569B-F59A-371E-AF33-66297F512CB3> /System/Library/Frameworks/Kerberos.framework/Versions/A/Kerberos
        0x7fff83b9e000 -     0x7fff83c20fff  com.apple.Metadata (10.7.0 - 627.9) <F293A9A7-9790-3629-BE81-D19C158C5EA4> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadat a.framework/Versions/A/Metadata
        0x7fff83c23000 -     0x7fff83c27fff  libdyld.dylib (195.5.0 - compatibility 1.0.0) <F1903B7A-D3FF-3390-909A-B24E09BAD1A5> /usr/lib/system/libdyld.dylib
        0x7fff83c28000 -     0x7fff83c2dfff  libcompiler_rt.dylib (6.0.0 - compatibility 1.0.0) <98ECD5F6-E85C-32A5-98CD-8911230CB66A> /usr/lib/system/libcompiler_rt.dylib
        0x7fff83c6f000 -     0x7fff83d74ff7  libFontParser.dylib (??? - ???) <22AADE96-E54D-3918-9DFA-1967F8B21E54> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/Resources/libFontParser.dylib
        0x7fff83d75000 -     0x7fff83db4ff7  libGLImage.dylib (??? - ???) <29F82AD9-45F0-3AC5-A4A4-B767EC555D82> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dyl ib
        0x7fff83db5000 -     0x7fff83db7ff7  com.apple.print.framework.Print (7.0 - 247) <579D7E49-A7F4-3C41-9434-3114B8A9B96C> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framewo rk/Versions/A/Print
        0x7fff83dd3000 -     0x7fff83e27ff7  com.apple.ImageCaptureCore (3.0 - 3.0) <C829E6A3-3EB6-3E1C-B9B8-759F56E34D3A> /System/Library/Frameworks/ImageCaptureCore.framework/Versions/A/ImageCaptureCo re
        0x7fff83e28000 -     0x7fff83e7bfff  libFontRegistry.dylib (??? - ???) <8FE14D77-1286-3619-A02E-0AC1A622596E> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/Resources/libFontRegistry.dylib
        0x7fff83e86000 -     0x7fff83e89fff  libRadiance.dylib (??? - ???) <DCDA308D-4856-3631-B6D7-7A8B94169BC0> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libRadiance.dylib
        0x7fff83e8a000 -     0x7fff83eb7fff  com.apple.quartzfilters (1.7.0 - 1.7.0) <ED846829-EBF1-3E2F-9EA6-D8743E5A4784> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuartzFilters .framework/Versions/A/QuartzFilters
        0x7fff83eb8000 -     0x7fff841cafff  com.apple.Foundation (6.7 - 833.1) <618D7923-3519-3C53-9CBD-CF3C7130CB32> /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation
        0x7fff84205000 -     0x7fff8425cfff  libTIFF.dylib (??? - ???) <9E32B490-4C5B-3D96-AF27-9C085C606403> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libTIFF.dylib
        0x7fff8426b000 -     0x7fff84276ff7  com.apple.speech.recognition.framework (4.0.19 - 4.0.19) <7ADAAF5B-1D78-32F2-9FFF-D2E3FBB41C2B> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecogni tion.framework/Versions/A/SpeechRecognition
        0x7fff84277000 -     0x7fff84f70fef  com.apple.WebCore (7534 - 7534.48.3) <7C5A681C-3749-382C-9551-C197EF878C22> /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.frame work/Versions/A/WebCore
        0x7fff84ffa000 -     0x7fff8507fff7  com.apple.Heimdal (2.1 - 2.0) <E4CD970F-8DE8-31E4-9FC0-BDC97EB924D5> /System/Library/PrivateFrameworks/Heimdal.framework/Versions/A/Heimdal
        0x7fff85080000 -     0x7fff852faff7  com.apple.imageKit (2.1 - 1.0) <03200568-184B-36E8-AFE9-04D1FACDC926> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/ImageKit.fram ework/Versions/A/ImageKit
        0x7fff855a2000 -     0x7fff855a3fff  libdnsinfo.dylib (395.6.0 - compatibility 1.0.0) <718A135F-6349-354A-85D5-430B128EFD57> /usr/lib/system/libdnsinfo.dylib
        0x7fff855a4000 -     0x7fff855a4fff  com.apple.ApplicationServices (41 - 41) <03F3FA8F-8D2A-3AB6-A8E3-40B001116339> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Application Services
        0x7fff855a5000 -     0x7fff855bcfff  com.apple.MultitouchSupport.framework (220.62 - 220.62) <7EF58A7E-CB97-335F-A025-4A0F00AEF896> /System/Library/PrivateFrameworks/MultitouchSupport.framework/Versions/A/Multit ouchSupport
        0x7fff855bd000 -     0x7fff8562bfff  com.apple.CoreSymbolication (2.1 - 66) <E1582596-4157-3535-BF1F-3BAE92A0B09F> /System/Library/PrivateFrameworks/CoreSymbolication.framework/Versions/A/CoreSy mbolication
        0x7fff8562c000 -     0x7fff8562cfff  com.apple.Carbon (153 - 153) <895C2BF2-1666-3A59-A669-311B1F4F368B> /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon
        0x7fff856a2000 -     0x7fff856a8fff  IOSurface (??? - ???) <06FA3FDD-E6D5-391F-B60D-E98B169DAB1B> /System/Library/Frameworks/IOSurface.framework/Versions/A/IOSurface
        0x7fff856a9000 -     0x7fff856abfff  com.apple.TrustEvaluationAgent (2.0 - 1) <80AFB5D8-5CC4-3A38-83B9-A7DF5820031A> /System/Library/PrivateFrameworks/TrustEvaluationAgent.framework/Versions/A/Tru stEvaluationAgent
        0x7fff856ac000 -     0x7fff8578aff7  com.apple.ImageIO.framework (3.1.0 - 3.1.0) <70228E69-063C-32FF-BBE7-FCCD9C5C0864> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/ImageIO
        0x7fff8578b000 -     0x7fff8588dff7  com.apple.PubSub (1.0.5 - 65.28) <D971543B-C9BE-3C58-8453-B3C69E2D2A6F> /System/Library/Frameworks/PubSub.framework/Versions/A/PubSub
        0x7fff8588e000 -     0x7fff8588efff  com.apple.CoreServices (53 - 53) <5946A0A6-393D-3087-86A0-4FFF6A305CC0> /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices
        0x7fff8588f000 -     0x7fff85a19fff  com.apple.WebKit (7534 - 7534.48.3) <03AC8252-B3A1-3A7C-9DAF-99CC9DC56D5D> /System/Library/Frameworks/WebKit.framework/Versions/A/WebKit
        0x7fff85a1a000 -     0x7fff85b73ff7  com.apple.audio.toolbox.AudioToolbox (1.7 - 1.7) <296F10D0-A871-39C1-B8B2-9200AB12B5AF> /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox
        0x7fff85bc6000 -     0x7fff85bc8fff  libquarantine.dylib (36.0.0 - compatibility 1.0.0) <4C3BFBC7-E592-3939-B376-1C2E2D7C5389> /usr/lib/system/libquarantine.dylib
        0x7fff85bc9000 -     0x7fff85be8fff  libresolv.9.dylib (46.0.0 - compatibility 1.0.0) <33263568-E6F3-359C-A4FA-66AD1300F7D4> /usr/lib/libresolv.9.dylib
        0x7fff85be9000 -     0x7fff85d73ff7  com.apple.QTKit (7.7.1 - 2246) <C8A57DE8-A86A-34B6-B6BA-565EE3B6D140> /System/Library/Frameworks/QTKit.framework/Versions/A/QTKit
        0x7fff85db8000 -     0x7fff85f1bfff  com.apple.CFNetwork (520.0.13 - 520.0.13) <67E3BB43-2A22-3F5A-964E-391375B24CE0> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CFNetwo rk.framework/Versions/A/CFNetwork
        0x7fff85f46000 -     0x7fff85f71fff  libpcre.0.dylib (1.1.0 - compatibility 1.0.0) <7D3CDB0A-840F-3856-8F84-B4A50E66431B> /usr/lib/libpcre.0.dylib
        0x7fff85f72000 -     0x7fff85f74fff  libCVMSPluginSupport.dylib (??? - ???) <2D21E6BE-CB20-3F76-8DCC-1CB0660A8A5B> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCVMSPluginS upport.dylib
        0x7fff85f75000 -     0x7fff85f75fff  com.apple.Accelerate.vecLib (3.7 - vecLib 3.7) <4CC14F7C-BCA7-3CAC-BEC9-B06576E5A15B> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/vecLib
        0x7fff85f76000 -     0x7fff85f85fff  com.apple.opengl (1.7.4 - 1.7.4) <38AF4430-7E81-3C98-9330-21DCDA90507E> /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL
        0x7fff85f86000 -     0x7fff85f9cff7  com.apple.ImageCapture (7.0 - 7.0) <69E6E2E1-777E-332E-8BCF-4F0611517DD0> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture. framework/Versions/A/ImageCapture
        0x7fff85fa1000 -     0x7fff85fbeff7  com.apple.openscripting (1.3.3 - ???) <A64205E6-D3C5-3E12-B1A0-72243151AF7D> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting .framework/Versions/A/OpenScripting
        0x7fff85fbf000 -     0x7fff860bdff7  com.apple.QuickLookUIFramework (3.0 - 489.1) <A8A82434-D43D-3F12-9321-B2E8EC9B4B8E> /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuickLookUI.f ramework/Versions/A/QuickLookUI
        0x7fff860be000 -     0x7fff860c1fff  com.apple.help (1.3.2 - 42) <AB67588E-7227-3993-927F-C9E6DAC507FD> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framewor k/Versions/A/Help
        0x7fff860c2000 -     0x7fff860c5fff  libCoreVMClient.dylib (??? - ???) <9E9F7B24-567C-3102-909C-219CF2B191FD> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCoreVMClien t.dylib
        0x7fff860c6000 -     0x7fff860c7fff  libDiagnosticMessagesClient.dylib (??? - ???) <3DCF577B-F126-302B-BCE2-4DB9A95B8598> /usr/lib/libDiagnosticMessagesClient.dylib
        0x7fff860c8000 -     0x7fff8611aff7  libGLU.dylib (??? - ???) <C3CE8BA0-470F-3BCE-B17C-A31E70E035F2> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib
        0x7fff8617d000 -     0x7fff8617dfff  com.apple.audio.units.AudioUnit (1.7 - 1.7) <D75971EE-0D74-365A-8E52-46558EA49E87> /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit
        0x7fff8617e000 -     0x7fff8618bfff  libCSync.A.dylib (600.0.0 - compatibility 64.0.0) <931F40EB-CA75-3A90-AC97-4DB8E210BC76> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCSync.A.dylib
        0x7fff8618c000 -     0x7fff861ceff7  libcommonCrypto.dylib (55010.0.0 - compatibility 1.0.0) <A5B9778E-11C3-3F61-B740-1F2114E967FB> /usr/lib/system/libcommonCrypto.dylib
        0x7fff861cf000 -     0x7fff861e4fff  com.apple.speech.synthesis.framework (4.0.74 - 4.0.74) <C061ECBB-7061-3A43-8A18-90633F943295> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ SpeechSynthesis.framework/Versions/A/SpeechSynthesis
        0x7fff861e5000 -     0x7fff861f7ff7  libbsm.0.dylib (??? - ???) <349BB16F-75FA-363F-8D98-7A9C3FA90A0D> /usr/lib/libbsm.0.dylib
        0x7fff861f8000 -     0x7fff86237fff  com.apple.AE (527.6 - 527.6) <6F8DF9EF-3250-3B7F-8841-FCAD8E323954> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/AE.fram ework/Versions/A/AE
        0x7fff86238000 -     0x7fff86238fff  com.apple.vecLib (3.7 - vecLib 3.7) <29927F20-262F-379C-9108-68A6C69A03D0> /System/Library/Frameworks/vecLib.framework/Versions/A/vecLib
        0x7fff8623f000 -     0x7fff862b5fff  com.apple.ISSupport (1.9.8 - 56) <2CEE7E6B-D841-36D8-BC9F-081B33F6E501> /System/Library/PrivateFrameworks/ISSupport.framework/Versions/A/ISSupport
        0x7fff862b6000 -     0x7fff863b2ff7  com.apple.avfoundation (2.0 - 180.23) <C4383696-561D-33F3-AD7C-51E672F580B2> /System/Library/Frameworks/AVFoundation.framework/Versions/A/AVFoundation
        0x7fff863b3000 -     0x7fff863c1fff  com.apple.NetAuth (1.0 - 3.0) <F384FFFD-70F6-3B1C-A886-F5B446E456E7> /System/Library/PrivateFrameworks/NetAuth.framework/Versions/A/NetAuth
        0x7fff86748000 -     0x7fff867b2fff  com.apple.framework.IOKit (2.0 - ???) <F79E7690-EF97-3D04-BA22-177E256803AF> /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit
        0x7fff867b3000 -     0x7fff86be5fe7  com.apple.VideoToolbox (1.0 - 705.35) <B1B9F159-EEE2-38BB-A55E-CDB335A7A226> /System/Library/PrivateFrameworks/VideoToolbox.framework/Versions/A/VideoToolbo x
        0x7fff86c5a000 -     0x7fff86cbafff  libvDSP.dylib (325.3.0 - compatibility 1.0.0) <74B62E70-4189-3022-8FC9-1182EA7C6E34> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libvDSP.dylib
        0x7fff86cfa000 -     0x7fff87127fff  libLAPACK.dylib (??? - ???) <4F2E1055-2207-340B-BB45-E4F16171EE0D> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libLAPACK.dylib
        0x7fff8712a000 -     0x7fff8770efaf  libBLAS.dylib (??? - ???) <D62D6A48-5C7A-3ED6-875D-AA3C2C5BF791> /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.fr amework/Versions/A/libBLAS.dylib
        0x7fff8772b000 -     0x7fff87bb5fff  com.apple.Safari.framework (7534 - 7534.48.3) <287305A0-D3A2-3D28-8B46-41548687741B> /System/Library/PrivateFrameworks/Safari.framework/Versions/A/Safari
        0x7fff87bb6000 -     0x7fff87bb9ff7  com.apple.securityhi (4.0 - 1) <B37B8946-BBD4-36C1-ABC6-18EDBC573F03> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.fr amework/Versions/A/SecurityHI
        0x7fff87bba000 -     0x7fff87bbefff  libCGXType.A.dylib (600.0.0 - compatibility 64.0.0) <5EEAD17D-006C-3855-8093-C7A4A97EE0D0> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libCGXType.A.dylib
        0x7fff87bbf000 -     0x7fff87bc4fff  libpam.2.dylib (3.0.0 - compatibility 3.0.0) <D952F17B-200A-3A23-B9B2-7C1F7AC19189> /usr/lib/libpam.2.dylib
        0x7fff87bc5000 -     0x7fff87cd1fef  libcrypto.0.9.8.dylib (0.9.8 - compatibility 0.9.8) <3AD29F8D-E3BC-3F49-A438-2C8AAB71DC99> /usr/lib/libcrypto.0.9.8.dylib
        0x7fff87cd2000 -     0x7fff87d71fff  com.apple.LaunchServices (480.19 - 480.19) <41ED4C8B-C74B-34EA-A9BF-34DBA5F52307> /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/LaunchS ervices.framework/Versions/A/LaunchServices
        0x7fff87dc7000 -     0x7fff8855bfff  com.apple.CoreAUC (6.11.03 - 6.11.03) <5A56B2DC-A0A6-357B-ADF2-5714AFEBD926> /System/Library/PrivateFrameworks/CoreAUC.framework/Versions/A/CoreAUC
        0x7fff8855c000 -     0x7fff88561ff7  libsystem_network.dylib (??? - ???) <4ABCEEF3-A3F9-3E06-9682-CE00F17138B7> /usr/lib/system/libsystem_network.dylib
        0x7fff885af000 -     0x7fff885c9fff  com.apple.CoreMediaAuthoring (2.0 - 889) <99D8E4C6-DDD3-3B0C-BBFB-A513877F10F6> /System/Library/PrivateFrameworks/CoreMediaAuthoring.framework/Versions/A/CoreM ediaAuthoring
        0x7fff885dd000 -     0x7fff885e2fff  libGIF.dylib (??? - ???) <21851808-BFD2-3141-8354-A419479726BF> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libGIF.dylib
        0x7fff885e3000 -     0x7fff8863fff7  com.apple.QuickLookFramework (3.0 - 489.1) <26470DFE-B3D7-3E05-A4D7-98B64FCB230B> /System/Library/Frameworks/QuickLook.framework/Versions/A/QuickLook
        0x7fff88640000 -     0x7fff88640fff  com.apple.Accelerate (1.7 - Accelerate 1.7) <3E4582EB-CFEF-34EA-9DA8-8421F1C3C77D> /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate
        0x7fff88641000 -     0x7fff89239fff  com.apple.AppKit (6.7 - 1138) <C8D2FDDA-B9D5-3948-A376-6B9B6F0596C6> /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit
        0x7fff8923a000 -     0x7fff89251fff  com.apple.CFOpenDirectory (10.7 - 144) <9709423E-8484-3B26-AAE8-EF58D1B8FB3F> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/Frameworks/CFOpen Directory.framework/Versions/A/CFOpenDirectory
        0x7fff89252000 -     0x7fff892f4ff7  com.apple.securityfoundation (5.0 - 55005) <0D59908C-A61B-389E-AF37-741ACBBA6A94> /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoun dation
        0x7fff8944b000 -     0x7fff8948eff7  libRIP.A.dylib (600.0.0 - compatibility 64.0.0) <2B1571E1-8E87-364E-BC36-C9C9B5D3EAC4> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ CoreGraphics.framework/Versions/A/Resources/libRIP.A.dylib
        0x7fff8948f000 -     0x7fff89496ff7  com.apple.CommerceCore (1.0 - 17) <AA783B87-48D4-3CA6-8FF6-0316396022F4> /System/Library/PrivateFrameworks/CommerceKit.framework/Versions/A/Frameworks/C ommerceCore.framework/Versions/A/CommerceCore
        0x7fff89497000 -     0x7fff894baff7  com.apple.RemoteViewServices (1.0 - 1) <EB549657-8EDC-312A-B8BE-DEC3E160AC3D> /System/Library/PrivateFrameworks/RemoteViewServices.framework/Versions/A/Remot eViewServices
        0x7fff897d5000 -     0x7fff897f1ff7  com.apple.GenerationalStorage (1.0 - 124) <C0290CA0-A2A0-3280-9442-9D783883D638> /System/Library/PrivateFrameworks/GenerationalStorage.framework/Versions/A/Gene rationalStorage
        0x7fff897f2000 -     0x7fff89876ff7  com.apple.ApplicationServices.ATS (5.0 - ???) <F10B1918-A06E-3ECF-85EF-05F0CF27187E> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ATS.framework/Versions/A/ATS
        0x7fff89877000 -     0x7fff8987dfff  libGFXShared.dylib (??? - ???) <DE6987C5-81AC-3AE6-84F0-138C9636D412> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGFXShared.d ylib
        0x7fff8987e000 -     0x7fff8988afff  com.apple.CrashReporterSupport (10.7 - 343) <89EFF4A7-D064-3CAE-9BFC-285EE9033197> /System/Library/PrivateFrameworks/CrashReporterSupport.framework/Versions/A/Cra shReporterSupport
        0x7fff8988b000 -     0x7fff8988cfff  com.apple.MonitorPanelFramework (1.4.0 - 1.4.0) <0F55CD76-DB24-309B-BD12-62B00C1AAB9F> /System/Library/PrivateFrameworks/MonitorPanel.framework/Versions/A/MonitorPane l
        0x7fff8988d000 -     0x7fff8989bff7  libkxld.dylib (??? - ???) <65BE345D-6618-3D1A-9E2B-255E629646AA> /usr/lib/system/libkxld.dylib
        0x7fff898cd000 -     0x7fff89934ff7  com.apple.audio.CoreAudio (4.0.0 - 4.0.0) <0B715012-C8E8-386D-9C6C-90F72AE62A2F> /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio
        0x7fff89935000 -     0x7fff89943fff  com.apple.HelpData (2.1.0 - 68) <A2C4DDC9-2ECB-37C0-A2E3-D01168EE31F7> /System/Library/PrivateFrameworks/HelpData.framework/Versions/A/HelpData
        0x7fff89954000 -     0x7fff8999ffff  com.apple.SystemConfiguration (1.11 - 1.11) <0B02FEC4-C36E-32CB-8004-2214B6793AE8> /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfi guration
        0x7fff899a0000 -     0x7fff899a1fff  liblangid.dylib (??? - ???) <CACBE3C3-2F7B-3EED-B50E-EDB73F473B77> /usr/lib/liblangid.dylib
        0x7fff89a81000 -     0x7fff89b8efff  libJP2.dylib (??? - ???) <D8257CEE-A1C3-394A-8193-6DB7C29A15A8> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libJP2.dylib
        0x7fff89b8f000 -     0x7fff89be9fff  com.apple.HIServices (1.9 - ???) <8791E8AA-C034-330D-B2BA-5141154C21CD> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ HIServices.framework/Versions/A/HIServices
        0x7fff89bea000 -     0x7fff89beeff7  com.apple.CommonPanels (1.2.5 - 94) <0BB2C436-C9D5-380B-86B5-E355A7711259> /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels. framework/Versions/A/CommonPanels
        0x7fff89bef000 -     0x7fff89c2ffff  libtidy.A.dylib (??? - ???) <E500CDB9-C010-3B1A-B995-774EE64F39BE> /usr/lib/libtidy.A.dylib
        0x7fff89c30000 -     0x7fff89dd8fff  com.apple.WebKit2 (7534 - 7534.48.3) <9F8CD6D9-3123-3F53-BAC3-D770B0812C25> /System/Library/PrivateFrameworks/WebKit2.framework/Versions/A/WebKit2
        0x7fff89dd9000 -     0x7fff89edcfff  libsqlite3.dylib (9.6.0 - compatibility 9.0.0) <ED5E84C6-646D-3B70-81D6-7AF957BEB217> /usr/lib/libsqlite3.dylib
        0x7fff89edd000 -     0x7fff89ef0ff7  libCRFSuite.dylib (??? - ???) <034D4DAA-63F0-35E4-BCEF-338DD7A453DD> /usr/lib/libCRFSuite.dylib
        0x7fff89ef1000 -     0x7fff89fe6fff  libiconv.2.dylib (7.0.0 - compatibility 7.0.0) <5C40E880-0706-378F-B864-3C2BD922D926> /usr/lib/libiconv.2.dylib
        0x7fff89fe7000 -     0x7fff8a023fff  libsystem_info.dylib (??? - ???) <BC49C624-1DAB-3A37-890F-6EFD46538424> /usr/lib/system/libsystem_info.dylib
        0x7fff8a024000 -     0x7fff8a025fff  libunc.dylib (24.0.0 - compatibility 1.0.0) <C67B3B14-866C-314F-87FF-8025BEC2CAAC> /usr/lib/system/libunc.dylib
        0x7fff8a026000 -     0x7fff8a06efff  com.apple.framework.CoreWLAN (2.0 - 200.46) <04AFD988-DDFB-330D-B042-C1EB2826A0CC> /System/Library/Frameworks/CoreWLAN.framework/Versions/A/CoreWLAN
        0x7fff8a06f000 -     0x7fff8a098ff7  com.apple.framework.Apple80211 (7.0 - 700.57) <0D7D7E08-377B-32F0-AD91-673F992B5CFF> /System/Library/PrivateFrameworks/Apple80211.framework/Versions/A/Apple80211
        0x7fff8a202000 -     0x7fff8a3c3fe7  com.apple.CoreData (103 - 358.4) <8D8ABA2E-0161-334D-A7C9-79E5297E188B> /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData
        0x7fff8a40d000 -     0x7fff8a44ffff  com.apple.corelocation (330.9 - 330.9) <ACE577F2-6EDE-3768-BF76-8632E8B81876> /System/Library/Frameworks/CoreLocation.framework/Versions/A/CoreLocation
        0x7fff8a450000 -     0x7fff8a46dfff  libPng.dylib (??? - ???) <75DA9F95-C2A1-3534-9F8B-14CFFDE2A290> /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ ImageIO.framework/Versions/A/Resources/libPng.dylib
        0x7fff8a520000 -     0x7fff8a6bffff  com.apple.QuartzCore (1.7 - 269.0) <E0AFC745-4AC5-36E3-9827-E5344721071D> /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore
        0x7fff8a71d000 -     0x7fff8a75cff7  libcups.2.dylib (2.9.0 - compatibility 2.0.0) <DE681910-3F7F-3502-9937-AB8008CD281A> /usr/lib/libcups.2.dylib
        0x7fff8a75d000 -     0x7fff8a764fff  com.apple.NetFS (4.0 - 4.0) <B9F41443-679A-31AD-B0EB-36557DAF782B> /System/Library/Frameworks/NetFS.framework/Versions/A/NetFS
        0x7fff8a768000 -     0x7fff8a77efff  libGL.dylib (??? - ???) <22064411-0A62-373C-828B-0AA2BA2A8D34> /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib
        0x7fff8a77f000 -     0x7fff8a784fff  com.apple.OpenDirectory (10.7 - 144) <E8AACF47-C423-3DCE-98F6-A811612B1B46> /System/Library/Frameworks/OpenDirectory.framework/Versions/A/OpenDirectory
        0x7fff8a7c5000 -     0x7fff8a7c5fff  com.apple.quartzframework (1.5 - 1.5) <21FCC91F-C7B9-304F-8C9C-04F3924F4AE3> /System/Library/Frameworks/Quartz.framework/Versions/A/Quartz
        0x7fff8a8c1000 -     0x7fff8a908ff7  com.apple.CoreMedia (1.0 - 705.35) <6BEC7E0A-BC2E-30DA-8E18-7AF6E8A7821F> /System/Library/Frameworks/CoreMedia.framework/Versions/A/CoreMedia
        0x7fff8a909000 -     0x7fff8accffff  com.apple.MediaToolbox (1.0 - 705.35) <EC6755D1-58BC-36F5-AB66-143D03A0AF8C> /System/Library/PrivateFrameworks/MediaToolbox.framework/Versions/A/MediaToolbo x
        0x7fff8acd0000 -     0x7fff8ad45ff7  libc++.1.dylib (19.0.0 - compatibility 1.0.0) <C0EFFF1B-0FEB-3F99-BE54-506B35B555A9> /usr/lib/libc++.1.dylib
        0x7fff8ad46000 -     0x7fff8ae5bfff  com.apple.DesktopServices (1.6.0 - 1.6.0) <208D40FC-8BBE-330F-B999-18771BEA6895> /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/Desk topServicesPriv
        0x7fff8ae67000 -     0x7fff8b03aff7  com.apple.CoreFoundation (6.7 - 635) <57446B22-0778-3E07-9690-96AC705D57E8> /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation
        0x7fff8b07f000 -     0x7fff8b526ff7  FaceCoreLight (1.4.2 - compatibility 1.0.0) <6F89E9A9-DEB6-32B5-8B50-3B97F5DB597D> /System/Library/PrivateFrameworks/FaceCoreLight.framework/Versions/A/FaceCoreLi ght

    Crashed Thread:  0  Dispatch queue: com.apple.main-thread
    Exception Type:  EXC_BAD_ACCESS (SIGSEGV)
    Exception Codes: KERN_INVALID_ADDRESS at 0x00000007ffffffe8
    VM Regions Near 0x7ffffffe8:
        __LINKEDIT             0000000200bf3000-0000000200c35000 [  264K] r--/rwx SM=COW  /System/Library/Extensions/GeForceGLDriver.bundle/Contents/MacOS/GeForceGLDrive r
    See the post by WZZZ >  https://discussions.apple.com/message/12671540?messageID=12671540&tstart=0#12671 540?messageID=12671540&tstart=0
    MacBook Pro: Distorted video or no video issues
    I've seen numerous Safari crash reports that "point" to this driver as being the culprit.

  • I have 2 tabs open & they overlap. How do I get back to full screen each time I select a tab?

    2 browser sessions are open & overlapping. When I select a tab for a browser session I would like the tab that I select to open full screen

    Do you mean that one of the pages open in the sidebar at the left and another page in the regular browser window?
    Opening in the side bar is the default for bookmarks that are created via a link or button on a website.<br />
    You can check the Properties of a bookmark via the right-click context menu in the side bar (Ctrl+B; Cmd+B on Mac).<br />
    In the Bookmarks Manager (Bookmarks > Organize Bookmarks) you can click the More button in the Details pane at the bottom right.<br />
    Make sure that "Load this bookmark in the side bar" is not selected.

  • Programmatically selecting row in af:table

    I have an instance of the <af:table> component that points to a value on a managed bean of type List<MyValueType>.
    I need to make the <af:table> have a preselected row, and I have the value of type MyValueType that represents the row I need selected.
    How do I programmatically select the appropriate row in the table?
    Thanks!

    Hi Rune,
    1) Expose the adf table to a managed bean property by using @binding attribute, say, requestScope. The property should be RichTable type.
    2) Create a method in java class which can find the managed bean created in step 1) by using EL expression and calling its RichTable.setRowKey(int) to set the current row. Other row currency method are also available besides setRowIndex(int).
    3) Create Data Control on the java class you created in step 2)
    4) Insert the method created in step 2) into <bindings> as methodAction in page definition file.
    5) Still in page definition file, insert an invokeAction into <executables> to invoke the method action created in step 4)
    6) Reorder the invokeAction created in step 5), place it below the table's <iterator>
    7) Set the @refresh attribute for the table <iterator> and <invokeAction> if you want, for example: "prepareModel"
    -Or-
    You can implement a custom page lifecycle to achieve the goal.
    Todd

  • In VL06O while selecting the tab LIST OUTBOUND DELIVERIES, no line item

    Hi,
    In VL06O while selecting the tab LIST OUTBOUND DELIVERIES, no line item is showing under item overview for a particular Delivery no but I can see the line items in VL03 for that delivery no.
    So why the line item is not getting display in VL06O.
    Can any one give the proper suggestion on this.
    Waiting for quick response.
    Best Regards.
    BDP

    are you sure that the current setting is activated?
    try to get help from an ABAPer
    check as well OSS note 384304 - Input help for material number does not work (EKPO-MATNR)
    Edited by: Jürgen L. on Dec 23, 2008 8:33 PM

Maybe you are looking for

  • How do i erase my old apple id and create a new one with a new email address

    I forgot my phones Apple ID password and along with that forgot my password to my email account. I use my work email so thats why i dont really know the email i created for my phone.  So I created a new email and a new Apple ID online but when i put

  • Transitions Preference Setting Missing

    I am using Lion on a MacPro tower and just purchased Final Cut Pro X after first using the Trial version.  I went to set my "Transitions" preferences and noticed that I am missing a choice for the transitions setting: It is my understanding from FCP

  • Multiple 3D objetcs in Scene display

    Hi, I would like to know how to add multiple shapes to a picture scene. I can add one shape but the problem is that have no idea on how another shape can be added to the same scene display. I understand how to add multiple shapes to the display scene

  • Swing trouble

    Hi, I am using javac to compile an applet off the command line, and I am getitng a ton of "cannot find symbol" errors, all that reference swing classes, such as JCheckbox, JRadioButton, JList, etc. I have the following import statement in my applet:

  • All pages cleared/deleted

    i created a couple new pages not using my master template.  when i go into design mode, all previous pages are blank including the master page they are attached to. anyone else have this happen to them? thank you