Alguém tem um exemplo de script que pode funcionar bem no IE / Firefox para detectar se o navegador é capaz de exibir conteúdo flash embutido? Digo com segurança porque sei que não é possível 100% das vezes.
Alguém tem um exemplo de script que pode funcionar bem no IE / Firefox para detectar se o navegador é capaz de exibir conteúdo flash embutido? Digo com segurança porque sei que não é possível 100% das vezes.
Respostas:
SWFObject é muito confiável. Eu tenho usado sem problemas por um bom tempo.
$('html').addClass(typeof swfobject !== 'undefined' && swfobject.getFlashPlayerVersion().major !== 0 ? 'flash' : 'no-flash');
if( swfobject.hasFlashPlayerVersion("8.0") ) { }
Throws false se não houver flash instalado. O número é a versão mínima do flash player necessária.
Eu concordo com Max Stewart . SWFObject é o caminho a percorrer. Eu gostaria de complementar sua resposta com um exemplo de código. Isso deve ajudá-lo a começar:
Certifique-se de incluir o swfobject.js
arquivo (baixe-o aqui ):
<script type="text/javascript" src="swfobject.js"></script>
Em seguida, use-o assim:
if(swfobject.hasFlashPlayerVersion("9.0.115"))
{
alert("You have the minimum required flash version (or newer)");
}
else
{
alert("You do not have the minimum required flash version");
}
Substitua "9.0.115" por qualquer versão mínima de flash necessária. Escolhi 9.0.115 como exemplo porque essa é a versão que adicionou suporte a h.264.
Se o visitante não tiver flash, ele relatará uma versão flash de "0.0.0", então se você quiser apenas saber se eles têm flash, use:
if(swfobject.hasFlashPlayerVersion("1"))
{
alert("You have flash!");
}
else
{
alert("You do not flash :-(");
}
if(SWFobject && SWFobject.hasFlashPlayerVersion("1")) { // code here }
Sei que este é um post antigo, mas estou procurando há um tempo e não encontrei nada.
Implementei a Biblioteca de detecção de Flash JavaScript . Funciona muito bem e está documentado para uso rápido. Levei literalmente 2 minutos. Aqui está o código que escrevi no cabeçalho:
<script src="Scripts/flash_detect.js"></script>
<script type="text/javascript">
if (!FlashDetect.installed) {
alert("Flash is required to enjoy this site.");
} else {
alert("Flash is installed on your Web browser.");
}
</script>
Você pode usar o compilador de encerramento para gerar uma pequena detecção de flash em vários navegadores:
// ==ClosureCompiler==
// @compilation_level ADVANCED_OPTIMIZATIONS
// @output_file_name default.js
// @formatting pretty_print
// @use_closure_library true
// ==/ClosureCompiler==
// ADD YOUR CODE HERE
goog.require('goog.userAgent.flash');
if (goog.userAgent.flash.HAS_FLASH) {
alert('flash version: '+goog.userAgent.flash.VERSION);
}else{
alert('no flash found');
}
que resulta no seguinte código "compilado":
var a = !1,
b = "";
function c(d) {
d = d.match(/[\d]+/g);
d.length = 3;
return d.join(".")
}
if (navigator.plugins && navigator.plugins.length) {
var e = navigator.plugins["Shockwave Flash"];
e && (a = !0, e.description && (b = c(e.description)));
navigator.plugins["Shockwave Flash 2.0"] && (a = !0, b = "2.0.0.11")
} else {
if (navigator.mimeTypes && navigator.mimeTypes.length) {
var f = navigator.mimeTypes["application/x-shockwave-flash"];
(a = f && f.enabledPlugin) && (b = c(f.enabledPlugin.description))
} else {
try {
var g = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.7"),
a = !0,
b = c(g.GetVariable("$version"))
} catch (h) {
try {
g = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.6"), a = !0, b = "6.0.21"
} catch (i) {
try {
g = new ActiveXObject("ShockwaveFlash.ShockwaveFlash"), a = !0, b = c(g.GetVariable("$version"))
} catch (j) {}
}
}
}
}
var k = b;
a ? alert("flash version: " + k) : alert("no flash found");
goog.userAgent.flash
do Closure Compiler do Google)? Eu só quero ter certeza de que não estou perdendo nenhuma diferença de nuances aqui.
Versão mínima que eu já usei (não verifica a versão, apenas Flash Plugin):
var hasFlash = function() {
return (typeof navigator.plugins == "undefined" || navigator.plugins.length == 0) ? !!(new ActiveXObject("ShockwaveFlash.ShockwaveFlash")) : navigator.plugins["Shockwave Flash"];
};
Biblioteca de detecção de Flash JavaScript de Carl Yestrau, aqui:
http://www.featureblend.com/javascript-flash-detection-library.html
... pode ser o que você está procurando.
Talvez o kit de detecção de flash player da Adobe possa ser útil aqui?
http://www.adobe.com/products/flashplayer/download/detection_kit/
Detectar e incorporar Flash em um documento da web é uma tarefa surpreendentemente difícil.
Fiquei muito desapontado com a qualidade e a marcação não compatível com os padrões gerada tanto pelo SWFObject quanto pelas soluções da Adobe. Além disso, meu teste revelou que o atualizador automático da Adobe é inconsistente e não confiável.
A Biblioteca de detecção de Flash JavaScript (Detecção de Flash) e a Biblioteca do gerador de HTML Flash JavaScript (Flash TML) são uma solução de marcação legível, de fácil manutenção e compatível com os padrões.
- "Luke leu a fonte!"
Código para uma isFlashExists
variável de linha :
<script type='text/javascript'
src='//ajax.googleapis.com/ajax/libs/swfobject/2.2/swfobject.js'> </script>
<script type='text/javascript'>
var isFlashExists = swfobject.hasFlashPlayerVersion('1') ? true : false ;
if (isFlashExists) {
alert ('flash exists');
} else {
alert ('NO flash');
}
</script>
Observe que existe uma alternativa como esta: swfobject.getFlashPlayerVersion();
Veja a fonte em http://whatsmy.browsersize.com (linhas 14-120).
Aqui está o código do navegador cruzado abstraído em jsbin para detecção de flash apenas , funciona em: FF / IE / Safari / Opera / Chrome.
detectObject()
contraparte do IE.
A respeito:
var hasFlash = function() {
var flash = false;
try{
if(new ActiveXObject('ShockwaveFlash.ShockwaveFlash')){
flash=true;
}
}catch(e){
if(navigator.mimeTypes ['application/x-shockwave-flash'] !== undefined){
flash=true;
}
}
return flash;
};
Se você está interessado em uma solução Javascript puro, aqui está o que copio de Brett :
function detectflash(){
if (navigator.plugins != null && navigator.plugins.length > 0){
return navigator.plugins["Shockwave Flash"] && true;
}
if(~navigator.userAgent.toLowerCase().indexOf("webtv")){
return true;
}
if(~navigator.appVersion.indexOf("MSIE") && !~navigator.userAgent.indexOf("Opera")){
try{
return new ActiveXObject("ShockwaveFlash.ShockwaveFlash") && true;
} catch(e){}
}
return false;
}
Se você apenas deseja verificar se o flash está habilitado, isso deve ser o suficiente.
function testFlash() {
var support = false;
//IE only
if("ActiveXObject" in window) {
try{
support = !!(new ActiveXObject("ShockwaveFlash.ShockwaveFlash"));
}catch(e){
support = false;
}
//W3C, better support in legacy browser
} else {
support = !!navigator.mimeTypes['application/x-shockwave-flash'];
}
return support;
}
Nota: evite marcar o enabledPlugin , algum navegador móvel tem plug-in flash para ativar e irá acionar falso negativo.
Para criar um objeto Flash compatível com o padrão (com JavaScript, no entanto), recomendo que você dê uma olhada em
Objetos Flash discretos (OVNIs)
Criei um pequeno .swf
que redireciona. Se o navegador estiver habilitado para flash, ele redirecionará.
package com.play48.modules.standalone.util;
import flash.net.URLRequest;
class Redirect {
static function main() {
flash.Lib.getURL(new URLRequest("http://play48.com/flash.html"), "_self");
}
}
Usando a biblioteca goog.require ('goog.userAgent.flash') do compilador Google Closure, criei essas 2 funções.
hasFlash booleano ()
Retorna se o navegador tiver flash.
function hasFlash(){
var b = !1;
function c(a) {if (a = a.match(/[\d]+/g)) {a.length = 3;}}
(function() {
if (navigator.plugins && navigator.plugins.length) {
var a = navigator.plugins["Shockwave Flash"];
if (a && (b = !0, a.description)) {c(a.description);return;}
if (navigator.plugins["Shockwave Flash 2.0"]) {b = !0;return;}
}
if (navigator.mimeTypes && navigator.mimeTypes.length && (a = navigator.mimeTypes["application/x-shockwave-flash"], b = !(!a || !a.enabledPlugin))) {c(a.enabledPlugin.description);return;}
if ("undefined" != typeof ActiveXObject) {
try {
var d = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.7");b = !0;c(d.GetVariable("$version"));return;
} catch (e) {}
try {
d = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.6");b = !0;
return;
} catch (e) {}
try {
d = new ActiveXObject("ShockwaveFlash.ShockwaveFlash"), b = !0, c(d.GetVariable("$version"));
} catch (e) {}
}
})();
return b;
}
boolean isFlashVersion (versão)
Retorna se a versão do flash for maior que a versão fornecida
function isFlashVersion(version) {
var e = String.prototype.trim ? function(a) {return a.trim()} : function(a) {return /^[\s\xa0]*([\s\S]*?)[\s\xa0]*$/.exec(a)[1]};
function f(a, b) {return a < b ? -1 : a > b ? 1 : 0};
var h = !1,l = "";
function m(a) {a = a.match(/[\d]+/g);if (!a) {return ""}a.length = 3;return a.join(".")}
(function() {
if (navigator.plugins && navigator.plugins.length) {
var a = navigator.plugins["Shockwave Flash"];
if (a && (h = !0, a.description)) {l = m(a.description);return}
if (navigator.plugins["Shockwave Flash 2.0"]) {h = !0;l = "2.0.0.11";return}
}
if (navigator.mimeTypes && navigator.mimeTypes.length && (a = navigator.mimeTypes["application/x-shockwave-flash"], h = !(!a || !a.enabledPlugin))) {l = m(a.enabledPlugin.description);return}
if ("undefined" != typeof ActiveXObject) {
try {
var b = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.7");h = !0;l = m(b.GetVariable("$version"));return
} catch (g) {}
try {
b = new ActiveXObject("ShockwaveFlash.ShockwaveFlash.6");h = !0;l = "6.0.21";return
} catch (g) {}
try {
b = new ActiveXObject("ShockwaveFlash.ShockwaveFlash"), h = !0, l = m(b.GetVariable("$version"))
} catch (g) {}
}
})();
var n = l;
return (function(a) {
var b = 0,g = e(String(n)).split(".");
a = e(String(a)).split(".");
for (var p = Math.max(g.length, a.length), k = 0; 0 == b && k < p; k++) {
var c = g[k] || "",d = a[k] || "";
do {
c = /(\d*)(\D*)(.*)/.exec(c) || ["", "", "", ""];d = /(\d*)(\D*)(.*)/.exec(d) || ["", "", "", ""];
if (0 == c[0].length && 0 == d[0].length) {break}
b = f(0 == c[1].length ? 0 : parseInt(c[1], 10), 0 == d[1].length ? 0 : parseInt(d[1], 10)) || f(0 == c[2].length, 0 == d[2].length) || f(c[2], d[2]);c = c[3];d = d[3]
} while (0 == b);
}
return 0 <= b
})(version)
}