Problemas com o CURSOR_SHARING = SIMILAR

Olá,
Sou DBA de uma empresa que utiliza o Oracle 10G, e recentemente realizei uma alteração (para efeito de teste) do parâmetro CURSOR_SHARING. Alterei ele do seu valor default "EXACT" para o valor "SIMILAR".
Com a alteração, a taxa de hard parse diminuiu, e obtive um alto índice de reuso de query (ou scripts de modo geral).
Os testes estavam indo bem, quando és que surge uma consulta semelhante a seguinte:
select 'teste' as campo, 'Y' as tipo from dual
union
select 'teste1', 'N' from dual;
Com o parâmetro alterado, essa consulta foi interpretada como:
select '"SYS_B_0"' as campo, '"SYS_B_1"' as tipo from dual
union
select '"SYS_B_2"' as campo, '"SYS_B_3"' as tipo from dual;
Até então, tudo ocorreu conforme esperado, porém na aplicação que faz uso dessa base existia um teste:
<%
'Código ASP
if cstr(rs.fields("tipo")) = "Y" then
<< fazer algo >>
else
<< fazer algo >>
end if
%>
Mesmo quando o retorno da consulta era = "Y", nunca entre no if (e eu testei a consulta e ela realmente retornava Y).
Quando fui verificar o retorno pela aplicação, o campo "tipo" retornava "Y ¢¥¥├ò", ou seja, com um lixo após o valor.
Rodei a mesma consulta pelo sqlplus, e realmente o valor do retorno era apenas "Y".
Tentei alterar o provider da string de conexão do banco para ver se era esse o problema, mas o mesmo persistiu. O Oracle Client no servidor da aplicação é o 10G.
Não consegui entender o erro, e em todas as documentações e livros que pesquisei, os problemas oriundos da alteração desse parâmetro acarreta apenas em queda de performance (devido a por exemplo reutilizar um plano NÃO otimizado para uma consulta).
Esse problema inviabilizou a alteração que se comportara muito bem em outros aspectos.
Entendo que quando pensamos em reuso através de bind variables, associamos apenas à alterações dos parâmetros na seleção dos dados e não na projeção como é o caso citado.
Alguém tem alguma ideia sobre o que pode ser e se tem alguma alteração que possa ser feita para conseguir o ganho da performance dos "soft parses"?
Grato desde já.

Hi,
I'm a DBA for a company that uses Oracle 10G (release 10.2.0.3), and recently realized a change (for the purpose of testing) on parameter CURSOR_SHARING. I changed it to value "SIMILAR".
With the change, the rate decreased hard parse, and got a high degree of reuse of query (and scripts in general).
The tests were going well, when the query below arose:
select 'test' as campo, 'Y' as tipo from dual
union
select 'test1', 'N' from dual;
With the changed parameter, this query was interpreted as:
select '"SYS_B_0"' as campo, '"SYS_B_1"' as tipo from dual
union
select '"SYS_B_2"', '"SYS_B_3"' from dual;
Until then, everything went as expected, but the application that uses the database has a test:
<%
'ASP code
if CStr (rs.Fields ("tipo")) = "Y" then
<< something >>
else
<< something >>
end if
%>
Even when the query was returning = "Y", never executed the if clause (and I tested the query and it really returned "Y").
When I check the return by the application, the field "tipo" returned "Y ¢ ¥ ò ¥ ├", with a dirty code after.
I execute the same query through sqlplus, and really the value of the return was only "Y".
I tried changing the provider in the string connection of the database to see if that was the problem, but it persisted. The Oracle Client on the application server is 10G.
I could not understand the error, and all documentations and books I researched, the problems arising from the change of this parameter causes only drop in performance (eg due to reuse a NOT optimized plan for a query).
This problem prevented the change that had behaved very well in other respects.
I understand that when we think of reuse through bind variables, only associate the changes of the parameters in the selection of the data and not in the projection as in the case cited.
Anyone have any idea about what can be and if you have any changes that may be made to achieve the performance gain of the "soft parses"?
Thankful now.
<<< Sorry for my english >>>

Similar Messages

  • As i was using my itouch(2nd gen)there was a sudden and drastic increase in temperature on the rear portion(metal portion) and since then it is not working.Has anyone come across a similar problem?Any Suggestions?

    As i was using my itouch(2nd gen)there was a sudden and drastic increase in temperature on the rear portion(metal portion) and since then it is not working.Has anyone come across a similar problem?Any Suggestions?

    Sounds to me like the battery has failed.
    You can take it to an Apple Store.  They MAY be able to do something..  Or, you can find parts and "How-To" repair guides on the internet.  eBay and Google are your friends...

  • SQL versions with cursor_sharing=similar

    Hello,
    We have a Peoplesoft DB and we have been obliged to use cursor_sharing=similar to solve some of our problems. We have just noticed that with Oracle *9.2.0.7*, when a table is partitioned, many versions of the same sql are created in the SGA. Here is the demo
    CREATE TABLE T5
      ID    NUMBER(2),      
      NAME  VARCHAR2(15 BYTE)
    PARTITION BY RANGE (ID) 
      PARTITION P1 VALUES LESS THAN (10),
      PARTITION P2 VALUES LESS THAN (20),
      PARTITION P3 VALUES LESS THAN (30),
      PARTITION P_MAXVALUE VALUES LESS THAN (MAXVALUE));
    alter session set cursor_sharing=similar;
    select count(*) from t5 where id = 1;
    select count(*) from t5 where id = 10;
    select count(*) from t5 where id = 30;
    select count(*) from t5 where id = 5;  
    select count(*) from t5 where id = 15;Now we check the SGA:
    SQL> select hash_value,CHILD_NUMBER,EXECUTIONS,sql_text from v$sql where SQL_TEXT like '%t5%';
    HASH_VALUE CHILD_NUMBER EXECUTIONS SQL_TEXT
    602987019            0          1 select count(*) from t5 where id = :"SYS_B_0"
    602987019            1          1 select count(*) from t5 where id = :"SYS_B_0"
    602987019            2          1 select count(*) from t5 where id = :"SYS_B_0"
    602987019            3          1 select count(*) from t5 where id = :"SYS_B_0"
    602987019            4          1 select count(*) from t5 where id = :"SYS_B_0"Is there a way to avoid all these child cursors?
    Has anyone had this same problem before?

    Well, I just tried it, but this time with a table NOT partitioned, no histograms and no range operation, with Oracle version 10.2.0.1 and I got the same results:
    SQL> CREATE TABLE T6
      ID    NUMBER(2),
      NAME  VARCHAR2(15 BYTE)
    SQL> alter session set cursor_sharing=similar;
    Session altered.
    SQL>
    SQL> select count(*) from t6 where id = 1;
      COUNT(*)
             0
    SQL> select count(*) from t6 where id = 10;
      COUNT(*)
             0
    SQL> select count(*) from t6 where id = 30;
      COUNT(*)
             0
    SQL> select count(*) from t6 where id = 5;
      COUNT(*)
             0
    SQL> select count(*) from t6 where id = 15;
      COUNT(*)
             0
    SQL> select hash_value,CHILD_NUMBER,EXECUTIONS,sql_text
    from v$sql where SQL_TEXT like '%t6%';
    HASH_VALUE CHILD_NUMBER EXECUTIONS SQL_TEXT
    2780697141            0          1 select count(*) from t6 where
                                       id = :"SYS_B_0"
    2780697141            1          1 select count(*) from t6 where
                                       id = :"SYS_B_0"
    2780697141            2          1 select count(*) from t6 where
                                       id = :"SYS_B_0"
    2780697141            3          1 select count(*) from t6 where
                                       id = :"SYS_B_0"
    HASH_VALUE CHILD_NUMBER EXECUTIONS SQL_TEXT
    2780697141            4          1 select count(*) from t6 where
                                       id = :"SYS_B_0"
    2776262046            0          2 select hash_value,CHILD_NUMBER
                                       ,EXECUTIONS,sql_text from v$sq
                                       l where SQL_TEXT like '%t6%'
    6 rows selected.So?

  • _optim_peek_user_binds and cursor_sharing=SIMILAR

    Hello evey DBA,
    Please tell me If I am wrong :
    I think that the setting of "_optim_peek_user_binds" has no sens, if "cursor_sharing=similar"
    Because, when the cursor_sharing=similar, oracle ALWAYS peeking the bind variables to check of the repartition of the corresponding columns on the histograms, and decide if it can use the same plan or if it's better to generate a new plan ...
    Assume that the columns in question have their histogram.
    Am I wrong ?

    Hemant K Chitale wrote:
    There are very many references to ""_optim_peek_user_binds" on MetaLink. So it isn't exactly "undocumented ... there is no official description of its purpose". The cat is out of the bag.How about - this is a deliberately hidden parameter. Hidden parameters are hidden for a reason.
    According to Metalink note 315631.1 "NB:It is never recommended to modify these hidden parameters without the assistance of Oracle Support.Changing these parameters may lead to high performance degradation and other problems in the database." And Note 790268.1 shows a method of finding sessions that have set hidden parameters.
    Based on information in Metalink and other sources, one could reasonably conclude that
    - hidden parameters may change in impact or meaning at any upgrade or patch, so even version is not enough to properly discuss them in all cases;
    - hidden parameters should not be published or discussed at length in a public forum, lest newbies misinterpret and use them to potentially disasterous effect;
    - hidden parameters could be discussed in specialty and advanced forums (such as Oracle Scratchpad) because advanced readers tend to be careful;
    - information about hidden parameters should be researched in Metalink, or with Support, first before use;
    - impact of hidden parameters should be evaluated in a test environment, not in a debate.
    That said, this one is well discussed in note 387394.1 ]:)

  • Problema com o armazenamento de cache do navegador em sistema operacional windows 8

    Utilizo um notebook da samsung há mais de um ano, e desde que eu comprei ele, ocorre um erro tanto com o mozila firefox, como com o google chrome (mas não com o internet explorer 11), de que conforme eu passo um tempo (alguns minutos) utilizando os navegadores, ocorre problemas com caches de páginas, as páginas não carregam, ou carregam parcialmente (o problema ocorre com todas as páginas que o navegador abre), eu só soluciono o problema quando faço a limpeza manual do cache desses navegadores.
    Atenciosamente, João Vicente.

    Olá,
    Verifique se o problema ocorre no Modo de Segurança:
    *[https://support.mozilla.org/kb/troubleshoot-firefox-issues-using-safe-mode Modo de Segurança]
    Verifique seus plugins:
    *[https://www.mozilla.org/en-US/plugincheck/ Plugin verificar]
    Verifique se o problema ocorre com a navegação privativa
    *[https://support.mozilla.org/pt-BR/kb/navegacao-privativa Navegação Privativa]

  • I have photoshop CS5 Extended problem comes when I try to install it as I cannot seem to find an unzip program that will do it

    I have photoshop CS5 Extended but my motherboard flashed over so I have now purchased a new computer and of course wish to download another copy, I have my Serial No from my account and I have downloaded a new copy of the program, the problem comes when I try to install it as I cannot seem to find an unzip program that will do it as they are asking for file names etc which of course I don't have until I unpack it !! can anybody please advise what program will unzip this automatically bearing in mind there are two files with the download. Or is there a way that I can download without having to unzip?
    Thanking you for your help.

    download both the exe and 7z, put both in the same directory and click the exe.
    Downloadable installation files available:
    Suites and Programs:  CC 2014 | CC | CS6 | CS5.5 | CS5 | CS4, CS4 Web Standard | CS3
    Acrobat:  XI, X | 9,8 | 9 standard
    Premiere Elements:  13 | 12 | 11, 10 | 9, 8, 7 win | 8 mac | 7 mac
    Photoshop Elements:  13 |12 | 11, 10 | 9,8,7 win | 8 mac | 7 mac
    Lightroom:  5.7.1| 5 | 4 | 3
    Captivate:  8 | 7 | 6 | 5.5, 5
    Contribute:  CS5 | CS4, CS3
    Download and installation help for Adobe links
    Download and installation help for Prodesigntools links are listed on most linked pages.  They are critical; especially steps 1, 2 and 3.  If you click a link that does not have those steps listed, open a second window using the Lightroom 3 link to see those 'Important Instructions'.

  • I get a black screen on the camera app on my iPod touch? Is there a solution? Resetting only helped for a few days, problem comes back.

    I get a black screen on the camera app on my iPod touch? Is there a solution? Resetting only helped for a few days, the problem comes back.
    Camera works, with the side buttons it takes pictures.
    Although I'm not able to see on the screen.
    Mike

    First try a restore from backup
    If problem still occurs try a restore to factory defaults/new Pod.
    If still occurs likely a hardware problem and an appoitment at the Genius Bar of an Apple store is in order.

  • I guess the problem come from me or I really need those contacts before he calls me for it. I'll try some method that I got from some responders on your support website. Do you have or can you recommand any software that can solve this problem?

    I guess the problem come from me but I really need those contacts before he calls me for it. I'll try some method that I got from some responders on your support website. Do you have or can you recommand any software that can solve this problem?
    One more thing. I just update my iphone that my boss gave to me but it seems to be like it giving me some trouble. My iphone was updated not too long and was successful. I try to lock into it and it telling me emergency call. I plug it to my itune and it telling me that the sim card is not valid or supported. So I inserted my sim card that I usually use to call and it still saying the same. Please help me get into it.

    And as far as paying for phone support, here are a few tips:
    If you call your carrier first and then they route you to Apple, you usually don't have to pay for phone support.
    If you are talking to Apple and they ask you to pay a support fee, ask if you can get an exception this time.  That usually works once, but they keep track of the times you've been granted such an exception.
    If you still end up paying the support fee, that fee only applies if it's not a hardware related issue.  In other words, if it can be fixed by just talking over the phone and following Apple's instructions, then the fee applies.  But if your device is deemed to have a hardware failure that caused the issue, then the fee should not apply, and you can ask for it to be waived after the fact.
    This forum is free, and almost all of the technical support articles the Apple tech advisors use are available on this website.  Literally 99% of what they can do over the phone is just walking you through the publicly available support articles.  In other words, you're paying the fee to have them do your research for you.  It's like hiring a research consultant to go look stuff up in the public library so you don't have to.  You're capable of doing it; you'd just rather pay someone to do it for you.
    It's like Starbucks.  You know how to make coffee.  Everyone knows how to make coffee.  And Starbucks coffee isn't any better than what you could make at home for far less.  But you want the convenience.  So you're really paying a convenience fee.  Milk is more expensive at 7-Eleven than it is at the grocery store... because it's a convenience store.

  • I'm doing a scan around a line by sampling data 360 degrees for every value of z(z is the position on the line). So, that mean I have a double for-loop where I collect the data. The problem comes when I try to plot the data. How should I do?

    I'm doing a scan around a line by sampling data 360 degrees for every value of z(z is the position on the line). So, that mean I have a double for-loop where I collect the data. The problem comes when I try to plot the data. How should I do?

    Jonas,
    I think what you want is a 3D plot of a cylinder. I have attached an example using a parametric 3D plot.
    You will probably want to duplicate the points for the first theta value to close the cylinder. I'm not sure what properties of the graph can be manipulated to make it easier to see.
    Bruce
    Bruce Ammons
    Ammons Engineering
    Attachments:
    Cylinder_Plot_3D.vi ‏76 KB

  • I have opened two versions of Firefox (v3.6.18 and v3.5), v3.6.18 is my default browser. The problem comes after an attempt to open a HTML file.

    I have opened two versions of Firefox (v3.6.18 and v3.5), v3.6.18 is my default browser. The problem comes after an attempt to open a HTML file. An error appears: "Firefox is already running, but is not responding. To open a new window, you must first close the existing Firefox process, or restart your system." Why wouldn't it just open on my default browser? Thanks for the help!

    A possible cause is security software (firewall) that blocks or restricts Firefox without informing you about that, maybe after detecting changes (update) to the Firefox program.
    Remove all rules for Firefox from the permissions list in the firewall and let your firewall ask again for permission to get full unrestricted access to internet for Firefox.
    See [[Firewalls]] and http://kb.mozillazine.org/Firewalls
    http://kb.mozillazine.org/Browser_will_not_start_up

  • My 4-year old AirPort Extreme intermittently drops out (no signal to my iMac Book).  The laptop shows reception of other nearby Wi-Fi transmitters, but not mine.  I have changed the bands, but the problem comes back.  Transmitter problem or interference?

    My 4-year old AirPort Extreme intermittently drops out (no signal to my iMac Book).  My hard-wired iMac still has internet capability.  The laptop shows reception of other nearby Wi-Fi transmitters, but not mine.  I have changed the bands back and forth, but the problem comes back.  How can I check if it is a transmitter problem or interference?

    Let me see if I can suggest a strategy.
    I have talked with my ISP and he said that I am not the only one with an Airport Extreme with the same issue. He said to try to write the DNS direclty, rather than using the Auto settings - still nothing works.
    What modem do you have and what sort of broadband?
    What mode is the AE in.. router or bridge?
    I have an Airport Express from 2010. Since about a month and definetly since yesterday, I cannot connect any device via Wifi to it although LAN connection works correctly.
    Is this express or extreme.. the rest of the post you refer to extreme.
    What is the actual model number of the AE? A1xxx from the base or the part number MCxxx from the box.
    If the AE is bridge.. I want you to try a different method.. put it in router mode.. don't worry about double NAT but ensure the IP range of the modem /router is different to the AE.. so if one is 192.168.x.x then the AE on default at 10.x.x.x is fine.. if the main router is 10.x then move the AE to 192.168.x.x
    Make sure the guest wireless is off.
    Using a 5.6 utility on your 10.6.8 OS mini go to the log and see if the wireless is registering..
    You should see lists of wireless connection like..
    Post as many screenshots of the setup as you can.. it helps loads.
    IPv6 is starting to become a pain.. try it off and try local link and try auto.. in the computer.

  • Cursor_sharing=similar or cursor_sharing=exact

    Hai,
    I have doubt regarding setting cursor_sharing parameter exact and similar at session level.
    On my database cursor_sharing is set similar at system level.
    test >show parameter cursor
    NAME                                 TYPE                             VALUE
    cursor_sharing                       string                           SIMILARI have fired a simple select statement without setting any cursor_sharing at session level
    TEST >variable b1 number;
    TEST >exec :b1:=7499;
    PL/SQL procedure successfully completed.
    Elapsed: 00:00:00.00
    TEST >select empno,job from emp where job='SALESMAN' and empno=:b1;
         EMPNO JOB
          7499 SALESMANchecking the hash value for query fired
    test >select sql_text,invalidations,hash_value,executions,loads from v$sqlarea
    16:14:50   2  where sql_text like '%select empno,job from%';
    SQL_TEXT
    INVALIDATIONS HASH_VALUE EXECUTIONS      LOADS
    select empno,job from emp where job=:"SYS_B_0" and empno=:b1
                0 3727168047          1          1Literal job='SALESMAN' is converted into system generated bind variable job=:"SYS_B_0" as my cursor_sharing=similar
    Fired the same statement by setting cursor_sharing=exact at session level
    TEST >alter session set cursor_sharing=exact;
    Session altered.
    Elapsed: 00:00:00.00
    16:15:25 TEST >select empno,job from emp where job='SALESMAN' and empno=:b1;Checking the hash value for newly fired query with cursor_sharing=exact
    SQL_TEXT
    INVALIDATIONS HASH_VALUE EXECUTIONS      LOADS
    select empno,job from emp where job='SALESMAN' and empno=:b1
                0 2065003705          1          1
    select empno,job from emp where job=:"SYS_B_0" and empno=:b1
                0 3727168047          1          1literal job='SALESMAN' is not converted into bind variable as my cursor_sharing=exact
    At the same session fired the same query by setting cursor_sharing=similar ..to check which hash value would be shared.
    16:15:28 TEST >alter session set cursor_sharing=similar;
    Session altered.
    Elapsed: 00:00:04.09
    17:27:54 TEST >select empno,job from emp where job='SALESMAN' and empno=:b1;
         EMPNO JOB
          7499 SALESMAN
    16:28:26 test >select sql_text,invalidations,hash_value,executions,loads from v$sqlarea
    17:28:13   2  where sql_text like '%select empno,job from%';
    SQL_TEXT
    INVALIDATIONS HASH_VALUE EXECUTIONS      LOADS
    select empno,job from emp where job='SALESMAN' and empno=:b1
                0 2065003705          2          *2*
    select empno,job from emp where job=:"SYS_B_0" and empno=:b1
                0 3727168047          1          1The hash value 2065003705 (cursor_sharing=exact) is shared as executions column is changed from 1 to 2.
    So after setting parameter cursor_sharing = similar why the hash value of 3727168047(cursor_sharing=similar)
    is not shared?I guess something is cached at session level but i want to know the exact reason..
    Again i flushed the shared pool
    test >alter system flush shared_pool;
    System altered.
    Elapsed: 00:00:03.09
    17:39:40 test >select sql_text,invalidations,hash_value,executions,loads from v$sqlarea
    17:39:44   2  where sql_text like '%select empno,job from%';
    SQL_TEXT
    INVALIDATIONS HASH_VALUE EXECUTIONS      LOADS
    select empno,job from emp where job='SALESMAN' and empno=:b1
                0 2065003705          0          2The hash value of 3727168047(cursor_sharing=similar) is removed ..not hash value 2065003705
    What is the reason behind that ...
    Regards,
    Meeran

    Meeran wrote:
    The hash value 2065003705 (cursor_sharing=exact) is shared as executions column is changed from 1 to 2.
    So after setting parameter cursor_sharing = similar why the hash value of 3727168047(cursor_sharing=similar)
    is not shared?I guess something is cached at session level but i want to know the exact reason..Because there is a query in the shared_pool with same literal value so it doesn't have to use the hash 3727168047 and substitute the bind where it already has a plan for the same statement which is 2065003705.
    I think with setting CURSOR_SHARING=similar again, If you try the query with JOB='ANALYST' then it will use the plan 3727168047 and substitute the bind with 'ANALYST'.
    Again i flushed the shared pool
    test >alter system flush shared_pool;
    System altered.
    Elapsed: 00:00:03.09
    17:39:40 test >select sql_text,invalidations,hash_value,executions,loads from v$sqlarea
    17:39:44   2  where sql_text like '%select empno,job from%';
    SQL_TEXT
    INVALIDATIONS HASH_VALUE EXECUTIONS      LOADS
    select empno,job from emp where job='SALESMAN' and empno=:b1
    0 2065003705          0          2The hash value of 3727168047(cursor_sharing=similar) is removed ..not hash value 2065003705
    What is the reason behind that ...If you have noticed, the executions for the hash plan 2065003705 are 0 after the shared_pool flushing. It seems that with flush shared_pool, oracle doesn't flush the queries with literals and just reset their stats. As literals are always the culprits.
    You may also wanna read this, as good document on CURSOR_SHARING.

  • TS1702 looking on internt everyone having same problem, come on apple!!

    when i do a in app purchase, it doesnt work i click the purchase with the price then comes up with error to contact apple support ????? my kindle never has this problem, first apple product not impressed !!

    You likely have something wrong with your account.  That is why you are being prompted to contact Apple. 
    If it was an issue with the App's store, then everyone would be having the same issue. 
    The people who are experiencing this, appear to be a small portion of people, and there fore likely have a similar issue to you.  Try calling Apple, and they will be able to see what may be causing this. 
    To contact Apple directly - http://support.apple.com/kb/HE57.

  • Problemas com o Adobe Flash Player no Mozilla Firefox

    Olá,eu estou tendo um problema muito irritante com o Adobe Flash Player,mas apenas no Mozilla Firefox,oque acontece? bem vamos por partes para "você" ou "vocês" entenderem:
    Eu tenho um jogo de browser chamado "Dead Frontier" ele é um MMORPG e não precisa ser instalado no computador,apenas requer o Adobe Flash Player e o Unity Web Player...pois bem,jogo esse jogo a anos no Mozilla Firefox,nunca tive nenhum problema como este...que parece ser impossível de se resolver ao meu ver...
    Vamos lá,tenho algumas imagens que podem ajudar a entender o que está havendo:
    Qual o problema?na página inicial deste jogo sempre se executa um vídeo trailer do próprio jogo,mas de uns tempos pra cá(questão de 1 mês ou mais que isso começou)vem aparecendo esta mensagem no lugar do vídeo(sim tive de usar o paint,para facilitar os detalhes):
    http://i.imgur.com/IfmyJdq.jpg
    Enfim,isso veio do nada,assim sem mais nem menos,o que eu fiz?várias coisas,desinstalei o flash player várias vezes e instalei de novo,verifiquei se o Mozilla estava atualizado(e estava e ainda está),FORMATEI o computador para ver se dava um fim nesse maldito problema que já está me deixando maluco,no fim das contas,nada disso resolveu,recorri a vários fóruns,até recorri ao fórum do próprio Adobe,e eles parecem não conseguir resolver isto...
    Vamos aos pequenos detalhes que observei deste problema,sempre que vejo vídeos(do youtube) ou jogo este jogo,percebo alguns ruídos,"som travando" por pequenos períodos,eles não ficam o tempo todo,mas se repetem....e isso irrita,e MUITO....
    Percebi este pequeno símbolo lá em cima,no canto esquerdo da barra de endereço do site,um pequeno aviso triangular cinza,dêem uma olhada(só aparece neste site,este pequeno aviso triangular):
    http://i.imgur.com/CZQ8dw0.jpg
    Seria esse o problema?e se for,como resolver?
    antes de mais nada,vou adicionando mais coisas antes que falem,sim já desativei o adblock pra ver se resolvia,nada,sim tenho o javascript atualizado,Flash player atualizado....pra vocês verem de tudo que eu ja tentei,isso parece ser uma missão impossivel...repito de novo,o computador foi formatado recentemente....
    Já testei isso em outros navegadores,como o IE,chrome...isso não acontece com eles,o video executa normalmente,o som sai limpo,sem nenhum ruido ou qualquer travada...mas sempre tive minha preferência pelo Mozilla Firefox,como já disse,sempre joguei este jogo no Mozilla mesmo,nunca aconteceu isso....nunca mesmo.
    Enfim,relatei meu problema,espero que alguém entenda e consiga me iluminar aqui,por que sinceramente,já estou cansado disso,estou quase desistindo...sério mesmo,já tentei tudo....a solução até pode ser simples,mas a dor de cabeça está insuportável.
    Obrigado pra quem teve a paciência de ler tudo!
    Fireseedz

    Tópico duplicado, continue aqui: [/pt-BR/questions/1052849]

  • Problemas com o Compartilhamento Familiar no Apple TV

    Na terça-feira, tive o prazer de comprar o aparelho Apple TV, porém só hoje pude conectá-lo à internet e começar a trabalhar em cima dele.
    O Compartilhamento de Fotos e conteúdo dos aparelhos Apple daqui de casa funciona perfeitamente, porém quando tento ativar o Compartilhamento Familiar, ele dá erro.
    No computador, já acessei o programa do iTunes e o Compartilhamento Familiar está ativado, porém quando navego pela Apple TV e acesso a aba Computadores, ele pede para ativar a função no computador (sendo que ela já foi ativada). Como faço pra resolver esse problema?
    PS.: A ID é a mesma tanto no computador quanto no Apple TV.

    Olá,
    Não consigo baixar o youtube no celular do meu filho. Aparece a frase: " Um membro da familia já comprou esse item. Selecione OK para baixa-lo novamente sem nenhum custo."
    Para aparecer essa frase eu já coloquei a senha correta. Quando pressiono o OK, o icone retorna a posição GRATIS.
    Alguma solução?

Maybe you are looking for

  • Safari will not open in OS 10.3.9

    Hi: I cannot get my Safari app to open. I have Safari 2.0.3. I originally had 1.0. I have a Powerbook G4, 512 Ram, 40 GB. I tried to upgrade from Panther 10.3.9 to Tiger 10.4.6. The upgrade failed and I re-loaded the original Panther 10.3.5 and updat

  • J6480 wireless and network help please!

    I have an officejet J6480 that has an error in printing system when printing wireless.  Everything is configured correctly and my printer reads the router and connects.  If this problem cannot be fixed, can i use an ethernet connection directly from

  • Audio Problem on Macbook Pro

    This may not be related directly to FCE 4 but its only during audio playback do I encounter this problem, an anoying repetitive popping sound to most mp3 tracks I import. Any other Macbook Pro users running FCE encounter this problem?

  • Convert SMARTFORM report to PDF and send as an email attachment

    Hi I am using the CONVERT_OTF function module to convert a SMARTFORM report in the "spool" to a PDF file. When I use the DOWNLOAD function module, the resulting file can be opened in acrobat. I would like to email the report in PDF format as an attac

  • Wlc with redirect-acl

                       Hi, I'm using ISE and I want to redirect https traffics to one web-page. so I used cisco-av-pair = url-redirect=test123 also, test123 is existed in WLC with deny https any deny any https permit ip any any however, it does not redir