idx
int64
0
41.2k
question
stringlengths
83
4.15k
target
stringlengths
5
715
27,100
@ SuppressWarnings ( "unused" ) public boolean isValid ( ) { Phonenumber . PhoneNumber phoneNumber = getPhoneNumber ( ) ; return phoneNumber != null && mPhoneUtil . isValidNumber ( phoneNumber ) ; }
Check if number is valid
27,101
@ SuppressWarnings ( "unused" ) public void setError ( CharSequence error , Drawable icon ) { mPhoneEdit . setError ( error , icon ) ; }
Sets an error message that will be displayed in a popup when the EditText has focus along with an icon displayed at the right - hand side .
27,102
public void setOnKeyboardDone ( final IntlPhoneInputListener listener ) { mPhoneEdit . setOnEditorActionListener ( new TextView . OnEditorActionListener ( ) { public boolean onEditorAction ( TextView v , int actionId , KeyEvent event ) { if ( actionId == EditorInfo . IME_ACTION_DONE ) { listener . done ( IntlPhoneInput . this , isValid ( ) ) ; } return false ; } } ) ; }
Set keyboard done listener to detect when the user click DONE on his keyboard
27,103
private synchronized Client allocateClient ( int targetPlayer , String description ) throws IOException { Client result = openClients . get ( targetPlayer ) ; if ( result == null ) { final DeviceAnnouncement deviceAnnouncement = DeviceFinder . getInstance ( ) . getLatestAnnouncementFrom ( targetPlayer ) ; if ( deviceAnnouncement == null ) { throw new IllegalStateException ( "Player " + targetPlayer + " could not be found " + description ) ; } final int dbServerPort = getPlayerDBServerPort ( targetPlayer ) ; if ( dbServerPort < 0 ) { throw new IllegalStateException ( "Player " + targetPlayer + " does not have a db server " + description ) ; } final byte posingAsPlayerNumber = ( byte ) chooseAskingPlayerNumber ( targetPlayer ) ; Socket socket = null ; try { InetSocketAddress address = new InetSocketAddress ( deviceAnnouncement . getAddress ( ) , dbServerPort ) ; socket = new Socket ( ) ; socket . connect ( address , socketTimeout . get ( ) ) ; socket . setSoTimeout ( socketTimeout . get ( ) ) ; result = new Client ( socket , targetPlayer , posingAsPlayerNumber ) ; } catch ( IOException e ) { try { socket . close ( ) ; } catch ( IOException e2 ) { logger . error ( "Problem closing socket for failed client creation attempt " + description ) ; } throw e ; } openClients . put ( targetPlayer , result ) ; useCounts . put ( result , 0 ) ; } useCounts . put ( result , useCounts . get ( result ) + 1 ) ; return result ; }
Finds or opens a client to talk to the dbserver on the specified player incrementing its use count .
27,104
private void closeClient ( Client client ) { logger . debug ( "Closing client {}" , client ) ; client . close ( ) ; openClients . remove ( client . targetPlayer ) ; useCounts . remove ( client ) ; timestamps . remove ( client ) ; }
When it is time to actually close a client do so and clean up the related data structures .
27,105
private synchronized void freeClient ( Client client ) { int current = useCounts . get ( client ) ; if ( current > 0 ) { timestamps . put ( client , System . currentTimeMillis ( ) ) ; useCounts . put ( client , current - 1 ) ; if ( ( current == 1 ) && ( idleLimit . get ( ) == 0 ) ) { closeClient ( client ) ; } } else { logger . error ( "Ignoring attempt to free a client that is not allocated: {}" , client ) ; } }
Decrements the client s use count and makes it eligible for closing if it is no longer in use .
27,106
public < T > T invokeWithClientSession ( int targetPlayer , ClientTask < T > task , String description ) throws Exception { if ( ! isRunning ( ) ) { throw new IllegalStateException ( "ConnectionManager is not running, aborting " + description ) ; } final Client client = allocateClient ( targetPlayer , description ) ; try { return task . useClient ( client ) ; } finally { freeClient ( client ) ; } }
Obtain a dbserver client session that can be used to perform some task call that task with the client then release the client .
27,107
@ SuppressWarnings ( "WeakerAccess" ) public int getPlayerDBServerPort ( int player ) { ensureRunning ( ) ; Integer result = dbServerPorts . get ( player ) ; if ( result == null ) { return - 1 ; } return result ; }
Look up the database server port reported by a given player . You should not use this port directly ; instead ask this class for a session to use while you communicate with the database .
27,108
private void requestPlayerDBServerPort ( DeviceAnnouncement announcement ) { Socket socket = null ; try { InetSocketAddress address = new InetSocketAddress ( announcement . getAddress ( ) , DB_SERVER_QUERY_PORT ) ; socket = new Socket ( ) ; socket . connect ( address , socketTimeout . get ( ) ) ; InputStream is = socket . getInputStream ( ) ; OutputStream os = socket . getOutputStream ( ) ; socket . setSoTimeout ( socketTimeout . get ( ) ) ; os . write ( DB_SERVER_QUERY_PACKET ) ; byte [ ] response = readResponseWithExpectedSize ( is , 2 , "database server port query packet" ) ; if ( response . length == 2 ) { setPlayerDBServerPort ( announcement . getNumber ( ) , ( int ) Util . bytesToNumber ( response , 0 , 2 ) ) ; } } catch ( java . net . ConnectException ce ) { logger . info ( "Player " + announcement . getNumber ( ) + " doesn't answer rekordbox port queries, connection refused. Won't attempt to request metadata." ) ; } catch ( Exception e ) { logger . warn ( "Problem requesting database server port number" , e ) ; } finally { if ( socket != null ) { try { socket . close ( ) ; } catch ( IOException e ) { logger . warn ( "Problem closing database server port request socket" , e ) ; } } } }
Query a player to determine the port on which its database server is running .
27,109
private byte [ ] receiveBytes ( InputStream is ) throws IOException { byte [ ] buffer = new byte [ 8192 ] ; int len = ( is . read ( buffer ) ) ; if ( len < 1 ) { throw new IOException ( "receiveBytes read " + len + " bytes." ) ; } return Arrays . copyOf ( buffer , len ) ; }
Receive some bytes from the player we are requesting metadata from .
27,110
@ SuppressWarnings ( "SameParameterValue" ) private byte [ ] readResponseWithExpectedSize ( InputStream is , int size , String description ) throws IOException { byte [ ] result = receiveBytes ( is ) ; if ( result . length != size ) { logger . warn ( "Expected " + size + " bytes while reading " + description + " response, received " + result . length ) ; } return result ; }
Receive an expected number of bytes from the player logging a warning if we get a different number of them .
27,111
private synchronized void closeIdleClients ( ) { List < Client > candidates = new LinkedList < Client > ( openClients . values ( ) ) ; logger . debug ( "Scanning for idle clients; " + candidates . size ( ) + " candidates." ) ; for ( Client client : candidates ) { if ( ( useCounts . get ( client ) < 1 ) && ( ( timestamps . get ( client ) + idleLimit . get ( ) * 1000 ) <= System . currentTimeMillis ( ) ) ) { logger . debug ( "Idle time reached for unused client {}" , client ) ; closeClient ( client ) ; } } }
Finds any clients which are not currently in use and which have been idle for longer than the idle timeout and closes them .
27,112
public synchronized void start ( ) throws SocketException { if ( ! isRunning ( ) ) { DeviceFinder . getInstance ( ) . addLifecycleListener ( lifecycleListener ) ; DeviceFinder . getInstance ( ) . addDeviceAnnouncementListener ( announcementListener ) ; DeviceFinder . getInstance ( ) . start ( ) ; for ( DeviceAnnouncement device : DeviceFinder . getInstance ( ) . getCurrentDevices ( ) ) { requestPlayerDBServerPort ( device ) ; } new Thread ( null , new Runnable ( ) { public void run ( ) { while ( isRunning ( ) ) { try { Thread . sleep ( 500 ) ; } catch ( InterruptedException e ) { logger . warn ( "Interrupted sleeping to close idle dbserver clients" ) ; } closeIdleClients ( ) ; } logger . info ( "Idle dbserver client closer shutting down." ) ; } } , "Idle dbserver client closer" ) . start ( ) ; running . set ( true ) ; deliverLifecycleAnnouncement ( logger , true ) ; } }
Start offering shared dbserver sessions .
27,113
public synchronized void stop ( ) { if ( isRunning ( ) ) { running . set ( false ) ; DeviceFinder . getInstance ( ) . removeDeviceAnnouncementListener ( announcementListener ) ; dbServerPorts . clear ( ) ; for ( Client client : openClients . values ( ) ) { try { client . close ( ) ; } catch ( Exception e ) { logger . warn ( "Problem closing " + client + " when stopping" , e ) ; } } openClients . clear ( ) ; useCounts . clear ( ) ; deliverLifecycleAnnouncement ( logger , false ) ; } }
Stop offering shared dbserver sessions .
27,114
private SearchableItem buildSearchableItem ( Message menuItem ) { return new SearchableItem ( ( int ) ( ( NumberField ) menuItem . arguments . get ( 1 ) ) . getValue ( ) , ( ( StringField ) menuItem . arguments . get ( 3 ) ) . getValue ( ) ) ; }
Creates a searchable item that represents a metadata field found for a track .
27,115
private ColorItem buildColorItem ( Message menuItem ) { final int colorId = ( int ) ( ( NumberField ) menuItem . arguments . get ( 1 ) ) . getValue ( ) ; final String label = ( ( StringField ) menuItem . arguments . get ( 3 ) ) . getValue ( ) ; return buildColorItem ( colorId , label ) ; }
Creates a color item that represents a color field found for a track based on a dbserver message .
27,116
private ColorItem buildColorItem ( int colorId , String label ) { Color color ; String colorName ; switch ( colorId ) { case 0 : color = new Color ( 0 , 0 , 0 , 0 ) ; colorName = "No Color" ; break ; case 1 : color = Color . PINK ; colorName = "Pink" ; break ; case 2 : color = Color . RED ; colorName = "Red" ; break ; case 3 : color = Color . ORANGE ; colorName = "Orange" ; break ; case 4 : color = Color . YELLOW ; colorName = "Yellow" ; break ; case 5 : color = Color . GREEN ; colorName = "Green" ; break ; case 6 : color = Color . CYAN ; colorName = "Aqua" ; break ; case 7 : color = Color . BLUE ; colorName = "Blue" ; break ; case 8 : color = new Color ( 128 , 0 , 128 ) ; colorName = "Purple" ; break ; default : color = new Color ( 0 , 0 , 0 , 0 ) ; colorName = "Unknown Color" ; } return new ColorItem ( colorId , label , color , colorName ) ; }
Creates a color item that represents a color field fond for a track .
27,117
private void parseMetadataItem ( Message item ) { switch ( item . getMenuItemType ( ) ) { case TRACK_TITLE : title = ( ( StringField ) item . arguments . get ( 3 ) ) . getValue ( ) ; artworkId = ( int ) ( ( NumberField ) item . arguments . get ( 8 ) ) . getValue ( ) ; break ; case ARTIST : artist = buildSearchableItem ( item ) ; break ; case ORIGINAL_ARTIST : originalArtist = buildSearchableItem ( item ) ; break ; case REMIXER : remixer = buildSearchableItem ( item ) ; case ALBUM_TITLE : album = buildSearchableItem ( item ) ; break ; case LABEL : label = buildSearchableItem ( item ) ; break ; case DURATION : duration = ( int ) ( ( NumberField ) item . arguments . get ( 1 ) ) . getValue ( ) ; break ; case TEMPO : tempo = ( int ) ( ( NumberField ) item . arguments . get ( 1 ) ) . getValue ( ) ; break ; case COMMENT : comment = ( ( StringField ) item . arguments . get ( 3 ) ) . getValue ( ) ; break ; case KEY : key = buildSearchableItem ( item ) ; break ; case RATING : rating = ( int ) ( ( NumberField ) item . arguments . get ( 1 ) ) . getValue ( ) ; break ; case COLOR_NONE : case COLOR_AQUA : case COLOR_BLUE : case COLOR_GREEN : case COLOR_ORANGE : case COLOR_PINK : case COLOR_PURPLE : case COLOR_RED : case COLOR_YELLOW : color = buildColorItem ( item ) ; break ; case GENRE : genre = buildSearchableItem ( item ) ; break ; case DATE_ADDED : dateAdded = ( ( StringField ) item . arguments . get ( 3 ) ) . getValue ( ) ; break ; case YEAR : year = ( int ) ( ( NumberField ) item . arguments . get ( 1 ) ) . getValue ( ) ; break ; case BIT_RATE : bitRate = ( int ) ( ( NumberField ) item . arguments . get ( 1 ) ) . getValue ( ) ; break ; default : logger . warn ( "Ignoring track metadata item with unknown type: {}" , item ) ; } }
Processes one of the menu responses that jointly constitute the track metadata updating our fields accordingly .
27,118
@ SuppressWarnings ( "WeakerAccess" ) public ByteBuffer getRawData ( ) { if ( rawData != null ) { rawData . rewind ( ) ; return rawData . slice ( ) ; } return null ; }
Get the raw bytes of the beat grid as it was read over the network . This can be used to analyze fields that have not yet been reliably understood and is also used for storing the beat grid in a cache file . This is not available when the beat grid was loaded by Crate Digger .
27,119
private RekordboxAnlz . BeatGridTag findTag ( RekordboxAnlz anlzFile ) { for ( RekordboxAnlz . TaggedSection section : anlzFile . sections ( ) ) { if ( section . body ( ) instanceof RekordboxAnlz . BeatGridTag ) { return ( RekordboxAnlz . BeatGridTag ) section . body ( ) ; } } throw new IllegalArgumentException ( "No beat grid found inside analysis file " + anlzFile ) ; }
Helper function to find the beat grid section in a rekordbox track analysis file .
27,120
private int beatOffset ( int beatNumber ) { if ( beatCount == 0 ) { throw new IllegalStateException ( "There are no beats in this beat grid." ) ; } if ( beatNumber < 1 || beatNumber > beatCount ) { throw new IndexOutOfBoundsException ( "beatNumber (" + beatNumber + ") must be between 1 and " + beatCount ) ; } return beatNumber - 1 ; }
Calculate where within the beat grid array the information for the specified beat can be found . Yes this is a super simple calculation ; the main point of the method is to provide a nice exception when the beat is out of bounds .
27,121
@ SuppressWarnings ( "WeakerAccess" ) public int findBeatAtTime ( long milliseconds ) { int found = Arrays . binarySearch ( timeWithinTrackValues , milliseconds ) ; if ( found >= 0 ) { return found + 1 ; } else if ( found == - 1 ) { return found ; } else { return - ( found + 1 ) ; } }
Finds the beat in which the specified track position falls .
27,122
public List < Message > requestTrackMenuFrom ( final SlotReference slotReference , final int sortOrder ) throws Exception { ConnectionManager . ClientTask < List < Message > > task = new ConnectionManager . ClientTask < List < Message > > ( ) { public List < Message > useClient ( Client client ) throws Exception { return MetadataFinder . getInstance ( ) . getFullTrackList ( slotReference . slot , client , sortOrder ) ; } } ; return ConnectionManager . getInstance ( ) . invokeWithClientSession ( slotReference . player , task , "requesting track menu" ) ; }
Ask the specified player for a Track menu .
27,123
public List < Message > requestArtistMenuFrom ( final SlotReference slotReference , final int sortOrder ) throws Exception { ConnectionManager . ClientTask < List < Message > > task = new ConnectionManager . ClientTask < List < Message > > ( ) { public List < Message > useClient ( Client client ) throws Exception { if ( client . tryLockingForMenuOperations ( MetadataFinder . MENU_TIMEOUT , TimeUnit . SECONDS ) ) { try { logger . debug ( "Requesting Artist menu." ) ; Message response = client . menuRequest ( Message . KnownType . ARTIST_MENU_REQ , Message . MenuIdentifier . MAIN_MENU , slotReference . slot , new NumberField ( sortOrder ) ) ; return client . renderMenuItems ( Message . MenuIdentifier . MAIN_MENU , slotReference . slot , CdjStatus . TrackType . REKORDBOX , response ) ; } finally { client . unlockForMenuOperations ( ) ; } } else { throw new TimeoutException ( "Unable to lock player for menu operations." ) ; } } } ; return ConnectionManager . getInstance ( ) . invokeWithClientSession ( slotReference . player , task , "requesting artist menu" ) ; }
Ask the specified player for an Artist menu .
27,124
public List < Message > requestFolderMenuFrom ( final SlotReference slotReference , final int sortOrder , final int folderId ) throws Exception { ConnectionManager . ClientTask < List < Message > > task = new ConnectionManager . ClientTask < List < Message > > ( ) { public List < Message > useClient ( Client client ) throws Exception { if ( client . tryLockingForMenuOperations ( MetadataFinder . MENU_TIMEOUT , TimeUnit . SECONDS ) ) { try { logger . debug ( "Requesting Key menu." ) ; Message response = client . menuRequestTyped ( Message . KnownType . FOLDER_MENU_REQ , Message . MenuIdentifier . MAIN_MENU , slotReference . slot , CdjStatus . TrackType . UNANALYZED , new NumberField ( sortOrder ) , new NumberField ( folderId ) , new NumberField ( 0xffffff ) ) ; return client . renderMenuItems ( Message . MenuIdentifier . MAIN_MENU , slotReference . slot , CdjStatus . TrackType . UNANALYZED , response ) ; } finally { client . unlockForMenuOperations ( ) ; } } else { throw new TimeoutException ( "Unable to lock player for menu operations." ) ; } } } ; return ConnectionManager . getInstance ( ) . invokeWithClientSession ( slotReference . player , task , "requesting folder menu" ) ; }
Ask the specified player for a Folder menu for exploring its raw filesystem . This is a request for unanalyzed items so we do a typed menu request .
27,125
public static Field read ( DataInputStream is ) throws IOException { final byte tag = is . readByte ( ) ; final Field result ; switch ( tag ) { case 0x0f : case 0x10 : case 0x11 : result = new NumberField ( tag , is ) ; break ; case 0x14 : result = new BinaryField ( is ) ; break ; case 0x26 : result = new StringField ( is ) ; break ; default : throw new IOException ( "Unable to read a field with type tag " + tag ) ; } logger . debug ( "..received> {}" , result ) ; return result ; }
Read a field from the supplied stream starting with the tag that identifies the type and reading enough to collect the corresponding value .
27,126
public void write ( WritableByteChannel channel ) throws IOException { logger . debug ( "..writing> {}" , this ) ; Util . writeFully ( getBytes ( ) , channel ) ; }
Write the field to the specified channel .
27,127
@ SuppressWarnings ( "WeakerAccess" ) public TrackMetadata requestMetadataFrom ( final CdjStatus status ) { if ( status . getTrackSourceSlot ( ) == CdjStatus . TrackSourceSlot . NO_TRACK || status . getRekordboxId ( ) == 0 ) { return null ; } final DataReference track = new DataReference ( status . getTrackSourcePlayer ( ) , status . getTrackSourceSlot ( ) , status . getRekordboxId ( ) ) ; return requestMetadataFrom ( track , status . getTrackType ( ) ) ; }
Given a status update from a CDJ find the metadata for the track that it has loaded if any . If there is an appropriate metadata cache will use that otherwise makes a query to the players dbserver .
27,128
@ SuppressWarnings ( "WeakerAccess" ) public TrackMetadata requestMetadataFrom ( final DataReference track , final CdjStatus . TrackType trackType ) { return requestMetadataInternal ( track , trackType , false ) ; }
Ask the specified player for metadata about the track in the specified slot with the specified rekordbox ID unless we have a metadata cache available for the specified media slot in which case that will be used instead .
27,129
private TrackMetadata requestMetadataInternal ( final DataReference track , final CdjStatus . TrackType trackType , final boolean failIfPassive ) { MetadataCache cache = getMetadataCache ( SlotReference . getSlotReference ( track ) ) ; if ( cache != null && trackType == CdjStatus . TrackType . REKORDBOX ) { return cache . getTrackMetadata ( null , track ) ; } final MediaDetails sourceDetails = getMediaDetailsFor ( track . getSlotReference ( ) ) ; if ( sourceDetails != null ) { final TrackMetadata provided = allMetadataProviders . getTrackMetadata ( sourceDetails , track ) ; if ( provided != null ) { return provided ; } } if ( passive . get ( ) && failIfPassive && track . slot != CdjStatus . TrackSourceSlot . COLLECTION ) { return null ; } ConnectionManager . ClientTask < TrackMetadata > task = new ConnectionManager . ClientTask < TrackMetadata > ( ) { public TrackMetadata useClient ( Client client ) throws Exception { return queryMetadata ( track , trackType , client ) ; } } ; try { return ConnectionManager . getInstance ( ) . invokeWithClientSession ( track . player , task , "requesting metadata" ) ; } catch ( Exception e ) { logger . error ( "Problem requesting metadata, returning null" , e ) ; } return null ; }
Ask the specified player for metadata about the track in the specified slot with the specified rekordbox ID using cached media instead if it is available and possibly giving up if we are in passive mode .
27,130
TrackMetadata queryMetadata ( final DataReference track , final CdjStatus . TrackType trackType , final Client client ) throws IOException , InterruptedException , TimeoutException { if ( client . tryLockingForMenuOperations ( 20 , TimeUnit . SECONDS ) ) { try { final Message . KnownType requestType = ( trackType == CdjStatus . TrackType . REKORDBOX ) ? Message . KnownType . REKORDBOX_METADATA_REQ : Message . KnownType . UNANALYZED_METADATA_REQ ; final Message response = client . menuRequestTyped ( requestType , Message . MenuIdentifier . MAIN_MENU , track . slot , trackType , new NumberField ( track . rekordboxId ) ) ; final long count = response . getMenuResultsCount ( ) ; if ( count == Message . NO_MENU_RESULTS_AVAILABLE ) { return null ; } final List < Message > items = client . renderMenuItems ( Message . MenuIdentifier . MAIN_MENU , track . slot , trackType , response ) ; final CueList cueList = getCueList ( track . rekordboxId , track . slot , client ) ; return new TrackMetadata ( track , trackType , items , cueList ) ; } finally { client . unlockForMenuOperations ( ) ; } } else { throw new TimeoutException ( "Unable to lock the player for menu operations" ) ; } }
Request metadata for a specific track ID given a dbserver connection to a player that has already been set up . Separated into its own method so it could be used multiple times with the same connection when gathering all track metadata .
27,131
CueList getCueList ( int rekordboxId , CdjStatus . TrackSourceSlot slot , Client client ) throws IOException { Message response = client . simpleRequest ( Message . KnownType . CUE_LIST_REQ , null , client . buildRMST ( Message . MenuIdentifier . DATA , slot ) , new NumberField ( rekordboxId ) ) ; if ( response . knownType == Message . KnownType . CUE_LIST ) { return new CueList ( response ) ; } logger . error ( "Unexpected response type when requesting cue list: {}" , response ) ; return null ; }
Requests the cue list for a specific track ID given a dbserver connection to a player that has already been set up .
27,132
List < Message > getFullTrackList ( final CdjStatus . TrackSourceSlot slot , final Client client , final int sortOrder ) throws IOException , InterruptedException , TimeoutException { if ( client . tryLockingForMenuOperations ( MENU_TIMEOUT , TimeUnit . SECONDS ) ) { try { Message response = client . menuRequest ( Message . KnownType . TRACK_MENU_REQ , Message . MenuIdentifier . MAIN_MENU , slot , new NumberField ( sortOrder ) ) ; final long count = response . getMenuResultsCount ( ) ; if ( count == Message . NO_MENU_RESULTS_AVAILABLE || count == 0 ) { return Collections . emptyList ( ) ; } return client . renderMenuItems ( Message . MenuIdentifier . MAIN_MENU , slot , CdjStatus . TrackType . REKORDBOX , response ) ; } finally { client . unlockForMenuOperations ( ) ; } } else { throw new TimeoutException ( "Unable to lock the player for menu operations" ) ; } }
Request the list of all tracks in the specified slot given a dbserver connection to a player that has already been set up .
27,133
private void clearDeck ( CdjStatus update ) { if ( hotCache . remove ( DeckReference . getDeckReference ( update . getDeviceNumber ( ) , 0 ) ) != null ) { deliverTrackMetadataUpdate ( update . getDeviceNumber ( ) , null ) ; } }
We have received an update that invalidates any previous metadata for that player so clear it out and alert any listeners if this represents a change . This does not affect the hot cues ; they will stick around until the player loads a new track that overwrites one or more of them .
27,134
private void clearMetadata ( DeviceAnnouncement announcement ) { final int player = announcement . getNumber ( ) ; for ( DeckReference deck : new HashSet < DeckReference > ( hotCache . keySet ( ) ) ) { if ( deck . player == player ) { hotCache . remove ( deck ) ; if ( deck . hotCue == 0 ) { deliverTrackMetadataUpdate ( player , null ) ; } } } }
We have received notification that a device is no longer on the network so clear out its metadata .
27,135
private void updateMetadata ( CdjStatus update , TrackMetadata data ) { hotCache . put ( DeckReference . getDeckReference ( update . getDeviceNumber ( ) , 0 ) , data ) ; if ( data . getCueList ( ) != null ) { for ( CueList . Entry entry : data . getCueList ( ) . entries ) { if ( entry . hotCueNumber != 0 ) { hotCache . put ( DeckReference . getDeckReference ( update . getDeviceNumber ( ) , entry . hotCueNumber ) , data ) ; } } } deliverTrackMetadataUpdate ( update . getDeviceNumber ( ) , data ) ; }
We have obtained metadata for a device so store it and alert any listeners .
27,136
public Map < DeckReference , TrackMetadata > getLoadedTracks ( ) { ensureRunning ( ) ; return Collections . unmodifiableMap ( new HashMap < DeckReference , TrackMetadata > ( hotCache ) ) ; }
Get the metadata of all tracks currently loaded in any player either on the play deck or in a hot cue .
27,137
public void attachMetadataCache ( SlotReference slot , File file ) throws IOException { ensureRunning ( ) ; if ( slot . player < 1 || slot . player > 4 || DeviceFinder . getInstance ( ) . getLatestAnnouncementFrom ( slot . player ) == null ) { throw new IllegalArgumentException ( "unable to attach metadata cache for player " + slot . player ) ; } if ( ( slot . slot != CdjStatus . TrackSourceSlot . USB_SLOT ) && ( slot . slot != CdjStatus . TrackSourceSlot . SD_SLOT ) ) { throw new IllegalArgumentException ( "unable to attach metadata cache for slot " + slot . slot ) ; } MetadataCache cache = new MetadataCache ( file ) ; final MediaDetails slotDetails = getMediaDetailsFor ( slot ) ; if ( cache . sourceMedia != null && slotDetails != null ) { if ( ! slotDetails . hashKey ( ) . equals ( cache . sourceMedia . hashKey ( ) ) ) { throw new IllegalArgumentException ( "Cache was created for different media (" + cache . sourceMedia . hashKey ( ) + ") than is in the slot (" + slotDetails . hashKey ( ) + ")." ) ; } if ( slotDetails . hasChanged ( cache . sourceMedia ) ) { logger . warn ( "Media has changed (" + slotDetails + ") since cache was created (" + cache . sourceMedia + "). Attaching anyway as instructed." ) ; } } attachMetadataCacheInternal ( slot , cache ) ; }
Attach a metadata cache file to a particular player media slot so the cache will be used instead of querying the player for metadata . This supports operation with metadata during shows where DJs are using all four player numbers and heavily cross - linking between them .
27,138
void attachMetadataCacheInternal ( SlotReference slot , MetadataCache cache ) { MetadataCache oldCache = metadataCacheFiles . put ( slot , cache ) ; if ( oldCache != null ) { try { oldCache . close ( ) ; } catch ( IOException e ) { logger . error ( "Problem closing previous metadata cache" , e ) ; } } deliverCacheUpdate ( slot , cache ) ; }
Finishes the process of attaching a metadata cache file once it has been opened and validated .
27,139
public void detachMetadataCache ( SlotReference slot ) { MetadataCache oldCache = metadataCacheFiles . remove ( slot ) ; if ( oldCache != null ) { try { oldCache . close ( ) ; } catch ( IOException e ) { logger . error ( "Problem closing metadata cache" , e ) ; } deliverCacheUpdate ( slot , null ) ; } }
Removes any metadata cache file that might have been assigned to a particular player media slot so metadata will be looked up from the player itself .
27,140
public List < File > getAutoAttachCacheFiles ( ) { ArrayList < File > currentFiles = new ArrayList < File > ( autoAttachCacheFiles ) ; Collections . sort ( currentFiles , new Comparator < File > ( ) { public int compare ( File o1 , File o2 ) { return o1 . getName ( ) . compareTo ( o2 . getName ( ) ) ; } } ) ; return Collections . unmodifiableList ( currentFiles ) ; }
Get the metadata cache files that are currently configured to be automatically attached when matching media is mounted in a player on the network .
27,141
private void flushHotCacheSlot ( SlotReference slot ) { for ( Map . Entry < DeckReference , TrackMetadata > entry : new HashMap < DeckReference , TrackMetadata > ( hotCache ) . entrySet ( ) ) { if ( slot == SlotReference . getSlotReference ( entry . getValue ( ) . trackReference ) ) { logger . debug ( "Evicting cached metadata in response to unmount report {}" , entry . getValue ( ) ) ; hotCache . remove ( entry . getKey ( ) ) ; } } }
Discards any tracks from the hot cache that were loaded from a now - unmounted media slot because they are no longer valid .
27,142
private void recordMount ( SlotReference slot ) { if ( mediaMounts . add ( slot ) ) { deliverMountUpdate ( slot , true ) ; } if ( ! mediaDetails . containsKey ( slot ) ) { try { VirtualCdj . getInstance ( ) . sendMediaQuery ( slot ) ; } catch ( Exception e ) { logger . warn ( "Problem trying to request media details for " + slot , e ) ; } } }
Records that there is media mounted in a particular media player slot updating listeners if this is a change . Also send a query to the player requesting details about the media mounted in that slot if we don t already have that information .
27,143
private void removeMount ( SlotReference slot ) { mediaDetails . remove ( slot ) ; if ( mediaMounts . remove ( slot ) ) { deliverMountUpdate ( slot , false ) ; } }
Records that there is no media mounted in a particular media player slot updating listeners if this is a change and clearing any affected items from our in - memory caches .
27,144
private void deliverMountUpdate ( SlotReference slot , boolean mounted ) { if ( mounted ) { logger . info ( "Reporting media mounted in " + slot ) ; } else { logger . info ( "Reporting media removed from " + slot ) ; } for ( final MountListener listener : getMountListeners ( ) ) { try { if ( mounted ) { listener . mediaMounted ( slot ) ; } else { listener . mediaUnmounted ( slot ) ; } } catch ( Throwable t ) { logger . warn ( "Problem delivering mount update to listener" , t ) ; } } if ( mounted ) { MetadataCache . tryAutoAttaching ( slot ) ; } }
Send a mount update announcement to all registered listeners and see if we can auto - attach a media cache file .
27,145
private void deliverCacheUpdate ( SlotReference slot , MetadataCache cache ) { for ( final MetadataCacheListener listener : getCacheListeners ( ) ) { try { if ( cache == null ) { listener . cacheDetached ( slot ) ; } else { listener . cacheAttached ( slot , cache ) ; } } catch ( Throwable t ) { logger . warn ( "Problem delivering metadata cache update to listener" , t ) ; } } }
Send a metadata cache update announcement to all registered listeners .
27,146
private void deliverTrackMetadataUpdate ( int player , TrackMetadata metadata ) { if ( ! getTrackMetadataListeners ( ) . isEmpty ( ) ) { final TrackMetadataUpdate update = new TrackMetadataUpdate ( player , metadata ) ; for ( final TrackMetadataListener listener : getTrackMetadataListeners ( ) ) { try { listener . metadataChanged ( update ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering track metadata update to listener" , t ) ; } } } }
Send a track metadata update announcement to all registered listeners .
27,147
private void addMetadataProviderForMedia ( String key , MetadataProvider provider ) { if ( ! metadataProviders . containsKey ( key ) ) { metadataProviders . put ( key , Collections . newSetFromMap ( new ConcurrentHashMap < MetadataProvider , Boolean > ( ) ) ) ; } Set < MetadataProvider > providers = metadataProviders . get ( key ) ; providers . add ( provider ) ; }
Internal method that adds a metadata provider to the set associated with a particular hash key creating the set if needed .
27,148
public void removeMetadataProvider ( MetadataProvider provider ) { for ( Set < MetadataProvider > providers : metadataProviders . values ( ) ) { providers . remove ( provider ) ; } }
Removes a metadata provider so it will no longer be consulted to provide metadata for tracks loaded from any media .
27,149
public Set < MetadataProvider > getMetadataProviders ( MediaDetails sourceMedia ) { String key = ( sourceMedia == null ) ? "" : sourceMedia . hashKey ( ) ; Set < MetadataProvider > result = metadataProviders . get ( key ) ; if ( result == null ) { return Collections . emptySet ( ) ; } return Collections . unmodifiableSet ( new HashSet < MetadataProvider > ( result ) ) ; }
Get the set of metadata providers that can offer metadata for tracks loaded from the specified media .
27,150
private void handleUpdate ( final CdjStatus update ) { if ( update . isLocalUsbEmpty ( ) ) { final SlotReference slot = SlotReference . getSlotReference ( update . getDeviceNumber ( ) , CdjStatus . TrackSourceSlot . USB_SLOT ) ; detachMetadataCache ( slot ) ; flushHotCacheSlot ( slot ) ; removeMount ( slot ) ; } else if ( update . isLocalUsbLoaded ( ) ) { recordMount ( SlotReference . getSlotReference ( update . getDeviceNumber ( ) , CdjStatus . TrackSourceSlot . USB_SLOT ) ) ; } if ( update . isLocalSdEmpty ( ) ) { final SlotReference slot = SlotReference . getSlotReference ( update . getDeviceNumber ( ) , CdjStatus . TrackSourceSlot . SD_SLOT ) ; detachMetadataCache ( slot ) ; flushHotCacheSlot ( slot ) ; removeMount ( slot ) ; } else if ( update . isLocalSdLoaded ( ) ) { recordMount ( SlotReference . getSlotReference ( update . getDeviceNumber ( ) , CdjStatus . TrackSourceSlot . SD_SLOT ) ) ; } if ( update . isDiscSlotEmpty ( ) ) { removeMount ( SlotReference . getSlotReference ( update . getDeviceNumber ( ) , CdjStatus . TrackSourceSlot . CD_SLOT ) ) ; } else { recordMount ( SlotReference . getSlotReference ( update . getDeviceNumber ( ) , CdjStatus . TrackSourceSlot . CD_SLOT ) ) ; } if ( update . getTrackType ( ) == CdjStatus . TrackType . UNKNOWN || update . getTrackType ( ) == CdjStatus . TrackType . NO_TRACK || update . getTrackSourceSlot ( ) == CdjStatus . TrackSourceSlot . NO_TRACK || update . getTrackSourceSlot ( ) == CdjStatus . TrackSourceSlot . UNKNOWN || update . getRekordboxId ( ) == 0 ) { clearDeck ( update ) ; } else { final TrackMetadata lastMetadata = hotCache . get ( DeckReference . getDeckReference ( update . getDeviceNumber ( ) , 0 ) ) ; final DataReference trackReference = new DataReference ( update . getTrackSourcePlayer ( ) , update . getTrackSourceSlot ( ) , update . getRekordboxId ( ) ) ; if ( lastMetadata == null || ! lastMetadata . trackReference . equals ( trackReference ) ) { for ( TrackMetadata cached : hotCache . values ( ) ) { if ( cached . trackReference . equals ( trackReference ) ) { updateMetadata ( update , cached ) ; return ; } } if ( activeRequests . add ( update . getTrackSourcePlayer ( ) ) ) { clearDeck ( update ) ; new Thread ( new Runnable ( ) { public void run ( ) { try { TrackMetadata data = requestMetadataInternal ( trackReference , update . getTrackType ( ) , true ) ; if ( data != null ) { updateMetadata ( update , data ) ; } } catch ( Exception e ) { logger . warn ( "Problem requesting track metadata from update" + update , e ) ; } finally { activeRequests . remove ( update . getTrackSourcePlayer ( ) ) ; } } } , "MetadataFinder metadata request" ) . start ( ) ; } } } }
Process an update packet from one of the CDJs . See if it has a valid track loaded ; if not clear any metadata we had stored for that player . If so see if it is the same track we already know about ; if not request the metadata associated with that track .
27,151
private int getColorWaveformBits ( final ByteBuffer waveBytes , final int segment ) { final int base = ( segment * 2 ) ; final int big = Util . unsign ( waveBytes . get ( base ) ) ; final int small = Util . unsign ( waveBytes . get ( base + 1 ) ) ; return big * 256 + small ; }
Color waveforms are represented by a series of sixteen bit integers into which color and height information are packed . This function returns the integer corresponding to a particular half - frame in the waveform .
27,152
private static void addCacheFormatEntry ( List < Message > trackListEntries , int playlistId , ZipOutputStream zos ) throws IOException { zos . putNextEntry ( new ZipEntry ( CACHE_FORMAT_ENTRY ) ) ; String formatEntry = CACHE_FORMAT_IDENTIFIER + ":" + playlistId + ":" + trackListEntries . size ( ) ; zos . write ( formatEntry . getBytes ( "UTF-8" ) ) ; }
Add a marker so we can recognize this as a metadata archive . I would use the ZipFile comment but that is not available until Java 7 and Beat Link is supposed to be backwards compatible with Java 6 . Since we are doing this anyway we can also provide information about the nature of the cache and how many metadata entries it contains which is useful for auto - attachment .
27,153
private static void addCacheDetailsEntry ( SlotReference slot , ZipOutputStream zos , WritableByteChannel channel ) throws IOException { MediaDetails details = MetadataFinder . getInstance ( ) . getMediaDetailsFor ( slot ) ; if ( details != null ) { zos . putNextEntry ( new ZipEntry ( CACHE_DETAILS_ENTRY ) ) ; Util . writeFully ( details . getRawBytes ( ) , channel ) ; } }
Record the details of the media being cached to make it easier to recognize now that we have access to that information .
27,154
private String getCacheFormatEntry ( ) throws IOException { ZipEntry zipEntry = zipFile . getEntry ( CACHE_FORMAT_ENTRY ) ; InputStream is = zipFile . getInputStream ( zipEntry ) ; try { Scanner s = new Scanner ( is , "UTF-8" ) . useDelimiter ( "\\A" ) ; String tag = null ; if ( s . hasNext ( ) ) tag = s . next ( ) ; return tag ; } finally { is . close ( ) ; } }
Find and read the cache format entry in a metadata cache file .
27,155
public List < Integer > getTrackIds ( ) { ArrayList < Integer > results = new ArrayList < Integer > ( trackCount ) ; Enumeration < ? extends ZipEntry > entries = zipFile . entries ( ) ; while ( entries . hasMoreElements ( ) ) { ZipEntry entry = entries . nextElement ( ) ; if ( entry . getName ( ) . startsWith ( CACHE_METADATA_ENTRY_PREFIX ) ) { String idPart = entry . getName ( ) . substring ( CACHE_METADATA_ENTRY_PREFIX . length ( ) ) ; if ( idPart . length ( ) > 0 ) { results . add ( Integer . valueOf ( idPart ) ) ; } } } return Collections . unmodifiableList ( results ) ; }
Returns a list of the rekordbox IDs of the tracks contained in the cache .
27,156
public static void createMetadataCache ( SlotReference slot , int playlistId , File cache ) throws Exception { createMetadataCache ( slot , playlistId , cache , null ) ; }
Creates a metadata cache archive file of all tracks in the specified slot on the specified player . Any previous contents of the specified file will be replaced .
27,157
static void tryAutoAttaching ( final SlotReference slot ) { if ( ! MetadataFinder . getInstance ( ) . getMountedMediaSlots ( ) . contains ( slot ) ) { logger . error ( "Unable to auto-attach cache to empty slot {}" , slot ) ; return ; } if ( MetadataFinder . getInstance ( ) . getMetadataCache ( slot ) != null ) { logger . info ( "Not auto-attaching to slot {}; already has a cache attached." , slot ) ; return ; } if ( MetadataFinder . getInstance ( ) . getAutoAttachCacheFiles ( ) . isEmpty ( ) ) { logger . debug ( "No auto-attach files configured." ) ; return ; } new Thread ( new Runnable ( ) { public void run ( ) { try { Thread . sleep ( 5 ) ; final MediaDetails details = MetadataFinder . getInstance ( ) . getMediaDetailsFor ( slot ) ; if ( details != null && details . mediaType == CdjStatus . TrackType . REKORDBOX ) { boolean attached = false ; for ( File file : MetadataFinder . getInstance ( ) . getAutoAttachCacheFiles ( ) ) { final MetadataCache cache = new MetadataCache ( file ) ; try { if ( cache . sourceMedia != null && cache . sourceMedia . hashKey ( ) . equals ( details . hashKey ( ) ) ) { final boolean changed = cache . sourceMedia . hasChanged ( details ) ; logger . info ( "Auto-attaching metadata cache " + cache . getName ( ) + " to slot " + slot + " based on media details " + ( changed ? "(changed since created)!" : "(unchanged)." ) ) ; MetadataFinder . getInstance ( ) . attachMetadataCacheInternal ( slot , cache ) ; attached = true ; return ; } } finally { if ( ! attached ) { cache . close ( ) ; } } } ConnectionManager . ClientTask < Object > task = new ConnectionManager . ClientTask < Object > ( ) { public Object useClient ( Client client ) throws Exception { tryAutoAttachingWithConnection ( slot , client ) ; return null ; } } ; ConnectionManager . getInstance ( ) . invokeWithClientSession ( slot . player , task , "trying to auto-attach metadata cache" ) ; } } catch ( Exception e ) { logger . error ( "Problem trying to auto-attach metadata cache for slot " + slot , e ) ; } } } , "Metadata cache file auto-attachment attempt" ) . start ( ) ; }
See if there is an auto - attach cache file that seems to match the media in the specified slot and if so attach it .
27,158
private static Map < Integer , LinkedList < MetadataCache > > gatherCandidateAttachmentGroups ( ) { Map < Integer , LinkedList < MetadataCache > > candidateGroups = new TreeMap < Integer , LinkedList < MetadataCache > > ( ) ; final Iterator < File > iterator = MetadataFinder . getInstance ( ) . getAutoAttachCacheFiles ( ) . iterator ( ) ; while ( iterator . hasNext ( ) ) { final File file = iterator . next ( ) ; try { final MetadataCache candidate = new MetadataCache ( file ) ; if ( candidateGroups . get ( candidate . sourcePlaylist ) == null ) { candidateGroups . put ( candidate . sourcePlaylist , new LinkedList < MetadataCache > ( ) ) ; } candidateGroups . get ( candidate . sourcePlaylist ) . add ( candidate ) ; } catch ( Exception e ) { logger . error ( "Unable to open metadata cache file " + file + ", discarding" , e ) ; iterator . remove ( ) ; } } return candidateGroups ; }
Groups all of the metadata cache files that are candidates for auto - attachment to player slots into lists that are keyed by the playlist ID used to create the cache file . Files that cache all tracks have a playlist ID of 0 .
27,159
private static int findTrackIdAtOffset ( SlotReference slot , Client client , int offset ) throws IOException { Message entry = client . renderMenuItems ( Message . MenuIdentifier . MAIN_MENU , slot . slot , CdjStatus . TrackType . REKORDBOX , offset , 1 ) . get ( 0 ) ; if ( entry . getMenuItemType ( ) == Message . MenuItemType . UNKNOWN ) { logger . warn ( "Encountered unrecognized track list entry item type: {}" , entry ) ; } return ( int ) ( ( NumberField ) entry . arguments . get ( 1 ) ) . getValue ( ) ; }
As part of checking whether a metadata cache can be auto - mounted for a particular media slot this method looks up the track at the specified offset within the player s track list and returns its rekordbox ID .
27,160
private boolean isPacketLongEnough ( DatagramPacket packet , int expectedLength , String name ) { final int length = packet . getLength ( ) ; if ( length < expectedLength ) { logger . warn ( "Ignoring too-short " + name + " packet; expecting " + expectedLength + " bytes and got " + length + "." ) ; return false ; } if ( length > expectedLength ) { logger . warn ( "Processing too-long " + name + " packet; expecting " + expectedLength + " bytes and got " + length + "." ) ; } return true ; }
Helper method to check that we got the right size packet .
27,161
public synchronized void stop ( ) { if ( isRunning ( ) ) { socket . get ( ) . close ( ) ; socket . set ( null ) ; deliverLifecycleAnnouncement ( logger , false ) ; } }
Stop listening for beats .
27,162
private void deliverSyncCommand ( byte command ) { for ( final SyncListener listener : getSyncListeners ( ) ) { try { switch ( command ) { case 0x01 : listener . becomeMaster ( ) ; case 0x10 : listener . setSyncMode ( true ) ; break ; case 0x20 : listener . setSyncMode ( false ) ; break ; } } catch ( Throwable t ) { logger . warn ( "Problem delivering sync command to listener" , t ) ; } } }
Send a sync command to all registered listeners .
27,163
private void deliverMasterYieldCommand ( int toPlayer ) { for ( final MasterHandoffListener listener : getMasterHandoffListeners ( ) ) { try { listener . yieldMasterTo ( toPlayer ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering master yield command to listener" , t ) ; } } }
Send a master handoff yield command to all registered listeners .
27,164
private void deliverMasterYieldResponse ( int fromPlayer , boolean yielded ) { for ( final MasterHandoffListener listener : getMasterHandoffListeners ( ) ) { try { listener . yieldResponse ( fromPlayer , yielded ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering master yield response to listener" , t ) ; } } }
Send a master handoff yield response to all registered listeners .
27,165
private void deliverOnAirUpdate ( Set < Integer > audibleChannels ) { for ( final OnAirListener listener : getOnAirListeners ( ) ) { try { listener . channelsOnAir ( audibleChannels ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering channels on-air update to listener" , t ) ; } } }
Send a channels on - air update to all registered listeners .
27,166
private void deliverFaderStartCommand ( Set < Integer > playersToStart , Set < Integer > playersToStop ) { for ( final FaderStartListener listener : getFaderStartListeners ( ) ) { try { listener . fadersChanged ( playersToStart , playersToStop ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering fader start command to listener" , t ) ; } } }
Send a fader start command to all registered listeners .
27,167
public void write ( WritableByteChannel channel ) throws IOException { logger . debug ( "Writing> {}" , this ) ; for ( Field field : fields ) { field . write ( channel ) ; } }
Writes the message to the specified channel for example when creating metadata cache files .
27,168
public final void setFindDetails ( boolean findDetails ) { this . findDetails . set ( findDetails ) ; if ( findDetails ) { primeCache ( ) ; } else { final Set < DeckReference > dyingCache = new HashSet < DeckReference > ( detailHotCache . keySet ( ) ) ; detailHotCache . clear ( ) ; SwingUtilities . invokeLater ( new Runnable ( ) { public void run ( ) { for ( DeckReference deck : dyingCache ) { deliverWaveformDetailUpdate ( deck . player , null ) ; } } } ) ; } }
Set whether we should retrieve the waveform details in addition to the waveform previews .
27,169
public final void setColorPreferred ( boolean preferColor ) { if ( this . preferColor . compareAndSet ( ! preferColor , preferColor ) && isRunning ( ) ) { stop ( ) ; try { start ( ) ; } catch ( Exception e ) { logger . error ( "Unexplained exception restarting; we had been running already!" , e ) ; } } }
Set whether we should obtain color versions of waveforms and previews when they are available . This will only affect waveforms loaded after the setting has been changed . If this changes the setting and we were running stop and restart in order to flush and reload the correct waveform versions .
27,170
private void clearDeckPreview ( TrackMetadataUpdate update ) { if ( previewHotCache . remove ( DeckReference . getDeckReference ( update . player , 0 ) ) != null ) { deliverWaveformPreviewUpdate ( update . player , null ) ; } }
We have received an update that invalidates the waveform preview for a player so clear it and alert any listeners if this represents a change . This does not affect the hot cues ; they will stick around until the player loads a new track that overwrites one or more of them .
27,171
private void clearDeckDetail ( TrackMetadataUpdate update ) { if ( detailHotCache . remove ( DeckReference . getDeckReference ( update . player , 0 ) ) != null ) { deliverWaveformDetailUpdate ( update . player , null ) ; } }
We have received an update that invalidates the waveform detail for a player so clear it and alert any listeners if this represents a change . This does not affect the hot cues ; they will stick around until the player loads a new track that overwrites one or more of them .
27,172
private void clearWaveforms ( DeviceAnnouncement announcement ) { final int player = announcement . getNumber ( ) ; for ( DeckReference deck : new HashSet < DeckReference > ( previewHotCache . keySet ( ) ) ) { if ( deck . player == player ) { previewHotCache . remove ( deck ) ; if ( deck . hotCue == 0 ) { deliverWaveformPreviewUpdate ( player , null ) ; } } } for ( DeckReference deck : new HashSet < DeckReference > ( detailHotCache . keySet ( ) ) ) { if ( deck . player == player ) { detailHotCache . remove ( deck ) ; if ( deck . hotCue == 0 ) { deliverWaveformDetailUpdate ( player , null ) ; } } } }
We have received notification that a device is no longer on the network so clear out all its waveforms .
27,173
private void updatePreview ( TrackMetadataUpdate update , WaveformPreview preview ) { previewHotCache . put ( DeckReference . getDeckReference ( update . player , 0 ) , preview ) ; if ( update . metadata . getCueList ( ) != null ) { for ( CueList . Entry entry : update . metadata . getCueList ( ) . entries ) { if ( entry . hotCueNumber != 0 ) { previewHotCache . put ( DeckReference . getDeckReference ( update . player , entry . hotCueNumber ) , preview ) ; } } } deliverWaveformPreviewUpdate ( update . player , preview ) ; }
We have obtained a waveform preview for a device so store it and alert any listeners .
27,174
private void updateDetail ( TrackMetadataUpdate update , WaveformDetail detail ) { detailHotCache . put ( DeckReference . getDeckReference ( update . player , 0 ) , detail ) ; if ( update . metadata . getCueList ( ) != null ) { for ( CueList . Entry entry : update . metadata . getCueList ( ) . entries ) { if ( entry . hotCueNumber != 0 ) { detailHotCache . put ( DeckReference . getDeckReference ( update . player , entry . hotCueNumber ) , detail ) ; } } } deliverWaveformDetailUpdate ( update . player , detail ) ; }
We have obtained waveform detail for a device so store it and alert any listeners .
27,175
@ SuppressWarnings ( "WeakerAccess" ) public Map < DeckReference , WaveformPreview > getLoadedPreviews ( ) { ensureRunning ( ) ; return Collections . unmodifiableMap ( new HashMap < DeckReference , WaveformPreview > ( previewHotCache ) ) ; }
Get the waveform previews available for all tracks currently loaded in any player either on the play deck or in a hot cue .
27,176
@ SuppressWarnings ( "WeakerAccess" ) public Map < DeckReference , WaveformDetail > getLoadedDetails ( ) { ensureRunning ( ) ; if ( ! isFindingDetails ( ) ) { throw new IllegalStateException ( "WaveformFinder is not configured to find waveform details." ) ; } return Collections . unmodifiableMap ( new HashMap < DeckReference , WaveformDetail > ( detailHotCache ) ) ; }
Get the waveform details available for all tracks currently loaded in any player either on the play deck or in a hot cue .
27,177
private WaveformPreview requestPreviewInternal ( final DataReference trackReference , final boolean failIfPassive ) { MetadataCache cache = MetadataFinder . getInstance ( ) . getMetadataCache ( SlotReference . getSlotReference ( trackReference ) ) ; if ( cache != null ) { return cache . getWaveformPreview ( null , trackReference ) ; } final MediaDetails sourceDetails = MetadataFinder . getInstance ( ) . getMediaDetailsFor ( trackReference . getSlotReference ( ) ) ; if ( sourceDetails != null ) { final WaveformPreview provided = MetadataFinder . getInstance ( ) . allMetadataProviders . getWaveformPreview ( sourceDetails , trackReference ) ; if ( provided != null ) { return provided ; } } if ( MetadataFinder . getInstance ( ) . isPassive ( ) && failIfPassive && trackReference . slot != CdjStatus . TrackSourceSlot . COLLECTION ) { return null ; } ConnectionManager . ClientTask < WaveformPreview > task = new ConnectionManager . ClientTask < WaveformPreview > ( ) { public WaveformPreview useClient ( Client client ) throws Exception { return getWaveformPreview ( trackReference . rekordboxId , SlotReference . getSlotReference ( trackReference ) , client ) ; } } ; try { return ConnectionManager . getInstance ( ) . invokeWithClientSession ( trackReference . player , task , "requesting waveform preview" ) ; } catch ( Exception e ) { logger . error ( "Problem requesting waveform preview, returning null" , e ) ; } return null ; }
Ask the specified player for the waveform preview in the specified slot with the specified rekordbox ID using cached media instead if it is available and possibly giving up if we are in passive mode .
27,178
public WaveformPreview requestWaveformPreviewFrom ( final DataReference dataReference ) { ensureRunning ( ) ; for ( WaveformPreview cached : previewHotCache . values ( ) ) { if ( cached . dataReference . equals ( dataReference ) ) { return cached ; } } return requestPreviewInternal ( dataReference , false ) ; }
Ask the specified player for the specified waveform preview from the specified media slot first checking if we have a cached copy .
27,179
WaveformPreview getWaveformPreview ( int rekordboxId , SlotReference slot , Client client ) throws IOException { final NumberField idField = new NumberField ( rekordboxId ) ; if ( preferColor . get ( ) ) { try { Message response = client . simpleRequest ( Message . KnownType . ANLZ_TAG_REQ , Message . KnownType . ANLZ_TAG , client . buildRMST ( Message . MenuIdentifier . MAIN_MENU , slot . slot ) , idField , new NumberField ( Message . ANLZ_FILE_TAG_COLOR_WAVEFORM_PREVIEW ) , new NumberField ( Message . ALNZ_FILE_TYPE_EXT ) ) ; return new WaveformPreview ( new DataReference ( slot , rekordboxId ) , response ) ; } catch ( Exception e ) { logger . info ( "No color waveform preview available for slot " + slot + ", id " + rekordboxId + "; requesting blue version." , e ) ; } } Message response = client . simpleRequest ( Message . KnownType . WAVE_PREVIEW_REQ , Message . KnownType . WAVE_PREVIEW , client . buildRMST ( Message . MenuIdentifier . DATA , slot . slot ) , NumberField . WORD_1 , idField , NumberField . WORD_0 ) ; return new WaveformPreview ( new DataReference ( slot , rekordboxId ) , response ) ; }
Requests the waveform preview for a specific track ID given a connection to a player that has already been set up .
27,180
public WaveformDetail requestWaveformDetailFrom ( final DataReference dataReference ) { ensureRunning ( ) ; for ( WaveformDetail cached : detailHotCache . values ( ) ) { if ( cached . dataReference . equals ( dataReference ) ) { return cached ; } } return requestDetailInternal ( dataReference , false ) ; }
Ask the specified player for the specified waveform detail from the specified media slot first checking if we have a cached copy .
27,181
WaveformDetail getWaveformDetail ( int rekordboxId , SlotReference slot , Client client ) throws IOException { final NumberField idField = new NumberField ( rekordboxId ) ; if ( preferColor . get ( ) ) { try { Message response = client . simpleRequest ( Message . KnownType . ANLZ_TAG_REQ , Message . KnownType . ANLZ_TAG , client . buildRMST ( Message . MenuIdentifier . MAIN_MENU , slot . slot ) , idField , new NumberField ( Message . ANLZ_FILE_TAG_COLOR_WAVEFORM_DETAIL ) , new NumberField ( Message . ALNZ_FILE_TYPE_EXT ) ) ; return new WaveformDetail ( new DataReference ( slot , rekordboxId ) , response ) ; } catch ( Exception e ) { logger . info ( "No color waveform available for slot " + slot + ", id " + rekordboxId + "; requesting blue version." , e ) ; } } Message response = client . simpleRequest ( Message . KnownType . WAVE_DETAIL_REQ , Message . KnownType . WAVE_DETAIL , client . buildRMST ( Message . MenuIdentifier . MAIN_MENU , slot . slot ) , idField , NumberField . WORD_0 ) ; return new WaveformDetail ( new DataReference ( slot , rekordboxId ) , response ) ; }
Requests the waveform detail for a specific track ID given a connection to a player that has already been set up .
27,182
private void deliverWaveformPreviewUpdate ( final int player , final WaveformPreview preview ) { final Set < WaveformListener > listeners = getWaveformListeners ( ) ; if ( ! listeners . isEmpty ( ) ) { SwingUtilities . invokeLater ( new Runnable ( ) { public void run ( ) { final WaveformPreviewUpdate update = new WaveformPreviewUpdate ( player , preview ) ; for ( final WaveformListener listener : listeners ) { try { listener . previewChanged ( update ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering waveform preview update to listener" , t ) ; } } } } ) ; } }
Send a waveform preview update announcement to all registered listeners .
27,183
private void deliverWaveformDetailUpdate ( final int player , final WaveformDetail detail ) { if ( ! getWaveformListeners ( ) . isEmpty ( ) ) { SwingUtilities . invokeLater ( new Runnable ( ) { public void run ( ) { final WaveformDetailUpdate update = new WaveformDetailUpdate ( player , detail ) ; for ( final WaveformListener listener : getWaveformListeners ( ) ) { try { listener . detailChanged ( update ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering waveform detail update to listener" , t ) ; } } } } ) ; } }
Send a waveform detail update announcement to all registered listeners .
27,184
private void primeCache ( ) { SwingUtilities . invokeLater ( new Runnable ( ) { public void run ( ) { for ( Map . Entry < DeckReference , TrackMetadata > entry : MetadataFinder . getInstance ( ) . getLoadedTracks ( ) . entrySet ( ) ) { if ( entry . getKey ( ) . hotCue == 0 ) { handleUpdate ( new TrackMetadataUpdate ( entry . getKey ( ) . player , entry . getValue ( ) ) ) ; } } } } ) ; }
Send ourselves updates about any tracks that were loaded before we started or before we were requesting details since we missed them .
27,185
@ SuppressWarnings ( "WeakerAccess" ) public synchronized void stop ( ) { if ( isRunning ( ) ) { MetadataFinder . getInstance ( ) . removeTrackMetadataListener ( metadataListener ) ; running . set ( false ) ; pendingUpdates . clear ( ) ; queueHandler . interrupt ( ) ; queueHandler = null ; final Set < DeckReference > dyingPreviewCache = new HashSet < DeckReference > ( previewHotCache . keySet ( ) ) ; previewHotCache . clear ( ) ; final Set < DeckReference > dyingDetailCache = new HashSet < DeckReference > ( detailHotCache . keySet ( ) ) ; detailHotCache . clear ( ) ; SwingUtilities . invokeLater ( new Runnable ( ) { public void run ( ) { for ( DeckReference deck : dyingPreviewCache ) { if ( deck . hotCue == 0 ) { deliverWaveformPreviewUpdate ( deck . player , null ) ; } } for ( DeckReference deck : dyingDetailCache ) { if ( deck . hotCue == 0 ) { deliverWaveformDetailUpdate ( deck . player , null ) ; } } } } ) ; deliverLifecycleAnnouncement ( logger , false ) ; } }
Stop finding waveforms for all active players .
27,186
private void clearArt ( DeviceAnnouncement announcement ) { final int player = announcement . getNumber ( ) ; for ( DeckReference deck : new HashSet < DeckReference > ( hotCache . keySet ( ) ) ) { if ( deck . player == player ) { hotCache . remove ( deck ) ; if ( deck . hotCue == 0 ) { deliverAlbumArtUpdate ( player , null ) ; } } } for ( DataReference art : new HashSet < DataReference > ( artCache . keySet ( ) ) ) { if ( art . player == player ) { artCache . remove ( art ) ; } } }
We have received notification that a device is no longer on the network so clear out its artwork .
27,187
private void updateArt ( TrackMetadataUpdate update , AlbumArt art ) { hotCache . put ( DeckReference . getDeckReference ( update . player , 0 ) , art ) ; if ( update . metadata . getCueList ( ) != null ) { for ( CueList . Entry entry : update . metadata . getCueList ( ) . entries ) { if ( entry . hotCueNumber != 0 ) { hotCache . put ( DeckReference . getDeckReference ( update . player , entry . hotCueNumber ) , art ) ; } } } deliverAlbumArtUpdate ( update . player , art ) ; }
We have obtained album art for a device so store it and alert any listeners .
27,188
public Map < DeckReference , AlbumArt > getLoadedArt ( ) { ensureRunning ( ) ; return Collections . unmodifiableMap ( new HashMap < DeckReference , AlbumArt > ( hotCache ) ) ; }
Get the art available for all tracks currently loaded in any player either on the play deck or in a hot cue .
27,189
private AlbumArt requestArtworkInternal ( final DataReference artReference , final CdjStatus . TrackType trackType , final boolean failIfPassive ) { MetadataCache cache = MetadataFinder . getInstance ( ) . getMetadataCache ( SlotReference . getSlotReference ( artReference ) ) ; if ( cache != null ) { final AlbumArt result = cache . getAlbumArt ( null , artReference ) ; if ( result != null ) { artCache . put ( artReference , result ) ; } return result ; } final MediaDetails sourceDetails = MetadataFinder . getInstance ( ) . getMediaDetailsFor ( artReference . getSlotReference ( ) ) ; if ( sourceDetails != null ) { final AlbumArt provided = MetadataFinder . getInstance ( ) . allMetadataProviders . getAlbumArt ( sourceDetails , artReference ) ; if ( provided != null ) { return provided ; } } if ( MetadataFinder . getInstance ( ) . isPassive ( ) && failIfPassive && artReference . slot != CdjStatus . TrackSourceSlot . COLLECTION ) { return null ; } ConnectionManager . ClientTask < AlbumArt > task = new ConnectionManager . ClientTask < AlbumArt > ( ) { public AlbumArt useClient ( Client client ) throws Exception { return getArtwork ( artReference . rekordboxId , SlotReference . getSlotReference ( artReference ) , trackType , client ) ; } } ; try { AlbumArt artwork = ConnectionManager . getInstance ( ) . invokeWithClientSession ( artReference . player , task , "requesting artwork" ) ; if ( artwork != null ) { artCache . put ( artReference , artwork ) ; } return artwork ; } catch ( Exception e ) { logger . error ( "Problem requesting album art, returning null" , e ) ; } return null ; }
Ask the specified player for the album art in the specified slot with the specified rekordbox ID using cached media instead if it is available and possibly giving up if we are in passive mode .
27,190
public AlbumArt requestArtworkFrom ( final DataReference artReference , final CdjStatus . TrackType trackType ) { ensureRunning ( ) ; AlbumArt artwork = findArtInMemoryCaches ( artReference ) ; if ( artwork == null ) { artwork = requestArtworkInternal ( artReference , trackType , false ) ; } return artwork ; }
Ask the specified player for the specified artwork from the specified media slot first checking if we have a cached copy .
27,191
AlbumArt getArtwork ( int artworkId , SlotReference slot , CdjStatus . TrackType trackType , Client client ) throws IOException { Message response = client . simpleRequest ( Message . KnownType . ALBUM_ART_REQ , Message . KnownType . ALBUM_ART , client . buildRMST ( Message . MenuIdentifier . DATA , slot . slot , trackType ) , new NumberField ( ( long ) artworkId ) ) ; return new AlbumArt ( new DataReference ( slot , artworkId ) , ( ( BinaryField ) response . arguments . get ( 3 ) ) . getValue ( ) ) ; }
Request the artwork with a particular artwork ID given a connection to a player that has already been set up .
27,192
private AlbumArt findArtInMemoryCaches ( DataReference artReference ) { for ( AlbumArt cached : hotCache . values ( ) ) { if ( cached . artReference . equals ( artReference ) ) { return cached ; } } return artCache . get ( artReference ) ; }
Look for the specified album art in both the hot cache of loaded tracks and the longer - lived LRU cache .
27,193
private void deliverAlbumArtUpdate ( int player , AlbumArt art ) { if ( ! getAlbumArtListeners ( ) . isEmpty ( ) ) { final AlbumArtUpdate update = new AlbumArtUpdate ( player , art ) ; for ( final AlbumArtListener listener : getAlbumArtListeners ( ) ) { try { listener . albumArtChanged ( update ) ; } catch ( Throwable t ) { logger . warn ( "Problem delivering album art update to listener" , t ) ; } } } }
Send an album art update announcement to all registered listeners .
27,194
public BufferedImage getImage ( ) { ByteBuffer artwork = getRawBytes ( ) ; artwork . rewind ( ) ; byte [ ] imageBytes = new byte [ artwork . remaining ( ) ] ; artwork . get ( imageBytes ) ; try { return ImageIO . read ( new ByteArrayInputStream ( imageBytes ) ) ; } catch ( IOException e ) { logger . error ( "Weird! Caught exception creating image from artwork bytes" , e ) ; return null ; } }
Given the byte buffer containing album art build an actual image from it for easy rendering .
27,195
private TrackSourceSlot findTrackSourceSlot ( ) { TrackSourceSlot result = TRACK_SOURCE_SLOT_MAP . get ( packetBytes [ 41 ] ) ; if ( result == null ) { return TrackSourceSlot . UNKNOWN ; } return result ; }
Determine the enum value corresponding to the track source slot found in the packet .
27,196
private TrackType findTrackType ( ) { TrackType result = TRACK_TYPE_MAP . get ( packetBytes [ 42 ] ) ; if ( result == null ) { return TrackType . UNKNOWN ; } return result ; }
Determine the enum value corresponding to the track type found in the packet .
27,197
private PlayState1 findPlayState1 ( ) { PlayState1 result = PLAY_STATE_1_MAP . get ( packetBytes [ 123 ] ) ; if ( result == null ) { return PlayState1 . UNKNOWN ; } return result ; }
Determine the enum value corresponding to the first play state found in the packet .
27,198
private PlayState3 findPlayState3 ( ) { PlayState3 result = PLAY_STATE_3_MAP . get ( packetBytes [ 157 ] ) ; if ( result == null ) { return PlayState3 . UNKNOWN ; } return result ; }
Determine the enum value corresponding to the third play state found in the packet .
27,199
@ SuppressWarnings ( "WeakerAccess" ) public boolean isPlaying ( ) { if ( packetBytes . length >= 212 ) { return ( packetBytes [ STATUS_FLAGS ] & PLAYING_FLAG ) > 0 ; } else { final PlayState1 state = getPlayState1 ( ) ; return state == PlayState1 . PLAYING || state == PlayState1 . LOOPING || ( state == PlayState1 . SEARCHING && getPlayState2 ( ) == PlayState2 . MOVING ) ; } }
Was the CDJ playing a track when this update was sent?