In this section, we’ll take all the information that we’ve learned throughout the chap- ter and create a simple application that allows the user to create playlists of mp3 files on her system. Note that the application doesn’t actually play the mp3 files (although that would be possible), but rather we’ve chosen to keep it focused on the file system operations. You’re welcome to add the mp3 playback functionality to the application as a challenge for yourself.
The playlist maker application is fairly rudimentary. It consists of just four classes/
MXML documents:
■ PlaylistMaker.mxml
■ ApplicationData.as
■ Playlist.as
■ PlaylistService.as
Over the next few sections, we’ll build each of these. The result will look like what you see in figure 3.11.
The PlaylistMaker application has the following features:
Figure 3.11 The PlaylistMaker application allows users to create playlists from the mp3 files on their computer.
137 Reading and writing music playlists
■ It searches all the mp3 files on the user’s system (given a parent directory) and displays them in a list.
■ The user can add and remove tracks to playlists.
■ The user can save playlists.
■ The user can load saved playlists.
Now that we’ve had a chance to see how the application is structured, what it looks like, and what it does, we can get to building it.
The first thing we need to do to get started with the PlaylistMaker application is configure the project. If you’re using Flex Builder, simply create a new AIR project called PlaylistMaker, and that automatically creates the necessary file system structure as well as the PlaylistMaker.mxml application file. If you’re not using Flex Builder, pro- ceed with configuring a project as you normally would, and name the main applica- tion file PlaylistMaker.mxml.
Now that you’ve configured the project, we’re ready to create the data model and model locator for the application. We’ll do that in the next section.
3.8.1 Building the data model
Our application is quite simple; therefore the data model is simple as well. In fact, we only need one data model class: Playlist. Playlist objects essentially need only two pieces of information: a name and a collection of the tracks contained within the play- list. The Playlist class reflects this simplicity, as you can see in listing 3.16.
In addition to the Playlist class, we also need to create something to serve as a model locator, which allows us to store the data for the application in a centralized place. For this purpose, we’ll use a class we’re calling ApplicationData. The Applica- tionData class contains the data used by the three parts of the application: all the mp3s, the current playlist, and all the saved playlists.
To build the data model and the model locator, complete the following steps:
1 Create a new ActionScript class document and save it as com/manning/playlist- maker/data/Playlist.as relative to the source directory for the project.
2 Add the code from listing 3.16 to the Playlist class.
package com.manning.playlistmaker.data { import flash.events.Event;
import flash.events.EventDispatcher;
import flash.filesystem.File;
[RemoteClass(alias="com.manning.playlistmaker.data.Playlist")]
public class Playlist extends EventDispatcher { private var _list:Array;
private var _name:String;
[Bindable(event="listChanged")]
public function get list():Array { Listing 3.16 The Playlist class
Make class serializable
B
Store playlist tracks
Name of playlist Make properties bindable
C
return _list;
}
public function set list(value:Array):void { _list = value;
}
[Bindable(event="nameChanged")]
public function set name(value:String):void { _name = value;
}
public function get name():String { return _name;
}
public function Playlist() { if(_list == null) { _list = new Array();
} }
public function addTrack(value:File):void { _list.push(value);
dispatchEvent(new Event("listChanged"));
}
public function addTracks(value:Array):void { _list = _list.concat(value);
dispatchEvent(new Event("listChanged"));
}
public function removeTrack(value:File):void { for(var i:Number = 0; i < _list.length; i++) { if(_list[i].nativePath == value.nativePath) { _list.splice(i, 1);
break;
} }
dispatchEvent(new Event("listChanged"));
} } }
Although the Playlist class is simple, it has some subtleties that require further dis- cussion. First, note that the class starts with a [RemoteClass] metadata tag B . This is necessary because later on we’re going to write Playlist objects to disk, and we need to be able to properly serialize and deserialize the objects. As you’ll recall, the [RemoteClass] metadata tag tells the application how to map the serialized data back to a class. Note also that both the name and list properties are bindable C. That’s because we want to wire up UI components later on to display the contents of a play- list. Because we want the list, an array, to be data bindable, we need to provide acces- sor methods to adding and removing tracks D F G. You’ll notice that these methods all dispatch listChanged events E, which triggers data binding changes.
Only create array if null
Add track to playlist
D
Add only name
Notify bound properties
E
Add multiple tracks
F
Remove a track
G
139 Reading and writing music playlists
3 Create a new ActionScript class document and save it as com/manning/playlist- maker/data/ApplicationData.as relative to the source directory for the project.
4 Add the code from listing 3.17 to the ApplicationData class.
package com.manning.playlistmaker.data { import flash.events.Event;
import flash.events.EventDispatcher;
import flash.filesystem.File;
public class ApplicationData extends EventDispatcher { static private var _instance:ApplicationData;
private var _mp3s:Playlist;
private var _playlist:Playlist;
private var _savedPlaylists:Array;
[Bindable(event="mp3sChanged")]
public function get mp3s():Playlist { return _mp3s;
}
[Bindable(event="playlistChanged")]
public function set playlist(value:Playlist):void { _playlist = value;
dispatchEvent(new Event("playlistChanged"));
}
public function get playlist():Playlist { return _playlist;
}
[Bindable(event="savedPlaylistsChanged")]
public function set savedPlaylists(value:Array):void { _savedPlaylists = value;
dispatchEvent(new Event("savedPlaylistsChanged"));
}
public function get savedPlaylists():Array { return _savedPlaylists;
}
public function ApplicationData() { _mp3s = new Playlist();
_playlist = new Playlist();
_savedPlaylists = new Array();
}
static public function getInstance():ApplicationData { if(_instance == null) {
_instance = new ApplicationData();
}
return _instance;
}
public function addPlaylist(playlist:Playlist):void { Listing 3.17 The ApplicationData class
Singleton instance
B
All system mp3s
C
Current playlist Saved D
playlists
E
Singleton accessor F
Add a playlist to saved playlists
G
if(_savedPlaylists.indexOf(playlist) == -1) { _savedPlaylists.push(playlist);
dispatchEvent(new Event("savedPlaylistsChanged"));
} } } }
The ApplicationData class is simple. You can see that it implements the Single- ton design pattern B F. The class allows access to three pieces of information:
an array of all the system mp3s C, the current playlist D, and an array of saved playlists E. Additionally, the class defines a method for adding a playlist to the saved playlists G. This method first verifies that the playlist isn’t already in the saved playlists before adding it.
That’s all there is to the data model and locator for this application. Next we’ll build out the service/controller for the application.
3.8.2 Building the controller
The controller for this PlaylistMaker application is a class we’ll call PlaylistSer- vice. This class is responsible for two primary functions: retrieving a list of the mp3s on the system and saving and retrieving playlists to and from disk. To build the con- troller, complete the following steps:
1 Create a new ActionScript class file and save it as com/manning/playlistmaker/
services/PlaylistService.as relative to the project source directory.
2 Add the following code to the PlaylistService class. This code creates the structure of the class. We’ll fill in the methods in subsequent steps:
package com.manning.playlistmaker.services { import flash.filesystem.File;
public class PlaylistService {
public function PlaylistService() { }
public function getMp3s(parentDirectory:File):void { }
private function locateMp3sInDirectory(parentDirectory:File):void { }
private function directoryListingHandler(event:FileListEvent):
➥void { }
public function savePlaylists():void { }
public function loadSavedPlaylists():void { }
} }
141 Reading and writing music playlists
3 Fill in the getMp3s(), locateMp3sInDirectory(), and directoryListingHand- ler() methods. These methods work together to allow the user to retrieve all the mp3 files within a parent directory.
package com.manning.playlistmaker.services { import flash.filesystem.File;
import flash.events.FileListEvent;
import com.manning.playlistmaker.data.ApplicationData;
public class PlaylistService {
public function PlaylistService() { }
public function getMp3s(parentDirectory:File):void { locateMp3sInDirectory(parentDirectory);
}
private function locateMp3sInDirectory(parentDirectory:File):void { parentDirectory.addEventListener(
➥FileListEvent.DIRECTORY_LISTING, directoryListingHandler);
parentDirectory.getDirectoryListingAsync();
}
private function directoryListingHandler(event:FileListEvent):
➥void {
var files:Array = event.files;
var mp3s:Array = new Array();
var file:File;
for(var i:Number = 0; i < files.length; i++) { file = files[i] as File;
if(file.isDirectory) {
locateMp3sInDirectory(file);
}
else if(file.extension == "mp3") { mp3s.push(file);
} }
if(mp3s.length > 0) {
ApplicationData.getInstance().mp3s.addTracks(mp3s);
} }
public function savePlaylists():void { }
public function loadSavedPlaylists():void { }
} }
The getMp3s() method merely calls the private method locateMp3s- InDirectory()B, which asynchronously retrieves a directory listing C. When the directory listing is returned, the handler method loops through the con- tents D and determines the appropriate action for each E. If the item is a
Retrieve .mp3 files
B
Get directory listing
C
Loop through contents
D
Take appropriate action
E
Add to data model F
directory, we call locateMp3sInDirectory() recursively. Otherwise, if the file has an extension of .mp3, we add it to an array, which we later add to the data model F.
4 Fill in the savePlaylists() method as shown in the following code:
package com.manning.playlistmaker.services { import flash.filesystem.File;
import flash.events.FileListEvent;
import com.manning.playlistmaker.data.ApplicationData;
import flash.filesystem.FileMode;
import flash.filesystem.FileStream;
import com.manning.playlistmaker.data.Playlist;
public class PlaylistService {
public function PlaylistService() { }
public function getMp3s(parentDirectory:File):void { locateMp3sInDirectory(parentDirectory);
}
private function locateMp3sInDirectory(parentDirectory:File):void { parentDirectory.addEventListener(
➥FileListEvent.DIRECTORY_LISTING, directoryListingHandler);
parentDirectory.getDirectoryListingAsync();
}
private function directoryListingHandler(event:FileListEvent):
➥void {
var files:Array = event.files;
var mp3s:Array = new Array();
var file:File;
for(var i:Number = 0; i < files.length; i++) { file = files[i] as File;
if(file.isDirectory) { locateMp3sInDirectory(file);
}
else if(file.extension == "mp3") { mp3s.push(file);
} }
if(mp3s.length > 0) { ApplicationData.getInstance().mp3s.addTracks(mp3s);
} }
public function savePlaylists():void { var file:File =
➥File.applicationStorageDirectory.resolvePath(
➥"savedPlaylists.data");
var stream:FileStream = new FileStream();
stream.open(file, FileMode.WRITE);
var applicationData:ApplicationData =
➥ApplicationData.getInstance();
applicationData.addPlaylist(applicationData.playlist);
Create file reference B
Open in write mode
C
Add current playlist D
143 Reading and writing music playlists
stream.writeObject(applicationData.savedPlaylists);
stream.close();
}
public function loadSavedPlaylists():void { }
} }
When saving the data, we create a reference to the file B, open it in write mode
C, and write the data to the file E. In this case, we’re writing all the playlists to the file. We also need to make sure the current playlist is added to the saved playlists array in the data model D before writing to disk.
5 Fill in the method that loads the saved playlists. Listing 3.18 shows the com- pleted class with this method filled in.
package com.manning.playlistmaker.services { import flash.filesystem.File;
import flash.events.FileListEvent;
import com.manning.playlistmaker.data.ApplicationData;
import flash.filesystem.FileMode;
import flash.filesystem.FileStream;
import com.manning.playlistmaker.data.Playlist;
public class PlaylistService {
public function PlaylistService() { }
public function getMp3s(parentDirectory:File):void { locateMp3sInDirectory(parentDirectory);
}
private function locateMp3sInDirectory(parentDirectory:File):void { parentDirectory.addEventListener(
➥FileListEvent.DIRECTORY_LISTING, directoryListingHandler);
parentDirectory.getDirectoryListingAsync();
}
private function directoryListingHandler(event:FileListEvent):
➥void {
var files:Array = event.files;
var mp3s:Array = new Array();
var file:File;
for(var i:Number = 0; i < files.length; i++) { file = files[i] as File;
if(file.isDirectory) { locateMp3sInDirectory(file);
}
else if(file.extension == "mp3") { mp3s.push(file);
}
Listing 3.18 The PlaylistService class
Write all playlists E
}
if(mp3s.length > 0) { ApplicationData.getInstance().mp3s.addTracks(mp3s);
} }
public function savePlaylists():void { var file:File =
➥File.applicationStorageDirectory.resolvePath("savedPlaylists.data");
var stream:FileStream = new FileStream();
stream.open(file, FileMode.WRITE);
var applicationData:ApplicationData =
➥ApplicationData.getInstance();
applicationData.addPlaylist(applicationData.playlist);
stream.writeObject(applicationData.savedPlaylists);
stream.close();
}
public function loadSavedPlaylists():void { var file:File =
➥File.applicationStorageDirectory.resolvePath(
➥"savedPlaylists.data");
if(file.exists) {
var stream:FileStream = new FileStream();
stream.open(file, FileMode.READ);
var playlists:Array = new Array();
while(stream.bytesAvailable) {
playlists = stream.readObject() as Array;
}
stream.close();
ApplicationData.getInstance().savedPlaylists = playlists;
} } } }
When reading the saved playlists, we read from the same file to which we wrote the data B. Before we try to read from the file, we verify that it actually exists C
or else we might get an error. Then we open the file in read mode D, read the data E, and write the data to the data model F.
That wraps up the controller. Next we need only to build the user interface to the application.
3.8.3 Building the user interface
The user interface for the PlaylistMaker application is PlaylistMaker.mxml, which you already created when configuring the project. Now we need only to add the necessary code to that document in order to make it look like figure 3.11. To do this, open Play- listMaker.mxml and add the code in listing 3.19.
Reference storage file
B
If file exists
C
Open for reading
D
E Read data from file
Assign array to savedPlaylists F
145 Reading and writing music playlists
<?xml version="1.0" encoding="utf-8"?>
<mx:WindowedApplication xmlns:mx="http://www.adobe.com/2006/mxml"
creationComplete="creationCompleteHandler();" width="800">
<mx:Script>
<![CDATA[
import com.manning.playlistmaker.data.Playlist;
import com.manning.playlistmaker.services.PlaylistService;
import com.manning.playlistmaker.data.ApplicationData;
import flash.filesystem.File;
[Bindable]
private var _applicationData:ApplicationData;
private var _service:PlaylistService;
private function creationCompleteHandler():void { _applicationData = ApplicationData.getInstance();
_service = new PlaylistService();
_service.getMp3s(File.documentsDirectory);
_service.loadSavedPlaylists();
}
private function addToPlaylist():void { _applicationData.playlist.addTrack(
➥mp3list.selectedItem as File);
}
private function removeFromPlaylist():void { _applicationData.playlist.removeTrack(
➥playlist.selectedItem as File);
}
private function newPlaylist():void {
_applicationData.playlist = new Playlist();
}
private function loadPlaylist():void { _applicationData.playlist =
➥savedPlaylists.selectedItem as Playlist;
}
private function savePlaylist():void {
var playlist:Playlist = _applicationData.playlist;
playlist.name = playlistName.text;
_service.savePlaylists();
} ]]>
</mx:Script>
<mx:HBox width="100%">
<mx:VBox width="33%">
<mx:Label text="All MP3s" />
<mx:List id="mp3list"
dataProvider="{_applicationData.mp3s.list}"
labelField="name" width="100%" height="100%" />
</mx:VBox>
<mx:VBox>
Listing 3.19 The PlaylistMaker document
Register creationComplete Handler
Get reference to ApplicationData
Create service instance Request system mp3s Load the B
saved playlists
C
Set playlist name Save the
playlists
<mx:Spacer height="50" />
<mx:Button label=">>" click="addToPlaylist();"
enabled="{mp3list.selectedItem != null}" />
<mx:Button label="<<" click="removeFromPlaylist();"
enabled="{playlist.selectedItem != null}" />
</mx:VBox>
<mx:VBox width="33%">
<mx:Label text="Playlist" />
<mx:List id="playlist"
dataProvider="{_applicationData.playlist.list}"
labelField="name"
width="100%" height="100%" />
<mx:TextInput id="playlistName"
text="{_applicationData.playlist.name}" />
<mx:Button label="Save" click="savePlaylist();" />
<mx:Button label="New" click="newPlaylist();" />
</mx:VBox>
<mx:VBox width="33%">
<mx:Label text="Saved Playlists" />
<mx:List id="savedPlaylists"
dataProvider="{_applicationData.savedPlaylists}"
labelField="name" width="100%" height="100%" />
<mx:Button label="Load" click="loadPlaylist();" />
</mx:VBox>
</mx:HBox>
</mx:WindowedApplication>
The PlaylistMaker.mxml document isn’t too fancy. Primarily it consists of a bunch of UI components wired up (via data binding) to properties in ApplicationData. Other- wise it simply makes a few requests to the service on startup B C and responds to user actions by updating values in ApplicationData. Note that, when requesting the system mp3s, we give the service a parent directory of the user’s documents directory
B. That means we’ll only be retrieving the mp3 files from the documents directory. If you wanted to retrieve the files from other locations on the computer, you’d simply need to specify a different starting directory.
That’s all there is to PlaylistMaker. You can go ahead and run it and see for yourself how it works.
At this point, you probably think there’s not much more we could discuss related to files and storing data locally. After all, we’ve already covered a great deal of infor- mation. Don’t worry. We don’t have much more to talk about on this topic, but we do have one more important subject to cover: storing data securely. Read on to learn how this works.