Torna indietro   Hardware Upgrade Forum > Software > Programmazione

Le soluzioni FSP per il 2026: potenza e IA al centro
Le soluzioni FSP per il 2026: potenza e IA al centro
In occasione del Tech Tour 2025 della European Hardware Association abbiamo incontrato a Taiwan FSP, azienda impegnata nella produzione di alimentatori, chassis e soluzioni di raffreddamento tanto per clienti OEM come a proprio marchio. Potenze sempre più elevate negli alimentatori per far fronte alle necessità delle elaborazioni di intelligenza artificiale.
AWS annuncia European Sovereign Cloud, il cloud sovrano per convincere l'Europa
AWS annuncia European Sovereign Cloud, il cloud sovrano per convincere l'Europa
AWS è il principale operatore di servizi cloud al mondo e da tempo parla delle misure che mette in atto per garantire una maggiore sovranità alle organizzazioni europee. L'azienda ha ora lanciato AWS European Sovereign Cloud, una soluzione specificamente progettata per essere separata e distinta dal cloud "normale" e offrire maggiori tutele e garanzie di sovranità
Redmi Note 15 Pro+ 5G: autonomia monstre e display luminoso, ma il prezzo è alto
Redmi Note 15 Pro+ 5G: autonomia monstre e display luminoso, ma il prezzo è alto
Xiaomi ha portato sul mercato internazionale la nuova serie Redmi Note, che rappresenta spesso una delle migliori scelte per chi non vuole spendere molto. Il modello 15 Pro+ punta tutto su una batteria capiente e su un ampio display luminoso, sacrificando qualcosa in termini di potenza bruta e velocità di ricarica
Tutti gli articoli Tutte le news

Vai al Forum
Rispondi
 
Strumenti
Old 25-02-2011, 14:33   #1
mr.money.in.the.bank
Junior Member
 
Iscritto dal: Nov 2006
Messaggi: 17
[JAVA] Bluetooth Discovery Device

Salve ragazzi/e,

in parole povere ho questo problema.
Ho trovato in Rete un programma che mi fa la "scoperta" di tutte le periferiche bluetooth.
Ora, questo programma l'ho provato utilizzando due IDE: Netbeans e Eclipse.

Per il progetto che devo fare, mi è più intuitivo e semplice utilizzare Netbeans, quindi posterò l'esperienza fatta su Netbeans.

Il codice è il seguente:

Codice:
/*
 * To change this template, choose Tools | Templates
 * and open the template in the editor.
 */

package test2;

import java.io.IOException;
import javax.microedition.lcdui.Command;
import javax.microedition.lcdui.CommandListener;
import javax.microedition.lcdui.Display;
import javax.microedition.lcdui.Displayable;
import javax.microedition.lcdui.List;
import javax.microedition.lcdui.Alert;
import javax.microedition.lcdui.AlertType;
import javax.microedition.midlet.MIDlet;
import javax.microedition.midlet.MIDletStateChangeException;
import javax.bluetooth.DiscoveryListener;
import javax.bluetooth.LocalDevice;
import javax.bluetooth.RemoteDevice;
import javax.bluetooth.DeviceClass;
import javax.bluetooth.ServiceRecord;
import javax.bluetooth.BluetoothStateException;
import javax.bluetooth.DiscoveryAgent;

public class BluetoothDiscoveryDevice extends MIDlet implements CommandListener,
        DiscoveryListener {
    private Display display;
    /**
     * For displaying found devices.
     */
    private List listDev;
    private Command cmdExit;
    private Command cmdDiscover;
    private Command cmdStopDiscover;

    private LocalDevice devLocal;
    private DiscoveryAgent discoverAgent;


    /**
     * Constructor. Constructs the object and initializes displayables.
     */
    public BluetoothDiscoveryDevice() {
        InitializeComponents();
    }
    /**
     * Initializes a ListBox object and adds softkeys.
     */
    protected void InitializeComponents() {
        display = Display.getDisplay( this );
        //initializing device list
        listDev = new List( "Device list", List.IMPLICIT );

        cmdExit = new Command( "Exit", Command.EXIT, 1 );
        cmdDiscover = new Command( "Start", Command.SCREEN, 1);
        cmdStopDiscover = new Command( "Stop", Command.SCREEN, 1);

        listDev.addCommand( cmdExit );
        listDev.addCommand( cmdDiscover );
        listDev.setCommandListener( this );
    }

    /**
     * From MIDlet.
     * Called when MIDlet is started.
     * @throws javax.microedition.midlet.MIDletStateChangeException
     */
    public void startApp() throws MIDletStateChangeException {
        display.setCurrent( listDev );
    }
    /**
     * From MIDlet.
     * Called to signal the MIDlet to enter the Paused state.
     */
    public void pauseApp() {
        //No implementation required
    }
    /**
     * From MIDlet.
     * Called to signal the MIDlet to terminate.
     * @param unconditional whether the MIDlet has to be unconditionally
     * terminated
     * @throws javax.microedition.midlet.MIDletStateChangeException
     */
    public void destroyApp(boolean unconditional)
        throws MIDletStateChangeException {
        exitMIDlet();
    }
    /**
     * From CommandListener.
     * Called by the system to indicate that a command has been invoked on a
     * particular displayable.
     * @param command the command that was invoked
     * @param displayable the displayable where the command was invoked
     */
    public void commandAction( Command command, Displayable displayable ) {

        if( command == cmdExit ) {
            exitMIDlet();
        }
        if( command == cmdDiscover ) {
            int err = 0;
            err = initLocalDevice();
            if( err != 0 ){
                return;
            }
            err = startDeviceSearch();
            if( err != 0) {
                return;
            }
            //we do not need a start soft key when in descovery mode
            listDev.removeCommand( cmdDiscover );
            //now we add stop soft key
            listDev.addCommand( cmdStopDiscover );
        }
        if( command == cmdStopDiscover ) {
            stopDiscover();
            //we remove stop softkey
            listDev.removeCommand( cmdStopDiscover );
            //adding start soft key
            listDev.addCommand( cmdDiscover );
        }
    }
    /**
     * Method calls stopDiscover method and notifyDestroyed after that.
     */
    protected void exitMIDlet() {
        stopDiscover();
        notifyDestroyed();
    }
    /**
     * Gets a reference to LocalDevice and saves it to devLocal variable.
     * @return '0' if local device reference getting succeded. '-1' on exception.
     */
    protected int initLocalDevice() {
        try {
            devLocal = LocalDevice.getLocalDevice();
        } catch (BluetoothStateException e) {
            showErrAlert( "Error getting local device!" );
            return -1;
        }
        return 0;
    }
    /**
     * Clears device listbox, retreves DiscoveryAgent instance and saves it to
     * discoveryAgent variable. Starts device inquiry mode with access code
     * General/Unlimited Inquiry Access Code (GIAC).
     * @return '0' function execution was successfull.
     * '-1' if startInquiry threw an exception.
     * @see JSR82 for more info.
     */
    protected int startDeviceSearch() {
        discoverAgent = devLocal.getDiscoveryAgent();
        try {
            listDev.deleteAll();
            discoverAgent.startInquiry( DiscoveryAgent.GIAC,
                    this );
        } catch( BluetoothStateException e ) {
            showErrAlert( "Error starting device enquiry!" );
            return -1;
        }
        return 0;
    }

    /**
     * From DiscoveryListener.
     * Called when new bluetooth device discovered.
     * @param remoteDev reference to RemoteDevice object instance of
     * discovered device
     * @param devClass the service classes, major device class,
     * and minor device class of the remote device
     */
    public void deviceDiscovered(RemoteDevice remoteDev, DeviceClass devClass) {
        try {
            //add device "Friendly name" to a listbox
            listDev.append( "Device: " + remoteDev.getFriendlyName( false ),
                    null);
        } catch ( IOException e ) {
            //TODO: Handle error
        }
    }

    /**
     * From DiscoveryListener.
     * Called when service(s) are found during a service search.
     * @param transID the transaction ID of the service search that is
     * posting the result
     * @param servRecord a list of services found during the search request
     */
    public void servicesDiscovered(int transID, ServiceRecord[] servRecord) {
        //No implementation required
    }

    /**
     * From DiscoveryListener.
     * Called when a service search is completed or was terminated
     * because of an error
     * @param transID the transaction ID identifying the request which
     * initiated the service search
     * @param respCode the response code that indicates the status
     * of the transaction
     */
    public void serviceSearchCompleted(int transID, int respCode) {
        //No implementation required
    }

    /**
     * From DiscoveryListener.
     * Called when an inquiry is completed.
     * @param discType the type of request that was completed
     */
    public void inquiryCompleted(int discType) {
        // No implementation required
    }
    /**
     * Show error alert with a string specified in strError.
     * @param strError Error message show.
     */
    protected void showErrAlert( String strError ) {
        Alert alertErr = new Alert("Error", strError, null, AlertType.ERROR );
        display.setCurrent( alertErr );
    }

    /**
     * Stops device discovery mode.
     */
    protected void stopDiscover() {
       //we turning of the device discovery mode
        Alert alert = new Alert("Finish", null, null, AlertType.INFO);
        display.setCurrent(alert);
       discoverAgent.cancelInquiry( this );
    }
}
Il problema è dato dal fatto che, quando lo mando in esecuzione, non trova nessuna periferica, nonostante io ne abbia almeno tre attive a non più di 2 metri da me.
All'inizio ho pensato che fosse un problema di driver bluetooth (ho un ACER 5920G, e sono sicuro che abbia il modulo bluetooh) e ho comprato un modulo esterno in modo da essere sicuro che sia funzionante.

Quello che succede quando il programma è in esecuzione è il fatto che l'emulatore (uso il JAVA ME SDK 3.0 Device Manager) sembra andare alla ricerca dei dispositivi, ma poi ad un certo punto mi esce il messaggio di ricerca finita, e non ha trovato nessun dispositivo.

La cosa strana di questa situazione quale è...quello che se io installo il file JAR creato dall'applicazione sul mio cellulare, questo funziona a meraviglia. Quindi a questo punto mi viene da pensare che sia un problema di configurazione o all'interno di Netbeans oppure nell'emulatore stesso.
Quindi ho deciso di utilizzare anche Eclipse per verificare la cosa precedente, ho creato una nuova Midlet Suite all'interno di Eclipse (dopo aver fatto e rifatto le installazioni del plugin EclipseMe per essere sicuro), e ho incollato lo stesso codice che si vede sopra. La differenza è che utilzzo il Sun Wireless Toolkit 5.2.1.
Ora non credo sinceramente che ci siano problemi agli emulatori, ma piuttosto che ci sia qualche problema di configurazione all'interno dei due IDE.

C'è qualcuno che mi può aiutare o che mi può dare qualche dritta...oramai è un pezzo che sono su questa cosa e non so più dove la testa!!
__________________
...sbalordito il Diavolo rimase, quando comprese quanto osceno fosse il bene... e vide la virtù nello splendore delle sue forme sinuose...
mr.money.in.the.bank è offline   Rispondi citando il messaggio o parte di esso
 Rispondi


Le soluzioni FSP per il 2026: potenza e IA al centro Le soluzioni FSP per il 2026: potenza e IA al ce...
AWS annuncia European Sovereign Cloud, il cloud sovrano per convincere l'Europa AWS annuncia European Sovereign Cloud, il cloud ...
Redmi Note 15 Pro+ 5G: autonomia monstre e display luminoso, ma il prezzo è alto Redmi Note 15 Pro+ 5G: autonomia monstre e displ...
HONOR Magic 8 Pro: ecco il primo TOP del 2026! La recensione HONOR Magic 8 Pro: ecco il primo TOP del 2026! L...
Insta360 Link 2 Pro e 2C Pro: le webcam 4K che ti seguono, anche con gimbal integrata Insta360 Link 2 Pro e 2C Pro: le webcam 4K che t...
Il remake di Assassin's Creed IV: Black ...
Tutti i robot aspirapolvere in offerta s...
Amazon Haul spinge la promo di San Valen...
Offerte hardware Amazon per l'upgrade de...
iPhone 17e dovrà fare i conti con...
Offerte Amazon sugli iPhone di ultima ge...
DJI Mini 5 Pro Combo Fly More scende a 8...
Ubisoft potrebbe licenziare ancora ma se...
Samsung Galaxy S26: un leak anticipa col...
Aetherflux e Lockheed Martin insieme per...
SpaceX sta proseguendo i test della terz...
Axiom Space ha mostrato un nuovo video d...
Realme: la trasformazione in sub-brand d...
PlayStation 6 si farà attendere: ...
BWT Alpine chiude la prima tornata di pr...
Chromium
GPU-Z
OCCT
LibreOffice Portable
Opera One Portable
Opera One 106
CCleaner Portable
CCleaner Standard
Cpu-Z
Driver NVIDIA GeForce 546.65 WHQL
SmartFTP
Trillian
Google Chrome Portable
Google Chrome 120
VirtualBox
Tutti gli articoli Tutte le news Tutti i download

Strumenti

Regole
Non Puoi aprire nuove discussioni
Non Puoi rispondere ai messaggi
Non Puoi allegare file
Non Puoi modificare i tuoi messaggi

Il codice vB è On
Le Faccine sono On
Il codice [IMG] è On
Il codice HTML è Off
Vai al Forum


Tutti gli orari sono GMT +1. Ora sono le: 00:23.


Powered by vBulletin® Version 3.6.4
Copyright ©2000 - 2026, Jelsoft Enterprises Ltd.
Served by www3v