Exponencial Moving Average Java


Incluem abaixo os exercícios de resposta e programação curtos. São fornecidas respostas para aqueles exercícios cujo número de exercício é um hiperlink. Como a faculdade usa esses exercícios em seus exames, fornecemos respostas para cerca de metade dos exercícios incluídos aqui. 6.7 Qual é o valor de x após cada uma das seguintes afirmações é executada x Math. abs (7.5) x Math. floor (7.5) x Math. abs (0.0) x Math. ceil (0.0) x Math. abs (-6.4 ) X Math. ceil (-6.4) x Math. ceil (-Math. abs (-8 Math. floor (-5.5))) 6.8 Uma garagem de estacionamento cobra uma taxa mínima de 2.00 para estacionar por até três horas. A garagem cobra mais 0,50 por hora por cada hora ou parte do mesmo em excesso de três horas. A carga máxima para qualquer período de 24 horas é de 10,00. Suponha que nenhum estacionamento por mais de 24 horas por vez. Escreva um applet que calcula e exiba as tarifas de estacionamento para cada cliente que estacionou um carro nesta garagem ontem. Você deve inserir em um JTextField as horas estacionadas para cada cliente. O programa deve exibir a cobrança para o cliente atual e deve calcular e exibir o total em execução de recibos de ontem. O programa deve usar o método calculateCharges para determinar a carga para cada cliente. Use as técnicas descritas no Self-Review Exercise 6.6 para ler o valor duplo de um JTextField. 6.9 Uma aplicação do método Math. floor está arredondando um valor para o inteiro mais próximo. A declaração y Math. floor (x .5) arredondará o número x para o inteiro mais próximo e atribuirá o resultado a y. Escreva um applet que lê valores duplos e usa a instrução anterior para arredondar cada um desses números para o número inteiro mais próximo. Para cada número processado, exiba o número original eo número arredondado. Use as técnicas descritas no Self-Review Exercise 6.6 para ler o valor duplo de um JTextField. 6.10 Math. floor pode ser usado para arredondar um número para uma casa decimal específica. A declaração y Math. floor (x 10 .5) 10 arredonda x para a posição décimos (a primeira posição à direita do ponto decimal). A declaração y Math. floor (x 100 .5) 100 arredondamentos x para a posição de centésimos (ou seja, a segunda posição à direita do ponto decimal). Escreva um applet que define quatro métodos para arredondar um número x de várias maneiras: roundToInteger (número) roundToTenths (número) roundToHundredths (número) roundToThousandths (número) Para cada valor lido, seu programa deve exibir o valor original, o número arredondado para o Número inteiro mais próximo, o número arredondado para o décimo mais próximo, o número arredondado para o centésimo mais próximo e o número arredondado para o milésimo mais próximo. 6.11 Responda cada uma das seguintes questões. O que significa escolher números quotat randomquot Por que o método Math. random é útil para simular jogos de azar Por que, muitas vezes, é necessário dimensionar e mudar os valores produzidos por Math. random. Por que a simulação computadorizada de situações do mundo real é uma técnica útil 6.12 Escrever instruções que atribuem inteiros aleatórios à variável n nos seguintes intervalos: 6.13 Para cada um dos seguintes conjuntos de inteiros, escreva uma única instrução que imprima um número aleatoriamente de o conjunto. 6.14 Escreva um método integerPower (base, exponente) que retorna o valor de Por exemplo, integerPower (3, 4) 3 3 3 3. Suponha que o expoente é um inteiro positivo e não-zero e a base é um número inteiro. O método IntegerPower deve usar para ou durante o controle do cálculo. Não use nenhum método de biblioteca de matemática. Incorporar este método em um applet que lê valores inteiros de JTextField s para base e expoente do usuário e executa o cálculo com o método IntegerPower. Nota: Registre-se para o tratamento de eventos apenas no segundo JTextField. O usuário deve interagir com o programa digitando números em JTextField s e pressionando Enter no segundo JTextField. 6.15 Definir um método de hipotenusa que calcula o comprimento da hipotenusa de um triângulo direito quando os outros dois lados são fornecidos. O método deve levar dois argumentos de tipo duplo e devolver a hipotenusa como um duplo. Incorporar este método em um applet que lê valores inteiros para side1 e side2 de JTextField s e executa o cálculo com o método hypotenuse. Determine o comprimento da hipotenusa para cada um dos seguintes triângulos. Nota: Registre-se para o tratamento de eventos apenas no segundo JTextField. O usuário deve interagir com o programa digitando números em JTextField s e pressionando Enter no segundo JTextField. 6.16 Escreva um método múltiplo que determina para um par de inteiros se o segundo inteiro é um múltiplo do primeiro. O método deve levar dois argumentos inteiros e retornar verdadeiro se o segundo for um múltiplo do primeiro e falso caso contrário. Incorporar este método em um applet que insere uma série de pares de inteiros (um par de cada vez usando JTextField s). Nota: Registre-se para o tratamento de eventos apenas no segundo JTextField. O usuário deve interagir com o programa digitando números em JTextField s e pressionando Enter no segundo JTextField. 6.17 Escreva um applet que insere inteiros (um de cada vez) e os passa um de cada vez para o método isEven. Que usa o operador de módulo para determinar se um inteiro é uniforme. O método deve ter um argumento inteiro e retornar verdadeiro se o inteiro for uniforme e falso de outra forma. Use looping controlado por sentinela e uma caixa de diálogo de entrada. 6.18 Escreva um método squareOfAsterisks que exibe um quadrado sólido de asteriscos cujo lado é especificado no lado do parâmetro inteiro. Por exemplo, se o lado for 4. O método exibe Incorporar este método em um applet que lê um valor inteiro para o lado do usuário no teclado e executa o desenho com o método squareOfAsterisks. Observe que esse método deve ser chamado a partir do método de pintura do applets e deve ser passado o objeto Graphics da pintura. 6.19 Modifique o método criado no Exercício 6.18 para formar o quadrado de qualquer caractere contido no caractere de preenchimento de caracteres. Assim, se o lado for 5 e preencherCaracter é quot quot, este método deve imprimir 6.20 Use técnicas semelhantes às desenvolvidas nos Exercícios 6.18 e 6.19 para produzir um programa que grafica uma ampla gama de formas. 6.21 Modifique o programa do Exercício 6.18 para desenhar um quadrado sólido com o método fillRect da classe Graphics. O método fillRect recebe quatro argumentos150 x - coordenados, y-coordenados, largura e altura. Permita que o usuário insira as coordenadas nas quais o quadrado deve aparecer. 6.22 Escreva segmentos de programa que realizam cada um dos seguintes: Calcule a parte inteira do quociente quando o inteiro a é dividido por inteiro b. Calcule o restante inteiro quando o inteiro a é dividido por inteiro b. Use as peças do programa desenvolvidas em a) eb) para escrever um método displayDigits que recebe um número inteiro entre 1 e 99999 e imprime como uma série de dígitos, cada um dos quais separado por dois espaços. Por exemplo, o número inteiro 4562 deve ser impresso como 4 5 6 2. Incorporar o método desenvolvido em c) em um applet que insere um número inteiro de uma caixa de diálogo de entrada e invoca displayDigits passando o método o inteiro inserido. Exibir os resultados em uma caixa de diálogo de mensagem. 6.23 Implementar os seguintes métodos inteiros: Método celsius retorna o equivalente Celsius de uma temperatura Fahrenheit usando o método de cálculo fahrenheit retorna o equivalente Fahrenheit de uma temperatura Celsius. F 9.0 5.0 C 32 Use esses métodos para escrever um applet que permite ao usuário inserir uma temperatura Fahrenheit e exibir o equivalente Celsius ou inserir uma temperatura Celsius e exibir o equivalente Fahrenheit. Nota: Este applet exigirá que dois objetos do JTextField tenham eventos de ação registrados. Quando actionPerformed é invocado, o parâmetro ActionEvent possui método getSource () para determinar o componente GUI com o qual o usuário interagiu. Seu método actionPerformed deve conter uma estrutura if else da seguinte forma: if (e. getSource () input1) processar entrada1 interação aqui mais processar input2 interação aqui onde input1 e input2 são referências JTextField. 6.24 Escreva um método mínimo3 que retorna o menor número de três números de ponto flutuante. Use o método Math. min para implementar o mínimo3. Incorporar o método em um applet que lê três valores do usuário e determina o menor valor. Exibir o resultado na barra de status. 6.25 Um número inteiro é dito ser um número perfeito se seus fatores, incluindo 1 (mas não o próprio número), somem para o número. Por exemplo, 6 é um número perfeito porque 6 1 2 3. Escreva um método perfeito que determina se o número do parâmetro é um número perfeito. Use esse método em um applet que determina e exibe todos os números perfeitos entre 1 e 1000. Imprima os fatores de cada número perfeito para confirmar que o número é realmente perfeito. Desafie o poder de computação do seu computador, testando números muito maiores do que 1000. Exibe os resultados em um JTextArea com funcionalidade de rolagem. 6.26 Um inteiro é dito ser primitivo se for divisível apenas por 1 e por si mesmo. Por exemplo, 2, 3, 5 e 7 são primos, mas 4, 6, 8 e 9 não são. Escreva um método que determine se um número é primo. Use este método em um applet que determina e imprime todos os números primos entre 1 e 10.000. Quantos destes 10.000 números você realmente precisa testar antes de ter certeza de que você encontrou todos os primos Exibir os resultados em um JTextArea com funcionalidade de rolagem. Inicialmente, você pode pensar que n 2 é o limite superior para o qual você deve testar para ver se um número é primo, mas você só precisa ir tão alto quanto a raiz quadrada de n. Por que reescreva o programa e execute-o de ambas as maneiras. Estimar a melhoria do desempenho. 6.27 Escreva um método que leva um valor inteiro e retorna o número com seus dígitos invertidos. Por exemplo, dado o número 7631, o método deve retornar 1367. Incorporar o método em um applet que lê um valor do usuário. Exibir o resultado do método na barra de status. 6.28 O maior divisor comum (GCD) de dois inteiros é o maior número inteiro que divide uniformemente cada um dos dois números. Escreva um método gcd que retorna o maior divisor comum de dois inteiros. Incorporar o método em um applet que lê dois valores do usuário. Exibir o resultado do método na barra de status. 6.29 Escreva um método qualityPoints que insere uma média de student146s e retorna 4 se a média de alunos for 90151100, 3 se a média for 8015189, 2 se a média for 7015179, 1 se a média for 6015169 e 0 se a média for inferior a 60. Incorporar o método em um applet que lê um valor do usuário. Exibir o resultado do método na barra de status. 6.30 Escreva um applet que simula o lançamento de moedas. Deixe o programa lançar a moeda cada vez que o usuário pressiona o botão Quot Quot. Conte o número de vezes que cada lado da moeda aparece. Exibir os resultados. O programa deve chamar um flip de método separado que não leva argumentos e retorna falso para as caudas e verdadeiro para as cabeças. Nota: Se o programa simula de forma realista o lançamento de moedas, cada lado da moeda deve aparecer aproximadamente metade do tempo. 6.31 Os computadores estão a desempenhar um papel crescente na educação. Escreva um programa que ajudará um aluno da escola primária a aprender a multiplicação. Use Math. random para produzir dois inteiros positivos de um dígito. Em seguida, ele deve exibir uma pergunta na barra de status, como por exemplo, quanto é 6 vezes 7. O aluno então tipifica a resposta em um JTextField. Seu programa verifica a resposta dos alunos. Se for correto, desenhe a string quotBrt goodquot no applet, então pergunte outra questão de multiplicação. Se a resposta for errada, desenhe a string quotNo. Tente novamente. No applet, deixe o aluno tentar a mesma pergunta novamente repetidamente até que o aluno finalmente o faça bem. Um método separado deve ser usado para gerar cada nova questão. Este método deve ser chamado uma vez que o applet inicia a execução e cada vez que o usuário responde a pergunta corretamente. Todo o desenho no applet deve ser executado pelo método de tinta. 6.32 O uso de computadores na educação é referido como instrução assistida por computador (CAI). Um problema que se desenvolve em ambientes CAI é a fadiga dos estudantes. Isso pode ser eliminado, variando o diálogo dos computadores para manter a atenção dos alunos. Modifique o programa do Exercício 6.31 para que os vários comentários sejam impressos para cada resposta correta e cada resposta incorreta da seguinte maneira: Respostas a uma resposta correta Muito boa Excelente Bom trabalho Mantenha o bom trabalho Respostas a uma resposta incorreta Não. Por favor, tente novamente. Errado. Tente mais uma vez. Não desista não. Continue tentando. Use a geração de números aleatórios para escolher um número de 1 a 4 que será usado para selecionar uma resposta apropriada para cada resposta. Use uma estrutura de troca no método de tinta para emitir as respostas. 6.33 Mais sofisticados sistemas de instruções assistidos por computador monitoram o desempenho do aluno146 durante um período de tempo. A decisão de iniciar um novo tópico geralmente é baseada no sucesso do aluno146 com tópicos anteriores. Modifique o programa do Exercício 6.32 para contar o número de respostas corretas e incorretas digitadas pelo aluno. Depois que o aluno escreve 10 respostas, seu programa deve calcular a porcentagem de respostas corretas. Se a percentagem for inferior a 75, imprima. Pergunte ao seu instrutor ajuda extra e reinicie o programa para que outro aluno possa tentar o programa. 6.34 Escreva um applet que reproduz o quotguess do jogo numberquot da seguinte maneira: Seu programa escolhe o número a ser adivinhado selecionando um inteiro aleatório no intervalo de 1 a 1000. O applet exibe o prompt Adivinhe um número entre 1 e 1000 ao lado de um JTextField . O jogador escreve uma primeira adivinhação no JTextField e pressiona a tecla Enter. Se o adivinho dos jogadores estiver incorreto, seu programa deve exibir Demasiado alto. Tente novamente. Ou muito baixo. Tente novamente. Na barra de status para ajudar o jogador a questionar quotzero na resposta correta e deve limpar o JTextField para que o usuário possa entrar no próximo palpite. Quando o usuário entrar na resposta correta, mostre parabéns. Você adivinhou o número na barra de status e limpe o JTextField para que o usuário possa reproduzir novamente. Nota: A técnica de adivinhação empregada neste problema é semelhante a uma pesquisa binária. 6.35 Modifique o programa do Exercício 6.34 para contar o número de suposições que o jogador faz. Se o número for 10 ou menos, imprima Ou você conhece o segredo ou tem sorte Se o jogador adivinha o número em 10 tentativas, imprima Ahah Você conhece o segredo Se o jogador faz mais de 10 suposições, imprima Você deve poder fazer Melhor Por que não deve ter mais do que 10 suposições Bem, com cada adivinhação de quotgood, o jogador deve ser capaz de eliminar a metade dos números. Agora, mostre porque qualquer número 1 a 1000 pode ser adivinhado em 10 ou menos tentativas. 6.36 Escreva um poder de método recursivo (base, expoente) que quando invocado retorna por exemplo, alimentação (3, 4) 3 3 3 3. Suponha que o expoente seja um número inteiro maior ou igual a 1. (Dica: O passo de recursão usaria o base exponente base base exponente base expoente - 1 e a condição de término ocorre quando o expoente é igual a 1 porque incorporar este método em um applet que Permite que o usuário entre na base e no expoente.) 6.37 (Torres de Hanoi) Todo cientista em ascensão deve lidar com certos problemas clássicos e as Torres de Hanói (ver Fig. 6.19) é uma das mais famosas. A lenda diz que, num templo do Extremo Oriente, os sacerdotes estão tentando mover uma pilha de discos de uma cavilha para outra. A pilha inicial tinha 64 discos enfiados em uma cavilha e dispostos de baixo para cima, diminuindo o tamanho. Os sacerdotes estão tentando mover a pilha dessa cavilha para uma segunda cavilha sob as restrições que exatamente um disco é movido de cada vez e, em nenhum momento, um disco maior pode ser colocado acima de um disco menor. Uma terceira peg está disponível para guardar temporariamente discos. Supostamente, o mundo terminará quando os sacerdotes completarem sua tarefa, então há pouco incentivo para que nós facilitemos seus esforços. The Towers of Hanoi para o caso com quatro discos. Deixe-nos assumir que os sacerdotes estão tentando mover os discos do peg 1 para o peg 3. Desejamos desenvolver um algoritmo que imprima a seqüência precisa das transferências do disco peg-to-peg. Se abordássemos esse problema com métodos convencionais, rapidamente nos encontraríamos irremediavelmente aninhados no gerenciamento dos discos. Em vez disso, se atacarmos o problema com recursão em mente, ele imediatamente se torna atrativo. O movimento de n discos pode ser visto em termos de mover apenas n 151 1 discos (e, portanto, a recursão) da seguinte maneira: Mova n 151 1 discos da cavilha 1 para a cavilha 2, usando a cavilha 3 como área de espera temporária. Mova o último disco (o maior) da cavilha 1 para a cavilha 3. Mova os n 151 1 discos da cavilha 2 para a cavilha 3, usando a cavilha 1 como área de espera temporária. O processo termina quando a última tarefa envolve mover o disco n 1 (ou seja, o caso base). Isto é conseguido movendo trivialmente o disco sem a necessidade de uma área de espera temporária. Escreva um applet para resolver o problema de Towers of Hanoi. Permitir que o usuário digite o número de discos em um JTextField. Utilize um método de torre recursiva com quatro parâmetros: O número de discos a serem movidos O pino no qual esses discos são inicialmente roscados O pino a que esta pilha de discos deve ser movida O pino a ser usado como área de espera temporária Seu programa deve Exibir em um JTextArea com funcionalidade de rolagem as instruções precisas que levará para mover os discos da cavilha de partida para a cavilha de destino. Por exemplo, para mover uma pilha de três discos do peg 1 para o peg 3, seu programa deve imprimir a seguinte série de movimentos: 1 - gt3 (Isso significa mover um disco do peg 1 para o peg 3.) 6.38 Qualquer programa que possa Ser implementado de forma recursiva pode ser implementado iterativamente, embora às vezes com mais dificuldade e menos clareza. Tente escrever uma versão iterativa das Torres de Hanói. Se você tiver sucesso, compare sua versão iterativa com a versão recursiva que você desenvolveu no Exercício 6.37. Investigue questões de desempenho, clareza e sua capacidade de demonstrar a correção dos programas. 6.39 (Visualizando Recursão) É interessante assistir a ação de quotina de recursão. Modifique o método fatorial da Fig. 6.12 para imprimir sua variável local e o parâmetro de chamada recursiva. Para cada chamada recursiva, exiba as saídas em uma linha separada e adicione um nível de recuo. Faça o seu melhor para tornar as saídas claras, interessantes e significativas. Seu objetivo aqui é projetar e implementar um formato de saída que ajude uma pessoa a entender a recursão melhor. Você pode querer adicionar essas capacidades de exibição aos muitos outros exemplos e exercícios de recursão em todo o texto. 6.40 O maior divisor comum de inteiros x e y é o maior número inteiro que divide uniformemente x e y. Escreva um método recursivo gcd que retorna o maior divisor comum de x e y. O gcd de x e y é definido recursivamente da seguinte forma: Se y for igual a 0. Então gcd (x. Y) é x de outra forma, gcd (x, y) é gcd (y, x y). Onde é o operador do módulo. Use este método para substituir o que você escreveu no applet do Exercício 6.28. 6.41 Os exercícios 6.31 a 6.33 desenvolveram um programa de instrução assistida por computador para ensinar uma multiplicação de alunos da escola primária. Este exercício sugere melhorias nesse programa. Modifique o programa para permitir que o usuário insira uma capacidade de nível de classificação. Um nível de grau de 1 significa usar apenas números de um dígito nos problemas, um nível de classificação de 2 significa usar números tão grandes quanto dois dígitos, etc. Modifique o programa para permitir ao usuário escolher o tipo de problemas aritméticos que ele ou Ela deseja estudar. Uma opção de 1 significa apenas problemas de adição, 2 significa apenas problemas de subtração, 3 significa apenas problemas de multiplicação, 4 significa apenas problemas de divisão e 5 significa misturar aleatoriamente problemas de todos esses tipos. 6.42 Escreva a distância do método. Que calcula a distância entre dois pontos (x1, y1) e (x2, y2). Todos os números e valores de retorno devem ser de tipo duplo. Incorporar este método em um applet que permite ao usuário inserir as coordenadas dos pontos. 6.43 O que faz o método a seguir? O parâmetro b deve ser um inteiro positivo para evitar infinitas recursões publicas int misterioso (int a, int b) se (b 1) retornar um outro retornar um mistério (a, b - 1) 6.44 Depois de determinar O que o programa do Exercício 6.43 faz, modifique o método para operar corretamente após remover a restrição do segundo argumento não negativo. Além disso, incorpore o método para um applet que permite ao usuário inserir dois inteiros e testar o método. 6.45 Escreva um aplicativo que testa todos os métodos da biblioteca de matemática na Fig. 6.2 como você pode. Execute cada um desses métodos, fazendo com que seu programa imprima tabelas de valores de retorno para uma diversidade de valores de argumento. 6.46 Encontre o erro no seguinte método recursivo e explique como corrigi-lo: int int (int n) se (n 0) retornar 0 else return n sum (n) 6.47 Modificar o programa craps da Fig. 6.9 para permitir apostas. Inicialize o banco bancário variável para 1000 dólares. Inspecione o jogador para participar de uma aposta. Verifique se a aposta é menor ou igual a bankBalance. E se não, faça com que o usuário reenvie a aposta até que uma aposta válida seja inserida. Depois que uma aposta correta é inserida, execute um jogo de craps. Se o jogador ganhar, aumente o BankBalance aposte e imprima o novo bankBalance. Se o jogador perder, diminua BankBalance por aposta. Imprima o novo bancoBalance. Verifique se o bancoBalance se tornou zero e, em caso afirmativo, imprima a mensagem quotSorry. Você puxou-se À medida que o jogo progride, imprima várias mensagens para criar algum quotchatter, como quotOh, você está indo para quebrar, huhquot ou quotAw c146mon, tire uma chance ou quata grande. Nows o tempo para ganhar dinheiro com o seu chipsquot. Importe o quotchatterquot como um método separado que escolha aleatoriamente a seqüência de caracteres para exibir. 6.48 Escreva um applet que usa um método circleArea para solicitar ao usuário o raio de um círculo e para calcular e imprimir a área desse círculo. Incluem-se abaixo as respostas para aproximadamente metade dos exercícios no Cyber ​​Classroom. Não somos capazes de incluir respostas para cada exercício porque os professores da faculdade usam esses exercícios em seus exames de sala de aula. 6.7 Qual é o valor de x depois de cada uma das seguintes instruções ser executada 6.12 Escrever instruções que atribuem inteiros aleatórios à variável n nos seguintes intervalos: 1 n 2 ANS: n (int) (1 Math. random () 2) 1 N 100 ANS: n (int) (1 Math. random () 100) 0 n 9 ANS: n (int) (Math. random () 10) 1000 n 1112 ANS: n (int) (1000 Math. random () 113) 1511 n 1 ANS: n (int) (-1 Math. random () 3) 1513 n 11 ANS: n (int) (-3 Math. random () 15) Padrões, Configurações, Análise O que é o Short Skirt Trade A SHORT SKIRT é um rápido comércio de couro cabeludo feito na direção da tendência de curto prazo. A configuração ocorre após o SampP ter feito um movimento de impulso acentuado. O padrão tende a parecer uma bandeira de continuação em um gráfico de 1 minuto. Nós chamamos isso de saia curta porque o comércio geralmente dura entre 2 a 10 minutos. O conceito é - rápido e rápido sem ser pego. Tentamos procurar configurações de saia curta que tenham potencial para um mínimo de três pontos no comércio. Um STOP inicial de 3 pontos é colocado a partir do preço de entrada comercial. O objetivo do comércio é um reteste do balanço anterior alto ou baixo, embora o mercado geralmente faça uma nova perna para cima ou para baixo. Como você entra no Short Skirt Trades Nós assistimos a um retracement de preços de 2 a 4 pontos do último swing formado alto ou baixo. Para um olho não treinado, pode ser útil observar a média móvel exponencial de 20 períodos em um gráfico de 1 minuto, embora o preço nem sempre seja tão distante. Às vezes, as reações que vão de lado ao invés de voltar para o EMA podem ser as melhores trocas. O retracement inicial do preço dura cerca de 5 minutos. Quando a reação de volta começa a paralisar, geralmente entramos em uma ordem de mercado. É ideal para entrar no comércio ANTES de o preço começar a voltar para a direção da tendência original. Também é mais eficiente trabalhar uma oferta ou oferta à medida que o preço está sendo corrigido novamente, mas às vezes o tipo de pedido usado é uma questão de estilo pessoal. Uma vez que o preço já foi corrigido de volta 2-3 pontos quando uma troca é inserida, é raro que a parada inicial de 3 pontos seja atingida. Apertamos a parada depois que o comércio se desloca a nosso favor. Depois que o comércio começar a funcionar, puxe imediatamente a sua parada até o último balanço alto ou baixo, caso o mercado não faça um retorno completo novamente. O que é uma bandeira BullBear Esses padrões são obtidos diretamente do gráfico clássico (Schabacker, Edwards amp Magee, etc.) e resistiram ao teste do tempo. As bandeiras são um padrão de continuação em um mercado de tendências. Eles são encontrados em todos os prazos, todos os mercados e oferecem um dos melhores índices de recompensa de risco para as configurações de comércio. Uma formação de bandeira deve ser precedida por um pólo ou movimento de impulso inicial na direção da tendência. A consolidação subseqüente tende a ser relativamente superficial. Os padrões de continuação são muito menores do que os padrões de inversão. Quanto mais uma bandeira vai de lado, maiores são as chances de que ela se torne um padrão de reversão, em oposição a levar a uma nova perna na direção da tendência. O que é um Comércio do Graal O comércio do Santo Graal foi originalmente descrito no meu livro Street Smarts. A configuração ocorre quando a tendência dos mercados tem sido forte o suficiente para fazer com que um ADX de 14 períodos eleva-se acima de 30. Quando o preço retorna para o EMA de 20 períodos, as probabilidades favorecem um reteste do mais recente formado alto ou baixo. O que é um Anti Setup O Anti parece com um pequeno padrão de bandeira de touro ou urso que ocorre no meio de um intervalo de negociação ou logo após um mercado se ter invertido de um movimento de tendência sustentada. As bandeiras clássicas de touro ou urso são padrões de continuação que só podem ocorrer em um mercado que tenha uma tendência bem definida. Às vezes, um Anti parece o retracement do meio de um padrão A-B-C. Assim, somos capazes de obter um objetivo de movimento medido baseado no balanço anterior. O Anti DEVE ser precedido por um movimento IMPULSE de curto prazo. Comprar Antis são mais frequentes do que as versões de venda anti. Os negócios longos terão as melhores chances de sucesso se a perna anterior acima for MAIOR do que a anterior perna para baixo. O reconhecimento do padrão do oscilador com base no oscilador 310 ou em um período de 7 períodos, combinação D de 16 períodos do período estocástico também pode ser usado para identificar esta configuração. O que é Momentum Pinball Momentum Pinball foi originalmente introduzido no livro Street Smarts como configuração para indicar um dia de compra ou um dia de venda curto, ala George Douglas Taylor. Taylor pareceu passar pouco após 1-2 dias de reunião, e cobrir e ir muito depois de 1-2 dias de declínio. O indicador de pinball é calculado usando um RSI de 3 períodos da mudança líquida diária. O livro Street Smarts contém uma descrição completa e detalhada deste comércio. (Momentum Pinball, Anti, Holy Grail, 8020 e 9010 bares e sinais de ROC de 2 períodos são alguns dos meus conceitos ORIGINAL. É repetidamente levado à minha atenção que existem pessoas na internet que oferecem boletins e cursos com base na minha cópia original - escreva materiais protegidos. Por favor, note que não tenho nenhuma afiliação ou associação com essas entidades.) O que é um Oops Trade Oops é uma expressão originalmente criada por Larry Williams. A configuração ocorre quando os intervalos de preços de abertura fora do intervalo de dias anteriores. Uma parada de compra (ou venda) é colocada apenas dentro da faixa de dias anteriores, caso o mercado feche a lacuna, indicando uma reversão. O comércio é melhor tratado como um comércio de couro cabeludo e saiu antes do fechamento. Esse padrão não tem valor de previsão de longo prazo. Quais são os principais indicadores que você usa em seus gráficos. Utilizamos os mesmos indicadores em todos os mercados, todos os prazos. Usamos uma EMA de 20 períodos (média móvel exponencial), um oscilador de preços e um ADX de 14 períodos. O oscilador que usamos é a diferença entre uma média móvel simples de 3 e 10 períodos, com uma média móvel simples de 16 períodos dos 310. Também usamos os Canais Keltner com base em um 2.5 ATR centrado em torno do EMA de 20 períodos. Tenha em mente que os indicadores são apenas uma muleta para dizer o que está lá nos gráficos de barras. Muitos comerciantes fazem o melhor quando aprendem a ler gráficos de barras sem o uso de indicadores, osciladores, etc. O que é o modo Breakout Usamos uma estratégia de modo breakout quando o mercado teve alguma forma de contração de alcance. Um dia de tendência ou dia de expansão em grande alcance, muitas vezes segue períodos de contração de intervalo, ou pequenas médias médias diárias. Quando estamos em modo breakout, usamos estratégias para entrar na direção em que o mercado está se movendo, ao invés de esperar por uma reação no preço. Como você mede a amplitude do mercado, coloca o índice de chamadas e o volume A amplitude do mercado é monitorada observando o número de problemas avançados, menos o número de questões em declínio na NYSE. Os dados do PutCall são fornecidos pelas trocas individuais. Analisamos os ratios de chamadas de ações somente de capital, além do índice de taxas de volume de chamadas. Para os dados do putcall atualizados a cada meia hora, você pode usar esse link para Chicago Board Options Exchange: cboeMktDatadefault. asp Observamos o volume na NYSE e comparamos isso com as leituras realizadas ao mesmo tempo em dias anteriores. Em que quadros de tempo você olha. Nossa análise noturna inicial é sempre feita nos prazos diários e semanais. Durante o dia de negociação, usamos gráficos de 15, 30, 60 e 120 minutos. Para os futuros do SP, gráficos de 1 e 5 minutos também são úteis. Na maioria das vezes, nós tendemos a assistir ao último preço. Um comerciante, que pode monitorar o suporte básico e os níveis de resistência, observando a ação da fita, geralmente estará um passo à frente do comerciante usando gráficos de barras. Também é mais fácil monitorar múltiplos mercados e internos do mercado ao mesmo tempo quando se olha para um quadro de cotações em vez de gráficos. Defina TICK, TIKI, TRIN e VIX. TICK: Esta é a mudança líquida de todas as ações da NYSE em um aumento menos todas as ações da NYSE em um downtick. Mais ou menos 1200 tende a ser uma leitura extrema. Em um ambiente de mercado de tendência, os extremos nos carrapatos podem ser usados ​​como um indicador de impulso que indica um movimento de preço adicional para entrar na direção da tendência. No entanto, quando o mercado está no modo de consolidação, depois de ter tido um grande movimento, os tiques marcarão os fins dos balanços de curto prazo para cima e para baixo. TIKI: Esta é a diferença entre todos os estoques DOW em um aumento menos todos os estoques DOW em um downtick. Além disso, 24 ou menos 24 tendem a ser leituras extremas. TRIN: O TRIN também é conhecido como o índice ARMS após seu criador, Dick Arms. É calculado da seguinte forma: (Problemas avançados de problemas relacionados) (Volume UpDown). Observamos a direção em que TRIN está se movendo para indicar a tendência geral do mercado. Por exemplo, se o TRIN for de 0,80 para 1,00, isso indicaria que a venda está entrando no mercado. VIX: This is the Volatility Index that is based on the implied volatility of the at the money OEX puts and calls Most real time data feeds transmit these indicators. However, different data feeds may use different symbols. If you have any questions regarding symbol code, please contact your data vendor directly. What is a Z Day A Z day is a consolidation day that often follows a trend day. The morning period is characterized by a testing back and forth in the price action. We use a different set of trade strategies on these days than we do on other days. one of our favorite trades is the bollinger band trade. see bollinger band explaination in the FAQ What is an NR7 day An NR7 is a day in which the todays daily range (todays high price minus low price) is narrower than the previous six days. The significance of this pattern is that it represents a marked decline in price volatility. Range expansion and an increase in price volatility tend to follow an NR7 day. An NR4 day is similar to an NR7 day except that it represents a day in which the range is the narrower than the previous three days. Toby Crabel originally presented the concepts of NR4, NR7, WR7 etc. in his Market Analytics Letter written in the 1980s. We give credit to him for initiating research in this area. His original articles were published in the magazine, Technical Analysis of Stocks and Commodities. What is a WR7 day A WR7 is a day in which the todays daily range (todays high price minus low price) is wider than the range of the previous 6 days. The significance of this pattern is that it represents an expansion in price volatility. A trader can often buy or sell a test of the WR7 days high or low, on the following day for a scalp trade. What is the 2-period ROC The 2 period Rate-of-Change is todays close minus the close two days ago. For example, to get Fridays 2-period ROC, you would subtract Wednesdays close from Fridays close. The 2-period ROC is useful in highlighting a two to three day trading cycle as explained in the Taylor Trading Technique. Raw momentum is the only derivative of price that we have found to offer statistically significant results in our quantitative research. Our results with this indicator have proven to be durable and robust across all markets. What is Average True Range (ATR) The Average True Range (ATR) was introduced by Welles Wilder in his book, New Concepts in Technical Trading Systems. ATR is a measure of volatility, and it is a component of the ADX indicator. ATR is calculated by finding the greatest value of: 1. The distance from todays high to todays low. 2. The distance from yesterdays close to todays high. 3. The distance from yesterdays close to todays low. The main difference between ATR and the plain daily range is that ATR takes into account gaps. What is a divergence A divergence occurs when a momentum indicator or other instrument fails to confirm a move in the price action of the market under observation. For instance, if the SP futures makes a new low in price, but the 310 oscillator fails to make a new momentum low, then the SP is said to be diverging from the oscillator. Likewise, if the SP futures make a new low that is not confirmed by new lows in a related market or index (for example the SP versus the Dow Industrials, or the SP versus the TICK), this is also considered a form of divergence. Divergences are useful in that they warn of a loss of momentum and often precede a reversal in price. What are Keltner Channels Keltner Channels are a form of trading bands plotted directly on top of a price chart, as opposed to beneath the price chart as in the case of an oscillator or volume. The bands are based on an ATR function centered around a moving average. We use a value of 2.5 ATRs added to and subtracted from a 20-period exponential moving average to create our bands. What is the difference between Keltner Channels and Bollinger Bands Bollinger Bands are based on a standard deviation function. Very often, you will see times where the market is moving HIGHER but the lower Bollinger band is declining. This does not happen with Keltner channels. Though both are based on a volatility functions, Keltner Channels will maintain a more constant width than Bollinger Bands and thus we find them more pleasing to our eye. We also have had much better success in using range functions in our quantitative modeling as opposed to standard deviation functions, especially when creating short-term timing systems. Bollinger Band trades we use 2.5 standard deviation bands centered around a 20 period moving average to make trades on the day following a trend day. we do these trades in the morning session only. the concept behind this is that a push to the upper or lower band will setup a countertrend trade. the objective is a push back to the moving average. no stops were used in our testing, we just used an exit of whenever the trade hit the moving average or end of day in the worse possible scenario. A-B-C is a term borrowed from Elliot Wave terminology that denotes a three-wave corrective pattern that is often found in the middle of a trend. Waves A, B and C are often of the same magnitude in both price and time, and the pattern tends to have the appearance of a zigzag. What are the parameters for the 310 oscillator To construct this oscillator, first subtract a 10 period simple moving average from a 3 period simple moving average. We often refer to this as the fast line. Next, create a 16-period simple moving average of the fast line - we refer to this line as the slow line. It is also useful to plot a horizontal line at the zero value. We plot all three lines together on our charts beneath the price. For some indicators, such as the 310 oscillator, we provide subscribers with downloadable TradeStation code files. When we refer to the EMA, we will always be referring to a 20-period exponential moving average. This line can be thought of as a proxy for a regression to the mean in a trending market. It has little value in a trading range market. Unlike a simple moving average, which takes the average price of the last X periods, the EMA method takes a weighted average of the most recent price and the average price from the bar before. What size stops do you use In general, we use an initial stop of 5 points in the SP futures unless specified otherwise. For scalp trades in the SPs, we use a 3-point stop. In the domestic futures markets, we use a fixed 500 stop per contract unless specified otherwise. If there is an unusual expansion in volatility, we will use wider stops and lower our leverage. Stops should be tightened up as a market moves off in your favor. In stocks, we recommend using stops to limit losses to no more than 2 of your working capital. How do you enter positions In determining whether to use market, limit or resting stop orders to pull us into a trade, we assess the liquidity conditions and the type of market environment (i. e. trending, choppy, etc.) Each trader must ultimately find their OWN style that works best for them over time. Do you have resting stop orders in the market The great majority of the time we keep our stop orders resting in the market. The exceptions tend to be when a gap opening is expected, in which case we let the market settle in first, and then place our stops just outside of the early morning range. The other exception is when current liquidity conditions are poor and we have a large position on. This has been the case in certain markets such as coffee, where it is preferable to let the broker work an exit order within a fixed time window. How do you place your orders in the SP futures We call most of orders directly to the futures pit. However, over the past few years we have been using the e-minis with electronic order entry as well, especially as liquidity has been shifting to this market. What do you mean when you refer to premium The fair value premium is the theoretical futures price minus the cash index price. Fair value describes how far the futures contract should be trading above or below the cash index given expected dividend income for the stocks in the index, the number of days to expiration for the futures contract and the short-term interest rate. When the SPs are trading at a premium or a discount, we are referring to a situation where the futures are trading above or below their fair value. What is the historical volatility ratio This is the ratio between two different lengths of historical volatility (for example, the ratio between 25-day and 100-day historical volatility). We use this indicator to alert us to times when short-term volatility has declined below longer-term volatility by a certain percentage threshold. These signals are often precursors to increasing volatility. What is the BOBO - on your trade sheet These are the parameters for a proprietary volatility breakout system that we trade during certain periods. A buy is triggered on a break above the upper number and short is triggered on break below the lower number. What is the Golf System Golf is a proprietary system that enters the SP futures on the CLOSE. LBRGroup published this system in an advisory service between 1993 and 1998. We also traded it on a mechanical basis for our managed futures program. We stopped trading it mechanically when the overnight volatility became too great during the Asian crisis, though we still use it as a timing indicator. It is based in part upon the 2-period ROC and bar chart patterns. What is the afternoon 2-point trade The 2-point play is not a chart pattern. It is something that we started doing real time in October 2004. It is not a mechanical system though either, since there is no fixed stop other then a time stop. The time stop is 24 hours. It is a tendency based on pattern recognition (number of days up or down along and degree of trend). It is something that we started doing for ourselves originally, and other members have started using it as well. Trades are initiated on the reopening of the Emini contact after the market closes (i. e. the beginning of the Globex session). Very often the 2 point objective is hit in the Globex session, which is why we do not work these trades for the room, but just put in what they will be for your own knowledge. There have been times where the 2 point objective is not achieved until the day session the next day. Of course there will be a times where the objective is not achieved at all, also. What is the RAT trade The Rat trade is an afternoon breakout trade we make in the SPs on days where there is heavy institutional activity. It is not based on a specific chart formation, and the parameters and filters for this trade are proprietary. What is the Last Call trade This is a trade made in the last hour of the day in the index futures. It is similar to the Push into the Noon Hour time frame that we make in the morning. (Members can reference this in the Trade Library Setup). The Last Call setup is based on a combination of bar chart pattern recognition and market breadth parameters. What is a Pivot Point This can be a previous swing high or low, or visible chart point such as the high or low of a gap area. Globex highs and lows, along with the previous days high and low are all forms of Pivot Points. We do not use Fibonacci numbers or arbitrary calculations. We are interested in levels that ALL market participants are aware of, as would be the case with a key high or low. What are the Red Green Red patterns on the bar charts that you post This color rule is based off an average true range function added or subtracted from the previous swing high or low. It is a variation of the parabolic stop and reverse formula published by Welles Wilder in his book, New Concepts in Technical Trading Systems. We find that it provides useful pattern recognition in highlighting the short-term swings on a bar chart. General Trading Related Questions Tick Charts vs. Time Interval on most software applications a 1600 tick chart of the sps would be equivalent to a 5 minute chart. and a 3600 tick chart is similiar to a 15 min time frame. we prefer to use these type of tick charts in the early morning session since they adjust the globex trading relative to the activity level. day session only charts on a 5 min interval can be too gappy, while 5 min charts on a 24 hours basis tend to be distorted. What is relative strength and relative weakness that we talk about in the online trading rooms Simply put, a stock or sector that exhibits relative strength is performing better than a related index, such as the SP500 or Nasdaq. Relative weakness would be a sector or stock that is under-performing a benchmark index. With commodities, the relative strength leader is the one that is performing the best on the day. The early morning relative strength leaders usually continue to perform the best throughout the day. What are the SPY amp QQQ The SPY and QQQ are Exchange Traded Funds. They represent a basket of stocks mimicking the composition SampP 500 and Nasdaq100 stock indexes. They trade on an exchange just like individual stocks and can be sold short on a downtick. In essence, they allow you to trade the entire stock index much like the SP or Nasdaq futures. However, unlike futures contracts, the QQQ and SPY do not expire and are not leveraged instruments. How do you watch so many markets The majority of the time, we watch a quote board which gives us last price instead of watching charts on each individual market. This way we can monitor numerous price levels in addition to various market indexes and market internals. If we want to look at the charts on a particular market, we pull up a screen that has the 30, 60 and 120-minute time frames. The SPs and occasionally the bonds are usually the only markets where we will look at charts on a shorter time frame. Positions in most other markets are entered with the intent of carrying a winning position over night. Why do you look at so many stocks Stocks that are market leaders can often turn before the stock index futures do. This is particularly true of the high beta momentum stocks. Monitoring individual sectors and relative strength can add valuable information regarding the overall technical condition of the market. We limit our database to only the top 250 trading stocks. What kind of broker should I use Avoid brokers with browser-based order entry systems. Use a broker that offers a fully integrated trading platform (stand alone software) with point and click order routing and execution. You will have to do your own research in deciding which company to do business with. If you are not happy with your current broker, it is very easy to try another. We maintain accounts at multiple firms and feel that it is important to have multiple relationships in case there is ever a problem with one firm or a geographic disruption in one part of the country. What data feed and software programs do you use Real Time Data feeds: How can I see what happened each day in the online trading rooms For LBR Futures Live and LBR Stock Beat, we post transcripts of each days activity on our website. These transcripts are available in the Members Services section of our website. For LBR Currencies we do not archive transcripts. However our Currencies room will be open 48 hours, giving members the ability to easily reference the previous days information. I want to join your service. What do I have to know about the stock market Though prior knowledge and experience are not strictly required, it is important that you understand that trading involves risk. Our online trading service is educational in nature and will be of best value to you if you can monitor the markets real time. I still have another job. Can I trade part time Yes. You decide on the pace of your learning. You might start out part-time and decide later on whether this could be the start of a new career for you. Remember that the time and energy you put into learning will pay off down the road. However, we have yet to come across a trader able to consistently support themselves by trading part time. Ultimately trading is a full time job, and many people new to the business are often surprised by the long hours professional traders devote to their study of the markets. How many trades do we make each day There is no normal day, and the number of trades varies with the volatility of the stocks and futures contracts that we are trading. However, we find it better to be patient and wait for a few well thought out high probability trade setups, than to settle for marginal trades. We find that when traders start overtrading, they get sloppy and make mistakes. I cant be near a computer all day - do you have any other suggestions for me Our Basic Online membership offers set-ups and trading ideas that can be implemented without the need for watching the screen during the day. These trades include option plays and longer-term stock swing trades. How long does it take to learn to trade successfully In our experience, the average length of time it takes for a person to be able to trade with the consistency and confidence necessary to make a decent living is about three years. Some people are never able to do this, as they are unable to master the mental side of the game. A few people have been able to find their niche quickly and show consistent profitability after just 6 months. This is the exception though. What are the most important things a day trader needs to succeed What methods are available for accessing the chat rooms We offer all members two methods for accessing our live chat: 1. Stand-alone software method 2. Browser based method Both methods offer the same connectivity speed and deliver the same information. We find that most people prefer the stand-alone software method for its features, such as multisingle window viewing modes. After you login (click on Futures Live, Stock Beat or Currencies buttons located in the upper left side of our home page ) you will come to a page with complete information for accessing both methods, including instructions for downloading our stand-alone chat software. Note: our live chat system will not permit running both methods simultaneously. Nor can you run our chat system on two separate computers, simultaneously. What is the video feature all about, and how do I access it Begining in June 2006, we upgraded our stand-alone chat software to include a direct video feed into Lindas computer. All members of Futures Live and Stock Beat will have access to this feature, at no additional cost. This feature enables you to see the actual charts and indicators Linda and her staff uses as they set up trades and make calls in the chat rooms. For mor information about this feature, click here. Do I need the latest version of your chat software to access the video feature Where do I download the latest version of your chat software The latest version is available by clicking on either the Futures Live or Stock Beat buttons located in the upper left side of our home page. After you enter you username and password, you will be given an opportunity to download the program file. Can you show me in more detail how to log on to the Browser Based chat system For full instructions, click here. How do I get web links (aka hyperlinks) to work in the chat window I click on them, but nothing happens. When you place your mouse over a link in the chat rooms, the link will not change its appearance like you would normally see on a standard web page. Do not be alarmed, this is normal. You need to place your mouse directly over the link, and then double click. Your Internet Explorer browser should then open. ALSO -- the link must be all on one line in the chat window. If the link is broken up over two lines, then simply re-size your window to get the link back to one line of text. I cant get the chat software to work. If you are using any kind of pop-up blocker or firewall devices on your computer, this may adversely affect and possibly even prevent the chat software from functioning. Check to make sure you have the latest Java Runtime Environment (JRE) installed. The latest version can be found here . Note our minimum system requirments: - High Speed Internet Connection (DSL or Cable modem) suggested - Win98, NT, 2000, XP - Java-enabled Internet browser (may require Microsoft Java Virtual Machine to be updated or installed or the SUN Java Runtime Environment: java. sungetjava) NOTE to System Administrators: Our live chat applications were designed to use direct Internet connection. If you are using NAT andor a firewall system, it should permit outgoing connection to the port 8523 of our server (lbrgroup). Also port-mapping may be used on your Internet gateway. What are Open Forum rooms used for Open Forum rooms are special rooms just for members to talk amongst themselves. These rooms will have a blank text field beneath the window, where you may input your comments. After typing, to send your comments to the room, simply hit your Return or Enter key on your keyboard. How do I send a private message You may send private messages to other members as well as to the room moderators. Simply place your mouse over the name of the person you wish to send a message to, and right click. Then select Private Session. This will open up a new window for you to send and recieve your private message. After typing your message in the text field located at the bottom of the chat window, hit your keyboards return key to send the message. Note that the list of member names and moderator names will only apear in the Open Forum rooms, on the right hand side. How do I adjust the font size Both the stand alone and the browser based chat methods allow you to adjust your font size. Simply place your mouse over any text area within the transcript window, then right click your mouse. You can then select a custom font size from the list. What other user-controlled adjustments can I make on the stand alone software In the stand alone software, place your mouse over the small blue icon located in the upper left hand corner of the chat window. Next, select any of the following controls: - Multi Window mode . changes from single window mode to multi-window mode. - Always on Top . keeps the software from becoming obscured by other software applications running on your computer. - Play Sounds . turns on and off all room audio sounds. - Play EMA . turns on and off the subtle typing sound when messages are being broadcast into the main rooms. How do I enable the copy, cut and paste functions in the chat applications This requires adjusting the security settings on your web browser (Internet Explorer). Please click here to access a PDF file with detailed instructions for changing these settings. File requires Adobe Acrobat viewer. General Website Questions How can I cancel or change my service In the Member Services area of our web page, you will find links to Modify my Profile . How do I ask questions Sending us an email is the easiest way. Please see the Contact Us area of our web site. How do I print text found on your web site pages To print the class transcripts, guest lectures or other text items (without also printing all the formatted headers and other content on the page) heres what you do: 1. Simply select the text with your mouse (i. e. highlight the area you want to print). 2. Right click your mouse and select copy. 3. Open up Microsoft Notepad (look under Start--gtPrograms--gtAccessories--gtNotepad) and then simply paste in the text (right click mouse and select paste). 4. Voila -- you are ready to print the text (make sure youre printer is turned on) 5. For charts simply place your mouse on top of the chart - then right click - and save as to your hard-drive. Go to the saved file, click on the file to open it, and proceed to print. How do I print Charts 1. Right click your mouse on top of the chart you want to save, and select Save Picture As. 2. Save the chart image file to your harddrive. 3. Open chart image file by double clicking on file, then select Print from the Edit menu of you software. Why do charts print with such a dark background color Virtually all charts on this site are created with Aspen Graphics software. We realize that they do not print well with a dark background. Pedimos desculpas pela inconveniência. The trade off is that we are able to manipulate the color rules and write our own formulas to show you unique and useful trading patterns. Why does it say no gaps on some of your charts in the Daily Educational Charts These charts are generated by Aspen Graphics. No gaps means that the data is compressed to eliminate holidays where the markets are closed. If this function is not turned on, a gap will appear in the data for the holiday session. ADX . Trend strength oscillator originally developed J. Welles Wilder Jr. that fluctuates between 0 and 100. BEAMER . Nickname for IBM BEAR FLAG . Classic bar chart pattern that occurs in a trending market, a bearish continuation pattern. BEAR TRAP . A bear trap occurs when the market breaks below chart support, bringing traders in on the short side, then quickly reverses, trapping traders with losses. BREADTH . The difference between the number of advancing issues and the number of declining issues on the NYSE. BREAKOUT TRADE . A trade that occurs when the market breaks above or below some pre-define range, usually a nearby support or resistance levels such as the previous days high or low, or the last 60 minutes highlow. Breakouts are often associated with low volatility readings. BULL FLAG . Classic bar chart pattern that occurs in a trending market, a bullish continuation pattern. BULL TRAP . A bull trap occurs when the market breaks above chart resistance, bringing traders in on the long side, then quickly reverses, trapping traders with losses. BURNING DOG . This is the phrase used to describe the tendency for the SPs to retrace back into a gap area by N - amount after a gap of N-amount. Though we make trades off this pattern in the futures room in the morning after a gap on certain days, this phrase describes a tendency only, and is not a mechanical trade setup. COMPRESSION METER . LBRGroups proprietary volatility index used to signal potential for longer term breakouts. COWS . Nickname for the Live Cattle futures CREEPER MARKET . A market that slowly creeps higher without a significant retracement. One of the strongest types of trending action that does not catch peoples attention. DISCOUNT (SPs) . When the price of the future is trading lower than fair Value DIVERGENCE . A divergence is indicated when momentum fails to confirm a new low or new high in the price. Divergences usually show up best with oscillators such as the 310 and 535 MACD. EDGE . Term used to describe when a trader has the advantage or a favorable margin. It is even better when this margin can be quantified statistically. EMA . Média móvel exponencial. We use a 20-period setting EQUILIBRIUM LEVEL . The point at which buyers and sellers are in balance. Coincides with a neutral chart point that is often at the end of a consolidation period. EVENT RISK . The risk that some unexpected event will cause a substantial change in the market value of a security. For example, missed earnings, lawsuits, crop failures, war, etc. FADE . A countertrend trade FAIR VALUE . Fair value reflects the relationship between stock index futures and the indexs current levels. It is a theoretical estimate of where the futures should be trading based on their underlying cash index with short-term interest rates and dividends factored into the calculation. Determining the fair value relationship between the SampP 500 futures contract and the underlying SampP 500 index requires adding the cost of borrowing the money to buy the SampP 500 stocks, while subtracting the gain these stocks pay in dividends. FILL OR KILL . This means do it now if the stock is available in the crowd or from the specialist, otherwise kill the order altogether. GOLF . A mechanical trade that is made in the SP futures that is entered on the close of the day. GRAIL . A trade set-up based on a pullback to the 20 period EMA after the 14 period ADX has risen above 30. Pullback in rallies are bought, and pullbacks in declines are sold short. This pattern was discussed at lenght in Street Smarts. IMPULSE . Increase in the market momentum. Impulse moves tend to happen in the direction of the trend. On a bar chart they have the appearance of a sharp markup or markdown. INSTITUTIONS . Mutual funds, pension funds, banks, and large commercials KELTNER CHANNELS . A trading band indicator that is displayed on top of price charts. Similar to Bollinger Bands but calculated differently, using true-range rather than standard deviation. LAST CALL . Trade that setups up in the last hour of a trend day LOAD THE BOAT . Use full line of leverage MACD . An oscillator based on the difference between two moving averages. We use the difference between a 3 and 10-period simple moving average MARK UP . A Wyckoff term, used to denote the phase of the market where prices rise, from the beginning of a bull market to its top. MARKET LEADERSHIP . Market leadership refers to those sectors and industries that are currently bringing in the best returns. MARKET ORDER . An order to buy or sell a stock immediately at the best available current price. A market order guarantees execution. MIT . Market-if-touched order. An order which becomes a market order if the specified price is reached. MOC . Market-on-close order. A buy or sell order which is to be executed as a market order as close as possible to the end of the day. MOMENTUM . The difference between the last price and the price N-numbers bar. A 2-period Rate of Change (ROC) is the same as a 2-period Momentum. NAZDOG . Nickname for the Nasdaq100 index. NAZDOGGIE . Name of Linda8217s adorable little Pomeranian. See photo gallery . NR7 . The narrowest high-low range of the past seven days. OODA . The OODA Loop, often called Boyd8217s Cycle, is a creation of Col. John Boyd, USAF (Ret.). Col. Boyd was a student of tactical operations and observed a similarity in many battles and campaigns. He noted that in many of the engagements, one side presented the other with a series of unexpected and threatening situations with which they had not been able to keep pace. The slower side was eventually defeated. What Col. Boyd observed was the fact that conflicts are time competitive. According to Boyd8217s theory, conflict can be seen as a series of time-competitive, Observation-Orientation-Decision-Action (OODA) cycles. OOPS TRADE . A term originally coined by Larry Williams which refers to a market that gaps below the previous days low (or above the previous days high) and then quickly reverses its direction. OOZE . Down trending price action that slowly inches down without any upward reactions of any magnitude. One of the strongest forms of trending action. OPENING BULGE . Period after the opening when the public has a tendency to pay too high a price. OPENING PLAY . The markets first tendency of the day OUCH SETUPS . When a market Closes in the upper 75 of its range but then gaps lower the next day around the previous days low (vice versa to the upside). OVERHEAD SUPPLY . Are where the market had found support in the past but the price is currently trading lower. PEA SHOOTER DAY . Our SP brokers affectionate term for when the institutions are absent and the majority of the paper in the SP pit consists of 1s and 2s. PIVOT . A market reference point. Our most frequently used pivots are swing highs and swing lows such as the high and low of a daily bar or the highs and lows of the hourly cycles. POWER BUYSELL . A retracement formation that combines two time frames. For a chart example of this setup, members can reference the trade library setup. PREMIUM (SPs) . When the price of an index future is trading greater than Fair Value. PUSH INTO THE NOON HOUR TIMEFRAME . Trade that setup around 11:00 EST on a trend day RAT TRADE . An afternoon breakout trade that is made in the LBRFutures Room RESISTANCE . Area where Sellers have come in the past. ROBUST . Refers to a method or system that is profitable across a variety of markets, time frames and parameters. It is the opposite curve-fit or optimized. SCALP . A Short-term trade that capitalizes on the markets smaller fluctuations. SHAKEOUT FAKEOUT . A sharp downward move following an area of distribution that quickly reverses itself and comes back up through the distribution area. SHORT SKIRT . The name of a very short term pattern trade taken on a one-minute SampP and Nasdaq futures charts. A form of pullback trade on a very short time frame. SKIDS . Slippage or the difference between the price that a stop order was placed and the actual fill price. SLOP AND CHOP . Action in the market when institutions are absent and liquidity is poor. SMA . Simple Moving Average SPRING . Originally a Wyckoff term, is used to denote an impulsive move often associated with a test of support. See also Upthrust. STOP ORDER . An order that becomes a market order when the price touches that level. SUMTICK . LBRGroups proprietary summation Tick index SUPPORT . Area where buyers have stepped in the past. SWEET STUFF . Nickname for the sugar futures THREE PUSHES . A characteristic pattern that occurs near important turning points. Usually three distinct test of a high or low level, followed by a reversal. 3 OCLOCK JIGGLE . A scalp trade that sets up in the SPs around the time that the bonds close. TICK . Smallest increment that a price can change. 1 tick on an e-mini contract .25 points, which is the equivalent of 12.50. TICKS . The difference between the number of issues on the NYSE that are trading UP from the last trade versus the number of issues that are trading down. TREND DAY . A day where the market opens on one end of its range, closes on the opposite end, shows range expansion and has an increase in volume. TRIGGER . Level at which a trade will be initiated if a market trades to that price. TRIN . The TRIN (also know as the Trading Index and the ARMS Index) was invented by Richard Arms in the 1970s. It is calculated as follows: (Advancing issues Declining issues) divided by (Advancing volume Declining volume). If the index is above one, the average volume of stocks that fell on the NYSE was greater than the average volume of stocks that rose. If the index is below one, then the converse is true. UPTHRUST . Originally a Wyckoff term, is used to denote an impulsive move often associated with a test of resistance. See also Spring. VIX . VIX is a weighted measure of the implied volatility for 8 OEX put and call options. VIX represents the implied volatility for this hypothetical at-the-money OEX option. VOLATILITY . The range of the price action over N - Number of bars. WEDGE . A low volatility point in which a triangle type formation can be drawn on the bar charts. The market can break out in EITHER direction from this formation. WHIPSAW . Is when the market rapidly reverses its direction several times in succession. WIRE . Nickname for the Copper Market Z DAY . A consolidation day that typically follows a trend day.

Comments

Popular posts from this blog

Forex Fs 103 Portatif Mp3

Day Trading Margin Call Options

Forex Educação Curso