Window.open always opens a child window with parent window propertiesin firefox 30

By clicking on a link my code uses window.open which should open the response in child window. I am not specifying any height and width(as per requirement). In firefox alone, the window takes up the properties of child window and opens with same size as of parent window. Is there a way to restrict Firefox from inheriting the properties of parent window?

Hi prajulakc,
Thank you for your question. Currently the active window selected when you create a new window that new window will take the active window's screensize.
You can add a preference: see also [https://support.mozilla.org/en-US/questions/754273 question/754273]

Similar Messages

  • Madison Square Garden web site opens but when I click on view all concerts tab at the MSG site it does not open. It works with AOL but not Firefox

    I go to '''www.thegarden.com''' I click on the tab '''View Full Calendar'''. It does not open. It works on AOL but not Firefox. And for some reason it also does not work when I use Internet Explorer. The majority of times when I click on that tab (in Firefox) it does not work. On a rare occasion it will open. I am not doing anything differently either time.
    Any help would be greatly appreciated.

    Clear the cache and the cookies from sites that cause problems.
    "Clear the Cache":
    * Tools > Options > Advanced > Network > Offline Storage (Cache): "Clear Now"
    "Remove Cookies" from sites causing problems:
    * Tools > Options > Privacy > Cookies: "Show Cookies"
    Start Firefox in <u>[[Safe Mode]]</u> to check if one of the extensions is causing the problem (switch to the DEFAULT theme: Firefox (Tools) > Add-ons > Appearance/Themes).
    *Don't make any changes on the Safe mode start window.
    *https://support.mozilla.com/kb/Safe+Mode
    *https://support.mozilla.com/kb/Troubleshooting+extensions+and+themes

  • How do I open .dll files automatically with Adobe Reader through Firefox?

    Hi,
    When I print eBay labels through Firefox, a .dll file is downloaded. This used to open automatically in Adobe Reader, but now it opens as a text document in TextEdit, so I have to manually open Adobe Reader, change options to show "all files", and then locate the .dll file and open it.
    When I try to change the default application in Firefox preferences, I can't find anything with the content type "dll".
    Is there a way to have Firefox automatically open .dll files with Adobe Reader?
    Any help would be much appreciated, thanks!
    Steve

    That worked, thank you!
    I quit out of Firefox, renamed the file like you said, restarted my computer, and restarted Firefox.
    When I went to download a label, Firefox asked me which application to use, and I picked Adobe Reader. I also checked the box to make that the default. This automatically opened the file in AR, and then when I did it the next time it worked perfectly.
    Again, thank you so much for your help with this - although it's just a bit of time here and there saved it really adds up!
    Take care!
    -Steve

  • SQL to align child values with parent columns

    Hi everyone,
    I'm stumped on how to develop an sql query that generates a report where my child values are aligned with my parent columns based on matching years.  Here's the example...
    create table test_yr (yr_id number primary key, yr_nb number);
    insert into test_yr values (1,2013);
    insert into test_yr values (2,2014);
    insert into test_yr values (3,2015);
    create table test_parent (parent_id number primary key, parent_yr_id_begin number, parent_title varchar2(100));
    alter table test_parent add foreign key (parent_yr_id_begin) refererences test_yr (yr_id);
    insert into test_parent values (1,1,'This rec starts in 2013');
    create table test_child (
         child_id number primary key,
         child_parent_id number,
         child_yr_id_begin number,
         child_title varchar2(100),
         child_yr1_val number, child_yr2_val number, child_yr3_val number, child_yr4_val number, child_yr5_val number
    alter table test_child add foreign key (child_parent_id) references test_parent (parent_id);
    alter table test_child add foreign key (child_yr_id_begin) references test_yr (yr_id);
    insert into test_child values (1,1,3,'This rec starts in 2015',10,20,30,40,50);
    insert into test_child values (2,1,3,'This rec starts in 2015',15,25,35,45,55);
    The child can start at a different begin year than the parent, making yr1 for parent and yr1 for child different.  So for this example, year 1 of the child (2015) = year 3 of the parent.
    I can get the values strictly from the child using the following...
    select child_yr1_val, child_yr2_val, child_yr3_val, child_yr4_val, child_yr5_val
    from test_child
    where child_parent_id = 1;
    However, I need the report to be based off of the first five years of the parent.  And since the child doesn't start until 2015, the first two years should be zero.  Here is the expected result:
    yr1 | yr2 | yr3 | yr4 | yr5
    0   | 0   | 10  | 20  | 30
    0   | 0   | 15  | 25  | 35
    I'm trying to do this using plain sql without having to use pl/sql to derive a dynamic query.  But I need to somehow match up and align the years... such as in this example, yr1(child) = yr3(parent), yr2(child) = yr4(parent), etc.  I'm hoping some joins and case statements will do the trick, but I don't quite know how to utilize them to get the result I need.  Can anyone help?  Oracle 11gR2.
    Thanks,
    Mark

    Hi,
    oramark14 wrote:
    Hi Frank,
    Thanks so much for your reply!  I'll try to digest this solution and implement it this weekend.  I also agree completely about the table design...  I know apps shouldn't drive database design,  ...
    If you get indigestion, feel free to ask questions here.
    The SELECT ... PIVOT feature isn't very convenient for dealing with missing values.  You may prefer to change the main query like this:
    WITH unpivoted_child AS
        SELECT  child_id, child_parent_id
        ,       child_yr_id_begin + child_yr - 1   AS column_num
        ,       val
        FROM    test_child
        UNPIVOT (    val
                FOR  child_yr  IN ( child_yr1_val  AS 1
                                  , child_yr2_val  AS 2
                                  , child_yr3_val  AS 3
                                  , child_yr4_val  AS 4
                                  , child_yr5_val  AS 5
        WHERE   child_parent_id  = 1
    SELECT    NVL (SUM (CASE WHEN column_num = 1 THEN val END), 0)  AS yr1
    ,         NVL (SUM (CASE WHEN column_num = 2 THEN val END), 0)  AS yr2
    ,         NVL (SUM (CASE WHEN column_num = 3 THEN val END), 0)  AS yr3
    ,         NVL (SUM (CASE WHEN column_num = 4 THEN val END), 0)  AS yr4
    ,         NVL (SUM (CASE WHEN column_num = 5 THEN val END), 0)  AS yr5
    FROM   unpivoted_child
    GROUP BY  child_parent_id
    ,         child_id
    ORDER BY  child_parent_id
    ,         child_id
    Also, if you want to see how SELECT ... PIVOT works, this can help show you.
    Having 5 separate columns for input can be very conveninet, just like having 5 separate columns for display.  But, as you said, that shouldn't drive the table design.  If necessary, you could create a view that has 5 separate val columns, like your current table, and write an INSTEAD OF trigger for user input.

  • Restful: Child lov with parent prompt

    I have 2 dimensions, Parent and Child. The list of values of the Child dimension contains a prompt on the parent. With restful, I want to the the list of values for the child dimension. I've created a webi document with a prompted filter on the Child dimension. So I have 2 prompts one the webi document, one from the Child dimension and one from the list of values of the child dimension.
    A call GET http://{hostname}:6405/biprws/raylight/v1/documents/{documentID}/parameters/{parameterID} for the child prompt returns the expected xml:
    <lov hierarchical="false" refreshable="true">
    <id>UNIVERSELOV_DS0.DO4</id>
    <parameters>
    <id>0</id>
    </parameters>
    </lov>
    where 0 is the id of the parent dimension
    I then use the resful call PUT http://{hostname}:6405/biprws/raylight/v1/documents/{documentID}/parameters/{parameterID} to answer the parent and the child's lov.
    When the prompt on the parent in the list of values is not optional, everything is fine but when the prompt is optional, I get the error :
    Bad Request WSR 00102 - Illegal argument (Suspicious identifier(s): [0])
    In both case, I use the input xml (with true or false value for optional attribute of parameter):
    <parameters>
         <parameter optional="true|false">
              <id>0</id>
              <answer>
                   <values><value id="10" >Parent 10</value></values>
              </answer>
         </parameter>
         <parameter>
              <id>1</id>
              <answer>
                   <info><lov><query intervalId="0" intervalSize="10000" /></lov></info>
              </answer>
         </parameter>
    </parameters>
    If I use the refresh="true" attribute to the query tag, I don't get any value for the child lov only:
    <lov hierarchical="false" refreshable="true">
    <id>UNIVERSELOV_DS0.DO4</id>
    </lov>
    Any ideas?

    Eric,
    I hope it's not an issue but an invalid input XML.
    I just made some good progress. The restful documentation states that "The <info> element is not mandatory in the XML inputs, except in the case of cascading parameters and hierarchical parameters.", so I surround the values tag by a info tag and it almost works in both cases (mandatory and optional parent prompt). The XML input is
    <parameters>
       <parameter>
          <id>0</id>
          <answer>
             <info>
                <lov>
                   <query intervalSize="-1" />
                </lov>
             </info>
             <values>
                <value id="1">Parent 1</value>
                <value id="3">Parent 2</value>
             </values>
          </answer>
       </parameter>
       <parameter>
          <id>1</id>
          <answer>
             <info>
                <lov>
                   <query intervalSize="-1" />
                </lov>
             </info>
          </answer>
       </parameter>
    </parameters>
    But one problem solves, one problem raises. When a answer no parent value (<values></values>), I get in return of a PUT call, the same result as a GET call:
    <?xml version="1.0" encoding="UTF-8" standalone="yes"?>
    <parameters>
        <parameter dpId="DP0" type="prompt" optional="false">
            <id>0</id>
            <technicalName>pmParent(s)?</technicalName>
            <name>Parent(s)?</name>
            <answer type="Text" constrained="true">
                <info cardinality="Multiple">
                    <lov refreshable="true" partial="false" hierarchical="false">
                        <id>UNIVERSELOV_DS0.DO1</id>
                        <updated>2014-10-09T12:54:54.000+01:00</updated>
                        <values>
                            <value id="1">Parent 1</value>
                            <value id="2">Parent 2</value>
                            <value id="3">Parent 3</value>
                        </values>
                        <columns mappingId="0">
                            <column type="String" id="0">Parent </column>
                        </columns>
                    </lov>
                    <previous>
                        <value id="1">Parent 1</value>
                        <value id="3">Parent 2</value>
                    </previous>
                </info>
                <values>
                    <value id="1">Parent 1</value>
                    <value id="3">Parent 2</value>
                </values>
            </answer>
        </parameter>
        <parameter dpId="DP0" type="prompt" optional="true">
            <id>1</id>
            <technicalName>pmChild(ren)?</technicalName>
            <name>Child(ren)?</name>
            <answer type="Text" constrained="true">
                <info cardinality="Multiple">
                    <lov refreshable="true" hierarchical="false">
                        <id>UNIVERSELOV_DS0.DO3</id>
                        <parameters>
                            <id>0</id>
                        </parameters>
                    </lov>
                    <previous>
                        <value id="21">Child 21 - 2</value>
                    </previous>
                </info>
                <values>
                    <value id="21">Child 21 - 2</value>
                </values>
            </answer>
        </parameter>
    </parameters>
    Nevertheless, I get a workaround for this situation, instead of not answering the parameter, I have to answer all possible values. It's not a nice solution and I hope a better one exists.
    The results are the same with
    http://{hostname}:6405/biprws/raylight/v1/documents/{documentID}/parameters/{parameterID}/
    and with
    http://{hostname}:6405/biprws/raylight/v1/documents/{documentID}/parameters/
    except, of course that when using first url, the return xml contains only one parameter (the one in the url)
    Regards

  • Updating child table with parent table

    Can anyone help me with this update statement?
    I have a table BETA with children of the family list and I have table GAMA with children and family list. The relation between family and children is 1 to many. Now we have decided to update table BETA which has children list with table GAMA’s family list. So I did as below.
    UPDATE beta B
    SET (b.childe_code 
       ,b.childe_name) =(SELECT DISTINCT g.family_code
                          ,g.family_name
           FROM gama g
           WHERE b.childe_code IN (SELECT g.childe_code
                                             FROM gama g)
           AND g.period = (SELECT MAX(period) FROM gama g))
    WHERE EXISTS (SELECT 1
           FROM gama g
           WHERE b.childe_code IN (SELECT g.childe_code
                                             FROM gama g)
           AND g.period = (SELECT MAX(period) FROM gama g));It is giving this error: ORA-01427: single-row subquery returns more than one row
    Could someone please help me with this?
    Thanks for the help.

    Hello tubby,
    Here is the answers for all your questions.
    How about you post your Oracle version
    select * from v$version
    Oracle Database 10g Enterprise Edition Release 10.2.0.4.0 - 64bi
    PL/SQL Release 10.2.0.4.0 - Production
    CORE     10.2.0.4.0     Production
    TNS for Solaris: Version 10.2.0.4.0 - Production
    NLSRTL Version 10.2.0.4.0 - ProductionThe DDL for BETA and GAMA tables (create table statements).
    CREATE TABLE BETA
      CHILDE_CODE  NUMBER,
      CHILDE_NAME  VARCHAR2(50 BYTE),
      PERIOD       INTEGER
    CREATE TABLE GAMA
      FAMILY_CODE  NUMBER,
      FAMILY_NAME  VARCHAR2(50 BYTE),
      CHILDE_CODE  NUMBER,
      CHILDE_NAME  VARCHAR2(50 BYTE),
      PERIOD       INTEGER
    )Sample data for both tables (in the form of INSERT statements) which represent a small test case you've constructed.
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (10, 'google', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (11, 'amazon', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (12, 'ebay', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (13, 'yahoo', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (20, 'word', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (21, 'excel', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (22, 'access', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (23, 'cognos', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (30, 'cell phone', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (31, 'laptop', 201010);
    Insert into BETA
       (CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (32, 'pager', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (1, 'website', 10, 'google', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (1, 'website', 11, 'amazon', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (1, 'website', 12, 'ebay', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (1, 'website', 13, 'yahoo', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (2, 'software', 20, 'word', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (2, 'software', 21, 'excel', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (2, 'software', 22, 'access', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (2, 'software', 23, 'cognos', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (3, 'wireless', 30, 'cell phone', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (3, 'wireless', 31, 'laptop', 201010);
    Insert into GAMA
       (FAMILY_CODE, FAMILY_NAME, CHILDE_CODE, CHILDE_NAME, PERIOD)
    Values
       (3, 'wireless', 32, 'pager', 201010);The desired output you want based on the input data, with an explanation as to how the data needs to be transformed.
    I want to replace data of childe_code and childe_name with family_code and family_name in the beta table. The error message you are currently getting is quite descriptive, you are getting back more than a single row for a given row you are trying to update. If you can deterministically decide which rows to take and outline that in your example, we can help you.

  • Opening new child window - Running servlet

    Hi
    Currently , I have a javascript code that opens a child window. This child window is a Java Server Page called showdata.jsp that uses some data from the database.
    I have used this function to open my page :
    <script language="JavaScript">
    function open_a_window(){
    childwin = window.open("showdata.jsp","dataname", "height=300,width=100");
    </script>Ideally, a servlet should be executed to do the business logic and extract the data that will be displayed on showdata.jsp. Moreover, the user may perform search in the child window, to filter or find the results returned. My questions are as follows:
    1. How to run servlet from Javascript that does the logic and then the results are displayed in showdata.jsp (as a child window)?
    2. How to go about filtering or finding results in showdata.jsp while it is open ? what is the recommended method? because the results have a check box next to them and when user choses and closes window they are reported back to the main JSP which opened the child JSP.
    Any suggestions, reading materials, code , etc is very appreciated.
    Thanks in advance
    Agapito

    Yes you can....
    and the Best way to do it make a Collection of Data Transaction Object you have defined.
    Just as an Example.
    Say your are displaying results of an Employee which contains properties like EmployeeID,Employee Name,Email Address,Contact Information in a Table try to get the results something like
    ArrayList<EmployeeDTOBean> By considering the above example
    lets take a small example
    public class EmployeeDTOBean implements Serializable{
    private int empid;
    private String empName;
    private String empEmail;
    private String empContactInfo;
    // Getters & setters for all the defined properties.
    }and try to get all these results throught a Data Access Object which provides you few methods to fetch relavant results.
    in the above case.
    public List<UserBean> getEmployeeResult(int baseEmpId){
        List<UserBean> aList = new ArrayList<UserBean>();
        UserBean ub = null;
        try{
          con = DbUtils.getConnection();
          pstmt = con.prepareStatement("select emp_id,emp_name,emp_email,emp_contact from employee where base_emp_id = ?");
          pstmt.setInt(1,baseEmpId);
          rs =  pstmt.executeQuery();
          while(rs.next()){
              ub = new UserBean();
              ub.setEmpid(rs.getInt("emp_id"));
              ub.setEmpName(rs.getString("emp_name"));
              ub.setEmpEmail(rs.getString("emp_email"));
              ub.setEmpContact(rs.getString("emp_contact"));
              aList.add(ub);
       }catch(Exception exp){
            LoggingUtils.logException(exp,"In getEmployeeResult("+baseEmpId+")");
       }finally{
           try{
                if(rs != null)
                  rs.close();
                if(pstmt != null)
                  pstmt.close();
                if(con != null && !con.isClosed())
                  con.close();
           }catch(Exception e){
                    LoggingUtils.logException(exp,"In getEmployeeResult("+baseEmpId+")");
           }finally{
                  con = null;
                  pstmt = null;
                  rs = null; 
       returns aList;
    } NOTE: It would be a Gr8 if you can refer to DAO pattern for a better understading of what trying to explain.Please refer to
    http://java.sun.com/blueprints/corej2eepatterns/Patterns/DataAccessObject.html
    Now after getting this results from a Controller save it in the scope of session and try to operate your logic and present your data this would enable you to pickup results from the session not going back to database again.
    And if you need a better way to present that kind of data in crisp and formatted way.I'd recommend you to go with a specific Tag Library
    Please refer to
    http://displaytag.sourceforge.net/
    and in order to that specfic it is preety simple if you go with the documentation which they provide.
    Hope this might help :)
    REGARDS,
    RaHuL

  • I cannot open a pdf file with aole-mail. I can open pdf files from windows explorer. I have associated pdf with adobe reader. My operating system is window

    I cannot open a pdf file with aol e-mail. I went to preferences in Adobe Reader but did not know what to enter for Incoming IMAP and outgoing SMTP. I can open pdf files from windows explorer as  I have associated .pdf files with adobe reader. My operating system is windows 7.
    When I try to open the pdf file within aol e-mail I get a message: 'Your security settings do not allow this file to be downloaded'.  I have not changed my security settings (Tools, Internet Options, security).

    Or http://helpx.adobe.com/acrobat/kb/pdf-browser-plugin-configuration.html

  • My iTunes, whenever I try to open it, come up with a window that says iTunes has encountered a problem and now has to close sorry for the inconvienence.

    My iTunes, whenever I try to open it, come up with a window that saysiTunes has encountered a problem and now has to close sorry for theinconvienence.

    Generate another of those errors, and click the "Click here" link in the error message box.
    What modname and modver do you see for the error? (Precise spelling, please.)
    If the error is a BEX and you thus aren't seeing a modname or modver, let us know what P1 through P9 items are being listed for the error.

  • I updated my Itunes to the latest version(11.1.4) and it isn't running on my laptop. The current OS is a W7 ultimate 64bits, when i try to run it, opens a message box with the following error message: error 7 (windows error 1114) . What should I do?

    I updated my Itunes to the latest version(11.1.4) and it isn't running on my laptop. The current OS is a W7 ultimate 64bits, when i try to run it, opens a message box with the following error message: error 7 (windows error 1114) . What should I do?

    Try the following user tip:
    Troubleshooting issues with iTunes for Windows updates

  • Problem with opening page in new window in firefox 5

    When I open a page in a new window in firefox 5, it doesn't copy the URL into the address bar (it is blank), so I can't refresh the page. The address bar of the new window is blank, with default 'Go to a web site' text in it.

    When I open a page in a new window in firefox 5, it doesn't copy the URL into the address bar (it is blank), so I can't refresh the page. The address bar of the new window is blank, with default 'Go to a web site' text in it.

  • Whenever I open a new window of firefox a new tab opens with the new window. How do I get it to stop doing that?

    Whenever I open a new window of Firefox, the new window opens at the hope page (like I want it to), but then a tab opens up with the new window. I want Firefox to stop doing this. When I open a new window I just want the window to open. I don't know how to fix this as I have know idea how I made this happen. This first happened when I hit control + N to open a new window, but I didn't hit the "N" cleanly. I pressed one of the other keys around the "N" and this issue started.

    Start Firefox in <u>[[Safe Mode|Safe Mode]]</u> to check if one of the extensions (Firefox/Tools > Add-ons > Extensions) or if hardware acceleration is causing the problem (switch to the DEFAULT theme: Firefox/Tools > Add-ons > Appearance).
    *Do NOT click the Reset button on the Safe Mode start window.
    *https://support.mozilla.org/kb/Safe+Mode
    *https://support.mozilla.org/kb/Troubleshooting+extensions+and+themes

  • HT2506 Hello I'm unable to open any pdf's with preview window opens up with message file couldn't be opened because you don't have permission to view it (none of the pdf's have any security thanks if you can assist

    Hello this week I'm unable to open any pdf's with preview, when I select to open a window opens up with message "file couldn't be opened because you don't have permission to view it" none of the pdf's have any security thanks if you can assist

    Back up all data. Don't continue unless you're sure you can restore from a backup, even if you're unable to log in.
    This procedure will unlock all your user files (not system files) and reset their ownership and access-control lists to the default. If you've set special values for those attributes on any of your files, they will be reverted. In that case, either stop here, or be prepared to recreate the settings if necessary. Do so only after verifying that those settings didn't cause the problem. If none of this is meaningful to you, you don't need to worry about it.
    Step 1
    If you have more than one user account, and the one in question is not an administrator account, then temporarily promote it to administrator status in the Users & Groups preference pane. To do that, unlock the preference pane using the credentials of an administrator, check the box marked Allow user to administer this computer, then reboot. You can demote the problem account back to standard status when this step has been completed.
    Triple-click the following line to select it. Copy the selected text to the Clipboard (command-C):
    { sudo chflags -R nouchg,nouappnd ~ $TMPDIR.. ; sudo chown -R $UID:staff ~ $_ ; sudo chmod -R u+rwX ~ $_ ; chmod -R -N ~ $_ ; } 2> /dev/null
    Launch the Terminal application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Terminal in the icon grid.
    Paste into the Terminal window (command-V). You'll be prompted for your login password. Nothing will be displayed when you type it. You may get a one-time warning to be careful. If you don’t have a login password, you’ll need to set one before you can run the command. If you see a message that your username "is not in the sudoers file," then you're not logged in as an administrator.
    The command will take a noticeable amount of time to run. Wait for a new line ending in a dollar sign (“$”) to appear, then quit Terminal.
    Step 2 (optional)
    Take this step only if you have trouble with Step 1 or if it doesn't solve the problem.
    Boot into Recovery. When the OS X Utilities screen appears, select
    Utilities ▹ Terminal
    from the menu bar. A Terminal window will open.
    In the Terminal window, type this:
    res
    Press the tab key. The partial command you typed will automatically be completed to this:
    resetpassword
    Press return. A Reset Password window will open. You’re not  going to reset a password.
    Select your boot volume ("Macintosh HD," unless you gave it a different name) if not already selected.
    Select your username from the menu labeled Select the user account if not already selected.
    Under Reset Home Directory Permissions and ACLs, click the Reset button.
    Select
     ▹ Restart
    from the menu bar.

  • I can't use Yahoo messenger (it doesn't open the dialogue window), but in other PCs with older versions of Firefox I don't have problems

    I can't use Yahoo messenger (it doesn't open the dialogue window), but in other PCs with older versions of Firefox I don't have problems
    As stated earlier even though when I have an incoming message I hear the "Beep" Firefox does not open the dialogue window as it used to do.
    Also I am not able to open a new dialogue window or tab by clicking on an online contact of mine.

    Known issue, See:
    * https://bugzilla.mozilla.org/show_bug.cgi?id=713014
    this issue maybe fixed in beta/ nightly, you should try it
    * firefox.com/beta

  • Windows 8 Adobe Reader will not fully open a pdf compiled with several pdf's into one - why?

    Windows 8 Adobe Reader will not fully open a pdf compiled with several pdf's into one - why?

    Hi Michael,
    “AdbeRdr11003_en_US.exe” is the download installed on our CEO’s new Windows 8 laptop.  It is a Dell XPS Re: Windows 8 Adobe Reader will not fully open a pdf compiled with several pdf's into one - why? Dell XPS 13" .  It has a full install Windows 8 Professional for its’ Operating System.
    I’ll attempt to attach the file in question.  The file opens fine on our Windows 7, and XP computers (with  the proper Adobe Reader on each).
    Our CEO says there is a message that comes up saying he needs Adobe Flash.  I’m attempting to find out whether or not he is trying to open it the ‘Metro’ view, or the ‘Desktop’ view – no answer yet.
    If your system strips the attachment, let me know, and I’ll upload the file to an ftp site {if necessary}.
    Wayne Nault
    [personal info removed by moderator]

Maybe you are looking for

  • Calculo do ICMS no processo de Transferencia SD/MM

    Pessoal, tenho um processo de transferencia MM/SD e o que ocorre e que na nota fiscal o valor esta saindo com preco embutido mais impostos. Ex: Alíquota de ICMS =7% Quantidade: 36 Preço Material: 143,52 Calculo Qtd x Preço material = 36 x 143,52 = 5.

  • Newest ACR 5.5 Update will not load into Elements 7.0 - what gives?

    Hello All: This situation is now becoming ridiculous (well, for me that is).  I just tried to install the new ACR 5.5 update and it is "unable to install" into Elements 7.0.  I downloaded the update several times, unzipped the install file, but when

  • App Store: Account only valid in US iTunes Store (in US!)

    Odd problem. All my apps from the app store are crashing at startup. I didn't do anything other than connect to a new wi-fi hotspot. I tried shutting down the booting up again. No luck. Then I tried to delete an app and re-install to see if that help

  • Accessing PublicObject_Array in a JSP/Servlet

    Guys I really need help on this one. I'm sure it's something simple but maybe I'm looking to hard. I Created a ClassObject with Folder as the the SuperClass. I added several extended attributes, one being an PublicObject_Array which is ClassDomain co

  • InDesign Server: Ignoring / Supressing EXIF Orientation?

    Good day, My clients are uploading images to our system that contain EXIF information. No suprise here, EXIF is ubiquitous feature in all digital cameras since the dawn of time... well. Anyway. Let us pretend that Joe Sixpack shot a roll of film rota