Need Assistance for VBA function in oracle how to implement

My very respected and Senior, regards,
Sir, hope you will in best of health and wealth by the grace of God,
Sir, i have a request problem as i m very junior against you and you have passed this time before many years ago as i m standing where. Sir i m a very junior developer of oracle and have a problem putting on your desk with the hope that you can help my as a boss.
Sir me have to calculate yield of Bond using oracle form
i have tried my best and tired
there is a formulae in excel which give the Yield() when we provide the parameters
and i need the excel formulae or the oracle calculation code of PLSQL for this.
How can i get yield when i have price, coupon rate, frequency, issue and maturity of the coupon , coupon period , next coming coupon , and others detail.
or tell me how to use EXCEL VBA for this problem ,
thnx n regards,
yours student, junior developer youngest brother
Faraz
How can I get the solution using Excel VBA function with oracle
so that move values to excel calculate them and copy the result from excel to oracle forms

Hi,
for the Hex-Number-conversion see:
[url http://psoug.org/snippet/Convert-Hex-to-Decimal-Decimal-to-Hex_78.htm] self-defined Conversion-Functions
What number format do you have? YYYMMDD
Or is there a Date corresponding to 1 and a number n represent the date n-1 days after day 1?
Please describe further.
Bye
stratmo

Similar Messages

  • Need help for Conversion Function in Oracle

    Hi, Can Any One help me Please.
    I need a Oracle conversion script for converting from decimal to hex. and decimal to datetime.
    Thanks In Advance.

    Hi,
    for the Hex-Number-conversion see:
    [url http://psoug.org/snippet/Convert-Hex-to-Decimal-Decimal-to-Hex_78.htm] self-defined Conversion-Functions
    What number format do you have? YYYMMDD
    Or is there a Date corresponding to 1 and a number n represent the date n-1 days after day 1?
    Please describe further.
    Bye
    stratmo

  • How can I get an execution plan for a Function in oracle 10g

    Hi
    I have:
    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 - Production
    I would like to know if is possible to get an EXECUTION PLAN for a FUNCTION if so, how can I get it ?
    Regards

    You can query the AWR data if your interesting SQL consumes enough resources.
    Here is a SQL*Plus script I call MostCPUIntensiveSQLDuringInterval.sql (nice name eh?)
    You'll need to know the AWR snap_id numbers for the time period of interest, then run it like this to show the top 20 SQLs during the interval:
    @MostCPUIntensiveSQLDuringInterval 20The script outputs a statement to run when you are interested in looking at the plan for an interesting looking statement.
    -- MostCPUintesticeSQLDuringInterval: Report on the top n SQL statements during an AWR snapshot interval.
    -- The top statements are ranked by CPU usage
    col inst_no             format      999 heading 'RAC|Node'
    col sql_id              format a16      heading 'SQL_ID'
    col plan_hash_value     format 999999999999 heading 'Plan|hash_value'
    col parsing_schema_name format a12      heading 'Parsing|Schema'
    col module              format a10      heading 'Module'
    col pct_of_total   format        999.99 heading '% Total'
    col cpu_time       format   999,999,999 heading 'CPU     |Time (ms)'
    col elapsed_time   format   999,999,999 heading 'Elapsed |Time (ms)'
    col lios           format 9,999,999,999 heading 'Logical|Reads'
    col pios           format   999,999,999 heading 'Physical|Reads'
    col execs          format    99,999,999 heading 'Executions'
    col fetches        format    99,999,999 heading 'Fetches'
    col sorts          format       999,999 heading 'Sorts'
    col parse_calls    format       999,999 heading 'Parse|Calls'
    col rows_processed format   999,999,999 heading 'Rows|Processed'
    col iowaits        format   999,999,999,999 heading 'iowaits'
    set lines 195
    set pages 75
    PROMPT Top &&1 SQL statements during interval
    SELECT diff.*
    FROM (SELECT e.instance_number inst_no
                ,e.sql_id
                ,e.plan_hash_value
                ,e.parsing_schema_name
                ,substr(trim(e.module),1,10) module
                ,ratio_to_report(e.cpu_time_total - b.cpu_time_total) over (partition by 1) * 100 pct_of_total
                ,(e.cpu_time_total - b.cpu_time_total)/1000 cpu_time
                ,(e.elapsed_time_total - b.elapsed_time_total)/1000 elapsed_time
                ,e.buffer_gets_total - b.buffer_gets_total lios
                ,e.disk_reads_total - b.disk_reads_total pios
                ,e.executions_total - b.executions_total execs
                ,e.fetches_total - b.fetches_total fetches
                ,e.sorts_total - b.sorts_total sorts
                ,e.parse_calls_total - b.parse_calls_total parse_calls
                ,e.rows_processed_total - b.rows_processed_total rows_processed
    --            ,e.iowait_total - b.iowait_total iowaits
    --            ,e.plsexec_time_total - b.plsexec_time_total plsql_time
          FROM dba_hist_sqlstat b  -- begining snap
              ,dba_hist_sqlstat e  -- ending snap
          WHERE b.sql_id = e.sql_id
          AND   b.dbid   = e.dbid
          AND   b.instance_number = e.instance_number
          and   b.plan_hash_value = e.plan_hash_value
          AND   b.snap_id = &LowSnapID
          AND   e.snap_id = &HighSnapID
          ORDER BY e.cpu_time_total - b.cpu_time_total DESC
         ) diff
    WHERE ROWNUM <=&&1
    set define off
    prompt  to get the text of the SQL run the following:
    prompt  @id2sql &SQL_id
    prompt .
    prompt  to obtain the execution plan for a session run the following:
    prompt  select * from table(DBMS_XPLAN.DISPLAY_AWR('&SQL_ID'));
    prompt  or
    prompt  select * from table(DBMS_XPLAN.DISPLAY_AWR('&SQL_ID',NULL,NULL,'ALL'));
    prompt .
    set define on
    undefine LowSnapID
    undefine HighSnapIDI guess you'll need the companion script id2sql.sql, so here it is:
    set lines 190
    set verify off
    declare
       maxDisplayLine  NUMBER := 150;  --max linesize to display the SQL
       WorkingLine     VARCHAR2(32000);
       CurrentLine     VARCHAR2(64);
       LineBreak       NUMBER;
       cursor ddl_cur is
          select sql_id
            ,sql_text
          from v$sqltext_with_newlines
          where sql_id='&1'
          order by piece
       ddlRec ddl_cur%ROWTYPE;
    begin
       WorkingLine :='.';
       OPEN ddl_cur;
       LOOP
          FETCH ddl_cur INTO ddlRec;
          EXIT WHEN ddl_cur%NOTFOUND;
          IF ddl_cur%ROWCOUNT = 1 THEN
             dbms_output.put_line('.');
             dbms_output.put_line('   sql_id: '||ddlRec.sql_id);
             dbms_output.put_line('.');
             dbms_output.put_line('.');
             dbms_output.put_line('SQL Text');
             dbms_output.put_line('----------------------------------------------------------------');
          END IF;
          CurrentLine := ddlRec.sql_text;
          WHILE LENGTH(CurrentLine) > 1 LOOP
             IF INSTR(CurrentLine,CHR(10)) > 0 THEN -- if the current line has an embeded newline
                WorkingLine := WorkingLine||SUBSTR(CurrentLine,1,INSTR(CurrentLine,CHR(10))-1);  -- append up to new line
                CurrentLine := SUBSTR(CurrentLine,INSTR(CurrentLine,CHR(10))+1);  -- strip off up through new line character
                dbms_output.put_line(WorkingLine);  -- print the WorkingLine
                WorkingLine :='';                   -- reset the working line
             ELSE
                WorkingLine := WorkingLine||CurrentLine;  -- append the current line
                CurrentLine :='';  -- the rest of the line has been processed
                IF LENGTH(WorkingLine) > maxDisplayLine THEN   -- the line is morethan the display limit
                   LineBreak := instr(substr(WorkingLine,1,maxDisplayLine),' ',-1); --find the last space before the display limit
                   IF LineBreak = 0 THEN -- there is no space, so look for a comma instead
                      LineBreak := substr(WorkingLine,instr(substr(WorkingLine,1,maxDisplayLine),',',-1));
                   END IF;
                   IF LineBreak = 0 THEN -- no space or comma, so force the line break at maxDisplayLine
                     LineBreak := maxDisplayLine;
                   END IF;
                   dbms_output.put_line(substr(WorkingLine,1,LineBreak));
                   WorkingLine:=substr(WorkingLine,LineBreak);
                END IF;
             END IF;
          END LOOP;
          --dbms_output.put(ddlRec.sql_text);
       END LOOP;
       dbms_output.put_line(WorkingLine);
       dbms_output.put_line('----------------------------------------------------------------');
       CLOSE ddl_cur;
    END;
    /

  • HT201209 I need assistance with trying to figure out how to change my security code answer

    I need assistance with trying to figure out how to change my security code answer

    If you mean the answers to your security questions, then f
    rom http://support.apple.com/kb/HT5665 :
    If you have three security questions and a rescue email address
    sign in to My Apple ID and select the Password and Security tab to send an email to your rescue email address to reset your security questions and answers (the steps half-way down that page should give you a reset link)
    If you have one security question and you know your Apple ID passwordsign in to My Apple ID and select the Password and Security tab to reset your security question.
    If you have one security question, but don't remember your Apple ID passwordcontact Apple Support for assistance. Learn more about creating a temporary support PIN to help Apple confirm your identity when you contact Apple Support.
    If you can’t reset them via the above instructions (you won't be able to add a rescue email address until you can answer your questions) then you will need to contact iTunes Support / Apple in your country to get the questions reset.
    Contacting Apple about account security : http://support.apple.com/kb/HT5699
    When they've been reset (and if you don't already have a rescue email address) you can then use the steps half-way down this page to add a rescue email address for potential future use : http://support.apple.com/kb/HT5312

  • Need help for the Function Module 'PFL_GET_PARAMETER_INFO'

    Hi Experts,
    The FM 'PFL_GET_PARAMETER_INFO'  returns the value for Profile Parameters for a system .
    The inputs required for this FM are :
      1.   Parameter name  : ( eg . login/min_password_lng etc. )                   
      2 . Parameter Type
    I am not sure about what the value of Parameter Type should be .
    Its a mandatory field.
    I have tried to search but could not find anything.
    Can you please help me on this?
    Thanks in Advance,
    Harshit Rungta
    Edited by: harshit rungta on May 27, 2011 8:15 AM

    What exactly is the use-case for this?
    Many developers "c-call" the params and neglect this feature of the type - also whether it is static or dynamic. Some params are even dynamic as system profiles in one direction but static as instance parameters in the other direction when changing the value.
    As you cannot create your own system profile parameters, I do not see the use-case for why you are wanting to check it in advance, because the application APIs should do this.
    What you are possibly looking for is function module SUSR_GENERATE_PASSWORD in this case. It will respect "the rules" in the params.
    Do not use the legacy function RSEC_GENERATE_PASSWORD directly.
    Cheers,
    Julius

  • Need assistance for seeded element configuration in payroll for SA Legislation

    Dear All,
    I am implementing Oracle Fusion Global Payroll for SA Legislation. I referred workforce setup guide for Payroll and supplemental guide for HR and Payroll implementation of SA Legislation.
    However, I am not able to figure out precise configurations needed for Transport Allowance calculation and feed its value to GOSI for further calculations.
    Document 1567452.1 - Oracle Fusion HRMS (Saudi Arabia): HR Implementation and Functional Considerations
    Document 1619159.1 - Oracle Fusion HRMS (Saudi Arabia): Payroll Implementation and Functional Considerations
    Could anyone elaborate configuration needed to achieve below mentioned requirement? As per seeded configuration, system generates Fast Formula for calculation. But element and formula by itself does not achieve required functionality. I know there is additional configuration needed in system but not sure how to proceed ahead with it. I have completed all steps mentioned in above mentioned two documents and yet stuck with non-functioning element.
    Basic Salary: 1000 SAR
    Transport: 10% of Basic Salary (Based on Grade Eligibility)
    I am specifically expediting functionality as below
    1. Manage calculation value definition
    2. Manage Component Group Rules (if applicable)
    3. Attach % Grade Rate to value definition
    Regards,
    Saurabh

    Hi,
    As I mentioned earlier, I added the appropriate balances which are used to calculate Tax to Retro Elements and those Balances got updated with the delta amount but Tax was not updated. I want to know is there any process provided by Oracle using which Tax for those already paid amounts can be recalculated.
    I calculated the Tax manually and using Adjust Balance form added ZA_TAX_BALANCE_ADJUSTMENT Element and given the difference tax amount in PAYE and Tax Input values and saved the form. The Tax got updated.
    Tax_ASG_RUN - 15000
    Tax_ASG_TAX_YTD - 153257.32 (Prev - 138257.32). When I run the IRP5 (Tax Certificate Process) the tax is also getting correctly on it.
    But client wants Oracle to calculate the Tax for those retro amounts so thats the challenge.
    Could you help me with this.
    Thanks,
    Sri

  • Need Query for Item Relationship of Oracle Apps

    Hello Team,
    I need the Query to select the Item Relationship.
    In Oracle Apps we have different tyes of Structure
    ItemA -> ItemB
    ItemB -> ItemC
    ItemC -> ItemD
    ItemG -> ItemH
    ItemK -> ItemL
    ItemW -> ItemQ
    and this also is possible (meand many to one relationship)
    ItemA -> ItemB
    ItemB -> ItemC
    ItemC -> ItemD
    ItemT -> ItemD
    and in the Select Query i want the below result
    ItemA -> ItemB 1
    ItemB -> ItemC 2
    ItemC -> ItemD 3
    ItemG -> ItemH 1
    ItemK -> ItemL 2
    ItemW -> ItemQ 1
    and this also is possible (means many to one relationship)
    ItemA -> ItemB 1
    ItemB -> ItemC 2
    ItemC -> ItemD 3
    ItemT -> ItemD 1
    means i want the Hierarchy number also
    Please help me to in order to get the relationship by sql query.
    Kind Regards,

    thanks for the quick response and i would love to spend time perusing the forum for this question but i didn't have time today.  i'll do that now though.
    what i'm mostly interested in is a chronological view (lastUpdateDate) of the change to pricing for an item in the system.  there is a lot of activity in our system around price changes for promotions and i want to keep track of when it's changed in the source system and pair that with our other downstream systems.
    i'm assuming we can add this functionality through a udf some way or maybe sp_TransNotification proc?

  • New to B2B - Need assistance for Starting programing in B2B

    Hi,
    I'm New to B2B. Anybody have links how to start programming in B2B. Prerequisites and how to download them. Currently im able to open b2bconsole.
    I need how to start programming. Any links plz...

    Oracle B2B is not a programming language or a programming based tool. It's a configuration based tool. All the standards have been already implemented as part of the product. You need to just configure it as per your need and you will be good to go.
    Please refer B2B user guide for detailed information about the product and it's offerings -
    http://docs.oracle.com/cd/E23943_01/user.1111/e10229/toc.htm
    Ready-to-use samples are available here -
    http://java.net/projects/oraclesoasuite11g/pages/B2B
    Tutorials are available at OTN B2B Home Page -
    http://www.oracle.com/technetwork/middleware/b2b-integrations/overview/index.html
    B2B product development team's blog is here -
    https://blogs.oracle.com/oracleb2bgurus/
    Regards,
    Anuj

  • Need suggestion for a topic in Oracle Call Interface

    Dear All,
    I am kiran working as a TSE for EAI project.
    I need a small clarification with respect to Oracle Call Interface.
    My problem is as follows:
    "I am doing a delete transaction in my application and not committing it, but when my program is killed externally, I observed that the transactions are being committed.
    I thought it is a very strange behavior, as an aborted transaction should be rolled back.
    But my PL told me that it the behavior OCI and got nothing to do with our application."                    
    Now My question is, whether can we stop/(switch off) that auto commit option for OCI( Oracle Call Interface.
    Awaiting for an earlier response.
    Any kind of help is highly appreciated.
    Thanks in advance,
    Kiran

    Here is some information from Oracle's documentation (Oracle Call Interface Programmer's Guide.
    Commit or Rollback
    An application commits changes to the database by calling OCITransCommit(). This call uses a service context as one of its parameters. The transaction is associated with the service context whose changes are committed. This transaction can be explicitly created by the application or implicitly created when the application modifies the database.
    Note:
    Using the OCI_COMMIT_ON_SUCCESS mode of the OCIExecute() call, the application can selectively commit transactions at the end of each statement execution, saving an extra round trip.
    To roll back a transaction, use the OCITransRollback() call.
    If an application disconnects from Oracle in some way other than a normal logoff, such as losing a network connection, and OCITransCommit() has not been called, all active transactions are rolled back automatically.

  • Need inputs on CONVERT function in oracle.

    My source DB is : US7ASCII
    My target DB is : AL32UTF8
    Basically I am using oracle CONVERT funciton to convert the data.
    Unforutnately AL32UTF8 is not predefined in CONVERT function.
    So, is there are any other ways to convert the data ? Plz let me know.
    Thx,
    Vi.

    You have two databases. Database A uses a US7ASCII character set. Database B uses an AL32UTF8 character set.
    - Is all the data in Database A actually US7ASCII data?
    - What version of Oracle is Database A running? What version of Oracle is Database B running?
    - On which database are you running the CONVERT function?
    - Why do you believe you need to use the CONVERT function? If you are moving data from one database to another, Oracle should automatically take care of character set conversion.
    Justin

  • Need procedure for the function

    Hi
    Can any one create a procedure
    for the following
    Following is a function i need a procedure
    which basically Converts the values in the a Column to no of rows
    Example : Column Name: USA; Canada; Japan;
    in to 3 rows : USA
    Canada
    Japan
    create
    or replace function f_get_row_vals(V_column_value VARCHAR2)
    return T_LIST_OF_VALS PIPELINED
    as
    n_str_length NUMBER := 0;
    N_START_CHAR NUMBER := 1;
    N_END_CHAR NUMBER := 0;
    n_counter NUMBER := 1;
    v_value VARCHAR2(50) := NULL;
    begin
    IF V_column_value IS NULL
    THEN
    RETURN;
    END IF;
    n_str_length := LENGTH(V_column_value);
    LOOP
    N_END_CHAR := INSTR(V_column_value,';',1,n_counter);
    IF N_END_CHAR = 0
    THEN
    v_value := SUBSTR(V_column_value, N_START_CHAR, n_str_length - N_START_CHAR + 1);
    ELSE
    v_value := SUBSTR(V_column_value, N_START_CHAR, N_END_CHAR-N_START_CHAR);
    END IF;
    n_counter := n_counter + 1;
    N_START_CHAR := N_END_CHAR + 1;
    pipe row(v_value);
    EXIT WHEN N_END_CHAR = 0 ;
    END LOOP;
    RETURN;
    END;
    Thanks

    This is the procedure they are using previously.
    This procedure is calling the above function. I need like this
    CREATE
    OR REPLACE PROCEDURE P_EXPAND_USER_ACCESS_REV_MART
    IS
    rec_ODS_USER_ACCESS_REV_MART ODS.ODS_USER_ACCESS_REV_MART%ROWTYPE;
    CURSOR c_getrows
    IS
    select * from ODS.ODS_USER_ACCESS_REV_MART;
    BEGIN
    OPEN c_getrows;
    LOOP
    FETCH c_getrows INTO rec_ODS_USER_ACCESS_REV_MART;
    EXIT WHEN c_getrows%NOTFOUND;
    DBMS_OUTPUT.put_line(rec_ODS_USER_ACCESS_REV_MART.wwfo_area);
    DBMS_OUTPUT.put_line(rec_ODS_USER_ACCESS_REV_MART.soln_division);
    INSERT INTO DW_USER_ACCESS_REV_MART
    user_id,
    wwfo_area,
    soln_division
    SELECT rec_ODS_USER_ACCESS_REV_MART.user_id,
    area_tab.column_vaLue,
    soln_tab.column_value
    FROM TABLE(CAST(f_get_row_vals(rec_ODS_USER_ACCESS_REV_MART.wwfo_area)AS T_LIST_OF_VALS) ) area_tab,
    TABLE(CAST(f_get_row_vals(rec_ODS_USER_ACCESS_REV_MART.soln_division)AS T_LIST_OF_VALS)) soln_tab
    END LOOP;
    CLOSE c_getrows;
    COMMIT;
    END;

  • Need expression for lookup function

    I need a lookup function:
    Tablename: Tbl_orders
    Fieldname to check OrdID = 1709 then make it 7001709 else keep numbers same.
    Thank you very much for the helpful info.

    For a lookup function, you'll always have a compare column (Column in the lookup table) and compare expression (Expression to which the compare column is compared to).
    If you nest the lookup in decode / ifthenelse, the expression will be hard to maintain like:
    decode(lookup(<DataStoreName>.Tbl_Orders, OrderID, 0, 'PRE_LOAD_CACHE',Compare_Column in Tbl_Orders, Compare expression with compare column) = 1709,lpad(lookup(<DataStoreName>.Tbl_Orders, OrderID, 0, 'PRE_LOAD_CACHE',Compare_Column in Tbl_Orders, Compare expression with compare column),7,'700'),lookup(<DataStoreName>.Tbl_Orders, OrderID, 0, 'PRE_LOAD_CACHE',Compare_Column in Tbl_Orders, Compare expression with compare column))
    But, I believe you do not want to make the code this complex.
    Do the lookup in one Query transform (either you can add as a function in the output schema or add it in mapping tab) and get the value in one Query transform.
    lookup(<DataStoreName>.Tbl_Orders, OrderID, 0, 'PRE_LOAD_CACHE',Compare_Column in Tbl_Orders, Compare expression with compare column)
    In the next Query transform, do an lpad / direct hardcoding inside ifthenelse / decode.
    decode(Order_ID = 1709,lpad(Order_ID,7,'700'),Order_ID)

  • Need Example for AVG() function in script logics...

    Hi Everyone,
                      I need to calculate average for all the account members ...
    so if anybody worked with this AVG() in Script logics please share with me...................

    What do you mean by calculate average? Average for the period or for some other parent or..? Where do you want to store this average? How do you want to use this average???

  • I downloaded download assistant for the photoshop trial but how do  i run it from file folder?

    It seems the photoshop is in a file folder but i dont know how to make it run.i looked through it and it says something about creative suite install through dvd which i dont have? I need to get this photoshop trial up and running but i dont know how.

    Hi villside27,
    Download assistant is simply a software to assist you in downloading Photoshop trial. Launch the assistant to start the download or follow the instructions below to download the software directly without using the Download assistant :
    1. Navigate to Photoshop  CS6 downloads page : http://www.adobe.com/cfusion/tdrc/index.cfm?product=photoshop
    2. Sign in with your Adobe ID.
    3. Copy and paste the following links on the address bar and hit enter :
    Adobe Photoshop CS6 Extended English Mac
    http://trials2.adobe.com/AdobeProducts/PHSP/13/osx10/Photoshop_13_LS16.dmg
    Adobe Photoshop CS6 Extended English Windows
    http://trials2.adobe.com/AdobeProducts/PHSP/13/win32/Photoshop_13_LS16.7z
    http://trials2.adobe.com/AdobeProducts/PHSP/13/win32/Photoshop_13_LS16.exe
    4. Save the files.
    5. Run the .exe file if on Windows or the .dmg file if on MAC.

  • Macbook Air 13" Camera stops working after a few hours. Needs Restart to be functioning again. How do I fix this?

    Hello!
    The camera stops working. Not detected by any program (Facetime, Skype, Hangouts, Zoom). This happens usually after a few hours of work or after the computer sleeps. To make the webcam function again I need to restart.
    Any suggestions?

    Why does that seem likely to be a hardware issue? How did you come to that conclusion? Do you know something about this issue that indicates that? (I realise that this might sound short and rude - I am not trying to be rude here - just to understand) My thought is that conventional troubleshooting would say that this is a software issue because it is fixed with a restart.
    I also have this problem. The camera quits working after some time - I have not been able to make it stop working. Sometimes it is after I suspend the computer (close the lid) other times it still works.
    All I know is that intermittently my camera stops working and it is a big pain to have to reboot whenever I am going have a video chat.
    Anyone got any solutions, I'm not covered by applecare so would rather try and fix it myself if possible?

Maybe you are looking for

  • Internet on Treo Pro (GSM) not working

    If I want to access the internet to browse webpages on my Treo Pro, I do not get anything while connecting through GPRS. When connected through Wifi it does work. I think it is not the internetconnection itself since I do receive my e-mails through G

  • File Sharing with PCs over wifi

    Hello, I have just set up a mac mini as a home server, primarily for file sharing. It works fine when the mac is plugged into the router by ethernet, my two PCs can connect to the mac's local IP address and can access the drives, but they cannot acce

  • ITunes not wanting to install? Windows...Error message included here. Help?

    When trying to install iTunes I recieved the following message: There is a problem with this Windows Installer package. A program required for this install to complete could not be run. Conact your support personnel or package vendor. How can I fix t

  • Firefox wont load background image on some sites but internet explore will load the background

    i downloaded firefox awhile ago worked perfectly fine then all a sudden it wont load facebook background images the homepage of facebook loads background image but when i log in it wont load background image but when i try internet explorer it loads

  • Very slow internet connection on windows 7

    I installed Windows 7 on my iMac in order to test a few websites on different internet browsers. and for the first week or so the internet worked fine. But then i started to notice that the internet got Very slow and i went to test the speeds and thi