Funções definidas pelo usuário de JScript
Embora JScript inclui muitas funções internas, você pode criar suas próprias funções. Uma definição de função consiste em uma instrução de função e um bloco de instruções de JScript.
Definir sua própria função.
O checkTriplet função no exemplo a seguir usa os comprimentos dos lados de um triângulo como argumentos. Ele calcula se o triângulo é um triângulo, verificando se os três números constituem um trio de Teorema (o quadrado do comprimento da hipotenusa de um triângulo é igual à soma dos quadrados dos comprimentos de outros dois lados). O checkTriplet função chama uma das duas outras funções para fazer o Test de real.
Observe o uso de um número muito pequeno (epsilon) como uma variável de teste na versão ponto flutuante da Test. Devido à incertezas e erros de arredondamento em cálculos de ponto flutuante, não é prático fazer um teste direto de se os três números constituem um trio de Teorema, a menos que todos os três valores em questão são conhecidos por ser inteiros. Como um teste direto é mais preciso, o código deste exemplo determina se é apropriado e, se for, usa-lo.
Anotação de tipo não é usada ao definir essas funções. Para este aplicativo é útil para o checkTriplet função inteiro e tipos de dados de ponto flutuante.
const epsilon = 0.00000000001; // Some very small number to test against.
// Type annotate the function parameters and return type.
function integerCheck(a : int, b : int, c : int) : boolean {
// The test function for integers.
// Return true if a Pythagorean triplet.
return ( ((a*a) + (b*b)) == (c*c) );
} // End of the integer checking function.
function floatCheck(a : double, b : double, c : double) : boolean {
// The test function for floating-point numbers.
// delta should be zero for a Pythagorean triplet.
var delta = Math.abs( ((a*a) + (b*b) - (c*c)) * 100 / (c*c));
// Return true if a Pythagorean triplet (if delta is small enough).
return (delta < epsilon);
} // End of the floating-poing check function.
// Type annotation is not used for parameters here. This allows
// the function to accept both integer and floating-point values
// without coercing either type.
function checkTriplet(a, b, c) : boolean {
// The main triplet checker function.
// First, move the longest side to position c.
var d = 0; // Create a temporary variable for swapping values
if (b > c) { // Swap b and c.
d = c;
c = b;
b = d;
}
if (a > c) { // Swap a and c.
d = c;
c = a;
a = d;
}
// Test all 3 values. Are they integers?
if ((int(a) == a) && (int(b) == b) && (int(c) == c)) { // If so, use the precise check.
return integerCheck(a, b, c);
} else { // If not, get as close as is reasonably possible.
return floatCheck(a, b, c);
}
} // End of the triplet check function.
// Test the function with several triplets and print the results.
// Call with a Pythagorean triplet of integers.
print(checkTriplet(3,4,5));
// Call with a Pythagorean triplet of floating-point numbers.
print(checkTriplet(5.0,Math.sqrt(50.0),5.0));
// Call with three integers that do not form a Pythagorean triplet.
print(checkTriplet(5,5,5));
A saída deste programa é:
true
true
false