text
stringlengths
20
1.01M
url
stringlengths
14
1.25k
dump
stringlengths
9
15
lang
stringclasses
4 values
source
stringclasses
4 values
You can write browser plug-ins with the native WebKit plug-in API. Written in Objective-C, WebKit-based plug-ins are supported only by WebKit-based applications and cannot be ported to other platforms. The API is extremely simple, so many fewer lines of code are required to deploy a WebKit plug-in versus a Netscape one and you can use Xcode and Interface Builder to design and implement a plug-in’s functionality. Introduction To WebKit Plug-ins Becoming A Plug-in Using Plug-in Scripting Implementing a Plug-in WebKit plug-ins are based on core Cocoa API. The plug-in itself is simply an instance of an NSView, a common class in many other Objective-C applications. It provides a cornucopia of features, including the management of events such as mouse and keyboard inputs. Your plug-in inherits these “for free.” URL loading is also inherited, via NSURLConnection. You can access WebKit classes through the plug-in’s WebFrame and the browser scripting environment through the WebKit WebScriptMethods protocol. For the plug-in to act like a standard web browser plug-in, it needs to conform to the WebPlugIn informal protocol. This protocol has just one required constructor method, plugInViewWithArguments:, which your NSView subclass should implement. Optional methods you can implement include: webPlugInInitialize, which is called just after the plug-in is created and allows you to perform any prestartup actions in the plug-in. webPlugInStart, which is called when the plug-in should begin doing whatever it has been designed to do. webPlugInStop, which is called to tell the plug-in to cease its usual actions. webPlugInDestroy, which is called to give the plug-in a chance to deallocate any objects or resources it may have created or retained. webPlugInSetIsSelected:, which is called when the selection state of the plug-in has changed, allowing you to do any custom drawing or actions based off that event. These methods are implemented by the container of the plug-in; that is, they affect the web view that surrounds the plug-in: webPlugInContainerLoadRequest:inFrame: allows you to tell the browser to load a URL request into a given frame (or the container’s frame itself). webPlugInContainerShowStatus: allows you to tell the container to print a status message to the browser’s status bar. webPlugInContainerSelectionColor returns the color that the container should use to draw plug-in’s selection state when it is selected. webFrame allows you to access the other WebKit elements of the container, such as its WebView. The WebKit API allows your plug-ins to easily access a scripting environment (such as JavaScript) from the plug-in, and vice versa. Your plug-in can call JavaScript methods and read JavaScript properties, while your containing page can call methods from your plug-in from its JavaScript environment. When the browser encounters your plug-in, it will use JavaScript to request the object representing your plug-in using objectForWebScript. The object that you return from that method represents the interface to your plug-in. This can be, but is not required to be, the same object as your plug-in. In that case, your implementation of objectForWebScript would simply look like: The object you return needs to have control over which of its methods should be visible to the scripting environment. In all likelihood, you don’t want all of your methods exposed to the environment, which they will be, by default. To counteract this, implement these methods: webScriptNameForSelector: returns the name that a given selector should inherit so that it can be called from the JavaScript environment. The default renaming scheme (to prevent against namespace conflicts) can lead to confusing method names in the scripting environment, so you should make a habit of rewriting the names of all your exposed methods. For example, if you had an Objective-C method called startMovieAtBeginning, you might want it to reflect its own name in the scripting environment instead of going through a rewrite. An implementation example would look like: isSelectorExcludedFromWebScript: lets the scripting environment know whether or not a given Objective-C method in your plug-in can be called from the scripting environment. A common mistake first-time plug-in developers make is forgetting to implement this method, causing the plug-in to expose no methods and making the plug-in unscriptable. As a security precation this method returns YES by default exposing no methods. You want to expose only methods that you know are secure, to do this the function should return NO. You may only want to export a couple of your Objective-C methods to JavaScript. In this example, the plug-in’s play method can be called from JavaScript, but any other method cannot:: Similarly, you want to give the scripting environment access to all of your properties. The syntax is very similar for restricting those: webScriptNameForKey: should be implemented to return a more human-readable name for a method to the scripting environment. isKeyExcludedFromWebScript: allows you to selectively expose properties to the scripting environment. In this example, you create a QuickTime movie plug-in. This is a powerful example, because it requires very few lines of code and yet provides a useful extension to a web browser or WebKit application. First, you need to create the view class. In this case, you use Cocoa’s built-in NSMovieView and subclass it to create your PlugInMovieView (see Listing 1). Listing 1 PlugInMovieView header (PlugInMovieView.h) Now you can write the implementation. You first need to conform to the WebPlugIn protocol, by implementing plugInViewWithArguments: (see Listing 2). Create an instance of your movie view, assign it the arguments passed into your method, and return it. Notice that an accessor method is being used to set the arguments—this is good Cocoa coding style. Listing 2 Returning your plug-in’s view Now that you’ve returned the view, you need to make a decision. Do you have any operations to perform on initialization? In the case of NSMovieView, you can set a movie’s controller to be visible (or not) and also specify whether or not you’d like the user to be able to adjust its size. In this case, you should show the controller but prevent the user from resizing the movie in the frame—the most common layout for embedded movies (see Listing 3). Listing 3 Initializing the movie plug-in From the enclosing container, nestled in an embed tag, you’ll receive a URL pointing to a movie. This will arrive in one of the keys specified by the arguments dictionary that you set in Listing 2. Use that URL to load and play the movie (see Listing 4). Listing 4 Loading and playing a movie from a URL Eventually, all good things must come to an end, and so shall your plug-in. This will be announced by a call to webPlugInStop. You should take the opportunity to stop the movie from playing (see Listing 5). Listing 5 Stopping the movie You’ve just implemented a fully functional WebKit movie-playing plug-in. You could build this code, install the plug-in, and have your own working QuickTime player embedded in Safari or a WebKit-based application. However, you might want to add a little more flair and use a form—with HTML buttons—to play and pause the movie. It just takes a few more lines of code (see Listing 6). Listing 6 Opening the plug-in to JavaScript You only had to add two extra methods, play and pause, so that the buttons in the interface could be tied to public methods. Then you exposed those methods to the JavaScript scripting environment. If you want to explore further, this example is available at: Last updated: 2008-10-15
http://developer.apple.com/documentation/InternetWeb/Conceptual/WebKit_PluginProgTopic/Tasks/WebKitPlugins.html
crawl-002
en
refinedweb
Ruby Programming/Syntax/Method Calls From Wikibooks, the open-content textbooks collection A method in Ruby is a set of expressions that returns a value. Other languages sometimes refer to this as a function. A method may be defined as a part of a class or separately. [edit] Method Calls Methods are called using the following syntax: method_name(parameter1, parameter2,…) If the method has no parameters the parentheses can usually be omitted as in the following: method_name If you don't have code that needs to use method result immediately, Ruby allows to specify parameters omitting parentheses: results = method_name parameter1, parameter2 # calling method, not using parentheses # You need to use parentheses if you want to work with the result immediately. # e.g., if a method returns an array and we want to reverse element order: results = method_name(parameter1, parameter2).reverse [edit] Method Definitions [edit] Return Values, i will have the value 6. [edit] Default Values A default parameter value can be specified during method definition to replace the value of a parameter if it is not passed into the method or the parameter's value is nil. def some_method(value='default', arr=[]) puts value puts arr.length end some_method('something') The method call above will output: something 0 [edit] Variable Length Argument List, Asterisk Operator to accepts_hash got rolled up into one hash variable. This technique is used in Ruby On Rails API heavily. Notice missing parens around arguments to accepts_hash function, and notice there is no { } Hash declaration syntax around the :arg1 => '...' code. The above code is equivalent [edit] The Ampersand Operator) [edit] Understanding blocks, Procs and methods [edit] Introduction Ruby provides the programmer with a set of very powerful features borrowed from the domain of functional programming, namely closures, high-order functions and first-class functions [1]. These features are implemented in Ruby by means of code blocks, Proc objects and methods (that are also objects) - concepts that are closely related and yet differ in subtle ways. In fact I found myself quite confused about this topic, having a difficulty to understand the difference between blocks, procs and methods’m. [edit] Shivang's PROC. From the example and the definition above, it is obvious that Ruby Procs can also act as closures. On Wikipedia, a closure is defined as a function that refers to free variables in its lexical context. Note how closely it maps to the Ruby definition blocks of code that have been bound to a set of local variables. [edit] More on Procs: lamb = lambda {|x, y| puts x + y} pnew = Proc.new { way cooler a whopping two characters shorter, its behavior is less surprising. Ruby's lambda is unusual in that choice of parameter names does affect behavior: x = 3 lambda{|x| "x still refers to the outer variable"}.call(4) puts x # x is now 4, not 3 [edit] Methods sending messages. Given a receiver - an object that has some method defined, we can send it a message - by calling the method, optionally providing some arguments. In the example above, calling arbo is akin to sending a message “arbo”, without arguments. Ruby supports the message sending idiom more directly, by including the send method in class Object (which is the parent of all objects in Ruby). So the following two lines are equivalent to the arbo method call: # method/message name is given as a string b.send("arbo") # method/message name is given as a symbol b.send(:arbo) Note that methods can also be defined in the “top-level” scope, not inside any class. For example: def say (something) puts something end say "Hello" While it seems that say is “free-standing”, it is not. When methods such as this are defined, Ruby silently tucks them into the Object class.. [edit] Blocks Blocks are so powerfully. [edit] Passing a block to a method IMHO part of what makes Ruby the clean, readable and wonderful language it is. What happens here behind the scenes is quite simple, or at least may be depicted in a very simple way. Perhaps Ruby doesn’t implement it exactly the way I’m didn, for sure."}) it’s simply a matter of taste, understanding both approaches is vital. [edit] The ampersand (&)) [edit] Special methods a important part of meta-programming in Ruby. In Ruby on Rails it is used extensively to create methods dynamically. Another special methods is initialize that ruby calls whenever a class instance is created, but that belong is the next chapter: Classes. [edit] Conclusion. [edit] Notes !
http://en.wikibooks.org/wiki/Ruby_Programming/Syntax/Method_Calls
crawl-002
en
refinedweb
XQuery, the Server LanguageXQuery, the Server Language. For instance, we can create the traditional "Hello, World!" application as a web service, as shown in Listing 1 (hello_world.xq). let $user := request:get-parameter("user","World") let $message := if ($<input type="submit" value="Go!"/></p> else <p>Hi, {$user}! Welcome to the Hello, World Example!</p> let $page := <html> <head> <title>Hello, {$user}!</title> </head> <body> <h1>Hello, {$user}!</h1> <form method="get" action="hello_world.xq"> {$message} </form> </body> </html> return $page Listing 1: Hello, World, rendered in eXist's XQuery language The eXist engine runs this XQuery as a REST based service, invocable from the command line. For instance, the document above might be given as. where this particular file is actually stored within the database itself. The (: :) characters serve as comment delimiters The let keyword indicates the declaration and definition of a variable, with assignment being made explicitly using the := notation (with the bare equal sign serving to act as a Boolean comparison operator). Where things get a little strange is in the notion of containment. A single XML node (with or without children) also carries with it its own sense of "blockness," so that expressions such as if/then/else require either static values (such as numbers or strings), single XML elements (with or without children) or sequences of nodes and values delimited by parentheses. Thus, in the $message declaration, both the then and the else clauses return single elements. The bracket notation within elements and attributes serves the same purpose as bracket notation within XSLT: it evaluates the XPath expressions and returns the results in the appropriate context, though unlike XSLT bracketed expressions can return elements or attributes, not just strings (meaning that you have to be more careful when writing bracketed XQuery that you're not attempting to test a string vs. an element or attribute inadvertently. This can be seen in the insertion of the $message element within the larger XHTML template. XQuery makes use of what has become known as FLWOR (flower) notation, where the term is an acronym for the five primary keywords of XQuery notation: For, Let, Where, Order by and Return. Typically all XQuery statements have at a minimum at least one for or let expression, and then has a final return statement indicating what gets passed back out of the overall filter. Similarly, assignment statements can contain secondary for/let/if/then/else expressions, with the return keyword indicating the returned value or expression to be passed back to the assigned variable. Thus, in Listing 1, the line: return $ page at the very end of the XQuery returns the element defined in the variable $page. In an open query like the one above, this final return is used by eXist to pass the information to the servlet's output, in essence writing the buffers and sending the contents to the client. I've deliberately held off discussing the first line of listing 1. The expression let $user := request:get-parameter("user","World") assigns to the variable user the results of the get-parameter() function in the request namespace. Put another way, this looks at either the incoming query string (if the HTML form in question used the GET method) or the post name/value data (if the method was POST) for the parameter user. If the parameter exists, then use it, otherwise, use the parameter value "World". This call is a staple of just about any server language. The ability to pull parameters from user input was one of the first reasons for building server-side scripting languages, but this is an eXist feature, not an XQuery one. However, the benefits of this particular feature should be obvious: if you can access information from the client, modify your outgoing streams (something that can be accomplished with the corresponding response: namespace) and maintain session and authentication information, then you have all of the functions necessary for a server language. One of the more important features of XPath 2, upon which XQuery is based, comes from the realization that extensions are inevitable. There will always be things that fall beyond the immediate scope of the language but that are important to you as the developer. For this reason, XPath 2 (and hence XQuery) includes very clear conventions for defining additional functionality to the language...a fact which implies that other XML database vendors may very well want to look at this functionality and see whether it enhances their own products. The eXist database defines a number of these namespaces out of the box. From the standpoint of servlet development, perhaps the most important namespaces are as follows: request: provides access to information sent from the client. Functions include get-cookie-names, get-cookie-value, get-data, get-header, get-header-names, get-method, get-parameter, get-parameter-names, get-server-name, get-uploaded-file, get-uploaded-file-name, and get-url. response: lets the developer control the stream of data being sent back to the client. Functions include redirect-to, set-cookie, set-header, and stream-binary. session: provides control over the user's HTTP sesssion. Functions include create, encode-url, get-attribute, get-attribute-names, get-id, invalidate, set-attribute, and set-current-user. transform: lets the developer transform an XML node using XSLT from within the xquery. Functions include transform and stream-transform. update: The update commands (distinct from a namespace) let you perform live updates of the data in the eXist XML database, either at the granular level of changing a value in the database or at the level of inserting or removing whole documents. This addresses one of the big shortcomings of XQuery, in that it provides for an effective read-write solution that can be invoked from within an XQuery. Other extensions can be compiled in by rebuilding the Java JAR (a shell or batch script automates this process) for doing such things as writing SQL queries and updates designed to work with any JDBC compliant SQL database, such as Oracle, mySQL, Postgres, or SQL Server. This capability is especially important because it provides a bridge between the SQL and XML worlds, letting you perform complex queries (or updates) on your SQL database then passing this information to the XQuery to be additionally processed, filtered, sorted, or transformed. Additionally, other extensions give access to a full range of math functions (including the oh-so-useful math:random function), let you send mail through an SMTP server, retrieve (and to a certain extent modify) images (which can also be stored in the database, by the way), and other functions that provide functionality more associated with a full bore server-side scripting language than an XML query language.. XML.com Copyright © 1998-2006 O'Reilly Media, Inc.
http://www.xml.com/lpt/a/1704
crawl-002
en
refinedweb
In ordinary C, if you want to limit the visibility of a function or variable to the current file, you apply the static keyword to it. In a shared library containing many files, though, if you want a symbol to be available in several files inside the library, but not available outside the library, hiding that symbol is more difficult. Most linkers provide convenient ways to hide or show all symbols in a module, but if you want to be more selective, it takes a lot more work. Prior to Mac OS X v10.4, there were two mechanisms for controlling symbol visibility. The first technique was to declare individual symbols as private to the library but external to the current file using the __private_extern__ keyword. This keyword could be used in the same places you would use either the static or extern keywords. The second technique was to use an export list. An export list is a file containing the names of symbols you explicitly want to hide or show. Although symbol names in C are easily determined (by prepending an underscore character to the name), determining symbol names in C++ is far more complicated. Because of classes and namespaces, compilers must include more information to identify each symbol uniquely, and so compilers create what is known as a mangled name for each symbol. This mangled name is often compiler-dependent, difficult to deduce, and difficult to find within a large list of symbols defined by your library. Luckily, GCC 4.0 provides some new ways to change the visibility of symbols. The following sections describe these new techniques along with reasons why this might be important to you. Using GCC 4.0 to Mark Symbol Visibility Reasons for Limiting Symbol Visibility Reasons for Making Symbols Visible Visibility of Inline Functions Symbol Visibility and Objective-C Beginning with Mac OS X v10.4, hiding C++ symbol names is much easier. The GCC 4.0 compiler supports new options for hiding or showing symbols and also supports a new pragma and compiler attributes for changing the visibility of symbols in your code. Note: The following features are available only in GCC 4.0 and later. For information on how to use these features with Xcode, see Xcode 2.1 User Guide. “Dynamic Library Design Guidelines“ in Dynamic Library Programming Topics provides general information about symbol definition and method implementation. GCC 4.0 supports a new flag for setting the default visibility of symbols in a file. The -fvisibility=vis compiler option lets you set the visibility for symbols in the current compilation. The value for this flag can be either default or hidden. When set to default, symbols not explicitly marked as hidden are made visible. When set to hidden, symbols not explicitly marked as visible are hidden. If you do not specify the -fvisibility flag during compilation, the compiler assumes default visibility. Note: The name default does not refer to compiler defaults. Like the name hidden, it comes from visibility names defined by the ELF format. A symbol with default visibility has the kind of visibility that all symbols do if no special mechanisms are used—that is, it is exported as part of the public interface. The compiler also supports the -fvisibility-inlines-hidden flag for forcing all inline functions to be hidden. You might use this flag in situations where you want to use default visibility for most items but still want to hide all inline functions. For more information why this might be necessary for inline functions, see “Visibility of Inline Functions.” If you are compiling your code with GCC 4.0, you can mark individual symbols as default or hidden using the visibility attribute: Visibility attributes override the value specified with the -fvisibility flag at compile-time. Thus, adding the default visibility attribute causes a symbol to be exported in all cases, whereas adding the hidden visibility attribute hides it. Visibility attributes may be applied to functions, variables, templates, and C++ classes. If a class is marked as hidden, all of its member functions, static member variables, and compiler-generated metadata, such as virtual function tables and RTTI information, are also hidden. Note: Although template declarations can be marked with the visibility attribute, template instantiations cannot. This is a known limitation and may be fixed in a future version of GCC. To demonstrate how these attributes work at compile-time, take a look at the following declarations: Compiling this code with the -fvisibility=default flag would cause the symbols for functions a and c and classes X and Z to be exported by the library. Compiling this code with the -fvisibility=hidden flag would cause the symbols for the function c and the class Z to be exported. Using the visibility attribute to mark symbols as visible or hidden is better practice than using the __private_extern__ keyword to hide individual symbols. Using the __private_extern__ keyword takes the approach of exposing all symbols by default and then selectively hiding ones that are private. In a large shared library, the reverse approach is usually better. Thus, it is usually better to hide all symbols and then selectively expose the ones you want clients to use. To simplify the task of marking symbols for export, you might also want to define a macro with the default visibility attribute set, such as in the following example: The advantage of using a macro is that if your code is also compiled on other platforms, you can change the macro to the appropriate keywords for the compilers on the other platforms. Another way to mark symbols as default or hidden is with a new pragma in GCC 4.0. The GCC visibility pragma has the advantage of being able to mark a block of functions quickly, without the need to apply the visibility attribute to each one. The use of this pragma is as follows: In this example, the functions g and h are marked as default, and are therefore exported regardless of the -fvisibility flag, while the function f conforms to whatever value is set for the -fvisibility flag. As the names push and pop suggest, this pragma can be nested. It is good practice to export as few symbols as possible from your dynamic shared libraries. Exporting a limited set of symbols improves program modularity and hides implementation details. Reducing the number of symbols in your libraries also decreases the footprint of your library and reduces the amount of work that must be done by the dynamic linker. With fewer symbols to load and resolve, the dynamic linker is able to get your program up and running more quickly. Although it is likely that most C++ symbols in your shared library do not need to be visible, there are some situations where you do need to export them: If your library exports a C++ interface, the symbols associated with that interface must be visible.. If you expect the address of an inline function used in different code modules to be the same for each module, the function must be exported from each code module. If your inline function contains a static object and you expect there to be only one copy of that object, your symbol for that static object must be visible. You might think that the visibility of inline functions is not an issue, but it is. Inline functions are normally expanded at the call site, and thus never emitted as symbols in the object file at all. In a number of cases, however, the compiler may emit the body of the function, and therefore generate a symbol for it, for some very good reasons. In the most common case, the compiler may decide not to respect the inline optimization if all optimizations are disabled. In more rare cases, the function may be too big to inline or the address of the function might be used elsewhere and thus require a symbol. Although you can apply the visibility attribute (see “Visibility Attributes”) to inline functions in C++ just as you can any other symbol, it is usually better to hide all inline functions. Some complex issues arise when you export inline functions from dynamic shared libraries. Because there are several variables involved in the compiler’s decision to emit a function or inline it, you may run into errors when building clients for different builds of your shared library. It is also important to remember that there are subtle differences between the inline function semantics for C and C++. In C programs, only one source file may provide an out-of-line definition for an inline function. This means that C programmers have precise control over where out-of-line copies reside. So for a C-based dynamic shared library, it is possible to export only one copy of an inline function. For C++, the definition of an inline function must be included in every translation unit that uses the function. So, if the compiler does emit an out-of-line copy, there can potentially be several copies of the function residing in different translation units. In the end, if you want to hide all inline functions (but not necessarily all of your other code), you can use the -fvisibility-inlines-hidden flag when compiling your code. If you are already passing the -fvisibility=hidden flag to the compiler, use of the -fvisibility-inlines-hidden flag is unnecessary. Objective-C is a strict superset of C, and Objective-C++ is a strict superset of C++. This means that all of the discussion regarding symbol visibility in C and C++ applies to Objective-C and Objective-C++ too. You can use the compiler flags, visibility attributes, and the visibility pragma to hide C and C++ code in your Objective-C code files. However, these visibility controls apply only to the C or C++ subset of your code. They do not apply to Objective-C classes and methods. Objective-C class and message names are bound by the Objective-C runtime, not by the linker, so the notion of visibility does not apply to them. There is no mechanism for hiding an Objective-C class defined in a dynamic library from the clients of that library. Last updated: 2006-06-28
http://developer.apple.com/documentation/DeveloperTools/Conceptual/CppRuntimeEnv/Articles/SymbolVisibility.html
crawl-002
en
refinedweb
Using ASSERT(), VERIFY(), and TRACE() in non-MFC Applications by Gabriel Fleseriu When it comes to game development under C++, few people choose to use MFC. Still, I find the ASSERT(), VERIFY() and TRACE() macros useful. So I thought to write my own versions that work for any kind of project for Windows platforms. A few reminders: ASSERT() is supposed to evaluate its parameter, and if this is zero, to break the execution. In release mode, assert should expand to nothing. VERIFY() is very similar to ASSERT(), except that in Release mode, it is supposed to expand to its parameter. ASSERT() should be used with expressions that do not include any function call. For expressions that include a function call, you should use VERIFY(), so the function call is preserved in release mode. TRACE() is the counterpart of printf(), except that it prints to the debug window. In Release mode, TRACE() also should expand to nothing. None of the three macros imply any runtime penalty in release mode. The macros distinguish between debug and release mode by the pre-defined _DEBUG macro. This is specific to Microsoft Visual C++. If you are using some other compiler you might have to use some appropriate macro. There are two files needed to support ASSERT(), VERIFY and TRACE(): debug.h and debug.cpp. You should include debug.h in some main header of your project. It does not pollute recurrent inclusions, since it does not include any file itself. You also should add debug.cpp to the source files of your project. Here they are: // file debug.h #ifndef __DEBUG_H__ #define __DEBUG_H__ #ifdef _DEBUG void _trace(char *fmt, ...); #define ASSERT(x) {if(!(x)) _asm{int 0x03}} #define VERIFY(x) {if(!(x)) _asm{int 0x03}} #else #define ASSERT(x) #define VERIFY(x) x #endif #ifdef _DEBUG #define TRACE _trace #else inline void _trace(LPCTSTR fmt, ...) { } #define TRACE 1 ? (void)0 : _trace #endif #endif // __DEBUG_H__ //file debug.cpp #ifdef _DEBUG #include <stdio.h> #include <stdarg.h> #include <windows.h> void _trace(char *fmt, ...) { char out[1024]; va_list body; va_start(body, fmt); vsprintf(out, fmt, body); va_end(body); OutputDebugString(out); } #endif Discuss this article in the forums Date this article was posted to GameDev.net: 7/23/2002 (Note that this date does not necessarily correspond to the date the article was written) See Also: Sweet Snippets © 1999-2009 Gamedev.net. All rights reserved. Terms of Use Privacy Policy
http://www.gamedev.net/reference/articles/article1846.asp
crawl-002
en
refinedweb
#if MAC_OS_X_VERSION_MAX_ALLOWED >= MAC_OS_X_VERSION_10_5or ... #endif - (void)aNewMethod AVAILABLE_MAC_OS_X_VERSION_10_5_AND_LATER;The basic definitions for these come from AvailabilityMacros.h, a standard system header. This is included from Cocoa.h, AppKit.h, and Foundation.h imports. APPKIT_EXTERN double NSAppKitVersionNumber;One typical use of this is to floor() the value, and check against the values provided in NSApplication.h: #define NSAppKitVersionNumber10_0 577 #define NSAppKitVersionNumber10_1 620 #define NSAppKitVersionNumber10_2 663 #define NSAppKitVersionNumber10_3 743 #define NSAppKitVersionNumber10_4 824 if (floor(NSAppKitVersionNumber) <= NSAppKitVersionNumber10_0) .0.x or earlier system */ } else if (floor(NSAppKitVersionNumber) <= NSAppKitVersionNumber10_1) { /* On a 10.1 - 10.1.x system */ } else if (floor(NSAppKitVersionNumber) <= NSAppKitVersionNumber10_2) { /* On a 10.2 - 10.2.x system */ } else if (floor(NSAppKitVersionNumber) <= NSAppKitVersionNumber10_3) { /* On a 10.3 - 10.3.x system */ } else if (floor(NSAppKitVersionNumber) <= NSAppKitVersionNumber10_4) { /* On a 10.4 - 10.4.x system */ } else { /* Leopard or later system */ } #define NSAppKitVersionWithSuchAndSuchBadBugFix 582.1 - (NSInteger)integerValue;The existing intValue and related methods continue to take the native int type, which is 32-bit on both 32 and 64-bit platforms. These are among the very few methods remaining in Cocoa that take native int or unsigned int, rather than NSInteger or NSUInteger. - (void)setIntegerValue:(NSInteger)val; - (void)takeIntegerValueFrom:(id)sender; [view setLayer:rootLayer];AppKit responds by setting up a Core Animation renderer that animates and composites the layer tree on a background thread. [view setWantsLayer:YES]; [[someDescendantOfTheRootView animator] setFrame:newFrame];To specify a duration in place of the global default of 0.25 seconds, enclose such messages in an NSAnimationContext that specifies the duration for animation: [NSAnimationContext beginGrouping];Basic default animation parameters are provided for the following NSView and NSWindow properties, such that they will animate automatically when assigned a new target value via the view or window's animator: [[NSAnimationContext currentContext] setDuration:0.25]; [[someDescendantOfTheRootView animator] setFrame:newFrame]; [NSAnimationContext endGrouping]; [NSAnimationContext beginGrouping];NSAnimationContexts can be nested, allowing a given block of code to initiate animations using its own specified duration without affecting animations initiated by surrounding code. [[NSAnimationContext currentContext] setDuration:1.0]; // Animate enclosed operations with a duration of 1 sec [[aView animator] setFrame:newFrame]; [NSAnimationContext endGrouping]; [NSAnimationContext beginGrouping];Since an "animator" proxy can be handed off to code that expects an ordinary object of the kind the proxy targets (presently, an NSView or NSWindow), it might in rare circumstances be necessary to suppress animation for code that does not explicitly go through "animator" proxy objects. This can be accomplished using an animation context with a duration of zero: [[NSAnimationContext currentContext] setDuration:1.0]; // Animate enclosed operations with a duration of 1 sec [[aView animator] setFrame:newFrame]; ... [NSAnimationContext beginGrouping]; [[NSAnimationContext currentContext] setDuration:0.5]; // Animate alpha fades with half-second duration [[aView animator] setAlphaValue:0.75]; [[bView animator] setAlphaValue:0.75]; [NSAnimationContext endGrouping]; ... [[bView animator] setFrame:secondFrame]; // Will animate with a duration of 1 sec [NSAnimationContext endGrouping]; [NSAnimationContext beginGrouping]; [[NSAnimationContext currentContext] setDuration:0.0]; // Makes value-set operations take effect immediately [aViewOrMaybeAnAnimator setFrame:newFrame]; [NSAnimationContext endGrouping]; - (void)setWantsLayer:(BOOL)flag;The "wantsLayer" property determines whether a view and its descendants should be composited and animated using a Core Animation layer tree, enabling the use of advanced animation and compositing effects. Defaults to NO. Setting this property to YES for the rootmost view for which Core Animation-based compositing is desired is all that's needed to activate Core Animation-based view buffering, compositing, and animation for a given view subtree. The view subtree is then said to be "layer-backed", since each view is given a corresponding Core Animation layer that serves as its backing store. - (BOOL)wantsLayer; - (CALayer *)layer;The -layer method returns the view's corresponding AppKit-created-and-managed CALayer, if the view is layer-backed. Callers may use the returned pointer to message the layer directly, as a means of accessing features that aren't re-exported as NSView properties. May return nil for a view that's currently marked as layer-hosted, if AppKit hasn't yet displayed the view for the first time and thus created the view's layer. For most ordinary usage of animating views' frames and content and applying effects, awareness of and direct access to views' underlying layers is unlikely to be needed, as AppKit will be able to manage them automatically. - (void)setLayer:(CALayer *)newLayer;The -setLayer: method sets a given CALayer to be a view's backing layer. This causes the view to dissociate from its previously assigned layer (if any), removing that layer from its surrounding layer tree and releasing the view's reference to the layer. The new layer takes on the old layer's position in the layer tree (or is simply added to the layer tree in the appropriate place, if it isn't replacing an existing layer). A view retains its layer, but AppKit maintains only a weak reference from the layer back to the view. This method manages both associations. - (void)setAlphaValue:(CGFloat)viewAlpha;Sets the overall opacity value with which the view and its descendants are composited into their superview (analogous to a window's alphaValue). Defaults to 1.0. This setting may be varied independently of the class' return value for -isOpaque, and the implementation of the latter needn't take the view's alphaValue into account, since AppKit consults both values when necessary. A view's alphaValue will affect both Core Animation-based and conventional view compositing. - (CGFloat)alphaValue; - (NSShadow *)shadow;Sets an optional shadow to be drawn behind the view subtree. Defaults to nil. This setting only has an effect for Core Animation-based view compositing. Note that, although Core Animation's shadow model uses the same parameters as a Quartz shadow, the rendered results may differ from those achieved using Quartz shadow rendering. NSShadow is used here merely as an appropriate Cocoa encapsulation for the identical set of shadow parameters. - (void)setShadow:(NSShadow *)shadow; maskop(mask, compositeop(layerop(layer), backgroundop(background)), background) - (CIFilter *)compositingFilter;Sets a CIFilter that will be used to composite the view subtree over its (possibly filtered) background. Defaults to nil, which implies that source-over compositing should be used. This setting only has an effect for Core Animation-based view compositing. - (void)setCompositingFilter:(CIFilter *)filter; - (NSArray *)contentFilters;Allows the view's content to be filtered through an optional chain of CIFilters before being composited into the render destination. The supplied array of filters needn't be connected to one another, as they will be connected in series automatically by Core Animation. Defaults to nil. This setting only has an effect for Core Animation-based view compositing. - (void)setContentFilters:(NSArray *)filters; - (NSArray *)backgroundFilters;Allows the background behind the view's subtree to be filtered through an optional chain of CIFilters before the view subtree is composited into it. The supplied array of filters needn't be connected to one another, as they will be connected in series automatically by Core Animation. Defaults to nil. This setting only has an effect for Core Animation-based view compositing. - (void)setBackgroundFilters:(NSArray *)filters; [view lockFocus];This was sometimes used to replace some animated content in response to a timer callback, for example. /* Perform some drawing. */ [view unlockFocus]; - (void)translateRectsNeedingDisplayInRect:(NSRect)clipRect by:(NSSize)delta;This method should rarely be needed, but may be useful to clients that implement their own copy-on-scroll logic. - (NSRect)convertRectToBase:(NSRect)aRect;For conventional view rendering, in which a view hierarchy is drawn flattened into a window backing store, this "base" space is the same as the coordinate system of the window, and the results of using these new methods are the same as converting geometry to and from view "nil" using the existing -covert[Rect/Point/Size]:[to/from]View: methods. - (NSPoint)convertPointToBase:(NSPoint)aPoint; - (NSSize)convertSizeToBase:(NSSize)aSize; - (NSRect)convertRectFromBase:(NSRect)aRect; - (NSPoint)convertPointFromBase:(NSPoint)aPoint; - (NSSize)convertSizeFromBase:(NSSize)aSize; - (void)viewDidHide;A view will receive a "viewDidHide" message when its "isHiddenOrHasHiddenAncestor" state goes from NO to YES. This can happen when the view or an ancestor is marked as hidden, or when the view or an ancestor is spliced into a new view hierarchy.) - (void)viewDidUnhide; - (void)viewWillDraw;Most often, the activity to be performed at this time consists of some combination of view layout (assigning new frame sizes and/or positions to views) and marking additional view areas as needing display (typically as the result of performing layout of non-view content, such as text glyphs, graphics, or web content). The desired effect is to perform such computations on demand, deferred until their results are about to actually be needed, allowing for the same kind of update coalescing performance benefits that we get with the deferred display mechanism itself, rather than forcing content layout to be performed immediately when the content is established or deferred until a subsequent drawing pass. @implementation NSViewSo an override of this method could do: - (void)viewWillDraw { if (any descendant of self overrides "-viewWillDraw") { for (each subview that intersects the window area being drawn in back-to-front order) { [subview viewWillDraw]; } } } @end - (void)viewWillDraw { /* Perform some operations before recursing for descendants. */ /* Now recurse to handle all our descendants. Overrides must call up to super like this. */ [super viewWillDraw]; /* Perform some operations that might depend on descendants already having had a chance to update. */During the -viewWillDraw recursion, sending of -setNeedsDisplay: and -setNeedsDisplayInRect: messages to views in the hierarchy that's about to be drawn is valid and supported, and will affect AppKit's assessment of the total area to be rendered in that drawing pass. } - (void)setSubviews:(NSArray *)newSubviews;With this single method, one can: - (id)animator;The -animator method returns a proxy object for the receiver that can be used to initiate implied animation of property changes. An object's "animator" should be treated as if it was the object itself, and may be passed to any code that accepts the object as a parameter. Sending of KVC-compliant "set" messages to the proxy will trigger animation for automatically animated properties of its target object, if the active NSAnimationContext in the current thread has a duration value greater than zero, and an animation to use for the property key is found by the -animationForKey: search mechanism defined below. An object's automatically animated properties are those for which [theObject animationForKey:] finds and returns an CAAnimation instead of nil, often because [[theObject class] defaultAnimationForKey:] specifies a default animation for the key. - (NSDictionary *)animations;An animatable property container's optional "animations" dictionary maps NSString keys to CAAnimation values. When an occurrence matching the key fires for the view, -animationForKey: first looks in this dictionary for an animation to execute in response. - (void)setAnimations:(NSDictionary *)dict; - (id)animationForKey:(NSString *)key;When the occurrence specified by "key" fires for an object, -animationForKey: is consulted to find the animation, if any, that should be performed in response. Like its Core Animation counterpart, -[CALayer actionForKeyPath:], this method is a funnel point that defines the standard order in which the search for an animation proceeds, and is not one that clients would typically need to override. This method first checks the receiver's "animations" dictionary, then falls back to +defaultAnimationForKey: for the receiver's class. + (id)defaultAnimationForKey:(NSString *)key;As described above, -animationForKey: next consults the class method +defaultAnimationForKey: when its search of an instance's "animations" dictionary doesn't turn up an animation to use for a given property change. Key:key]; } } @end - (void)reshape { NSSize bounds = [self bounds]; // This is technically INCORRECT, because bounds is not expressed in pixel units.To help ease the transition to resolution independence for applications that use this common code pattern, Leopard AppKit automatically configures the bounds of any view that has an associated NSOpenGLContext (thus, NSOpenGLViews, as well as ordinary NSViews that are drawn into using an NSOpenGLContext) so that the bounds are expressed in pixel units, according to the current user interface scale factor. So for example, if an application has an NSOpenGLView whose frame size is 100x100 points, and that application is run at a user interface scale factor of 1.25, the NSOpenGLView's frame will remain 100x100 points, but its bounds will be reported as 125x125. That enables commonly used code constructs such as the above -reshape method to function correctly without code changes. glViewport(0, 0, bounds.size.width, bounds.size.height); } - (void)reshape { // Convert up to window space, which is in pixel units. NSSize boundsInPixelUnits = [self convertRect:[self bounds] toView:nil]; // Now the result is glViewport()-compatible.Code that targets Mac OS 10.5 and later can use the -convertRectToBase: method instead of converting to view nil, which has the advantage of correctly producing a result in pixel units regardless of whether the view is layer-backed. (If the view is layer-backed, -convertRectToBase: converts to the coordinate space of the layer's backing store, instead of to the window's coordinate space.) glViewport(0, 0, boundsInPixelUnits.size.width, boundsInPixelUnits.size.height); } - (void)setRowTemplates:(NSArray *)rowTemplates;Developers will typically configure NSPredicateEditor with some NSPredicateEditorRowTemplates, either programmatically or in Interface Builder, and then set and get NSPredicates on the NSPredicateEditor. Changes to the predicate are announced with the usual target/action mechanism. - (NSArray *)rowTemplates; - (void)setView:(NSView *)view;The custom view takes over all aspects of the menu item's drawing. Mouse event processing is handled normally for the view, including mouse down, mouse up, mouse moved, mouse entered, mouse exited, mouse dragged, and scroll wheel events. In non-sticky tracking mode (manipulating menus with the mouse button held down), the view will receive mouseDragged: events. See the header file NSMenuItem.h for more information about custom menu item views. - (NSView *)view; - (void)addAccessoryController:(NSViewController *)accessoryController;When the page setup panel is presented to the user each accessory controller is automatically sent a -setRepresentedObject: message with this object's NSPrintInfo. Each controller is also automatically sent a -title message. If that returns nil the application's short name is used in the popup menu that lets the user choose an accessory view. - (void)removeAccessoryController:(NSViewController *)accessoryController; - (NSArray *)accessoryControllers; - (void)addAccessoryController:(NSViewController<NSPrintPanelAccessorizing> *)accessoryController;These are very similar to their NSPageLayout equivalents, except the accessory controller must also conform to the new NSPrintPanelAccessorizing protocol, which has just two methods: - (void)removeAccessoryController:(NSViewController<NSPrintPanelAccessorizing> *)accessoryController; - (NSArray *)accessoryControllers; - (NSArray *)localizedSummaryItems;Return the text that summarizes the settings that the user has chosen using this print panel accessory view and that should appear in the summary pane of the print panel. It must be an array of dictionaries (not nil), each of which has an NSPrintPanelAccessorySummaryItemNameKey entry and an NSPrintPanelAccessorySummaryItemDescriptionKey entry whose values are strings. A print panel acccessory view must be KVO-compliant for "localizedSummaryItems" because NSPrintPanel observes it to keep what it displays in its Summary view up to date. (In Mac OS 10.5 there is no way for the user to see your accessory view and the Summary view at the same time, but that might not always be true in the future.) - (NSSet *)keyPathsForValuesAffectingPreview;Return the key paths for properties whose values affect what is drawn in the print panel's built-in preview. NSPrintPanel observes these key paths and redraws the preview when the values for any of them change. For example, if you write an accessory view that lets the user turn printing of page numbers on and off in the print panel you might provide an implementation of this method that returns a set that includes a string like @"pageNumbering", as in TextEdit's PrintPanelAccessoryController class. This protocol method is optional because it's not necessary if you're not using NSPrintPanel's built-in preview, but if you use preview you almost certainly have to implement this method properly too. enum { NSPrintPanelShowsCopies = 0x01, NSPrintPanelShowsPageRange = 0x02, NSPrintPanelShowsPaperSize = 0x04, NSPrintPanelShowsOrientation = 0x08, NSPrintPanelShowsScaling = 0x10, NSPrintPanelShowsPageSetupAccessory = 0x100, NSPrintPanelShowsPreview = 0x20000 }; typedef NSInteger NSPrintPanelOptions; - (void)setOptions:(NSPrintPanelOptions)options;In Mac OS 10.5 an -options message sent to a freshly-created NSPrintPanel will return (NSPrintPanelShowsCopies | NSPrintPanelShowsPageRange) unless it was created by an NSPrintOperation, in which case it will also return NSPrintPanelShowsPreview. To allow your application to take advantage of controls that may be added by default in future versions of Mac OS X, get the options from the print panel you've just created, turn on and off the flags you care about, and then set the options. - (NSPrintPanelOptions)options; - (void)setDefaultButtonTitle:(NSString *)defaultButtonTitle;The title of the default button in the print panel. You can override the standard button title, "Print," when you're using an NSPrintPanel in such a way that printing isn't actually going to happen when the user presses that button. - (NSString *)defaultButtonTitle; - (void)setHelpAnchor:(NSString *)helpAnchor;The HTML help anchor for the print panel. You can override the standard anchor of the print panel's help button. - (NSString *)helpAnchor; - (NSInteger)runModalWithPrintInfo:(NSPrintInfo *)printInfo;The default implementation of -runModal now simply invokes [self runModalWithPrintInfo:[[NSPrintOperation currentOperation] printInfo]]. - (NSPrintInfo *)printInfo;A simple accessor. Your -beginSheetWithPrintInfo:... delegate can use this so it doesn't have to keep a pointer to the NSPrintInfo elsewhere while waiting for the user to dismiss the print panel. - (NSMutableDictionary *)printSettings;The print info's print settings. You can put values in this dictionary to store them in any preset that the user creates while editing this print info with a print panel. Such values must be property list objects. You can also use this dictionary to get values that have been set by other parts of the printing system, like a printer driver's print dialog extension (the same sort of values that are returned by the Carbon Printing Manager's PMPrintSettingsGetValue() function). Other parts of the printing system often use key strings like "com.apple.print.PrintSettings.PMColorSyncProfileID" but dots like those in key strings wouldn't work well with KVC, so those dots are replaced with underscores in keys that appear in this dictionary, as in "com_apple_print_PrintSettings_PMColorSyncProfileID". You should use the same convention when adding entries to this dictionary. - (void * /* PMPrintSession */)PMPrintSession;Return a Core Printing PMPrintSession, PMPageFormat, or PMPrintSettings object, respectively. The returned object is always consistent with the state of the NSPrintInfo at the moment the method is invoked, but isn't necessarily updated immediately if other NSPrintInfo methods like -setPaperSize: and -setPaperOrientation: are invoked. The returned object will always be valid (in the Core Printing sense). If you set any values in the returned PMPageFormat or PMPrintSettings you should afterward invoke -updateFromPMPageFormat or -updateFromPMPrintSettings, respectively. You don't also have to call PMSessionValidatePageFormat() or PMSessionValidatePrintSettings() if you do that. You should not call PMRelease() for the returned object, except of course to balance any calls of PMRetain() you do. - (void * /* PMPageFormat */)PMPageFormat; - (void * /* PMPrintSettings */)PMPrintSettings; - (void)updateFromPMPageFormat;Given that the NSPrintInfo's PMPageFormat or PMPrintSettings has been changed by something other than the NSPrintInfo itself, updates the NSPrintInfo to be consistent. - (void)updateFromPMPrintSettings; - (void)setJobTitle:(NSString *)jobTitle;If a job title is set it overrides anything that might be gotten by sending the printed view an [NSView(NSPrinting) printJobTitle] message. - (NSString *)jobTitle; - (NSRange)pageRange;The first page number might not be 1, depending on what the printed view returned when sent an -[NSView(NSPrinting) knowsPageRange:] message. - (NSString *)fileNameExtensionForType:(NSString *)typeName saveOperation:(NSSaveOperationType)saveOperation;For a specified type, and a particular kind of save operation, return a file name extension that can be appended to a base file name. The default implementation of this method invokes [[NSWorkspace sharedWorkspace] preferredFilenameExtensionForType:typeName] if the type is a UTI or, for backward binary compatibility with Mac OS 10.4 and earlier, invokes [[NSDocumentController sharedDocumentController] fileExtensionsFromType:typeName] and chooses the first file name extension in the returned array if not. -beginSheetForDirectory:file:types:modalForWindow:modalDelegate:didEndSelector:contextInfo:NSOpenPanel will let the user choose files whose types conform to those identified by the passed-in UTIs. So, you can let the user select any image file by passing in a UTI like public.image. Be aware however that the set of types conforming to another can be extended by any application installed on the computer, so this might not be a good idea if your application actually has to open the files the user chooses with the open panel. Typically you'll pass in UTIs for more concrete types, like public.tiff, com.adobe.pdf, or com.apple.sketch2. -beginForDirectory:file:types:modelessDelegate:didEndSelector:contextInfo: -runModalForDirectory:file:types: -runModalForTypes: -setAllowedFileTypes: -setRequiredFileType: -allowedFileTypes: -requiredFileType: - (NSString *)typeOfFile:(NSString *)absoluteFilePath error:(NSError **)outError;Given an absolute file path, return the uniform type identifier (UTI) of the file, if one can be determined. Otherwise, return nil after setting *outError to an NSError that encapsulates the reason why the file's type could not be determined. If the file at the end of the path is a symbolic link the type of the symbolic link itself will be returned, not the type of the linked file. You can invoke this method to get the UTI of an existing file. - (NSString *)localizedDescriptionForType:(NSString *)typeName;Given a UTI, return a string that describes the document type and is fit to present to the user, or nil for failure. You can invoke this method to get the name of a type that must be shown to the user, in an alert about your application's inability to handle the type, for instance. - (NSString *)preferredFilenameExtensionForType:(NSString *)typeName;Given a UTI, return the best file name extension to use when creating a file of that type, or nil for failure. You can invoke this method when your application has only the base name of a file that's being written and it has to append a file name extension so that the file's type can be reliably identified later on. - (BOOL)filenameExtension:(NSString *)filenameExtension isValidForType:(NSString *)typeName;Given a file name extension and a UTI, return YES if the file name extension is a valid tag for the identified type, NO otherwise. You can invoke this method when your application needs to check if a file name extension can be used to reliably identify the type later on. For example, NSSavePanel uses this method to validate any extension that the user types in the panel's file name field. - (BOOL)type:(NSString *)firstTypeName conformsToType:(NSString *)secondTypeName;Given two UTIs, return YES if the first "conforms to" to the second in the uniform type identifier hierarchy, NO otherwise. This method will always return YES if the two strings are equal, so you can also use it with other kinds of type name, including those declared in CFBundleTypeName Info.plist entries in apps that don't take advantage of the support for UTIs that was added to Cocoa in Mac OS 10.5. You can invoke this method when your application must determine whether it can handle a file of a known type, returned by -typeOfFile:error: for instance. Use this method instead of merely comparing UTIs for equality. + (NSArray *)imageTypes;join these methods, which might be deprecated in a future release of Mac OS X, but are not yet: + (NSArray *)imageUnfilteredTypes; + (NSArray *)imageFileTypes;(The old methods are not yet deprecated because you might still have a reason to override them, because the -initWithContentsOfFile:, -initWithContentsOfURL:, -initByReferencingFile:, -initByReferencingURL:, -initWithPasteboard:, and +canInitWithPasteboard: methods have not yet been updated to use UTIs when deciding which subclass of NSImageRep should be instantiated. The same is true of -[NSBundle(NSBundleImageExtension) pathForImageResource:].) + (NSArray *)imagePasteboardTypes; + (NSArray *)imageUnfilteredFileTypes; + (NSArray *)imageUnfilteredPasteboardTypes; + (Class)imageRepClassForType:(NSString *)type;join these methods, which might be deprecated in a future release of Mac OS X, but are not yet: + (NSArray *)imageTypes; + (NSArray *)imageUnfilteredTypes; + (Class)imageRepClassForFileType:(NSString *)type;(The old methods are not yet deprecated because you might still have a reason to override them, because the +imageRepsWithContentsOfFile:, +imageRepWithContentsOfFile:, +imageRepsWithContentsOfURL:, +imageRepWithContentsOfURL:, +imageRepsWithPasteboard:, +imageRepWithPasteboard:, and +canInitWithPasteboard: methods have not yet been updated to use UTIs when deciding which subclass of NSImageRep should be instantiated, or whether a subclass can be instantiated, in the case of the last method.) + (Class)imageRepClassForPasteboardType:(NSString *)type; + (NSArray *)imageFileTypes; + (NSArray *)imagePasteboardTypes; + (NSArray *)imageUnfilteredFileTypes; + (NSArray *)imageUnfilteredPasteboardTypes; + (NSArray*)soundUnfilteredTypes;replaces these deprecated methods: + (NSArray *)soundUnfilteredFileTypes; + (NSArray *)soundUnfilteredPasteboardTypes; + (NSArray *)textTypes;replace these deprecated methods: + (NSArray *)textUnfilteredTypes; + (NSArray *)textFileTypes;The -initWithURL:options:documentAttributes:error:, -initWithPath:documentAttributes:, and -initWithURL:documentAttributes: methods have all been updated to use UTIs when appropriate. So have NSMutableAttributedString(NSMutableAttributedStringKitAdditions)'s -readFromURL:options:documentAttributes:error: and -readFromURL:options:documentAttributes: methods. + (NSArray *)textPasteboardTypes; + (NSArray *)textUnfilteredFileTypes; + (NSArray *)textUnfilteredPasteboardTypes; - (id)openUntitledDocumentAndDisplay:(BOOL)displayDocument error:(NSError **)outError;etc. When overriding such methods take care to follow this rule: a method that takes an error:(NSError **)outError argument must, if it returns a value that signals failure (typically nil or NO), and if outError!=NULL, set the value of *outError to point to an NSError. It is not the responsibility of code that invokes such methods to nil-initialize the variable whose address is taken and passed as the error parameter, just so it can safely check to see if the variable's value is no longer nil after the invocation. - (id)openDocumentWithContentsOfURL:(NSURL *)absoluteURL display:(BOOL)displayDocument error:(NSError **)outError; - (id)openDocumentWithContentsOfURL:(NSURL *)absoluteURL display:(BOOL)displayDocument error:(NSError **)outError { /* The user double-clicked on a document in the Finder or something, but we don't want to open it yet if our application's custom licensing panel (for example) is being shown as an application-modal dialog right now. */ id openedDocument = nil; if (_licensingPanelIsShown) { /* Defer the opening of the document until the user has dismissed the licensing panel. */ ... Left as an exercise to the reader ... /* We're about to return nil, so we _must_ set *outError to something, unless of course outError is NULL. Return an error that won't result in the presentation of an error alert. Regular Cocoa memory management rules dictate that the invoker of this method is not responsible for releasing the NSError, but of course +[NSError error:code:userInfo:] returns an autoreleased object, so this is all correct. */ if (outError) { *outError = [NSError errorWithDomain:NSCocoaErrorDomain code:NSUserCancelledError userInfo:nil]; } } else { /* Just do the regular Cocoa thing. We don't have to touch outError here. NSDocumentController's implementation of this method has to follow the rules too, so it sets *outError if it returns nil and outError!=NULL. */ openedDocument = [super openDocumentWithContentsOfURL:absoluteURL display:displayDocument error:outError]; } return openedDocument; } - (void)canCloseDocumentWithDelegate:(id)delegate shouldCloseSelector:(SEL)shouldCloseSelector contextInfo:(void *)contextInfo { /* No matter what happens, the original delegate must be messaged (to prevent memory leaks, at the very least). Because we're not going to pass the passed-in parameters to super, we have to record them somewhere. The easy place to record them is in the NSInvocation we're going to create anyway to message the original delegate. The method selected by shouldCloseSelector must have the same signature as... - (void)document:(NSDocument *)document shouldClose:(BOOL)shouldClose contextInfo:(void *)contextInfo; ...and that dictates how we build our invocation. We don't set a value for the shouldClose: argument (atIndex:3) because we don't know the value yet. */ NSInvocation *originalDelegateInvocation = [NSInvocation invocationWithMethodSignature: [delegate methodSignatureForSelector:shouldCloseSelector]]; [originalDelegateInvocation setTarget:delegate]; [originalDelegateInvocation setSelector:shouldCloseSelector]; [originalDelegateInvocation setArgument:&self atIndex:2]; // document: [originalDelegateInvocation setArgument:&contextInfo atIndex:4]; // contextInfo: /* Do the regular NSDocument thing, arranging to take back control afterward. We must retain the invocation object here because contextInfo: arguments are not automatically retained. */ [super canCloseDocumentWithDelegate:self shouldCloseSelector:@selector(thisDocument:shouldClose:contextInfo:) contextInfo:[originalDelegateInvocation retain]]; } - (void)thisDocument:(NSDocument *)document shouldClose:(BOOL)shouldClose contextInfo:(void *)contextInfo { NSInvocation *originalDelegateInvocation = (NSInvocation *)contextInfo; // Is the document about to be closed? if (shouldClose) { // Here we can do all sorts of things with this document that's about to be closed. } /* A little bit of UI advice: changing the value of shouldClose here might result in confusing behavior. For example, if the user hit the Save button in a "Do you want to save the changes..." panel, and the save succeeded, and shouldClose is YES, canceling closing by changing shouldClose to NO before messaging the delegate would be an odd thing to do. */ // Tell the original delegate that the decision to close this document or not has been made. [originalDelegateInvocation setArgument:&shouldClose atIndex:3]; [originalDelegateInvocation invoke]; // Balance the retain we did up above. [originalDelegateInvocation release]; } - (BOOL)canBecomeVisibleWithoutLogin; - (void)setCanBecomeVisibleWithoutLogin:(BOOL)flag; enum { NSWindowSharingNone = 0, // Window contents may not be read by another process NSWindowSharingReadOnly = 1, // Window contents may be read but not modified by another process NSWindowSharingReadWrite = 2 // Window contents may be read or modified by another process }; typedef NSUInteger NSWindowSharingType; - (void)setSharingType:(NSWindowSharingType)type; - (NSWindowSharingType)sharingType; enum { NSWindowBackingLocationDefault = 0, // System determines if window backing store is in VRAM or main memory NSWindowBackingLocationVideoMemory = 1, // Window backing store is in VRAM NSWindowBackingLocationMainMemory = 2 // Window backing store is in main memory }; typedef NSUInteger NSWindowBackingLocation; - (void)setPreferredBackingLocation:(NSWindowBackingLocation)backingLocation; - (NSWindowBackingLocation)preferredBackingLocation; - (NSWindowBackingLocation)backingLocation; - (void)setRepresentedURL:(NSURL *)url;If a window has a representedURL, the window will by default show a path popup menu for a command-click on a rectangle containing the window document icon button and the window title. The window delegate may implement -window:shouldPopupDocumentPathMenu: to override NSWindow's default behavior for path popup menu. A return of NO will prevent the menu from being shown. A return of YES will cause the window to show the menu passed to this method, which by default will contain a menuItem for each path component of the representedURL. If the representedURL has no path components, the menu will have no menu items. Before returning YES, the window delegate may customize the menu by changing the menuItems. menuItems may be added or deleted, and each menuItem title, action, or target may be modified. - (NSURL *)representedURL; - (BOOL)window:(NSWindow *)window shouldPopUpDocumentPathMenu:(NSMenu *)menu;The window delegate may implement -window:shouldDragDocumentWithEvent:from:withPasteboard: to override NSWindow document icon's default drag behavior. The delegate can prohibit the drag by returning NO. Before returning NO, the delegate may implement its own dragging behavior using -[NSWindow dragImage:at:offset:event:pasteboard:source:slideBack:]. Alternatively, the delegate can enable a drag by returning YES, for example to override NSWindow's default behavior of prohibiting the drag of an edited document. Lastly, the delegate can customize the pasteboard contents before returning YES. - (BOOL)window:(NSWindow *)window shouldDragDocumentWithEvent:(NSEvent *)event from:(NSPoint)dragImageLocation withPasteboard:(NSPasteboard *)pasteboard; - (NSDockTile *)dockTile; enum { NSWindowCollectionBehaviorDefault = 0, NSWindowCollectionBehaviorCanJoinAllSpaces = 1 << 0, NSWindowCollectionBehaviorMoveToActiveSpace = 1 << 1 }; typedef NSUInteger NSWindowCollectionBehavior; - (void)setCollectionBehavior:(NSWindowCollectionBehavior)behavior;The setCanBeVisibleOnAllSpaces/canBeVisibleOnAllSpaces API, introduced earlier in Leopard, is deprecated in favor of setCollectionBehavior:/collectionBehavior - (NSWindowCollectionBehavior)collectionBehavior; -(void)setCanBeVisibleOnAllSpaces:(BOOL)flag AVAILABLE_MAC_OS_X_VERSION_10_5_AND_LATER_BUT_DEPRECATED; -(BOOL)canBeVisibleOnAllSpaces AVAILABLE_MAC_OS_X_VERSION_10_5_AND_LATER_BUT_DEPRECATED; - (void)setShowsSuppressionButton:(BOOL)flag;suppressionButton returns a suppression button which may be customized, including the title and the initial state. You can also use this method to get the state of the button after the alert is dismissed, which may be stored in user defaults and checked before showing the alert again. In order to show the suppression button in the alert panel, you must call -setShowsSuppressionButton:YES. - (BOOL)showsSuppressionButton; - (NSButton *)suppressionButton; - (void)setAccessoryView:(NSView *)view;The following method can be used to indicate that the alert panel should do immediate layout, overriding the default behavior of laying out lazily just before showing the panel. You should only call this method if you want to do your own custom layout after it returns. You should call this method only after you have finished with NSAlert customization, including setting message and informative text, and adding buttons and an accessory view if needed. You can make layout changes after this method returns, in particular to adjust the frame of an accessory view. Note that the standard layout of the alert may change in the future, so layout customization should be done with caution. - (NSView *)accessoryView; - (void)layout; @interface NSDockTile : NSObject - (NSSize)size; - (void)setContentView:(NSView *)view; - (NSView *)contentView; - (void)display; - (void)setShowsApplicationBadge:(BOOL)flag; - (BOOL)showsApplicationBadge; - (void)setBadgeLabel:(NSString *)string; - (NSString *)badgeLabel; - (id)owner;Please refer to <AppKit/NSDockTile.h> and the documentation for further details on NSDockTile. @end - (NSDockTile *)dockTile;For applications built on Leopard or later, the dock tile icon is now restored to its default state when the application terminates, meaning badge labels and such are removed automatically. Some applications previously accomplished this by calling RestoreApplicationDockTileImage. This is incompatible with NSDockTile on Leopard, so you should modify your application if you are doing this. If you need to restore the dock tile icon on Tiger in a Leopard compatible way, you can do so by calling -[NSApp setApplicationIconImage:nil]. @interface NSTrackingArea : NSObject <NSCopying, NSCoding>Please refer to <AppKit/NSTrackingArea.h> and the documentation for further details on NSTrackingArea. - (NSTrackingArea *)initWithRect:(NSRect)rect options:(NSTrackingAreaOptions)options owner:(id)owner userInfo:(NSDictionary *)userInfo; - (NSRect)rect; - (NSTrackingAreaOptions)options; - (id)owner; - (NSDictionary *)userInfo; @end - (void)addTrackingArea:(NSTrackingArea *)trackingArea;A view or other object creates an NSTrackingArea, then adds it to a view using this API. Not meant to be overridden. - (void)removeTrackingArea:(NSTrackingArea *)trackingArea;This API is used to remove a trackingArea from a view. Not meant to be overridden. - (NSArray *)trackingAreas;Get the list of trackingAreas that have been added to the view. Not meant to be overridden. - (void)updateTrackingAreas;This will be sent to a view when something has changed which is likely to require recomputation of trackingAreas, for example a change in the size of the visibleRect. Moving a view into or out of a window will not cause this message to be sent, except that it will be sent once when the view is first created and added to a window. Should be overridden by a view to remove and add its tracking areas, and should call super. - (void)cursorUpdate:(NSEvent *)event;Override to set cursor. Default implementation uses cursorRect if cursorRects are valid. If no cursorRect calls super, to send up responder chain. - (NSTrackingArea *)trackingArea;-trackingArea can be sent to an NSMouseEntered, NSMouseExited, or NSCursorUpdate event. It is not valid for an NSMouseMoved event. If the event was generated by an old-style trackingRect, -trackingArea will return nil. - (const void * /* EventRef */)eventRef;We also added methods to convert between an NSEvent and a CGEventRef. -CGEvent is valid for all events and returns an autoreleased CGEventRef corresponding to the NSEvent. If you want to control the lifetime of the CGEventRef, you should retain it. If there is no CGEventRef corresponding to the NSEvent, -CGEvent will return NULL. + eventWithCGEvent: returns an autoreleased NSEvent corresponding to the CGEventRef. If there is no NSEvent corresponding to the EventRef, +eventWithCGEvent: will return nil. Converting from an NSEvent to a CGEventRef can be lossy, and you should not attempt to use the key event handling facilities provided by CGEventRef. + (NSEvent *)eventWithEventRef:(const void * /* EventRef */)eventRef; - (CGEventRef)CGEvent;There is now a method to enable or disable mouse coalescing, and a method to query the current state. Mouse coalescing is on by default. + (NSEvent *)eventWithCGEvent:(CGEventRef)cgEvent; + (void)setMouseCoalescingEnabled:(BOOL)flag;If you build your application on Leopard, and your application installs an event handler on the event monitor target using GetEventMonitorTarget, the monitored event will be sent to the event handler you installed rather than to -[NSApplication sendEvent:]. For applications built on Tiger or previous, the monitored event will be sent to sendEvent:. You can override this default behavior by setting NSDispatchMonitoredEvents. If NSDispatchMonitoredEvents is YES, the event will be sent to sendEvent:; if NO, it will be sent to the installed event handler. + (BOOL)isMouseCoalescingEnabled; - (void)setAllowsNonContiguousLayout:(BOOL)flag;The first allows non-contiguous layout to be turned on and off, and the second examines the state of that setting. Note that turning the flag on allows but does not require the layout manager to use non-contiguous layout, and it may in fact choose not to do so depending on the configuration of the layout manager. In addition, there may be times at which there is no non-contiguous layout, such as when layout is complete; the third method allows the layout manager to report that to clients. - (BOOL)allowsNonContiguousLayout; - (BOOL)hasNonContiguousLayout; - (void)ensureGlyphsForCharacterRange:(NSRange)charRange; - (void)ensureGlyphsForGlyphRange:(NSRange)glyphRange; - (void)ensureLayoutForCharacterRange:(NSRange)charRange; - (void)ensureLayoutForGlyphRange:(NSRange)glyphRange; - (void)ensureLayoutForTextContainer:(NSTextContainer *)container; - (void)ensureLayoutForBoundingRect:(NSRect)bounds inTextContainer:(NSTextContainer *)container; - (NSUInteger)glyphIndexForCharacterAtIndex:(NSUInteger)charIndex;that now plays a symmetric role. Thus characterIndexForGlyphAtIndex: returns the index for the first character associated with the specified glyph, and glyphIndexForCharacterAtIndex: returns the index for the first glyph associated with the specified character. In neither case is there any special treatment for null glyphs. In the 'fi' ligature case, for example, if the null padding is used, then these methods would report an identity mapping between glyph and character indexes. Both methods also accept indexes beyond the last character or glyph; they return an index extrapolated from the last actual character or glyph index. Thus if there is an identity mapping between glyph and character indexes, then both characterIndexForGlyphAtIndex: and glyphIndexForCharacterAtIndex: will always return results numerically equal to their arguments. - (void)invalidateLayoutForCharacterRange:(NSRange)charRange actualCharacterRange:(NSRangePointer)actualCharRange;has been provided to supersede the existing invalidateLayoutForCharacterRange:isSoft:actualCharacterRange:, as the equivalent of the latter with the soft flag set to NO. For code intended to run on Leopard only, the new method can be used. For code intended to run on both Leopard and Tiger, the old method should be used as before, in two calls, first with the soft flag set to NO, for the range actually being changed, and subsequently with the soft flag set to YES, for the range following the portion changed, to the end of the document. - (void)invalidateGlyphsOnLayoutInvalidationForGlyphRange:(NSRange)glyphRange;to specify that a certain range of glyphs is layout-dependent, and therefore the glyphs should be invalidated the next time their layout is invalidated, so that they will be regenerated before being laid out again. - (void)setLocations:(NSPointArray)locationsAll of the glyph indexes should lie within the specified glyph range, the first of them should be equal to glyphRange.location, and the remainder should increase monotonically. Each location will be set as the location for the range beginning at the corresponding glyph index, and continuing until the subsequent glyph index, or until the end of the glyph range for the last location. Thus this method is equivalent to calling setLocation:forStartOfGlyphRange: for a set of ranges covering all of the glyphs in glyphRange. startingGlyphIndexes:(NSUInteger *)glyphIndexes count:(NSUInteger)count forGlyphRange:(NSRange)glyphRange; - (CGFloat)defaultBaselineOffsetForFont:(NSFont *)theFont;to allow clients to obtain the baseline offset appropriate for a particular font within a particular layout manager, given its typesetter behavior and other settings. - (BOOL)usesFontLeading;that control whether the layout manager will use leading as specified by the font. The default is YES, since in most cases this is appropriate, but there are some cases where it is not; for example, for UI text a fixed leading is often specified by UI layout guidelines. All three of these methods are available going back to Mac OS X 10.2. - (void)setUsesFontLeading:(BOOL)flag; - (id)temporaryAttribute:(NSString *)attrName atCharacterIndex:(NSUInteger)location effectiveRange:(NSRangePointer)range;There is a new NSLayoutManager method to obtain insertion points in bulk for a given line fragment. Previously the rects used for the insertion point indicator were obtained by calling rectArrayForCharacterRange:withinSelectedCharacterRange:inTextContainer:rectCount: or the glyph-based equivalent with a zero-length range; that is still available, but it has the limitation that only one insertion point can be obtained at a time. There are many cases in which one wishes to retrieve multiple insertion points at once--for example, when one is trying to move from one to another. The method - (id)temporaryAttribute:(NSString *)attrName atCharacterIndex:(NSUInteger)location longestEffectiveRange:(NSRangePointer)range inRange:(NSRange)rangeLimit; - (NSDictionary *)temporaryAttributesAtCharacterIndex:(NSUInteger)location longestEffectiveRange:(NSRangePointer)range inRange:(NSRange)rangeLimit; - (void)addTemporaryAttribute:(NSString *)attrName value:(id)value forCharacterRange:(NSRange)charRange; - (NSUInteger)getLineFragmentInsertionPointsForCharacterAtIndex:(NSUInteger)charIndexallows clients to obtain all insertion points for a line fragment in one call. The caller specifies the line fragment by supplying one character index within it, and can choose whether to obtain primary or alternate insertion points, and whether they should be in logical or in display order. The return value is the number of insertion points returned. Each pointer passed in should either be NULL, or else point to sufficient memory to hold as many elements as there are insertion points in the line fragment (which cannot be more than the number of characters + 1). The positions buffer passed in will be filled in with the positions of the insertion points, in the order specified, and the charIndexes buffer passed in will be filled in with the corresponding character indexes. Positions indicate a transverse offset relative to the line fragment rect's origin. Internal caching is used to ensure that repeated calls to this method for the same line fragment (possibly with differing values for other arguments) will not be significantly more expensive than a single call. alternatePositions:(BOOL)aFlag inDisplayOrder:(BOOL)dFlag positions:(CGFloat *)positions characterIndexes:(NSUInteger *)charIndexes; - (NSDictionary *)layoutManager:(NSLayoutManager *)layoutManagerThis is sent when the layout manager is drawing and needs to decide whether to use temporary attributes or not. The delegate returns a dictionary of temporary attributes to be used, or nil to suppress the use of temporary attributes altogether. The effectiveCharRange argument is both an in and out by-reference effective range for those attributes. The default behavior if this method is not implemented is to use temporary attributes only when drawing to the screen, so an implementation to match that behavior would return attrs if toScreen is YES and nil otherwise, without changing effectiveCharRange. shouldUseTemporaryAttributes:(NSDictionary *)attrs forDrawingToScreen:(BOOL)toScreen atCharacterIndex:(NSUInteger)charIndex effectiveRange:(NSRangePointer)effectiveCharRange; - (NSArray *)allowedInputSourceLocales;Command-delete is now bound to -deleteToBeginningOfLine:. - (void)setAllowedInputSourceLocales:(NSArray *)localeIdentifiers; - (void)showFindIndicatorForRange:(NSRange)charRange;that causes a temporary indicator or indicators to appear around the visible portion(s) of the specified range. The indicators will automatically disappear after a certain period of time, or when the method is called again, or when any of a number of changes occur to the view (such as changes to text, to view size, or to view position). Note that this method does not itself scroll the specified range to be visible; any desired scrolling should be done before this method is called, first because the method acts only on the visible portion of the specified range, and second because scrolling will cause the indicators to disappear. Calling this method with a zero-length range will always remove any existing indicators. - (void)setDisplaysLinkToolTips:(BOOL)flag;The flag for displaying link tooltips controls whether the text view will automatically supply the destination of a link as a tooltip for text with a link attribute. The default value for this is YES; clients who do not wish this must explicitly disable it. In a related change, NSTextView will no longer automatically open file: URLs in links; by default, file: URLs will be revealed in the Finder. Clients wishing to override this should implement textView:clickedOnLink:atIndex: (as a delegate) or clickedOnLink:atIndex: (in a subclass). - (BOOL)displaysLinkToolTips; - (void)setAllowsImageEditing:(BOOL)flag; - (BOOL)allowsImageEditing; - (void)setAutomaticQuoteSubstitutionEnabled:(BOOL)flag; - (BOOL)isAutomaticQuoteSubstitutionEnabled; - (void)toggleAutomaticQuoteSubstitution:(id)sender; - (void)setAutomaticLinkDetectionEnabled:(BOOL)flag; - (BOOL)isAutomaticLinkDetectionEnabled; - (void)toggleAutomaticLinkDetection:(id)sender; - (void)toggleSmartInsertDelete:(id)sender;In support of automatic link detection, there is a new method on NSAttributedString, - (NSURL *)URLAtIndex:(NSUInteger)location effectiveRange:(NSRangePointer)effectiveRange;that returns a URL from the contents of text at the given location, if the text at the location appears to be a string representing a URL. The effective range is the range of the URL string, or of non-URL text if no apparent URL is found. - (NSUInteger)characterIndexForInsertionAtPoint:(NSPoint)point;which takes a point in view coordinates and returns a character index appropriate for placing a zero-length selection for an insertion point when the mouse is over the given point. NSTextInput protocol methods generally are not suitable for uses other than those associated with text input methods, and the NSTextInput protocol method characterIndexForPoint: is no exception; it is intended only for usages related to text input methods. The new characterIndexForInsertionAtPoint: should be used for insertion points associated with mouse clicks, drag events, and so forth. For other purposes, it is better to use NSLayoutManager methods, as demonstrated in a variety of code examples. - (NSMenu *)textView:(NSTextView *)view menu:(NSMenu *)menu forEvent:(NSEvent *)event atIndex:(NSUInteger)charIndex;which allows clients to control the context menu via the delegate, instead of having to subclass and override menuForEvent:. The menu parameter is the context menu that NSTextView would otherwise provide, and the charIndex argument is the index of the character that was right-clicked. NSString *NSMultipleTextSelectionPboardType;This type is used only when the pasteboard is representing a multiple selection. The contents for this type should be an array of NSNumbers, one for each subrange of the selection, indicating the number of paragraphs contained in each subrange. The plain or rich text contents of the pasteboard will be a string representing the contents of each subrange concatenated with paragraph breaks in between them (where they do not already end in paragraph breaks); that combined with the paragraph counts in the NSMultipleTextSelectionPboardType is sufficient to determine which portions of the contents are associated with which subrange. This mechanism has been chosen because it is consistent across plain and rich text, and across different representations of rich text. The counts may be checked for consistency by comparing the total number of paragraphs in the plain or rich text contents of the pasteboard with the total of the numbers in the NSMultipleTextSelectionPboardType array; if the two do not match, then the NSMultipleTextSelectionPboardType contents should be ignored. - (NSRange)layoutCharactersInRange:(NSRange)characterRange forLayoutManager:(NSLayoutManager *)layoutManager maximumNumberOfLineFragments:(NSUInteger)maxNumLines; - (BOOL)truncatesLastVisibleLine; - (void)setTruncatesLastVisibleLine:(BOOL)flag; NSString *NSFontFeatureSettingsAttribute; NSString *NSFontFeatureTypeIdentifierKey; NSString *NSFontFeatureSelectorIdentifierKey; - (NSFontAction)currentFontAction; - (NSFontTraitMask)convertFontTraits:(NSFontTraitMask)traits; - (void)setTarget:(id)aTarget; - (id)target; - (NSRange)spellServer:(NSSpellServer *)sender checkGrammarInString:(NSString *)stringToCheckThe return value is intended to be the range of the next sentence or other grammatical unit that contains sections to be flagged for grammar, since grammar checking generally must be performed sentence by sentence. The details argument optionally returns by reference an array of dictionaries, each one describing a grammatical issue detected in the sentence (since a single sentence may contain more than one problem). In these dictionaries the following keys will be recognized: language:(NSString *)language details:(NSArray **)details; NSString *NSGrammarRange;The value for the NSGrammarRange key should be an NSValue containing an NSRange, a subrange of the sentence range used as the return value, whose location should be an offset from the beginning of the sentence--so, for example, an NSGrammarRange for the first four characters of the overall sentence range should be {0, 4}. The value for the NSGrammarUserDescription key should be an NSString containing descriptive text about that range, to be presented directly to the user; it is intended that the user description should provide enough information to allow the user to correct the problem. A value may also be provided for the NSGrammarCorrections key, consisting of an NSArray of NSStrings representing potential substitutions to correct the problem, but it is expected that this may not be available in all cases. It is recommended that NSGrammarUserDescription be supplied in all cases; in any event, either NSGrammarUserDescription or NSGrammarCorrections must be supplied in order for something to be presented to the user. If NSGrammarRange is not present, it will be assumed to be equal to the overall sentence range. Additional keys may be added in future releases. NSString *NSGrammarUserDescription; NSString *NSGrammarCorrections; - (NSRange)checkGrammarOfString:(NSString *)stringToChecksimilar to the existing spellchecking methods. NSSpellChecker also has a new method, startingAt:(NSInteger)startingOffset language:(NSString *)language wrap:(BOOL)wrapFlag inSpellDocumentWithTag:(NSInteger)tag details:(NSArray **)details; - (NSArray *)availableLanguages;suitable for use with the existing -language and -setLanguage:. This returns the list of available languages for spellchecking, in the forms specified by the spelling servers; usually these will be language abbreviations such as "fr" or "en_GB", of the sort used by NSBundle for identifying localizations. The -setLanguage: method preferentially accepts one of these, but will attempt to find an inexact match for any value it is given. Also new are the NSSpellChecker methods - (void)learnWord:(NSString *)word;that allow clients access to the learning and unlearning features of the spellchecker. The learnWord: method is not actually new, but is newly public; it has always been present on NSSpellChecker. The other methods are new, but there was a previous equivalent of unlearnWord:, named forgetWord:. - (BOOL)hasLearnedWord:(NSString *)word; - (void)unlearnWord:(NSString *)word; - (void)setGrammarCheckingEnabled:(BOOL)flag;If grammar checking is enabled, then it will be performed alongside spellchecking, whenever the text view checks spelling, whether continuously or manually. - (BOOL)isGrammarCheckingEnabled; - (void)toggleGrammarChecking:(id)sender; NSString *NSSpellingStateAttributeName;This key is available going back to Mac OS X 10.2, but its interpretation has changed. Previously, any non-zero value would cause the spelling indicator to be displayed. For Mac OS X 10.5, the (integer) value will be treated as being composed of the following flags: enum {There is a new method on NSTextView for setting the spelling state, which may be called by clients or overridden by subclassers. NSSpellingStateSpellingFlag = (1 << 0), NSSpellingStateGrammarFlag = (1 << 1) }; - (void)setSpellingState:(NSInteger)value range:(NSRange)charRange;This method in turn calls a new NSTextView delegate method, - (NSInteger)textView:(NSTextView *)textView shouldSetSpellingState:(NSInteger)value range:(NSRange)affectedCharRange;which allows the delegate to control any change in the value of the spelling state. enum { NSImageScaleProportionallyDown = 0, // Scale image down if it is too large for destination. Preserve aspect ratio. NSImageScaleAxesIndependently, // Scale each dimension to exactly fit destination. Do not preserve aspect ratio. NSImageScaleNone, // Do not scale. NSImageScaleProportionallyUpOrDown // Scale image to maximum possible dimensions while (1) staying within destination area // and (2) preserving aspect ratio }; typedef NSUInteger NSImageScaling; - (NSRect)alignmentRect;The alignmentRect of an image has no effect on methods such as drawInRect:fromRect:operation:Fraction: or drawAtPoint:fromRect:operation:fraction:. Rather, an interested client may use the alignmentRect to improve layout where applicable. - (void)setAlignmentRect:(NSRect)rect; - (NSRect)expansionFrameWithFrame:(NSRect)cellFrame inView:(NSView *)view;An expansion tool tip allows one to see truncated text in a special floating window that is similar but different from a normal ToolTip. Currently, NSTableView, NSOutlineView and NSBrowser display expansion tool tips when the text is truncated. If you have a cell that will be displayed in one of these controls, it is recommended that you implement the above methods to properly support the expansion tool tip feature. By default, the methods are properly implemented in NSTextFieldCell and NSBrowserCell. NSCell will always return NSZeroRect, and prevent the expansion from happening. For an example of how to implement it, see the SimpleBrowser demo app. - (void)drawWithExpansionFrame:(NSRect)cellFrame inView:(NSView *)view; - (BOOL)wantsNotificationForMarkedText;The bug introduced in Tiger that NSCell's various sizing methods such as -cellSizeForBounds: ignoring bounds sizes smaller than 0.0 is fixed. - (NSArray *)allowedInputSourceLocales;NSTextFieldCell no longer disables itself temporarily in -trackMouse:inRect:ofView:untilMouseUp:. It is the application's responsibility now to properly set up the action invocation configuration via -sendActionOn: method. - (void)setAllowedInputSourceLocales:(NSArray *)localeIdentifiers; NSBitmapImageRep *bitmapImageRep = [[NSBitmapImageRep alloc] initWithBitmapDataPlanes:planesOne can also set a new replacement color profile for an NSBitmapImageRep that is initialized from an existing TIFF, PNG, etc. file using the same "-setProperty:withValue:" technique. /* ...more parameters... */ colorSpaceName:NSCalibratedRGBColorSpace /* ...more parameters... */ ]; [bitmapImageRep setProperty:NSImageColorSyncProfileData withValue:iccProfileData]; NSColorSpace *colorSpace = [NSColorSpace sRGBColorSpace];It can also be obtained by initializing an NSData instance with the contents of an ".icc" profile file: NSData *iccProfileData = [colorSpace ICCProfileData]; NSData *iccProfileData = [NSData dataWithContentsOfFile:@"/System/Library/ColorSync/Profiles/sRGB Profile.icc"]; - (id)initWithCIImage:(CIImage *)ciImage;The CIImage is required to be of finite extent (if not, -initWithCIImage: raises an exception). The -initWithCIImage: method produces an NSBitmapImageRep whose pixel dimensions equal the incoming CIImage's extent. - (id)initWithCGImage:(CGImageRef)cgImage;An NSBitmapImageRep that is created in this way retains the given CGImage as its primary underlying representation, reflecting the CGImage's properties as its own and using the CGImage to draw when asked to draw. - (CGImageRef)CGImage;Using this method may cause the CGImage to be created, if the NSBitmapImageRep does not already have a CGImage representation of itself. Once created, the CGImage is owned by the NSBitmapImageRep, which is responsible for releasing it when the NSBitmapImageRep itself is deallocated. NSString* NSImageFallbackBackgroundColor AVAILABLE_MAC_OS_X_VERSION_10_5_AND_LATER; // JPEG output (NSColor)This allows clients to specify the background color to use for the image data that's written out, in the event that the NSBitmapImageRep being encoded has an alpha channel. It corresponds to the kCGImageDestinationBackgroundColor property defined by the ImageIO framework. - (CGFloat)borderWidth; - (void)setBorderWidth:(CGFloat)borderWidth; - (CGFloat)cornerRadius; - (void)setCornerRadius:(CGFloat)cornerRadius; - (NSColor *)borderColor; - (void)setBorderColor:(NSColor *)borderColor; - (NSColor *)fillColor;These properties only apply to boxes of type NSBoxCustom. The word 'custom' refers to these boxes having nothing to do with the human interface guidelines for Mac OS X. As such, the style should be used sparingly. It may be useful for simple custom drawing, or as a placard of some sort, but should not be used as a general control grouping box. - (void)setFillColor:(NSColor *)fillColor; - (BOOL)isTransparent;Bind the transparent property to the selected property of NSCollectionViewItem. The semantics of NSBox's transparent property of are the same as the semantics of NSButton's transparent property. - (void)setTransparent:(BOOL)flag; - (id)initWithColors:(NSArray *)colorArray atLocations:(CGFloat *)locations colorSpace:(NSColorSpace *)colorSpace;Three additional initializers handle common cases. The first takes a start and end color to create a two-color gradient. The second takes an array of colors, and will space the provided colors at equal intervals from 0.0 to 1.0. The third takes a nil-terminated variable length list of color/location pairs. The generic RGB color space will be used for gradients created with these init methods. - (id)initWithStartingColor:(NSColor *)color endingColor:(NSColor *)endingColor;Once a color gradient is defined, it can be used to draw both linear and radial gradients. - (id)initWithColors:(NSArray *)colorArray; - (id)initWithColorsAndLocations:(NSColor *)firstColor, ...; - (void)drawInRect:(NSRect)rect angle:(CGFloat)angle;For radial gradients, a relative center position can be specified, using NSZeroPoint specifies a radial gradient centered within the rectangle or path bounding rect. The radial gradient drawn by these methods always draws from an inner point to an outer circle, with the inner point at the center of the outer circle. - (void)drawInBezierPath:(NSBezierPath *)path angle:(CGFloat)angle; - (void)drawInRect:(NSRect)rect relativeCenterPosition:(NSPoint)relativeCenterPosition;These drawing methods provide an easy way to draw gradient fills. Developers who wish other drawing behavior can use the primitive drawing methods described below, and create additional convenience methods as categories which calculate where the primitive methods should draw. - (void)drawInBezierPath:(NSBezierPath *)path relativeCenterPosition:(NSPoint)relativeCenterPosition; NSGradientDrawsBeforeStartingLocationThese options control whether drawing extends before and after the gradient start and end locations. These options are only present for the primitive drawing methods, since the rect and path-centric drawing methods ensure that the entire rect or path is filled by the gradient. These drawing primitive methods draw a linear gradient and a radial gradient, respectively. NSGradientDrawsAfterEndingLocation - (void)drawFromPoint:(NSPoint)startingPoint toPoint:(NSPoint)endingPoint options:(NSGradientDrawingOptions)options; - (void)drawFromCenter:(NSPoint)startCenter radius:(CGFloat)startRadius toCenter:(NSPoint)endCenter radius:(CGFloat)endRadius options:(NSGradientDrawingOptions)options; - (NSInteger)numberOfColorStops;Overriding this method to provide different color values will not affect the underlying calculation of the color gradient, and will not affect how the color gradient is drawn. - (void)getColor:(NSColor **)color location:(CGFloat *)location atIndex:(NSInteger)index; - (NSColorSpace *)colorSpace; - (NSColor *)interpolatedColorAtLocation:(CGFloat)location; - (NSIndexSet *)tableView:(NSTableView *)tableViewto: selectionIndexesForProposedSelection:(NSIndexSet *)proposedSelectionIndexes byExtendingSelection:(BOOL)extend; - (NSIndexSet *)outlineView:(NSOutlineView *)outlineView selectionIndexesForProposedSelection:(NSIndexSet *)proposedSelectionIndexes byExtendingSelection:(BOOL)extend; - (NSIndexSet *)tableView:(NSTableView *)tableViewIn releases prior to Mac OS 10.5, for the following delegate method: selectionIndexesForProposedSelection:(NSIndexSet *)proposedSelectionIndexes; - (NSIndexSet *)outlineView:(NSOutlineView *)outlineView selectionIndexesForProposedSelection:(NSIndexSet *)proposedSelectionIndexes; - (void)tableView:(NSTableView*)tableView didDragTableColumn:(NSTableColumn *)column;the tableColumn parameter would incorrectly be the NSTableColumn that existed at the dragged column's original index. For applications linked on or after Leopard, the tableColumn will correctly be the column that was dragged. - (BOOL)outlineView:(NSOutlineView *)outlineView writeItems:(NSArray *)items toPasteboard:(NSPasteboard *)pboard;or - (BOOL)tableView:(NSTableView *)tableView writeRowsWithIndexes:(NSIndexSet *)rowIndexes toPasteboard:(NSPasteboard *)pboard;In Leopard, it will now clear out the pasteboard. You should declare the types you support for drag and drop with: NSMutableArray *types = [[pboard types] mutableCopy];The new delegate method: // Add our custom type and leave the ones NSOutlineView supports in the list. [types addObject:MyType]; // Make ourselves the owner. For any types we don't handle we can forward to NSOutlineView/NSTableView. [pboard declareTypes:types owner:self]; - (BOOL)tableView:(NSTableView *)tableViewallows a cell to be tracked, even if the row isn't selectable or selected. This allows you make a table view that will not allow any rows to be selected, but still allow the user to interact with the cells, as seen below (using outline view as an example): shouldTrackCell:(NSCell *)cell forTableColumn:(NSTableColumn *)column row:(NSInteger)row; - (BOOL)outlineView:(NSOutlineView *)ov shouldSelectItem:(id)item { return NO; } - (BOOL)outlineView:(NSOutlineView *)ov shouldTrackCell:(NSCell *)cell forTableColumn:(NSTableColumn *)column item:(id)item {Another example is to not allow check box button cells to change the selection, but still allow them to be clicked on and tracked. [NSApp currentEvent] will always be correct when this method is called, and you may use it to perform additional hit testing of the current mouse location. See the DragNDropOutlineView demo application for an example of how to do this. return YES; } - (NSDragOperation)outlineView:(NSOutlineView *)outlineViewPrior to Leopard, it would get called constantly, which is not needed. validateDrop:(id <NSDraggingInfo>)info proposedItem:(id)item proposedChildIndex:(NSInteger)index; - (NSIndexSet *)columnIndexesInRect:(NSRect)rect; - (void)setHidden:(BOOL)hidden;Columns which are hidden still exist in the the -[NSTableView tableColumns] array and -[NSTableView numberOfColumns] includes columns which are hidden. Hidden columns are not included in the indexes returned by the new columnIndexesInRect: method. - (BOOL)isHidden; - (void)setHeaderToolTip:(NSString *)string; - (NSString *)headerToolTip; - (NSArray *)childNodes;and - (NSTreeNode *)descendantNodeAtIndexPath:(NSIndexPath *)indexPath;With these two methods, it is now possible to navigate the tree controller's arranged tree. - (void)moveNode:(NSTreeNode *)node toIndexPath:(NSIndexPath *)indexPath;When a node is moved from one location to another, its represented objects in the new and old parent will be updated using Key Value Coding and the tree controller's childrenKeyPath. You are encouraged to use these methods to modify relationships in the tree, rather than modify the represented objects directly. This will ensure better selection handling and improve outline view's ability to maintain item "expanded" state. - (void)moveNodes:(NSArray *)nodes toIndexPath:(NSIndexPath *)startingIndexPath; [treeController selectedObjects]with code like [[treeController selectedNodes] valueForKey:@"representedObject"]This will produce an array that accurately represents the treeController's selected objects, even if objects are deleted via manipulating model objects' relationship containers. - (void)setAutomaticallyRearrangesObjects:(BOOL)flag; // default: NO - (BOOL)automaticallyRearrangesObjects; - (NSArray *)automaticRearragementKeyPaths;This method returns the array of key paths that trigger automatic rearranging from the sort descriptors and filter predicates; subclasses may override this method to customize the default behavior (for example if additional arrangement criteria are used in custom implementations of -rearrangeObjects). - (void)didChangeArrangementCriteria;This method is invoked by the controller itself when any criteria for arranging objects change (sort descriptors or filter predicates) to reset the key paths for automatic rearranging; subclasses should invoke this method if additional arrangement criteria are used in custom implementations of -rearrangeObjects and those criteria change. - (NSString *)buttonToolTip;and setting the minimum size for your picker: - (NSSize)minContentSize;NSColorPanel will not allow resizing smaller than this size. By default, you will not have to do anything if you properly setup the autosizing attributes in IB for your view. - (NSColorRenderingIntent)colorRenderingIntent; - (void)setColorRenderingIntent:(NSColorRenderingIntent)renderingIntent; + (NSBezierPath *)bezierPathWithRoundedRect:(NSRect)rect xRadius:(CGFloat)xRadius yRadius:(CGFloat)yRadius; - (void)appendBezierPathWithRoundedRect:(NSRect)rect xRadius:(CGFloat)xRadius yRadius:(CGFloat)yRadius;
http://developer.apple.com/releasenotes/Cocoa/AppKit.html
crawl-002
en
refinedweb
The QWebView class provides a widget that is used to view and edit web documents. More... #include <QWebView> Inherits QWidget. This class was introduced in Qt 4.4. The QWebView class provides a widget that is used to view and edit web documents. QWebView is the main widget component of the QtWebKit web browsing module. It can be used in various applications to display web content live from the Internet. The image below shows QWebView previewed in Qt Designer with the Nokia(); Alternatively, setUrl() can also be used to load a web site. If you have the HTML content readily available, you can use setHtml() instead. The loadStarted() signal is emitted when the view begins loading. The loadProgress() signal, on the other hand, is emitted whenever an element of the web view completes loading, such as an embedded image, a script, etc. Finally, the loadFinished() signal is emitted when the view has loaded completely. It's argument - either true or false - indicates load success or failure. The page() function returns a pointer to the web page object. See Elements of QWebView for an explanation of how the web page is related to the view. To modify your web view's settings, you can access the QWebSettings object with the settings() function. With QWebSettings, you can change the default fonts, enable or disable features such as JavaScript and plugins. The title of an HTML document can be accessed with the title() property. Additionally, a web site web view. If you require a custom context menu, you can implement it by reimplementing contextMenuEvent() and populating your QMenu with the actions obtained from pageAction(). More functionality such as reloading the view, copying selected text to the clipboard, or pasting into the view, is also encapsulated within the QAction objects returned by pageAction(). These actions can be programmatically triggered using triggerPageAction(). Alternatively, the actions can be added to a toolbar or a menu directly. QWebView maintains the state of the returned actions but allows modification of action properties such as text or icon. A QWebView can be printed onto a QPrinter using the print() function. This function is marked as a slot and can be conveniently connected to QPrintPreviewDialog's paintRequested() signal. If you want to provide support for web sites that allow the user to open new windows, such as pop-up windows, you can subclass QWebView and reimplement the createWindow() function. QWebView consists of other objects such as QWebFrame and QWebPage. The flowchart below shows these elements are related. Note: It is possible to use QWebPage and QWebFrame, without using QWebView, if you do not require QWidget attributes. Nevertheless, QtWebKit depends on QtGui, so you should use a QApplication instead of QCoreApplication. See also Previewer Example and Browser. This property holds the icon associated with the web page currently viewed. By default, this property contains a null icon. Access functions: text currently selected. By default, this property contains an empty string. Access functions: See also findText() and selectionChanged(). This property holds the scaling factor for all text in the frame. By default, this property contains a value of 1.0. Access functions:(). Constructs an empty QWebView with parent parent. See also load(). Destroys the web view. Convenience slot that loads the previous document in the list of documents built by navigating links. Does nothing if there is no previous document. It is equivalent to view->page()->triggerAction(QWebPage::GoForward); See also back() and pageAction(). Returns a pointer to the view's history of navigated web pages. It is equivalent to view->page()->history(); This signal is emitted whenever the icon of the page is loaded or changes. See also icon().(). This is an overloaded member function, provided for convenience.(). Sets the content of the web view to the specified content data. If the mimeType argument is empty it is currently assumed that the content is HTML but in future versions we may introduce auto-detection. External objects referenced in the content are located relative to baseUrl. See also load(), setHtml(), and QWebFrame::toHtml(). Sets the content of the web view to the specified html. External objects referenced in the HTML document are located relative to baseUrl. When using this method, WebKit assumes that external resources such as JavaScript programs or style sheets are encoded in UTF-8 unless otherwise specified. For example, the encoding of an external script can be specified through the charset attribute of the HTML script tag. Alternatively, the encoding can also be specified by the web server. See also load(), setContent(), and QWebFrame::toHtml(). Makes page the new web page of the web view. The parent QObject of the provided page remains the owner of the object. If the current document is a child of the web view, it will be deleted. See also page().Action(QWebPage::Stop); See also reload(), pageAction(), and loadFinished().().
http://doc.trolltech.com/4.4/qwebview.html
crawl-002
en
refinedweb
Mac OS X bundles Suns Java 2 Standard Edition (J2SE). This version is based on the Solaris Java Development Kit (JDK) version 1.3.1, including the client version of HotSpot 1.3.1. This version may be discussed in public forums like Apples java-dev mailing list (preferred) or the comp.lang.java newsgroups. For more technical information about Java on Mac OS X, see Java Developer Documentation. The Mac OS X 10.1.1 update addresses an Apple-specific issue in HotSpot with implicit or explicit use of java.lang.String.intern() and System.identityHashCode(). You can verify that this update has been applied by looking at the os.version system property (see System Properties). If you install Mac OS X 10.1 over any version of Mac OS X 10.0, you should be aware of two limitations of the installer, and the steps you can take to work around them. Preferred locations for installing Java extensions have changed. See Java extension locations for more details. Doing an update install with the User CD will not preserve any files which you may have installed in $JAVA_HOME/lib/ext (/System/Library/Frameworks/JavaVM.framework/Versions/1.3/Home/lib/ext). Before you install, you should move these extensions to a safe place, and later reinstall them in the Local domain. If you did not save your extensions prior to installing, you will have to reinstall them from your original source disks or downloads. Be careful when reinstalling extensions that you do not inadvertently reinstall older versions of extensions which Apple has provided as part of Java on Mac OS X 10.1. The Developer CD update installer does not update MRJAppBuilder. To assure that MRJAppBuilder is properly installed, you should remove MRJAppBuilder from /Developer/Applications before running the installer on the Developer CD. If you have already run the installer, you can check the version of MRJAppBuilder to determine whether the correct version has been installed. The correct MRJAppBuilder version is 1.1. The older version of MRJAppBuilder was 10.0. If you still have the older version of MRJAppBuilder, remove it and then rerun the Installer on the Developer CD, selecting only the Developer Tools Software package. Mac OS X ships with the client version of the HotSpot virtual machine from the JDK 1.3.1 technology train. Some options available in prior VMs (e.g. JITC settings) are not applicable to the HotSpot VM. In addition, HotSpot VM options are in the "non-standard" group that are of the form -X optionname. For a list of these options, type java -X in a Terminal window. The HotSpot VMs memory performance is excellent and its compilation performance is very good in real-world applications, but the engine has not been tuned for micro-benchmarks such as CaffeineMark. Java threads are mapped directly to native Mach threads and are therefore fully preemptive, even (unlike MRJ on Mac OS 9) with regard to the host application and other applications. Java thread priorities are mapped to native thread priorities such that higher priority threads will get preferentially scheduled. You should not, however, rely on any particular scheduling behavior other than that. Some notable Java system properties include: Java on Mac OS X sets a default locale based on the choice in System Preferences -> International: French maps to fr_FR, English to en_US, Japanese to ja_JP, French Canadian to fr_CA, etc. In order to get a locale and language combination not supported by System Preferences, such as French language in the U.S. (fr_US), the default locale can be overridden by the following settings before the Java VM starts up. The options listed first override the later ones. user.languageand user.region, defined on the javacommand line, or in MRJAppBuilder property settings LC_ALLenvironment variable, set to one of the ISO standard language (optionally plus region) codes. LC_ALLis mapped to locale using a set of default rules derived from the language codes outlined in ISO 639 and the country codes outlined in ISO 3166, such as en -> en_US, fr -> fr_FR, ja -> ja_JP, etc. See for more details on these ISO specifications. LANGenvironment variable Specifying a locale within Java code using Locale.setDefault( newLocale ) can be done after the VM is running, and overrides all other options. Java debugging is now fully operational in Project Builder, and is the recommended way to debug your Java applications. jdb, the command-line Java debugger, works with the HotSpot Java Virtual Machine. To debug your code with jdb, do: $ jdb nameofjavaclass arguments See the jdb man page for more details. Currently, "/usr/bin/java" is a script. Because gdb wont recognize the script as an executable format, you cant simply type "gdb java" to debug your native code. To debug using gdb, you must type the full path to the java executable, like this: $ gdb /System/Library/Frameworks/JavaVM.framework/Versions/1.3.1/Commands/java Once gdb starts, you may establish a different CLASSPATH for loading java code from within gdb: (gdb) set environment CLASSPATH foo : bar (gdb) run nameofjavaclass arguments The ps() and pss() gdb utility functions that were described in previous releases are no longer recommended for displaying stack trace information. To display Java stack traces, use one of these methods: pscommand line tool, then deliver a SIGQUIT to that process. Here is the command sequence: $ ps -auxwww | grep "Applet Launcher" user 557 0.2 6.2 211952 16236 ?? S 0:06.47 /Applications/.../Applet Launcher -psn_0_1703937 user 559 0.0 0.1 5724 188 std UV+ 0:00.00 grep AppletLauncher $ kill -QUIT 557 Note that if you deliver a signal to a process that is running in gdb, gdb will break on the signal. You can just continue on (with the command " c") as you are actually not interested in the signal itself, but in the output the signal handler gives you. You can have monitor status included in the the stack trace information. There are several ways to enable this option (this applies also to all other -XX: based VM options): -XX:+JavaMonitorsInStackTraceon the java command line. .hotspotrcfile in your home directory. This file gets parsed every time a Java VM starts up, so this gives you a way to set options even for double-clickable binaries or when embedding within another application. Include a line containing: +JavaMonitorsInStackTracein your .hotspotrcfile. If you are reporting a bug that results in a crash or a deadlock, please include the Java stack trace information as described above. In the case of a crash, please include the native stack trace as well. To get a native stack trace, reproduce the bug while running in gdb, and run the bt command after the crash. To get all native backtraces, use the gdb command " thread apply all bt". See the gdb man page for more details. The default heap size on Mac OS X is 64MB. Since the Mac OS X Java HotSpot VM uses generational garbage collection, more memory is actually reserved to accommodate the various generations. For applications which allocate large numbers of objects/data, you may want to increase the heap size. This may have an effect on overall performance, either positively or negatively, so if you decide to do this, you should test your application under various different scenarios with different heap sizes. Generally speaking, a larger heap will result in fewer garbage collections, but those will take longer. You can study this effect by invoking the java command line program with the -verbose:gc flag. This will give you a measure of how long each garbage collection is taking. There is a limitation in the Java VM as shipped in 10.0 and 10.1 that the heap maximum cannot be made larger than 590MB. If the heap is larger, the java command line program will crash. This will be fixed in an upcoming release. If you do need a larger heap, you can turn off the shared classes support in our Java VM passing the -XX:-UseSharedGen flag to HotSpot. This will allow a maximum heap size of up to about 986MB. Java on Mac OS X provides hprof as a basic profiling tool. The reliability of data provided by hprof is better than in previous releases, though some features are still not thoroughly tested. The HotSpot Java VM includes the -Xprof option which provides basic flat CPU usage on a per-thread basis, which we have found useful. See Java Development Tools for more information about other tools. In Mac OS X, native methods that are implemented using the Java Native Interface are built into JNI libraries. Only the application that dynamically loads a JNI library has access to it. JNI libraries must be mach-o. CFM libraries are not supported. See TechNote 2003: Moving Your Code to Mac OS X, and the Mac OS X Technology Overview book for more details on mach-o and CFM. JNI libraries are always named lib name .jnilib, where name is the value of the string used in the call to System.loadLibrary(). For example, to load the library named libhello.jnilib, you would make the following call in your Java code: System.loadLibrary("hello"); To build a JNI library, execute the following command: $ cc -bundle -I/System/Library/Frameworks/JavaVM.framework/Headers -o lib name .jnilib -framework JavaVM sourceFiles For example, if the files hello.c and goodbye.c contain the implementations of the native methods to be built into libhello.jnilib, you would build libhello.jnilib with the following command: $ cc -bundle -I/System/Library/Frameworks/JavaVM.framework/Headers -o libhello.jnilib -framework JavaVM hello.c goodbye.c A common problem for JNI developers is that JNI dynamic libraries have interdependencies. For example: libA.jnilib contains a function foo(). libB.jnilib needs to link against libA.jnilib to make use of foo(). This will not work on Mac OS X because JNI libraries are bundles (all symbols are private to a bundle). One solution to this dependency problem is to put the common functions into a separate dynamic library (libC.dylib in this example) and link both libA.jnilib and libB.jnilib to libC.dylib. To build a C application that starts a Java VM session, you must link with the JavaVM framework; e.g. $ cc myapp.c -I/System/Library/Frameworks/JavaVM.framework/Headers -framework JavaVM -o myapp Window titles, controls, menu titles and menu items can use any Unicode characters supported by Mac OS X. (In MRJ on Mac OS 9, characters of different non-Roman writing systems, e.g. Kanji and Arabic, couldnt be mixed in a single title.) Window coordinates and insets are compatible with the JDK. In a nutshell: Window bounds refer to the outside of the windows frame, and the coordinates of the window put (0,0) at the top left of the title bar (not at the top left of the content region as in MRJ on Mac OS 9). The getInsets method returns the amount by which content needs to be inset in the Window to avoid the window border. This should only affect applications that are doing precision positioning of windows (especially full-screen windows), or those that bypass LayoutManagers to do their own hardcoded component positioning. Windows in Mac OS X are double-buffered. Java on Mac OS X attempts to flush the buffer to the screen often enough to have good drawing behavior without compromising performance. If for some reason you need to force window buffers to be flushed immediately, just call Toolkit.sync(). Java processes that are launched from a shell will not show up in the Dock or the floating Application List until/unless they show a window. In the Dock, these processes will then show up as items with a default Java icon. This allows server-type processes to run behind the scenes with no user visible manifestation. In contrast, any app built with MRJAppBuilder will always be user visible, and have the icon you have selected for it. Live window resizing is off by default. To enable live window resize, see the section on GUI customization. Our Graphics/Java2D implementation is based on Apples Quartz graphics engine. Java2D and Quartz have very similar feature sets, inherited largely from PostScript. Java on Mac OS X uses Quartz for all graphics&emdash;as opposed to the JDK, which drops down to GDI or X-Windows for simple 1.1-style drawing&emdash;and while Quartz is very fast at complex rendering, it has not yet been optimized for some basic shapes like diagonal lines. Anti-aliasing is on by default for text and graphics, but can be turned off using the properties described in the section on GUI customization, or by calling setRenderingHint() within your Java application. To enable experimental code that uses hardware acceleration for graphics where possible, see the section on GUI customization. Compatibility issues to note: There is a new Mac OS look-and-feel which uses the Appearance Manager to do its rendering, giving it full support for the Mac OS X Aqua interface. This is the default look-and-feel, and is set as such in the swing.properties file. Most Swing-based applications have preference settings that allow you to switch the look-and-feel. Things to note about the Mac OS look-and-feel: Known bugs: To allow developers more flexibility in dealing with Mac appBundles and packages, weve added properties to the Mac FileChooser: Possible values for these properties are "always", "never". They can be applied globally by setting them with UIManager.put and per-instance with fileChooser.putClientProperty. Theyre set to "always" by default. The Aqua JFileChooser also supports alias traversal, but this only works with the default FileView, so if you replace it (as FileChooserDemo does), aliases will not be traversable, because Unix sees aliases as files. Known problems with event handling: There are many system properties that can be set (via a .properties file in your home directory, via MRJAppBuilder, via Project Builder, or on the java command line) to customize various aspects of the GUI: The properties that apply to windows can be changed at runtime, but the changes apply only to windows that do not yet have peers (those that have not yet been shown or packed). Unsigned applets cant access the above properties. The one current exception is com.apple.macos.useScreenMenuBar. If you need to use other internal properties from an applet, you can grant permission to access them by adding a line like the following to your system-wide policy file, which is located at ${JAVA_HOME}/lib/security/java.policy: java.util.PropertyPermission " internal.property.goes.here ", "read,write"; If there are spaces in the path containing a Java class, RMI may not work correctly. This problem occurs with Java on other platforms, but paths containing spaces are more common on Mac OS. Any AWT FileDialog can now be resized by the user. Non-Roman file and directory names are now properly handled. Calling setDirectory() on a FileDialog before it is shown will now set the initial location. Using setFile() still has no effect because the underlying Navigation Services implementation does not support initial file selection. Application packages are no longer grayed out in a FileDialog. If the System property "com.apple.macos.use-file-dialog-packages" is "true", then they can be selected and returned; otherwise you can navigate inside the application package directory, but not return the directory itself. Note: Since application packages are directories, the java application that sets this property must be able to handle a directory being returned by FileDialog. When using directory picker mode of FileDialog (setMode(3)), the way the selected directory is returned has changed. In Mac OS X 10.0, getDirectory() returned the full path, and getFile() always returned null. In Mac OS X 10.1, getDirectory() returns the full path to the parent of the selected directory, and getFile() returns the selected directory name, or null if the user cancelled the dialog. Therefore, your directory picker code can be the same as for files: check getFile() for null to see if user cancelled; then use newFile(fd.getDirectory(), fd.getFile()). Java on Mac OS X supports sound output. However, audio input is not currently supported. Mac OS X implements JDirect3, which allows access to pre-existing native code libraries from Java. JDirect2 code will require minor modifications to run under JDirect3. JDirect1, which has been deprecated since 1997, is no longer supported. The JDirect sample code supplied in source form in the MRJ 2.2 SDK will not work on OS X. That code is not Carbonized and it does not use JDirect3. Read Compatibility between JDirect 2 and JDirect 3 for more information on how to convert JDirect2 code to use JDirect3 on Mac OS X. It is imperative that you synchronize all Toolbox calls. Java threads are native Mach threads and can preempt Toolbox calls made by the host app or by other Java threads. Carbon is not yet reentrant or thread-safe, and reentrant calls can corrupt memory or crash the app, so its imperative that only one thread be inside Carbon at any time. The correct method for Toolbox synchronization has changed since Public Beta. Java on Mac OS X no longer supports the synchronization method ( Toolbox.LOCK) described in the 10.0 Public Beta Java release notes. The correct way to call the Toolbox (aka Carbon) from Java on Mac OS X is: import com.apple.mrj.macos.carbon.CarbonLock; try { CarbonLock.acquire(); <Carbon call here> } finally { CarbonLock.release(); } This way the CarbonLock handling can easily be reversed for JDirect callbacks. Be sure to use CarbonLock around all Carbon calls. Since threads are preemptive on Mac OS X, one should hold the CarbonLock for the very least amount of time possible. Deadlocks occur more often when the CarbonLock is held too long. Also, dont do anything which may throw exceptions in the finally block that calls CarbonLock.release(). Structure your code so that the CarbonLocking is separate from other finally blocks. To help debug JDirect on Mac OS X, if you define a shell variable named JDIRECT_VERBOSE, JDirect will write verbose loading info to stderr. Note that this only works when launching java code from the command line&emdash;not when double-clicking the bundled application in the Finder. But you can launch any double-clickable application from the command line by specifying the path to the applications executable. For example, to set the shell variable, and then launch an application called Foo.app, you would do the following in csh: % setenv JDIRECT_VERBOSE % /path/Foo.app/Contents/MacOS/Foo The class MethodClosureUPP was created for use on Mac OS 9 and is not supported on Mac OS X (the design of that class assumes the existence of MixedMode). If you are using Toolbox callbacks and want code that will run on Mac OS 9 or Mac OS X, you will need to have a helper class that creates a new MethodClosureUPP when on Mac OS 9 or a new MethodClosure when on Mac OS X. For this release of Mac OS X, any use of JDirect will cause Carbon to be initialized, a Dock entry added, and a menu bar installed. This was necessary because Carbon is not thread safe and must be initialized from the correct thread. A future release of JDirect will provide a way to specify which JDirect native calls do not load Carbon, and thus are safe to run without initializing Carbon. Normally, your JDirect_MacOSX String is a full path to a dylib which is the standard packaging for shared mach-o code on Mac OS X. But you can also specify a full path to a CFBundle. The CFBundle path name must end in " .bundle" and be a properly constructed directory. The CFBundle supports both mach-o code and CFM code. See the Bundle Services Documentation for more details. New functionality in Mac OS X has enabled us to replace JManager (the embedding technology for MRJ on Mac OS 9) with a Carbon-based Java Embedding API. JManager is not supported in Mac OS X. The Java Embedding API is contained in the JavaEmbedding framework (/System/Library/Frameworks/JavaEmbedding.framework). There are three header files: JavaApplet.h, JavaControl.h, and JavaEmbedding.h. The new Java Embedding API is smaller and simpler than JManager. The functionality previously supplied by JManager is available through the JNI Invocation API, the CoreFoundation API, or is unnecessary and has been removed. The functions that remain in the new Java Embedding API are primarily applet embedding and utility functions. Native applications that want to invoke Java should launch a Java VM using the standard JNI Invocation API, and be sure to make the first call into the JavaEmbedding framework on the main thread. Only native applications that want to embed a Java applet into their own windows need to use the new Java Embedding control creation APIs in <JavaVM/JavaControl.h>. These create a "Java Control"&emdash;a standard Control Manager control that contains a Java applet. The control creation APIs take a native Carbon WindowRef that references the window into which the Java Control is to be embedded. Most of the interaction with the control is through the calls in JavaControl.h. The MRJToolkit utility routines from MRJ on Mac OS 9 are present in this release, but there are differences. Several of the MRJToolkit routines do not work: openURL(), setDefaultFileCreator(), and setDefaultFileType(). In a future release, openURL() may be implemented, but the other two will be removed entirely. The MRJ Thing Handler interfaces ( MRJAboutHandler, MRJCoercionHandler, MRJOpenDocumentHandler, MRJPrintDocumentHandler, MRJQuitHandler) will not work until the AWT is initialized. For packaged double-clickable applications, the AWT is initialized before your applications main() is called. If you launch your java application from the command line, you must either register your handlers after your code has initialized the AWT, or force the AWT to be initialized via a simple snippet such as: new Frame().pack(); Every Java application with UI automatically gets an Apple menu and an application menu. The application menu follows the standard Aqua guidelines and contains a Quit menu item. By default, that Quit menu item will call System.exit(). If you have your own Quit (or Exit) item in your own menu, then when running on Mac OS X, you should change your menu to remove the Quit item. You can install an MRJQuitHandler, which will be called when the user chooses the Quit menu item in the application menu. Known problems with MRJQuitHandler: MRJQuitHandlercannot directly field events. For instance, you cannot run a modal dialog which asks the user to confirm the Quit. The workaround is to create a new thread and run the modal dialog on it. If a jar file has a manifest that specifies the main class, it can be launched directly from the Finder by double-clicking it.: In general, third party developers should install extensions in the Local domain. Apple extensions, such as QTJava.zip, are installed in the System domain, and Sun JDK extensions are installed in $JAVA_HOME. Project Builder is a complete development environment that supports editing, compiling, packaging, running, and debugging Java applications, using the Java runtime on Mac OS X. See the Project Builder Documentation for more information. MRJAppBuilder is a utility for packaging already-compiled Java applications to run on Mac OS X. MRJAppBuilder constructs applications in the new Carbon application bundle format. In order to package your application, you must specify (at a minimum) the main class name and the location of the output file. If you are not merging your Java class or jar files into the output, you will need to add them to the classpath. Each of these values can be set from within the Application panel. The main class field is where you must enter the name of the class that contains main(). This field represents the value of the property com.apple.mrj.application.main. Remember to include any package information, such as com.foo.myclass. You can also press the "Choose..." button to choose a jar file that contains the main class. The classpath field allows you to modify the classpath. Usually, this will be automatically set to point to the jar file that youre bundling into your application. In the case where you wish to use a jar file that remains outside the application bundle, you need to add a classpath entry of the form: $APP_PACKAGE is a special path string that represents the application bundle directory. The last required field is the output file field. You must specify the name and location of the output file. You may either enter the path in the text field provided, or you may press the "Set..." button to set the location of the output file using the file chooser dialog. You can add a custom icon to your application. Click on the icon in the Output file section to bring up a file chooser dialog for selecting an icns file. Using the other tabbed panels is optional. The Mac OS X panel allows you to set values specific to the Mac OS X application bundle format. If you do not specify the CFBundleExecutable or CFBundleName, they will be set based on the name of the output file you choose. The Java Properties panel allows you to set Java runtime properties. The main and classpath fields are not editable&emdash;they can only be set in the Application panel. The remaining properties are the standard properties supported by Java on Mac OS along with their default values. To set additional properties not listed in the table, simply add them to the end of the list. In previous versions of MRJAppBuilder, you were required to create a configuration file defining the Java runtime properties. This panel is a replacement for the configuration file. The Merge Files panel provides a means for adding files to the application, such as zips or jars. Choose the "Add..." button to add files to the list. Each item added to the merge list will be copied into the applications Contents/Resources/Java/ directory. Each item you add to the merge list gets automatically added to the classpath. Console output from packaged Java applications built by MRJAppBuilder, or from applets running inside Applet Launcher, appears in the system console, which can be viewed by launching /Applications/Utilities/Console. If you want application output to appear in a Terminal window, youll have to launch the application from that Terminal. You can either use a " java" command directly with your jar or class files, as described in Launching java from the command line below, or launch the packaged application from the Terminal by specifying the path to the executable. Assuming the current directory is the parent directory of the application, you launch a packaged application like this: MyJavaApp.app/Contents/MacOS/MyJavaApp There are magic strings for IO redirection: $CONSOLE causes output to be displayed in a Java console window. $SYSTEM leaves stderr and stdout as is (directed to Console for double-clickable applications, or directed to the parent shell for applications launched from the command line). When you build your application with MRJAppBuilder or Project Builder, the current Java working directory defaults to the parent directory of the application bundle directory. For example, if youve built an application named myApp.app inside the folder /Volumes/HD/myJavaApplications/, then the current directory would be /Volumes/HD/myJavaApplications/. Note that this is a change in behavior from pre-release versions of Mac OS X 10.0. You can override the current Java working directory by setting the property com.apple.mrj.application.workingdirectory. This property must be an absolute path, or must start with $APP_PACKAGE, which is a special path string that represents the application bundle directory. Therefore, in this example, these are equivalent current working directory specifications: com.apple.mrj.application.workingdirectory = $APP_PACKAGE/Contents/Resources/Java com.apple.mrj.application.workingdirectory = /Volumes/HD/myJavaApplications/myApp.app/Contents/Resources/Java Lets assume you have a simple Java program, such as HelloWorld. Use javac and jar in the Terminal (in /Applications/Utilities/) to compile the source and create a jar file named HelloWorld.jar. Launch MRJAppBuilder from /Developer/Applications/. The active panel will be the Application panel. Step 1: Set the Main classname Click on the "Choose..." button and navigate to and select the HelloWorld.jarfile. Click on "Select". In the "Choose Main Class" dialog, you should see only the name HelloWorld, since there is only one class containing a main()method. Click "OK". The main classname field should be automatically filled out and the classpath updated with the item Contents/Resources/Java/HelloWorld.jar. Step 2: Set the Output file Click on the "Set..." button and navigate to the desired output directory. In the "Select" dialog, type the name of the output file in the "Name" field. If you dont enter one, the default will be the name of the folder you last clicked on. Click on "Select". The Output file field should be filled out with the full path to the output file. If you dont append a " .app" extension to the name of your application, MRJAppBuilder will add the extension when it builds the application. Step 3: Build the application Click on "Build Application". Thats it! Your application can now be launched from the Finder. The HelloWorld.jarfile was copied into the application, so you can move the application to any location and it will run. Notes on the example: - All of the text fields in the Application panel are editable, so instead of using the dialogs, you could type the values for each field directly. - For more complex applications that have more than one jar file, use the Merge Files panel to add those files to your application. - We recommend that you add jar files to your application as opposed to individual class files. Known problems with MRJAppBuilder: A java application can be packaged as a double-clickable Mac OS X application via two methods: There are two ways to specify Java configuration information in a packaged Java application. Javakey MRJApp.propertiesfile in the applications Resourcesdirectory Either way will launch properly on Mac OS X 10.0 and 10.1, but the MRJApp.properties way is deprecated. In the 10.1 Developer release, the ProjectBuilder templates have been updated to use the Info.plist while MRJAppBuilder still generates MRJApp.properties based files. A future release of MRJAppBuilder will create Info.plist based applications. The Info.plist system will allow your application to run on both Mac OS X 10.0 and 10.1 as long as you build your application with the tools on Mac OS X 10.1. The stub of executable code inserted in a packaged application by MRJAppBuilder and by ProjectBuilder on Mac OS X 10.1 will first check for a key named "Java" in the Info.plist and if it exists, launch using the Info.plist mechanism. Otherwise, it uses the MRJApp.properties file. The executable stub inserted in a packaged application by MRJAppBuilder and by ProjectBuilder on Mac OS X 10.0 will only use MRJApp.properties. An application Info.plist is an XML document containing static application information such as icons and version (see Mac OS X Technology Overview for more details). All Java configuration information is stored in a sub-dictionary of the main Info.plist dictionary. The sub-dictionary has the key Java. For example: <?xml version="1.0" encoding="UTF-8"?> <plist version="0.9"> <dict> <key>CFBundleExecutable</key> <string>JavaApplicationStub</string> ... <key>Java</key> <dict> <key>ClassPath</key> <string>$JAVAROOT/SurfWriter.jar</string> <key>MainClass</key> <string>com.apple.SurfWriter</string> </dict> </dict> </plist> The following is a table of valid key/values that can be used in the Java dictionary: The MRJApp.properties file is stored inside a .app package in the Contents/Resources/ directory. Its format is that of a standard java .properties file. Any property name that begins with com.apple.mrj.application is used to configure Java. All other properties are passed onto the VM as initial properties (i.e. -D prop=value). The following is a table of properties which affect the launch: Known bugs: In order to run correctly on Mac OS X in non-English locales, packaged Java applications need to have the appropriate .lproj folders inside the application package. This is true even if the Java application handles its localization through Java ResourceBundles. Specifically, you need to have a localename.lproj folder present in the applications Resources folder for any locale that you wish to use. For example, you need a Japanese.lproj folder inside Appname.pkg/Contents/Resources/ in order for Japanese localization to work correctly. These .lproj folders can be empty, but a folder corresponding to the current locale must be present in order for Mac OS X to set the locale correctly when the application launches. If you do not have a .lproj folder that corresponds to the current system locale, your application will be launched with the English US locale. See the Bundle Services Documentation for more details about .lproj folders and the application bundle format. If you are running an application from the command line that has a user interface, we now use the name of your applications main class as the application name that appears in the Dock. Alternatively, you can specify the name and/or icon that will used by using the following command-line option: -Xdock:name=<application name>[:icon=<path to icon file>] The icon file must be an icns file, identical to what you would use for any other Mac OS X application. If either the application name or path to the icon file has spaces in it you can wrap each option in double quotes and specify multiple -X:dock options. Only the first of each kind ('name' and/or 'icon') will be recognized. This release of Java for Mac OS X contains Java Web Start. It is a product-quality reference implementation (RI) of the Java Network Launching Protocol & API (JNLP) Specification, v1.0.1. To find out more about Java Web Start, see Java Web Start on Mac OS X, or try the sample applications available when you launch the application. Apples implementation of Java Web Start differs from the Windows and Solaris versions in the following ways: Java Web Start caches its data in your login directory in the hidden directory .javaws. Removing this directory or clearing the cache can free up hard disk space. The version of JBuilder for Mac OS X that was distributed at WWDC 2001 has a bug in its Web Start Launcher wizard that causes an incorrect .jnlp file to be generated. It inserts a tag for the version like this: <j2se version="1.3.1+"> A version tag in this format is a 'platform version' tag, not a 'product version' tag. As a result, Web Start apps generated by JBuilder wont run unmodified because they are requesting the non-existent 1.3.1 Java platform. Instead this version tag should be "1.3+" to get the Java2 platform v1.3. You will need to modify the generated .jnlp file to work on Mac OS X. Apache does not ship configured to serve Web Start files. To fix this, add this entry to Apaches mime.types file: application/x-java-jnlp-file jnlp and restart the web server. If your download location is located on an NFS-mounted server, Internet Explorer will not automatically open JNLP files after they are downloaded (this applies to all downloads, not just JNLP files). To work around this problem, change your download location to some place other than the NFS-mounted server. Applet Launcher allows you to run Java applets without the overhead of launching a web browser. Applet Launcher provides a graphical user interface to the sun.applet.AppletViewer class, with more features than the appletviewer command-line tool from Sun, which is based on the same class. You can enter the path to an applet using its fully-qualified URL, and then press the Launch button. For example, entering the following URL will launch the Sun Tumbling Duke example applet: Applet Launcher has an Applets menu that displays all applets listed in the /Developer/Examples/Java/Applets directory. These applets are provided by Sun Microsystems as examples. JDK-style command-line launching from the Terminal app is fully supported (as are all your favorite JDK tools like javac and rmic). You can still use "java" to launch apps and "appletviewer" to launch applets. (Invoking these with no arguments will print a brief help message.) The Terminal window serves as the Java console. You can kill a Java process by activating the Terminal window that launched it and pressing Ctrl-C.
http://developer.apple.com/releasenotes/Java/Java131MOSX10.1RN/
crawl-002
en
refinedweb
Welcome to the Enterprise Java Technologies Tech Tips for August 24, 2004. Here you'll get tips on using enterprise Java technologies and APIs, such as those in Java 2 Platform, Enterprise Edition (J2EE). This issue covers: Using JAX-RPC to Expose a Java Object as a Web Service Component Systems and Class Loader Boundaries These tips were developed using the Java 2, Enterprise Edition, v 1.4 SDK. You can download the SDK at. This issue of the Tech Tips is written by N. Alex Rupp, a professional Open Source developer and software architect for Open Technology Systems. See the Subscribe/Unsubscribe note at the end of this newsletter to subscribe to Tech Tips that focus on technologies and products in other Java platforms. You can download the sample archive for these tips.. JAX-RPC is the Java API for XML-based Remote Procedural Calls. You might recognize the acronym RPC right away -- it's been around for years. A Remote Procedural Call (RPC) occurs when a component on one system passes a message to a component on a remote system, over the network. This long-distance communication technique lies very near the heart of the Enterprise JavaBeans (EJB), Java Management eXtensions (JMX), and Java Remote Method Invocation (RMI) APIs. Unlike EJB, JMX and RMI, JAX-RPC allows you to make remote procedural calls to components on a non-Java operating platform, such as .NET. This is because the data transport mechanism is XML. The movement to bridge the Java and .NET operating platforms with a neutral, XML-based medium is called WS-I, or WebServices Interoperability. WS-I is being orchestrated by the World Wide Web Consortium (W3C), and brings a host of other W3C technologies together -- such as XML, HTTP, SOAP, MIME and the Web Services Definition Language (WSDL) -- to build XML-RPC. Because it's maintained by the W3C, the XML-RPC standard is sufficiently platform-neutral to allow systems designed both on Java and .NET to seamlessly interoperate. JAX-RPC is the Java standard implementation of SOAP 1.1 and WSDL 1.1. To understand JAX-RPC, you must also understand WSDL. Don't let that dissuade you -- WSDL is just a specialized XML dialect that describes the structure and behavior of a web service. WSDL files play the same role in web services that deployment descriptors play in Enterprise JavaBean components. They describe, in XML semantics, the interfaces and implementation objects that are used to generate component stubs inside the container. WSDL files also define the ports to the outside world and transport protocols through which web services communicate. Because the data in transport is encapsulated in XML, clients on different platforms have a standard way to communicate with remote services. All of the platform-specific data conversions between XML and language primitives or complex data types are handled automatically by the JAX-RPC container. Also, JAX-RPC can make SOAP calls using HTTP as the transport protocol, allowing the communications to take place over port 80. This means that a JAX-RPC web service can run like any other application component in a web services-enabled servlet container (such as Tomcat). Anatomy of a Web Service The first step in understanding how web services are built is to understand WSDL terminology. This language provides a high-level "anatomical reference" to web service concepts. Let's go over each of the terms, in order of increasing abstraction: wsdl:types So a web service in terms of the WSDL is really a collection of protocol bindings between publicly accessible ports and port type operations. One example of this (in familiar J2EE terms) is a collection of SOAP bindings between URLs in a servlet container and a Service Endpoint Interface implementation object. Or, even more simply, a web service is a mapping between a Java interface object and a URL, which lets you perform method (or procedure) calls, remotely. Writing A Service Descriptor If you haven't already done so, install the J2SE 1.4.2 SDK, Tomcat 5.0 for Java WSDP 1.4, and Java WSDP 1.4. You can find installation instructions on the corresponding web pages for these technologies. However, it's important to note the order in which you install the technologies. If you install Java and Tomcat for JWSDP first, it will simplify the JWSDP installation. During Java WSDP 1.4 installation. A screen will prompt you to select the web container option on you would like to integrate this product. If you've already installed the Tomcat for JWSDP 1.4 download, you can browse for it and add it to the web containers menu. Then, the JWSDP will integrate itself into your Tomcat installation directory. The Tomcat web services installation includes samples for all of the newly-released Java web service APIs. However the documentation is fairly sparse. So this tip uses a modified version of the JAX-RPC example taken from the samples. The modified example is a simple web service that reports the current time on the server. It's nothing special, but it should get the point across. It will give you something to compare with when you begin writing your own web services. Download the example application for this tip and unzip it into <JWSDP_HOME>/jaxrpc/samples, beside the HelloWorld directory. After you unzip the files, navigate to the /etc directory. Inside the /etc directory you'll find the TimeService.wsdl file. <JWSDP_HOME>/jaxrpc/samples HelloWorld /etc TimeService.wsdl When you open this WSDL file, you should immediately recognize the terminology. You'll find a top-level wsdl:definitions element, and several wsdl:message elements. Let's take a look: wsdl:definitions wsdl:message <?xml version="1.0" encoding="UTF-8"?> <!-- TimeService.wsdl --> <definitions name="TimeService" targetNamespace="" xmlns:tns="" xmlns="" xmlns:ns2="" xmlns:xsd="" xmlns: <message name="TimeSEI_sayTimeBack"> <part name="String_1" type="xsd:string"/> <message name="TimeSEI_sayTimeBackResponse"> <part name="result" type="xsd:string"/> ... There are several important thing to note here. First, the namespace is completely fictional. When you create a web service, you'll want to replace it with a real namespace. Second, the file defines two messages which will each eventually be mapped to the same operation. Each message name begins with the TimeSEI_ prefix. TimeSEI means time service endpoint interface, and refers to a nonexistent Java Service Endpoint Interface object. Third, having both sayTimeBack and sayTimeBackResponse might seem a little redundant and confusing, but the reasons for having these will become apparent when you consider them in the context of the following port type and operation definitions: namespace TimeSEI_ TimeSEI sayTimeBack sayTimeBackResponse <portType name="TimeSEI"> <operation name="sayTimeBack" parameterOrder="String_1"> <input message="tns:TimeSEI_sayTimeBack"/> <output message="tns:TimeSEI_sayTimeBackResponse"/> </operation> </portType> The thing to remember when you're working with operation definitions is that each operation, by necessity, consists of not one but two messages. That's because WSDL and JAX-RPC are built to operate using the SOAP protocol. SOAP messages are unidirectional, however RPC is necessarily a bidirectional behavior. Operations (and the Java methods they map to) define input parameters and return values. To map well to SOAP, bidirectional communications require two separate messages. Notice that the name of the portType is TimeSEI. Again, this is a mapping to a nonexistent Service Endpoint Interface. According to the above definition, the TimeSEI interface object exposes a single public method whose signature is: portType public String sayTimeBack(String) throws RemoteException; You can assemble all of this information by reading the message and port type definitions. Now let's move on to the SOAP protocol bindings: <binding name="TimeSEIBinding" type="tns:TimeSEI"> <operation name="sayTimeBack"> <input> <soap:body </input> <output> <soap:body </output> <soap:operation </operation> <soap:binding </binding> This binding defines the encoding style for the input and output message bodies in the sayTimeBack operation. The operation is encoded using SOAP, and assigned to a special namespace to avoid conflicts with other operation messages. Finally, the binding declares the transport mechanism for the SOAP calls to be HTTP, and an RPC binding style. All that remains is the service definition itself: <service name="TimeService"> <port name="TimeSEIPort" binding="tns:TimeSEIBinding"> <soap:address </port> </service> </definitions> The service definition names the service TimeService, and maps a named port to the binding. This ends the simple web service definition. TimeService Implementing the Service Now it's time to write the service implementation. At this point you can use two different approaches. You can write the SEI stubs by yourself and manually package them with the implementation class in a web archive, or you can use the supplied ANT build in Java WSDP 1.4. The ANT build takes advantage of the JWSDP 1.4 environment to generate SEI stubs automatically. The second approach is much the faster of the two approaches, and it will spare you from dealing with the complexity of the underlying JAX-RPC framework. There are a few files you must write to complete this step. Start with the SEI implementation class. The one used in this example is TimeOnServer/src/server/time/TimeImpl. Here are its contents: TimeOnServer/src/server/time/TimeImpl package time; import java.util.Date; public class TimeImpl implements time.TimeSEI, java.rmi.Remote { public String sayTimeBack(java.lang.String str) { Date date = new Date(System.currentTimeMillis()); String result = " Hello, " + str + ". The time on the server is " + date.toString(); return result; } } This simple class implements the time.TimeSEI and java.rmi.Remote interfaces. Recall that TimeSEI was declared in the port type definition. However the interface is still not written. This interface gets generated by the JWSDP ANT build and resides in the same package as the implementation class, so there is no need to import it. time.TimeSEI java.rmi.Remote However, you need to write a special descriptor file for the JAX-RPC reference implementation. This is needed by the container so that it can know how to map the TimeSEI reference from the port type definition to the TimeImpl class. The deployment descriptor for the reference implementation is in the same directory, TimeOnServer/etc, as the WSDL file, and is named jaxrpc-ri.xml. Here's a look at what's in jaxrpc-ri.xml: TimeImpl TimeOnServer/etc jaxrpc-ri.xml <!-- jaxrpc-ri.xml --> <webServices xmlns="" version="1.0" targetNamespaceBase="" typeNamespaceBase="" urlPatternBase="/ws"> <endpoint name="Time" displayName="Time Service" description="A simple web service" wsdl="/WEB-INF/TimeService.wsdl" interface="time.TimeSEI" implementation="time.TimeImpl" model="/WEB-INF/model-wsdl-rpcenc.xml.gz"/> <endpointMapping endpointName="Time" urlPattern="/time"/> </webServices> The endpoint element describes the attributes of the service, including the paths to its SEI and its implementation class. It also defines some basic metadata about the endpoint (for management tools). Finally, the endpointMapping binds a URL pattern with a service endpoint. endpoint endpointMapping For a real web service, you'll want to configure this file, and then check the web.xml file to make sure it accurately describes your project. Then you're ready to build and deploy the service. Ensure that your PATH setting includes the path to ANT (<JWSDP_HOME>/apache-ant/bin). Then, navigate to the /TimeOnServer directory in your command line interface and enter the following command: web.xml PATH <JWSDP_HOME>/apache-ant/bin /TimeOnServer ant ANT will generate the TimeSEI interface, its implementation stub class, and a multisorted array of SOAP requests and response structs to handle the interactions of your new web service. ANT will finish by assembling all of the relevant files into a WAR file (jaxrpc-TimeOnServer.war). You can copy this archive into your tomcat_jwsdp/webapps directory. Then start Tomcat by double clicking on the startup.bat file or running the startup.sh script in the /tomcat_jwsdp/bin directory. jaxrpc-TimeOnServer.war tomcat_jwsdp/webapps startup.bat startup.sh /tomcat_jwsdp/bin At this point, you should have a fully operational web service. But to test it, you need to run a client against it. Implementing a Simple Client The example application includes a simple client. To run it, type the following command (again in the /TimeOnServer directory) in your command line interface: ant run-client The command generates your client classes, compiles them, and runs the client. If everything is successful, the last several lines of output from running the client should look something like this: run-client: [java] Howdy, stranger. The time on the server is Sun Aug 01 01:01:46 CDT 2004 BUILD SUCCESSFUL Total time: 20 seconds If you want to examine how JAX-RPC services work in more depth, you can start by reading through the source code in the example,and then the generated class files (such as the Service Endpoint Interface and SOAP request/response objects in the generated WAR). If you customize the build environment for your own project, make sure to update the project name in the build.xml file. Also, see the technical article Understanding your JAX-RPC SI Environment, Part 2. The article covers a number of development, deployment, and invocation scenarios. build.xml file Everywhere you look, software developers are moving beyond standalone application development strategies and toward the development of interoperating application systems. One of the challenges enterprise developers currently face is the shift from standalone application deployment structures, such as the Web and Enterprise Archives (WAR and EAR files, respectively), toward loosely-coupled application component systems. Developers want to leverage the underlying features of the J2EE platform, and also use component-based application strategies to increase code reuse and decrease application complexity. The ability to develop pluggable component archives (such as JARs, WARs and EARs) plays a crucial role in these strategies. However, there are many pitfalls that surround the development and deployment of component-based application systems in J2EE. One of the significant pitfalls is the difficulty of getting component systems to function across class loader boundaries in the Java virtual machine*. You can think of class loaders as environment blocks. Classes in a Java virtual machine are constrained to the scope of their class loader environment. The thing to be aware of is that a class loader can spawn children class loaders, and so create subenvironments. The classes in these child class loader environments can "see" up the hierarchy toward the system class loader, but cannot usually see classes that are lower in the hierarchy. This sort of multilevel, hierarchical environment structure is very common in J2EE server environments, and is even enforced in the various specifications surrounding J2EE technologies. Servlets, for example, are each packaged into WAR files, and by default, are each given their own class loader context in the overall system. What this means is that a JAR file contained in a WEB-INF/lib directory cannot access classes that are stored in a JAR file in a different web archive. This arrangement is acceptable if you want to use the WAR to package a standalone application. But if you move past the all-in-one strategy toward a more component-based application architecture, this quickly become a problem. WEB-INF/lib Not being able to pass components across class loader boundaries can be a very difficult thing to diagnose. The symptoms of the problem are often not obvious. For example, consider the following scenario. You have an object named Foo that you would like to pass between servlets in web application archives (that is, from a servlet inside one web archive to a servlet in another web archive). The class file for the Foo component is packaged in a JAR file, and identical copies of the JAR file reside in the /WEB-INF/lib directories of each of the web archives. Here's some code that illustrates what you'd like to do: Foo /WEB-INF/lib /* This code runs in a servlet in WAR #1 */ SystemScopeObjectCache cache = SystemScopeObjectCacheFactory.getInstance(); WARScopeFoo foo = new WARScopeFoo (); System.out.println(foo); cache.addToCache("myFooObject", foo); /* This code runs in a servlet in WAR #2 */ SystemScopeObjectCache cache = SystemScopeObjectCacheFactory.getInstance(); Object o = cache.getFromCache("myFooObject"); try { // the following throws a ClassCastException! WARScopeFoo foo = (WARScopeFoo)o; } catch(ClassCastException e) { e.printStackTrace(); } You can easily create a component cache for the WARScopeFoo object that is accessible to servlets in each of the web archives. However, if servlet A passes an instance of the object into the central cache, and servlet B (from a different WAR) pulls the instance out of the cache and tries to cast it from Object to WARScopeFoo, the system will throw a ClassCastException. WARScopeFoo Object ClassCastException The situation makes no sense unless you take class loaders into consideration. The WARScopeFoo class referenced by servlet A is from a different, non-related class loader than the WARScopeFoo class from servlet B. In a literal sense, the two are completely and intentionally unrelated. This is a safety mechanism to enforce namespace integrity between web applications running in the same servlet container. Another sign that you have class loader conflicts is if you find multiple instances of what should be a singleton class in your system. (A singleton class is one where no more than a single instance of the class should be created.) Technically, a singleton instance is only unique within its own class loader. So relying on a singleton can be risky in class loader hierarchies. Consider the following example: /* MyServlet in WAR #1 */ WARScopeSingleton cache = WARScopeSingleton.getInstance(); WARScopeFoo foo = new WARScopeFoo (); cache.add("myFooObject", foo); System.out.println(cache.length()); //output is 1 /* MyOtherServlet in WAR #2 */ WARScopeSingleton cache = WARScopeSingleton.getInstance(); System.out.println(cache.length()); //output is 0! The example code stores an object in a singleton class. However the scope of the singleton is constrained to the WAR class loader. Fortunately for enterprise Java developers, there are some ways to get around these obstacles. The first step is to know what class loader boundaries are guaranteed to exist, and to plan a strategy around them. Three guaranteed class loader levels are built into every J2EE environment. The System level context is common across the VM, and incorporates the classes from the J2SE and J2EE platforms. It is the layer in which the application server itself runs. The next level down is the Enterprise Archive context, which contains every JAR and WAR in an enterprise application. Classes loaded into the top-level EAR context can access each other. The final level is the Web Archive context, which includes all of the class files from a WAR file's /WEB-INF/classes directory, and all the JAR files from its /WEB-INF/lib directory. Although all of the classes loaded inside of a WAR are able to access one another, and also access the classes in the EAR and System class loaders, they are not available to classes loaded inside of other WARs. /WEB-INF/classes So, if you want to share a custom business object between web archives, it's important to place the object's JAR in the EAR class loader context, and not in the /WEB-INF/lib directory of the WAR file. For example: /* MyServlet in WAR #1 */ EARScopeCache cache =EARScopeCache.getInstance(); EARScopeFoo foo = new EARScopeFoo(); cache.add("MyFooObject", foo); /* MyServlet in WAR #2 */ EARScopeCache cache = EARScopeCache.getInstance(); Object o = cache.get("myFooObject"); EARScopeFoo foo = (EARScopeFoo)o; //SUCCESS! The reason this works is that each servlet is looking up the class loader hierarchy and finding the same EARScopeCache and EARScopeFoo objects instead of loading the classes in the WAR class loader contexts. EARScopeCache EARScopeFoo However, assembling an EAR is not an option in some containers, such as Tomcat (the reference implementation of the servlet specification). Tomcat does not have the capacity to intelligently load classes from EAR files in the way described above, and so can't make the classes available across multiple web archives. However, Tomcat does have a common class loader environment, which loads all of the JAR files in its /common directory into a class loader space directly above (and so accessible to) all of the web archive contexts. /common Another technique you might consider is using Java serialization to shuttle data between the different component subsystems. This strategy can prove both fast and effective, if there is a shared location where components from the two applications can store byte array data, and you bear the potential for versioning conflicts in mind. Got a question about Java technologies or tools? Then join this upcoming webinar:
http://java.sun.com/developer/EJTechTips/2004/tt0824.html
crawl-002
en
refinedweb
Articles Index One of the nice things about programming in Java is that the language and its class library are designed to provide practical solutions to real object-oriented programming problems. In the object programming community, many of these solutions have been well documented as design patterns; each pattern is a generic solution to a common problem. One such pattern is known as the Observer pattern, which is a solution to the updating problem that arises when some objects have a dependency relationship with others. Java provides a ready-made implementation for this pattern through the Observable class and the Observer interface. Observable Observer However, one occasionally runs into design issues that require careful thinking in order to create a solution appropriate to the task at hand. This article discusses the use of the Observable class, and the Observer interface, and shows how to solve some potential problems along the way. Introducing Observer Patterns A common scenario for using the Observer pattern involves a subject that has multiple views. Each view object needs to be updated whenever the subject changes. One example is a drawing program, where the subject is the internal representation of the drawing and views are different windows opened on the drawing. Any time you make a change in the drawing, each of the windows needs to be updated. The Observer pattern provides a way for each of the views to be notified whenever the subject has changed, without requiring that the subject know anything about the views, other than that they are observers. If the subject has to know more about the views, the program can quickly become difficult to manage--the code in the subject that handles updates becomes dependent on each of the views it must support. The Observer pattern solves this update problem as follows: The Subject (the object being observed) maintains a list of its observers. Whenever the subject makes a change to itself, it notifies all observers that a change has been made. It might also provide some generic change information with that notification. Each view gets the same notification. Usually this notification takes the form of a method call on the observer, with update information stored as a parameter to that call. The only thing that the subject knows about an observer is that it understands that method call. An Observer Pattern Implementation in Java The Java utilities package provides a ready-made implementation of the Observer pattern with the Observable class, which implements the updating behavior of the Subject and the Observer interface, which contains the update method to be called by the Observable, and can be easily implemented by any candidate observer objects. Here are the interfaces for Observable and Observer, with their methods grouped according to their function:); } A Simplest Possible Example Here is a very small example showing how the Observer pattern can be implemented using Observable and Observer. First create a Subject class with a simple data value that inherits from Observable. Subject public class Subject extends Observable { private String value; public void setValue(String s) { value = s; setChanged(); // set changed flag notifyObservers(value); // do notification } } When the Subject is changed through the setValue method two calls need to be made to ensure notification of all observers, one to set the changed flag, the other to notify observers. If the changed flag is not set, the notifyObservers call will do nothing. When notifyObservers is called, all observer objects will have their update method called. The Subject has no detailed information on the observers at all; it only has to make these two calls when it changes. setValue notifyObservers update Next a View class is created that accepts notifications whenever its Subject is updated. For this example, the View class just prints out a message. View class View implements Observer { public void update(Observable o, Object str) { System.out.println("update: " + str.toString()); } } Finally, you need to create a Subject and View, and link them together. This main method can be inserted as a method in the Subject class in order to run it as a standalone application. public static void main(String[] args) { Subject s = new Subject(); View v = new View(); s.addObserver(v); // calling setValue on the subject // will trigger an update call to the view s.setValue("test value"); } A More Realistic Example The above example shows an Observer pattern implementation using Observable and Observer that is small enough to get an idea of how the pattern works, but is too small for one to run into any real-world problems, or get a good understanding of how powerful the Observer pattern is. The next example shows an implementation that requires some problem solving to reach a solution. It involves a counter with two views, a textual view, and a scrollbar view. The counter is a GUI widget comprising a label, a button, and an integer value. Whenever the button is pushed, the integer value is incremented and the label is updated. Both views will also be updated. Here is an early design of the Counter, one that does not expect to be viewed by other objects: class Counter extends Panel { Label countLabel; Button incButton; private int _count = 0; /** create a new counter with a Label and an increment Button */ public Counter() { setLayout(new BorderLayout()); add("Center",countLabel = new Label("Count: 0")); add("South",incButton = new Button("Increment")); } /** return counter value */ public int value() { return _count; } /** handle button push */ public boolean action(Event evt, Object arg) { ... } } To make the Counter observable, this example has two observers, a textual view, and a scroll view. The obvious way to achieve that behavior is to have Counter inherit from Observable. However, the counter shown already inherits from the AWT class Panel, which investigation reveals that it must do. Otherwise, due to type restrictions, it would not be able to properly fit into a component hierarchy. Defining the Counter so that it satisfies a component interface is not an option, as AWT does not define an interface (only classes) for GUI components, and Java does not allow an interface to extend a class. So a way must be found to add Observable behavior to the counter without using inheritance. Counter A reasonable question to ask at this point is: "Why not make the Counter object a non-GUI object (so it can inherit from Observable), and have the label and pushbutton part of the original Counter as one of the views?" Well, even though this Counter object could easily be reconfigured in that way, there are many cases where inheritance cannot be shifted around. One likely case is that the subject is already provided and can be subclassed, but cannot have its inheritance modified. Or the subject may be part of a complex data structure (such as an abstract syntax tree) where, as with AWT components, inheritance is used to define a hierarchy for organizing objects. This example shows a way to use the Observable object without having to inherit from it by delegating the behavior that Counter needs to a contained Observable object. Access to the Observable object is provided through an accessor method so that other objects can add observers. Here are the code additions to the Counter class: class Counter extends Panel { ... Observable _observable; // new data member public Counter() { ... // initialize observable in constructor _observable = new MyObservable(); } // new method to get access to observable public Observable observable() { return _observable; } However, in the process of implementing the delegation approach, another problem pops up. Two important methods of Observable are protected: setChanged and clearChanged; the intention being that only the observed subject should have direct control over this flag. But with the delegation approach shown above, the Counter will not be able to access the changed flags. To solve this problem, a new subclass of Observable is created to open up its interface and make those two methods visible publicly. setChanged clearChanged class MyObservable extends Observable { public void clearChanged() { super.clearChanged(); } public void setChanged() { super.setChanged(); } } Now the Counter class can contain an Observable object (an instance of MyObservable) and access these methods. The change flag provided by the Observable object is still protected from users other than the Counter, as the Counter's observable method returns an object of class Observable, in which those methods are protected. MyObservable observable The New JDK 1.1 Event Model By the way, the observer/observable change notification structure is important for reasons beyond the scope of this article. The new event model for the upcoming JDK 1.1 is based on the same relationship between objects that change state and objects that are notified about state change. This new event model is referred to as the delegation-based event model (or delegation event model, for short). The delegation model relies on event source objects and event listener objects. Objects that want to be informed about state changes in AWT components register themselves with event source objects by supplying an event handler or listener object to the source. This registration occurs by calling a listener registration method in the source with the listener object supplied as an argument. The source maintains a collection of all registered listener objects. When a state change occurs in the source, each listener object is notified by the source object calling a method with a predetermined name and signature in the listener object. In the new AWT event model, event sources are like the observable objects presented here; listener objects play a role similar to observer objects. For more information on the new AWT delegation-based event model, read the section titled "Java AWT: Delegation Event Model" in " JDK1.1 AWT Enhancements." Back to the Regularly Scheduled Solution Here is the code for a textual view of the counter. It implements the Observable interface by providing the necessary update method. For this example, the second argument to the update method is expected to be the counter itself. Whenever update is called, the value of the counter is retrieved and the text field updated. It is up to the programmer to determine how the second argument is used to pass change information, but it should be the same for all views, and clearly documented in all views as well as the subject. class TextView extends TextField implements Observer { public TextView(Counter c) { super(10); setEditable(false); setText(String.valueOf(c.value())); } /** update method called by observed Counter, the second argument is the Counter object */ public void update(Observable o, Object counter) { setText(String.valueOf(((Counter)counter).value())); } } The ScrollView object is very similar to the TextView, it just replaces the TextField object with a Scrollbar object. class ScrollView extends Scrollbar implements Observer { /** create a horizontal scrollbar with a range from 0 to 10 */ public ScrollView(Counter c) { super(Scrollbar.HORIZONTAL,0,1,0,10); setValue(c.value()); } /** update method called by observed Counter, the second argument is the Counter object */ public void update(Observable o, Object counter) { setValue(((Counter)counter).value()); } } Now to wrap things up with a complete listing of the Counter class, as well as an Applet class, to demonstrate how to link the observers to the counter they observe. There is a link at the end of the article to the complete source file. Note also how the Counter method for event handling notifies the Counter's observers as soon as its value is changed. /** This is a counter class that delegates observable behavior to a contained MyObservable object. A method is provided to access this object. The counter object has a private integer variable to hold the counter value, a label to display it, and a button to increment the value. Note that since this Counter is a GUI widget, it inherits its behavior from the AWT class Panel. Since you also want it to be observable, that behavior must be provided through delegation. */ class Counter extends Panel { Label countLabel; Button incButton; private int _count = 0; MyObservable _observable; public Counter() { setLayout(new BorderLayout()); add("Center",countLabel = new Label("Count: 0"); add("South",incButton = new Button("Increment")); _observable = new MyObservable(); } public int value() { return _count; } /** make observable object accessible */ public Observable observable() { return _observable; } /** handle clicks on the button, notify observers of change */ public boolean action(Event evt, Object arg) { if(evt.target == incButton) { _count++; countLabel.setText(String.valueOf(_count)); _observable.setChanged(); _observable.notifyObservers(this); return true; } return false; } } /** A simple applet to show the Counter and its two Observers, a TextView and a ScrollView */ public class ObserverTest extends Applet { Counter c; TextView tv; ScrollView sv; public ObserverTest() { setLayout(new BorderLayout()); add("North",c = new Counter()); add("Center",tv = new TextView(c)); add("South",sv = new ScrollView(c)); /* link the TextView observer to the Counter observable */ c.observable().addObserver(tv); // do same for the ScrollView object c.observable().addObserver(sv); } } Looking to Scalability in the Real World Using the Observer pattern helps to keep subjects in touch with their viewers, but what happens when a subject becomes complex, and the views have very different interests with regard to the subject? Consider an airline ticket reservation system, where the subject is a ticket object. One of many views might be a billing view transmitted to a credit card company, and another might be a seating view used to determine the all-important window or aisle allocation. If there is a change in seating, the ticket object changes, but the billing view does not need to be updated. This is an example of how the use of the Observer pattern can become complicated by real-world issues. The trick is to find solutions that retain the character of the original solution, and not to introduce more problems than they solve. One approach to the airline ticket problem is the use of aspects, as described in Design Patterns, by Gamma, Helm, Johnson, and Vlissides. Whenever an observer registers with a subject, it is done with respect to an aspect of that subject. Then, whenever the subject determines that an aspect of itself has changed, it notifies only those observers that are interested in that change. This makes coding the update methods easier, as they each have fewer changes to deal with, and makes the program more efficient, as only necessary update methods are called. For the ticket scenario above, the two aspects needed could be billing and seating. The addObserver method would take this into account: addObserver //declaration of addObserver and a couple of aspects public synchronized void addObserver( Observer o, int aspect); public final static int BILLING = 1; public final static int SEATING = 2; // an example call to the new addObserver method aTicket.addObserver( aBillingView,AirlineTicket.BILLING); Implementing this code requires some significant extensions to the Observable class, so you might like to complete that exercise in the privacy of your own home! References Arnold, Ken, and James Gosling. The Java Programming Language, Addison-Wesley, 1996. Gamma, Erich, Richard Helm, Ralph Johnson, and John Vlissides. Design Patterns, Addison-Wesley, 1994. Source Code
http://java.sun.com/developer/technicalArticles/Programming/KeepObjectsInSync/
crawl-002
en
refinedweb
Key Words: Alzheimer disease protease ß-amyloid Bleomycin hydrolase (BH) is a cysteine proteinase from the papain superfamily. The protein is highly conserved among eukaryotes with >40% identity between yeast BH (yBH) and human BH (hBH) and more than 98% between mammalian species. The physiological function of BH, however, remains unknown. Using a two-hybrid screen, we found that hBH interacts with a number of secreted proteins, among which are serum amyloid A protein and 1-antichymotrypsin (unpublished data). BH does not contain a signal peptide or transmembrane domain; its lumenal localization has not been established and it is believed that BH is not secreted in the medium or extracellular fluids. Recently it has been suggested that one of the two isoforms of hBH (hBHval443) is associated with an increased risk of sporadic AD in non-ApoE4 patients (25) . In other populations, however, this association was not obvious (26 , 27) . None of these genetic studies provided molecular or cellular information on a possible role for hBH. There are, however, recent immunohistochemical data (28 , 29) showing the distribution of hBH in regions of the human brain relevant to AD. In one of the studies, the staining pattern in normal controls and AD patients appeared to be different, suggesting higher levels in the diseased brains (29) . Here we have analyzed the influence of hBH on APP secretion and Aß release. Therefore, we expressed hBHIle443 and hBHVal443 isoforms in cells stably transfected with APP wild-type or APP Swedish mutant APP695(K595M596 N595L596), and analyzed the amount of secreted APP and amyloidogenic Aß fragment. For in vitro transcription and translation of 35S-labeled proteins, we exploited pCite4 vectors (Novagen). pCite4APP695wt vector was generated by polymerase chain reaction (PCR) subcloning using as a template pRK5APP695 (originally developed by Efrat Levy-Lahad and provided by Robert Bowser, University of Pittsburgh) and the following primers (the restriction enzyme recognition sites within the primers are underlined): forward-5'-GT-GGAATCCATATGCTGCCCGGTTT-3' and reverse-5'-GCGCGTCGACCTAGTTCTGCATCTGCTC-3'. The in vitro APP695 was synthesized according to the manufacturers directions for the TnT Rabbit Reticulocyte Lysate system (Promega, Madison, Wis.) as described previously (31) . We used pNSE-APP (kindly provided by Carmela Abraham, Boston University School of Medicine, Boston, Mass.) for subcloning of APP751 cDNA into HindIII-XbaI digested pcDNA3.1Hygro mammalian expression vector (Invitrogen). The recombinant vector was created by standard ligation of a PCR amplification product created by using the following primers: forward-5'-GTGGAAGCTTGCGATGCTGCCCGGTTTG-3' and reverse-5'-GCGCTCTAGACTAGTTCTGCATCTGCTC-3'. cDNA for APP695sw (K595M596 N595L596; 695 numbering), kindly provided by Christian Haass (Ludwig-Maximilians University, Munich, Germany), was subcloned by PCR amplification into pcDNA3.1Hygro using the same primer set, thus generating pcDNA3.1APPsw. pcDNA3.1APP751 and pcDN3.1AAPsw were used later for stable or transient transfections of mammalian cells. Oligonucleotide-directed site specific mutagenesis was performed using the QuickChange mutagenesis kit (Stratagene, San Diego, Calif.). Oligonucleotides complementary to the both strands of hBH were synthesized to change Ile443 to Val443: forward-5'-GAACCCATTGTCCTGCCAGCAT-3' and reverse-5'-ATGCTGGCAGGACAATGGGTTC-3'. The template used for the PCR was pcDNA3.1hBHZeo and the procedure was performed as described previously (31) . The resultant pcDNA3.1hBHval443Zeo expression vector was used for mammalian cell transfections. The in-frame position of all cDNA inserts was confirmed by dye terminator labeling and sequencing using ABI Prism 373 DNA Sequencer (University of Pittsburgh Research Facility). Antibodies Anti-APP mAb LN27, with an epitope within the first 200 amino acids on the NH2 terminus of APP, was from Zymed (South San Francisco, Calif.). Anti-Aß116 mAb, anti-Aß1726 mAb and anti-Aß40 polyclonal antibody were from Biosource International (Camarilo, Calif.). Anti-T7 mAb was from Novagen. Polyclonal anti-ß-COP antibody was from Affinity Bioreagents (Golden, Colo.). Anti-hBH polyclonal antibody was a generous gift from Stephen A. Johnston, University of Texas (Dallas, Tex.). AlexaTM546 goat anti-rabbit and AlexaTM488 goat anti-mouse secondary antibodies were from Molecular Probes (Eugene, Oreg.). Goat anti-rabbit, alkaline phosphatase-labeled secondary antibody was from Jackson Immunoresearch (West Grove, Pa.). Stable cell lines and transfection procedures Untransfected Chinese hamster ovary cells (CHO-K1) and stable hBH expressing CHOhBH cell line were maintained in Ham F-12 medium, supplemented with 2 mM of L-glutamine, 100 U/ml penicillin, 10 µg/ml streptomycin sulfate, and 10% v/v heat-inactivated fetal bovine serum in a humidified atmosphere of 95% air:5% CO2 at 37°C as described (30) . For transient transfection and expression of APP751, CHO-K1 or CHOhBH cells were treated with 8 µg vector DNA per 25 cm2 growth area using SuperFect (Qiagen, Carlsbad, Calif.) according to the manufacturers protocol. Cells were washed 24 h after the transfection and were subjected to metabolic labeling for the appropriate time (see below). CHO-K1 were stably transfected with pcDNA3.1APP751 or pcDN3.1AAPsw using the same amount of DNA and initially maintained for selection in 250 µg/ml Hygromycin (Life Technologies, Inc., Gaithersburg, Md.). Polyclonal cell lines with the highest level of APP751 or APPsw expression were chosen for second transfection with pcDNA3.1BHZeo or pcDNA3.1BHval443Zeo. The levels of expression of both proteins were verified by Western blotting and the cells were constantly maintained in 500 µg/ml of Zeocin (Invitrogen) and 250 µg/ml Hygromycin (Life Technologies, Inc.). We used 293APP cells overexpressing APP751 (kindly provided by D. Selkoe, Harvard Medical School, Boston, Mass.) for transfection with pcDNA3.1hBHZeo and generated 293APP/BH cells maintained in 500 µg/ml of Zeocin and 500 µg/ml Geneticin (Life Technologies, Inc.). We also used 293 cells (ATCC Number CRL-1573) for stable transfection with pcDN3.1AAPsw and subsequently for double transfection with pcDNA3.1Zeo, pcDNA3.1BHZeo, or pcDNA3.1BHval443Zeo. All 293 cell lines were maintained in Dulbeccos modified Eagle medium (DMEM) with 25 mM HEPES buffer, high glucose content, antibiotics, and the appropriate selection agent. In vitro binding and in vitro APP cleavage assays The expression and purification of the glutathione S-transferase (GST)-hBH and His-hBH fusion constructs as well as the in vitro binding assays were performed as described previously (30 , 31) . Briefly, 35S-labeled APP (3 µl of a standard TnT reaction) was incubated with the GST-hBH fusion construct prebound to glutathione-Sepharose beads (25 µl) in 50 mM NaCl and bovine serum albumin (1 mg/ml) at 4°C for 1 h. As a control, 35S-labeled proteins were incubated with GST bound to glutathione-Sepharose. The beads were washed four times with 0.1% Nonidet P-40 in phosphate-buffered saline (PBS), boiled, and loaded on the sodium dodecyl sulfate-polyacrylamide gel electrophoresis (SDS-PAGE). The gels were soaked in fluorographic reagent Amplify (Amersham, Arlington Heights, Ill.), dried, and exposed to Kodak X-ray film. For in vitro cleavage assays 10 µl of 35S-labeled APP was incubated with 5 µg recombinant His-tagged hBH in 100 µl reaction buffer (Dulbeccos phosphate-buffered saline) at 37°C for different periods of times. At each time point, 10 µl aliquots were mixed with an equal amount of Tricine sample buffer and resolved on 1020% Tricine gradient gel. The gels were dried, scanned on Molecular Dynamics PhosphorImager and images were processed using ImageQuant. Bleomycin (BLM) hydrolase assays The metabolism of BLM was determined by our previously described method that separates BLM A2 from its inactive metabolite deamidobleomycin A2 (BLM dA2). Briefly, His-hBH (2 µg/ml) was incubated with 70 µM BLM A2 (Nippon Kayku Co. Ltd., Tokyo, Japan) in 50 µl reaction buffer (20 mM Tris pH 7.5) at 37°C for 10 h. The reaction was stopped by adding 40 µl methanol and 10 µl of 7.5 mM CuSO4 and injected onto a Symmetry C8 reverse-phase high-performance liquid chromatography (HPLC) column. BLM A2 and BLM dA2 were eluted at 1 ml/min with 17% acetonitrile, 0.8% acetic acid, 2 mM heptane sulfonic acid, and 25 mM triethylamine (pH 5.5) and detected by absorbance at 292 nm. Metabolic labeling and immunoprecipitation For metabolic labeling, 2.5 x 105 cells were plated in T75 culture flasks and then grown to a level of 8590% confluence. After washing and starvation for 1 h in methionine/cysteine free DMEM (ICN, Aurora, Ohio), the cells were incubated with 200 µCi/ml [35S]methionine/cysteine EXPRE35S35S Protein labeling mix (NEN, Boston, Mass.) in methionine/cysteine-free DMEM with 5% dialyzed fetal bovine serum. For pulse-chase experiments cells were labeled for 1 h and chased with complete DMEM for different periods of time. For steady-state experiments, cells were labeled continuously for 16 h. Total labeled cellular holoAPP (APPfl) was determined by lysing cells with RIPA buffer immediately after labeling, followed by immunoprecipitation with amino-terminal anti-APP mAb LN27 and protein G agarose (Sigma, St. Louis, Mo.). Secreted APP /ß was immunoprecipitated from the medium with amino-terminal anti-APP mAb LN27 and secreted APP was immunoprecipitated from the medium with anti-Aß116 mAb, followed by protein G agarose. Aß was immunoprecipitated from the medium with anti-Aß1726 monoclonal antibody and protein G agarose. Values obtained for APP /ß, APP , and Aß were normalized to this total labeled APPfl in each experiment. Enzyme-linked immunoassay (ELISA) For the sandwich ELISA, cell culture medium was changed to fresh complete DMEM or F12. After incubation for 48 h at 37°C, the conditioned medium was collected and subjected to a sandwich ELISA for Aß using anti-Aß116 mAb as the capture antibody. For detection, samples were incubated with anti-Aß40 polyclonal antibody recognizing specifically the carboxyl terminus of Aß140, followed by incubation with goat anti-rabbit, alkaline phosphatase-labeled secondary antibody, and the Attophos substrate (Roche Molecular Biochemicals, Indianapolis, Ind.). The Aß140 peptide used as a standard was from Biosource International. The values obtained were normalized to the total cellular APPfl determined by immunoblotting with anti-APP (LN27), followed by densitometry and quantification using ImageQuant software (Molecular Dynamics, Sunnyvale, Calif.). Subcellular fractionation Iodixanol gradients were formed by layering (30, 25, 20, 15, 10%) of Optiprep (Life Technologies, Inc.) in a centrifuge tube and then placing the tube on its side for 10 h. The 293 APP751/hBH cells, grown to 90% confluence on T150 tissue culture flasks, were detached from the surface by incubation with 10 mM EDTA in PBS for 5 min. Cells were pelleted at 1000 g for 10 min, resuspended in homogenization buffer (0.25 M sucrose, 10 mM Tris, pH 7.4, 0.2 mM MgCl2, 5 mM KCl and protease inhibitors 1 mM PMSF, 10 µg/ml aprotinin, 10 µg/ml leupeptin, 0.1 µg/ml pepstatin), and disrupted with 2530 passes in a Dounce homogenizer with a tight pestle until > 90% of the cells were broken as determined by trypan blue dye exclusion. Nondisrupted cells and cellular nuclei were pelleted by centrifugation at 3000 g for 10 min. The pellet was washed with homogenization buffer, and postnuclear supernatants from both centrifugations were combined and centrifuged at 80,000 g for 1 h. The membrane pellet was resuspended in 0.8 ml homogenization buffer. The 80,000 g pellet was loaded on the top of a preformed 1030% continuous iodixanol gradient and centrifuged at 200,000 g for 3 h at 4°C using SW41 rotor in Beckman XL-70 ultracentrifuge. The gradients were unloaded from the bottom of the gradient. After centrifugation of the fractions at 100,000 g for 1 h to collect the membranes, the 100,000 g pellets were resuspended in SDS sample buffer and analyzed by SDS-PAGE and immunoblotting. Immunocytochemistry Immunofluorescence was performed as described previously (32) . Briefly, CHOAPP751/hBH cells grown to 5080% confluence were fixed in 4% paraformaldehyde and permeabilized with 0.2% Triton X-100. After incubation in blocking solution containing 2% bovine serum albumin/0.5% normal goat serum in PBS, cells were incubated with the primary antibodies: anti-APP mAb LN27 (Zymed) and a rabbit polyclonal anti-hBH antibody. We used AlexaTM546 goat anti-rabbit (red) and AlexaTM488 goat anti-mouse (green) secondary antibodies. Slides were washed and mounted in Mowiol (Calbiochem, San Diego, Calif.). Images were collected on 3-dimensional data sets using a Photometrics cooled CCD camera and Zeiss Axiovert microscope and processed with ONCOR Image software at 0.2 µm vertical separation, which provided confocal quality images. For hBH/ß-COP immunostaining, we used CHO cells stably transfected and expressing T7-tagged hBH. The cells were fixed in 95% ethanol:5% acidic acid (v/v) for 30 min, rehydrated in PBS for 1 h, and incubated with polyclonal anti ß-COP (Affinity Bioreagents) and monoclonal anti-T7 (Novagen) primary antibodies. We used Cy3-labeled goat anti-rabbit (red) (Amersham) and FITC-conjugated goat anti-mouse (green) (Sigma) secondary antibodies. Slides were mounted as above and images were collected and processed on a Molecular Dynamics Confocal Laser Microscope. Analytical procedures Protein concentrations in cell lysates were determined by the BCA method (Pierce, Rockford, Ill.). SDS-PAGE was performed on 8%, 12% Tris glycine gels or 1020% Tris-Tricine gels (Novex, San Diego, Calif.). For Western blots, proteins were transferred to nitrocellulose membrane, probed with antibodies, and detected by Renaissance chemiluminescence reagent (NEN Life Science Products, Inc.). Radioactive gels were scanned on Molecular Dynamics PhosphorImager and the images were processed using ImageQuant. hBH does not process 35S-labeled APP in vitro To investigate whether hBH cleaves APP in vitro, we incubated 35S-labeled APP with recombinant His-tagged hBH (His-hBH). The activity of His-hBH was confirmed by its ability to convert BLM A2 to metabolite BLM dA2 (Fig. 2A ). As is visible from Fig. 2B , a concentration of hBH that completely degraded BLM A2, did not cleave APP. Examining the scanned gel, we were unable to find bands migrating with a size of the carboxyl-terminal fragments corresponding to - or ß-secretase cleavage of APP or Aß. Effect of hBH overexpression on APP turnover To study the effect of hBH on the half-life of full-length intracellular APP (APPfl) and the amount of secreted soluble APP (sAPP /ß), we performed pulse-chase experiments with 293APP751wt and 293APP751wt/hBH cells, which were selected for stable expression of APPwt or APPwt and hBH, respectively. We estimate that the 293APP751wt/hBH cells expressed fivefold more BH compared with the 293APP751wt cells based on the hBH HPLC enzyme assay. Cells were metabolically labeled with 35S methionine/cysteine for 1 h and chased for different period of times. Cellular APPfl and secreted APP /ß from the conditioned media were immunoprecipitated with amino-terminal antibody LN27, which recognizes soluble products cleaved by - and/or ß-secretase. Among the three experiments performed, there was no significant reproducible difference in APPfl expression between the cell lines; nevertheless, the secreted proteins were normalized to the level of the total APPfl precursor at the 0 h time point for each experiment. Results of the SDS-PAGE temporal profile and the quantitation of the scanned protein bands are shown in Fig. 3A, B . Immunoprecipitation of APPfl from cell lysates after the pulse-chase revealed a continuous decrease in radioactivity with a t1/2 of 90 min. Overexpression of hBH did not significantly affect the decrease of cellular APPfl or the ration between mature and immature APP forms. Immunoprecipitation of sAPP /ß from the medium, however, showed that the secretion of soluble APP /ß products was significantly increased in 293APP751wt/hBH cells as compared to the 293APP751wt cells at all time points. At 6 h 293APP751wt/hBH cells secreted almost twofold more relative to 293APP751wt cells. hBH alters the proteolytic processing of APPwt To examine the influence of hBH on steady-state levels of secreted sAPP /ß, we used continuous metabolic labeling of 293APP751wt and 293APP751wt/hBH cells for 16 h and immunoprecipitation of sAPP /ß products from conditioned medium with the same amino-terminal antibody used for pulse-chase experiments. The results shown on Fig. 4A demonstrate that overexpression of hBH causes a twofold increase in secretion of sAPP /ß during the 16 h labeling period (P<0.0001, n=9). Because this antibody does not discriminate between soluble products cleaved by - or ß-secretase, we used an anti-Aß116 antibody, which specifically recognizes the carboxyl terminus of sAPP and therefore immunoprecipitates only soluble products generated by -secretase(s). We labeled 293APP751wt cells and 293APP751wt/hBH as above; at the end of the labeling period, the lysates were immunoprecipitated with LN27 antibody and media were immunoprecipitated with anti-Aß116 antibody. As is visible from Fig. 4B , the overexpression of hBH increased by 1.5-fold the amount of sAPP (P<0.005, n=9). hBH increases Aß production To examine the effect of hBH on Aß secretion, we metabolically labeled 293APP751wt and 293APP751wt/hBH cells as well as CHO and CHOhBH cells transiently transfected with pcDNA3.1APP751. The cells were continuously labeled for 16 h and APPfl was immunoprecipitated from the cell lysates with LN27 antibody while Aß was immunoprecipitated from conditioned media with anti-Aß1726 antibody. The amount of secreted Aß was normalized to the expression of precursor APPfl. As is visible from Fig. 5A, B , hBH increased the secretion of Aß in 293APP751wt/hBH cells 1.7-fold (P<0.001, n=6). The same increase of Aß secretion was produced by hBH overexpression in CHO cells transiently transfected with APPwt (Fig. 5C , 5P<0.04, n=3). Because we found no evidence for 35S-labeled APP cleavage in vitro by hBH (Fig. 2B ), we believe the increased Aß production is an indirect rather than a direct effect of hBH. To confirm that hBH overexpression increased Aß secretion, we used a Swedish mutant of APP (APPsw) that contains a dual amino acid change (Lys595Asp/Met596Leu) known to promote Aß secretion. We used the APPsw, which is a 695 amino acid isoform of APP, because we wanted to probe the isoform dependency of the phenomenon. CHOAPPsw695 cells selected for stable expression of APPsw with or without hBH overexpression were continuously labeled with 35S methionine/cysteine for 16 h and Aß was immunoprecipitated from conditioned media with anti-Aß1726 antibody. As with 293APP715wt, we found enhanced Aß secretion with hBH coexpression (Fig. 6A ). When the level of Aß was normalized to the expression of cellular APPfl, we calculated that Aß secretion increased 2.9-fold (P<0.002, n=6). The same effect was found in 293APPsw695 cells with or without hBH overexpression (data not shown). Qualitatively similar results were observed by sandwich ELISA. CHOAPPsw695/hBH and CHOAPPsw695 were cultivated for 48 h and conditioned media were subjected to sandwich ELISA. As is visible from Fig. 6B , hBH increased Aß secretion 2.5 fold (P<0.0001, n=9). The same twofold increase in Aß secretion was found in 293APPsw695/hBH cells as compared with 293APPsw695 cells (data not shown). We then examined the effects of hBH on sAPP formation and observed increased secretion (Fig. 6C ). Thus, with two APP isoforms, both Aß and sAPP secretions were increased by ectopic expression of hBH. Effect of hBH isoforms on Aß secretion To test the role of different isoforms of hBH (i. g. ile443 and val443) on APP processing, we measured the level of Aß secreted in the conditioned media by sandwich ELISA. CHOAPPsw and 293APPsw were selected for expression after transfection with pcDNA3.1hBHval443 or pcDNA3.1hBH. The production of Aß was compared after normalizing to cellular APPfl. There was no difference in the secreted Aß in either cell line overexpressing similar levels of hBH isoforms (Fig. 7A, B ). Aß secretion was increased more than twofold in cells overexpressing hBH as compared with non-hBH-transfected cells regardless of the hBH isoform. hBH and APP cofractionate in iodixanol gradients 293APP751wt/hBH were analyzed by subcellular fractionation. Subcellular vesicles were separated on 1030% continuous Iodixanol gradients as described in Materials and Methods. ER-rich fractions were found at the bottom of the gradient, using an antibody against the ER marker protein calnexin (data not shown). As reported previously (33) , immature forms of APP were found in more dense, ER-rich fractions, whereas the mature APP appeared in the least dense fraction on the top of the gradient. As is visible from Fig. 8 , the highest immunoreactivity of hBH was found in the least dense fractions, corresponding to Golgi, where it cofractionated with mature APP. hBH and APP colocalize To probe whether or not hBH and APP colocalize in the cell, we performed immunofluorescent staining and examined the slides by epifluorescent microscopy. As is visible from Fig. 9 , hBH and APP colocalized in the area surrounding the nucleus. We next studied whether hBH colocalizes with ß-COP, a marker for cis-Golgi. Figure 10 , shows that they colocalized in the area corresponding to Golgi network, although hBH staining penetrated the cytosol more extensively but did not reach the plasma membrane. This demonstrated hBH localized to an early compartment of the secretory pathway. How does hBH alter APP processing and secretion? The APP processing is complex and includes APP posttranslational modifications and the activity of at least three secretases in different subcellular compartments through the secretory as well as endocytic pathways. Although papain superfamily cysteine proteases resembling hBH have been implicated in the formation of the amyloidogenic peptides through APP cleavage at the ß-secretase cleavage site in a model synthetic peptide (40) , we think it is unlikely that hBH is a ß-secretase. First, hBH does not share structural or enzymatic resemblance with the recently identified ß-secretase (41) . Second, we have failed to document ß-secretase in vitro activity with hBH and APP. Third, there are no convincing data so far in the literature showing intralumenal localization of eukaryotic BH. Thus, we believe it is more likely hBH alters other aspects of APP processing. We have recently shown that hBH binds to ubiquitin-conjugating enzyme 9 and may have a role in the posttranslational modification of a variety of proteins (esp. RAN-GAP1), due to a covalent binding of small ubiquitin-like molecules, such as SUMO-1. Protein conjugation to SUMO-1/Smt3 is involved in many physiological processes including cell cycle progression and protease activities different from proteolytic degradation through the ubiquitin-proteasomal pathway. This particular type of posttranslational modification, however, has not been shown to influence trafficking between the cytosol and ER/Golgi vesicular structures. A number of proteins, however, that are involved in the translocation and vesicular transport machinery require one or more modifications (42) . hBH may well participate in such modifications by providing amino-, carboxy-endopeptidase, or even ligase activities. We observed that the altered APP processing required the catalytic cysteine in hBH (unpublished results). Thus, hBH may affect the recruitment of coatomer subunits and/or assembling of the vesicular structures. Colocalization by confocal microscopy of hBH and ß-COP I provides indirect support for a role of hBH in the APP processing. It is now widely accepted that the generation of Aß takes place in different compartments within the secretory pathway (21 , 24) . The retention of APP is due to proteinprotein interactions, and thus the availability of APP at the plasma membrane for internalization may influence significantly the amount of Aß detectable in the conditioned media (43 , 44) . Therefore, the subcellular colocalization of hBH in close proximity to APP supports the idea that hBH may regulate the proteolytic processing of APP. It is worth noting that Magdolen et al. (45) copurified yBH with Gce1p, a cAMP binding ectoprotein associated with the plasma membrane by a GPI anchor. It has long been known that GPI-anchored proteins together with caveolin-1 and other proteins initially join Golgi membrane structures and initiate the biogenesis of caveolae (46) . Primarily, the function of those microdomains is to import molecules and deliver them to specific locations within the cell, thus forming a unique endocytic and exocytic compartment at the cell surface of most cells types. Recently they have been implicated in the -secretase-mediated proteolysis of APP (47) . Moreover, in yeast -secretase, activity was attributed to GPI-anchored aspartyl proteases (48) . In CHO cells, however, strong evidence has been provided that one or more GPI anchored proteins play an important role in ß- not -secretase activity (49) . It was not clear from those experiments if GPI-anchored proteins were proteases, and the authors left open the possibility for posttranslational modifications, chaperone function, or the existence of a multisubunit ß-secretase as reasonable alternatives. Taken together, these data suggest it may not be necessary for hBH to be localized on the lumenal site of a membrane structure or at the cell surface to influence the proteolytic processing of APP and especially Aß secretion. Our study shows hBH influenced the proteolytic processing of APP. The observed increase in the amounts of soluble sAPP /ß as well as Aß may be due to increased flux of APP through the secretory pathway, thus providing more APP for the endocytic pathway and generation of more Aß. Such a mechanism has recently been demonstrated for FE65, a brain-enriched protein that binds the cytoplasmic domain of APP (44) with no obvious sequence homology to hBH. The localization of APP and hBH in a very close proximity, however, raises the possibility that hBH may produce its effects by targeting some other protein(s) to APP. It is obvious that future experiments are necessary to clarify the exact mechanism governed by hBH and responsible for the increased Aß production. Such studies will permit the design and implementation of drug discovery approaches aiming at influencing the secretion of Aß and possibly its deposition in amyloid plaques, thus preventing or at least slowing the progression of AD. Received for publication October 28, 1999. Revision received February 17, 2000. This article has been cited by other articles:
http://www.fasebj.org/cgi/content/full/14/12/1837
crawl-002
en
refinedweb
Editor's note: This article is the eighth in a series of articles on composite applications being published on developerWorks® Lotus®. See the previous developerWorks articles,"The Lead Manager application in IBM Lotus Notes V8: An Overview," "Designing composite applications: Component design," "Designing composite applications: Design patterns," "Designing composite applications: Unit testing," "Designing composite applications: Writing an Eclipse component for IBM Lotus Notes," "Designing composite applications: IBM Lotus Notes components, " and "Developing composite applications: Composite application assembly, part 1.". For example, one department might® WebSphere® Portal developers are already familiar with the composite application model. This approach has been extended to IBM Lotus Notes® 8, enabling Lotus Notes developers to surface their Lotus Notes applications as one or more components in a composite application. IBM Lotus Domino® Designer has been extended to leverage the property broker and to provide a more intuitive user environment. Lotus Notes 8 also supports the inclusion of Eclipse components. A composite application can have any combination of Lotus Notes and Eclipse components. These components can be presented together in the same user interface (UI) for on-the-glass integration or, if extended to use the property broker, they can fully interoperate. You can define composite applications using the composite application editor (CAE) or the WebSphere Portal application template editor. This article is the second of two articles covering aspects of application assembly. In the first, we discussed what choices an application assembler has in laying out pages and how to navigate between them to improve productivity. Here we consider designing for change, wiring strategies, and how to prototype the layout (because, as we all know, requirements change). You frequently need to add or remove components and, using the techniques described in this article, you'll find it can be easy to incorporate these changes. in the previous editor's note, which provide an overview and explain design patterns. Also, be sure to read "Developing composite applications: Composite application assembly, part 1," which discusses the layout and application patterns in the context of application assembly. One of the advantages of composite applications is that they can be easily modified to suit specific business needs or customized by subject matter experts to fit into their work process. Here are some suggested design methods that can help ensure that your applications are easily modified and adapt well to growth. We discussed in Part 1 how the ability to stack components into folders is very powerful. We can place as many components as we need into a small piece of screen real estate. With the ability to maximize tabbed components to the full screen, this method of deployment is also forgiving with respect to accommodating different component layout styles. It is quite easy to add or remove components from tabbed folders without changing the user experience very much; that is, more changes can be made with less user retraining. This arrangement is not as accommodating as wide horizontal folders with respect to components of varying size. Developing a standard size for narrow-column components, though, can be an effective way to make space for new components that are added later. Vertical columns cannot selectively show single components such as horizontal folders and are best suited for component additions that are best visible at all times. Being able to integrate components from different information domains is the greatest hallmark of composite applications. With careful planning and design, this integration is easy to do, although merging independent efforts or integrating with purchased components is slightly more challenging. One common mistake is to include additional components "just because they are there." A multi-time-zone clock is a cool widget, but if it isn't essential to your user's work, then there is no point in cluttering the UI with it. Another fairly common problem can arise when different types or namespaces are used, which can prevent you from wiring properties from one set to actions of another set. To avoid the issue, use the type and namespace identifiers to prevent your application assemblers from making connections that are nonsense, and consider developing standards to support the development process going forward. Sometimes the data can be made available in a variety of types to allow flexibility downstream. Another approach is to create a converter component, which is a component that consumes an action of one type and produces a property of another type. It can be a purely nominal conversion of type (say, from eMailAddress to SametimeID) that leaves the data the same, or it can be a more involved conversion that does a lookup (say, from EmployeeID to eMailAddress). Simply placing components on the work surface does not complete a composite application; the components must be wired together. There are usually several ways to wire components together, but not all of them make sense. Here are some examples of good design patterns that can make sense for your application. As-needed wiring is the most general pattern for wiring. Each time you add a component, you wire it into the needed information source. For pages with small numbers of components, this approach is all the structure that you need. When there are few components, properties, and actions, then anything you can wire probably makes sense. As your applications get larger, with more components, pages, and wires, then problems might creep in. Many actions have cascading effects and cause additional properties to be fired. Some properties fire only when the value changes, others when the input changes. It's also possible to set up infinite or recursive loops. In general with as-needed wiring, use as few wires as possible to make the application work, which leads to fewer problems later as the number of components, pages, and wires increases. In a typical layout, in which you have a few domain-centric components and several peripheral contextual-domain components, there is often a pattern of wiring that radiates from the central components to the periphery. Context changes due to page switching with a cross-page wire or selection change take place in the central components. As they are initialized, they activate the properties containing the values of the information set they represent. These properties are then wired to peripheral components that use them as the index to the data they show. Occasionally a third tier exists in which the data surfaced by one peripheral component is used by another. In general, however, the data flow is from the inside to the outside, which is easier both for the assembler to wire and the user to understand. In an application that maintains a complex context, the use of a cross-page wire to communicate a single value to a new page is insufficient to establish the full context. Instead, an aggregation component is used in these cases, as discussed in a previous article in this series, "Designing composite applications: Design patterns." To preserve context across pages, that context must be established in a place that is accessible to various components. Rather than wiring the property from the broadcasting component directly to the consuming action on a display component, wire the property to the action for that value on the aggregation component. Then wire the property on the aggregation component corresponding to the broadcasting component to the action on the display component. This approach allows the context to be preserved while letting the component be involved in all data transactions. Example: Suppose the Lead Manager CompanyBrowser component broadcasts a CompanyID property that you want to wire to a CompanyDetail component's showCompany action. You could wire the CompanyID property to a setSelectedCompany action on the aggregation component. The showCompany action on the CompanyDetail component would then get the getSelectedCompany property from the aggregation component. By using the aggregation component as a clearinghouse for all data exchanges, your application is guaranteed to have the most recent context for all the values that it tracks. NOTE: In Lotus Notes 8.0.1, a new tool was added to view all the wires in your application at once. You can access it from the normal wiring page by clicking the View All Wires button. The view lets you sort the information based on the page, components, or properties linked, and it's a handy way to understand the overall data flow of an application. Another enhancement in version 8.0.1 is the ability to relax the type checking by wiring components together using the "Disable strict type checking" button in the wiring view. In normal circumstances, you can wire a property only to an action that has an identical type. Suppose, though, that you acquired components from another company that does not use the same type conventions as your company. You now have the choice, at assembly time, to override the usual type checking and create a wire between a property and an action of different types. Be cautious, however, in how you use this feature: If you pass a value to a component that it was not designed to handle, unexpected errors can occur, so first consult with the component developers, where possible. One of the most exciting benefits of composite applications is that your developers can concentrate on developing components while the subject matter experts can build applications from those components, tailored to meet their needs. As with all application development, the subject matter experts must be able to communicate their needs to the technical component developers. Another benefit is that components developed by one group for one application can be used by other groups in their applications. To create the most flexible components, however, the original applications might need to be modified. This task can be an arduous and sometimes contentious effort in organizations. Generally, a prototype or strawman is used to convey the changes and the effort that is required to make the changes. The underlying workflow or process improvements might not be readily visible in a traditional slide-show-based presentation. A model of the application showing some of the clickable actions or placeholders for additional features can help communicate both the need for change and the benefits to everyone involved. As part of the Lead Manager sample, we created a mockup Eclipse component that presents a variety of user interfaces based on settings made to the advanced properties. Figure 1 shows a mocked-up version of the first page of the Lead Manager sample, in which all of the user interface has been simulated using multiple instances of the mockup component. It is not functional; clicking on the buttons or making selections in the lists does not have any effect on what is displayed. The purpose is to convey a feeling for what the finished application is like. Usage scenarios can be explored, and design issues can be surfaced early in the process. Figure 1. Mockup of Lead Manager example This mockup component is capable of eight display modes: - List. The primary area contains a list of items that can emulate a view or other table-driven component. - Combo. The primary area has a drop-down box of items that can emulate various selection controls. - Button. The primary area contains a horizontal button bar. - VButton. The primary area contains a vertical button bar. - Info. The primary area contains a list of labeled values that can emulate a form in read-only mode. - Edit. The primary area contains a list of labeled fields that can emulate a form in read-write mode. - Browser. The primary area contains a browser component set to a specific URL that can emulate a component linking to an internal Web application. Or, if pointed at a static image, it can be used to display a graphical representation of a more complicated component. - Blank. The primary area is empty and can be used to fine-tune layout. In addition to what is displayed in the primary area, you can manipulate the name that displays on the tab for the component, an optional title in large font on the top of the component, and the list of action buttons that displays as a horizontal bar along the bottom of the component. Using this Lead Manager mockup example, you can create your own mockup components incorporating other common UI themes that might be useful in illustrating the composite applications that you design. Creating a composite application that increases productivity is your primary goal, but we all know that applications are not static and must always adapt to the changing needs of business. Obviously, you don't want to redesign the application every time you add new components. Adding to the discussion of page layouts, we suggested ways for you to incorporate the ability for future change into your designs. We also discussed strategies for maintaining consistent wiring on the pages of your application and finished with a simple component for quickly mocking up UI designs for previewing..
http://www.ibm.com/developerworks/lotus/library/notes8-assembly-pt2/
crawl-002
en
refinedweb
Most workflow and business-to-business collaborative applications require transactional support in order to reach a mutually-agreed outcome. Transactional support ensures this outcome is observed consistently across all of the tasks within the application that comprises the business activity. The results of a task are typically made available before the overall business application or activity completes. For example, an airline reservation system may reserve a seat on a flight for an individual for a specific period of time, but if the individual does not confirm the seat within that period, it will be reclaimed for another passenger. Thus it is difficult, if not impossible, to incorporate traditional transaction architectures within such environments. Furthermore, most collaborative business process management systems support complex, long-running processes where undoing tasks which have already completed may be necessary in order to effect recovery, or to choose another acceptable execution path in the process. Web services are specifically about fostering systems interoperability. This presents some interesting issues from a transaction management point of view, particularly the fact that the Web services architecture is deliberately not prescriptive about what happens behind service implementations: Web services are only concerned with the transfer of structured data between parties, plus any meta-level information to safeguard such transfers (for example, by encrypting or digitally signing messages) â yet it is behind a service implementation that you find traditional transaction processing architectures supporting business activities. However, Web services also offer the possibility of a straightforward solution to a very important transaction problem: interoperability. Ever since transaction processing began, there has been a variety of transaction protocol standards (such as X/Open and the OTS, see Resources) and vendor-specific protocols, with many corresponding implementations. Interoperability between these various protocols has always proved problematic and there has been limited success. Web services offer a solution to this problem. Thus there is a paradox: Web services provide a service-oriented, loosely-coupled, and potentially asynchronous means of propagating information between parties (see Resources for WS-Security and BTP references), while the underlying services use traditional transaction processing infrastructures. Furthermore, the fact that transactions in back-end systems are constructed with ACID properties can potentially lead to problems when composing business activities from these services/resources, since it presents opportunities to those parties to lock resources and prevent transactions from making progress. Thus if transactions are to be supported in the Web services architecture, then it is clear that some re-addressing of the problem is required. In 2001, a consortium of companies including Hewlett-Packard, Oracle and BEA began work on the Organization for Advance Structured Information Systems ) (see Resources for appropriate references). Although we'll examine this in more detail later, they key differences between these specifications can be roughly categorized as follows: - BTP is not specifically about transactions for Web services â (see Resources for some examples) we will not spend as much time describing that protocol as we will for WS-C and WS-Tx where less information is currently available.. Consider the case of a distributed system where the individual computers provide a selection of useful services which. In the case of an abort, how the state of the system is restored to some predefined state is typically an implementation choice. This failure atomicity property is supported by traditional transaction processing systems through atomic transactions. A transaction can be terminated in two ways: committed or aborted (cancelled). When a transaction is committed, all changes made within it are made durable (forced on to stable storage such as disk). When a transaction is aborted, all changes made during the lifetime of the transaction are undone. Interoperability of existing transaction processing systems is an important part of Web services transactions -- such. Traditional transaction systems are typically referred to as ACID transactions. An ACID transaction has the following properties: - Atomicity: The transaction completes successfully (commits), or if it fails (aborts), all of its effects are undone. - Consistency: Transactions produce consistent results and preserve application-specific invariants. - Isolation: Intermediate states produced while a transaction is executing are not visible to other transactions. Furthermore transactions appear to execute serially, even if they are actually executed concurrently. This is typically achieved by locking resources for the duration of the transaction so that they cannot be acquired in a conflicting manner by another transaction. - Durability: The effects of a committed transaction are never lost (except by a catastrophic failure)._0<< In order to guarantee consensus, two-phase commit is necessarily a blocking protocol: after returning the first phase response, each participant which returned a commit response must remain blocked until it has received the coordinatorâs phase 2 message. Until they receive this message, any resources used by the participant are unavailable for use by other transactions, since to do so may result in non-ACID behavior. If the coordinator fails before delivery of the second phase message, these resources remain blocked until it recovers. Although most classical transaction systems are implementations of the ACID protocol, the various properties of an ACID transaction can be relaxed to provide what are typically referred to as extended transactions (take a look at the OMG Additional Structuring Mechanisms in Resources); for example, an extended transaction model may relax atomicity to allow partial sets of participants to commit or abort, or it may relax isolation to allow concurrent users to observe partial results. The "classic" ACID protocol can be considered to be a well-formed, two-phase protocol in this spectrum of protocols. As you will see later, other protocols, such as BTP cohesions and WS-Tx Business Activities, fall into the spectrum with varying degrees associated with each of the functionalities. Composing certain activities from long-running ACID transactions can reduce the amount of concurrency within an application or (in the event of failures) require work to be performed again. For example, there are certain classes of application where it is known that resources acquired within a transaction can be released early, rather than having to wait until the transaction terminates; in the event of the transaction cancelling, however, certain activities may be necessary to restore the system to a consistent state (perhaps performing compensation or counter-effects). Such compensation and fault-handling activities (which may perform forward or backward recovery) will typically be application-specific, may not be necessary at all, or may be more efficiently dealt with by the application. Thus an extended transaction model is more appropriate for long-duration interactions. Figure 2. Travel arrangement scenario. For example, you need to ensure likely options can be reserved as pre-determined. Obviously without a flight it makes no sense to book the hotel or to rent a car unless the conference were local, but in other circumstances it may make sense to book the flight and hotel, but if the hotel booking you make is at the same hotel as the conference, it may be possible to do without the car rental. You may also want to keep your options open by reserving a number of flights while looking for other more direct travel options or other convenient hotels. The customer solicits multiple quotes to determine the lowest-cost supplier. Therefore, conducting the entire travel arrangements within a single classic (ACID) transaction is inappropriate, since in that situation either all of the work occurs or none occurs, which is inappropriate given the travel agent's requirements. With traditional ACID transactions, it would not be possible to have the partial outcomes (relaxed atomicity) that might be required if visiting multiple flight booking services, for example. Functionality of Web services transactions The fundamental question addressed in this section is what properties must a transaction model possess in order to support business-to-business interactions? To begin to answer that, you might first need to understand what is meant by a business transaction. A business relationship is any distributed state maintained by two or more parties, which is subject to some contractual constraints previously agreed to by those parties. A business transaction can therefore be considered as a consistent change in the state of a business relationship between parties. Each party in a business transaction holds its own application state corresponding to the business relationship with other parties in that transaction. During the course of a business transaction, this state may change. In the Web services domain, information about business transactions is communicated in XML documents. However, how those documents are exchanged by the different parties involved (such as email or HTTP) may be a function of the environment, type of business relationship, or other business or logistical factors. The following sections will consider the characteristics typical for extended transactions and then talk about the specific requirements for business transactions. Characteristics of extended transactions An activity is a unit of (distributed) work that may, or may not be transactional. During its lifetime an activity may have transactional and non-transactional periods. Every entity including other activities can be parts of an activity, although an activity need not be composed of other activities. An activity is created, made to run, and then completed. The result of a completed activity is its outcome, which can be used to determine subsequent flow of control to other activities. A task is a short-duration unit of work that may be better suited to more traditional transactional semantics. Each task may execute on different, distributed systems or domains, and the internal composition of a task may involve many different machines/domains or sub-tasks. How tasks are implemented to perform the necessary work is typically unimportant to the application. The structuring mechanisms available within traditional transaction systems are sequential and concurrent composition of transactions. These mechanisms are sufficient if an application function can be represented as a single top-level transaction. Frequently with Web services this is not the case. Top-level transactions are most suitably viewed as short-lived entities (tasks), performing stable state changes to the system; they are less well-suited for structuring long-lived application functions (such as running for minutes, hours, days, â¦). Activities implemented using traditional systems may reduce the concurrency in the system to an unacceptable level by holding on to locks for a long time; further, if such a transaction rolls back, much valuable work already performed could be undone. Activities can be structured as many independent tasks to form an overall application. This structuring allows an activity to acquire and use resources for only the required duration within this long-running transactional activity. This is illustrated in Figure 3, where an activity (shown by the dotted ellipse) has been split into many different, coordinated, top-level transaction has terminated. If subsequent activities t2, t3 etc. do not require those resources, then they will be needlessly unavailable to other clients. Figure 3. An example of a logical long-running "transaction", without failure. In addition, task failures do not necessarily affect the overall activity, unlike traditional ACID transactions. Such long-running applications are generally constructed such that some form of (application-specific) compensation may be required to attempt to return the state of the system to (application-specific) consistency. For example, assume that t4 aborts (Figure 4). Further assume that the activity can continue to make forward progress, but in order to do so must now undo some state changes made prior to the start of t4 (by t1, t2 or t3). Therefore, new tasks are started; tc1 which is a compensation task that will attempt to undo state changes performed, by say t2, and t3, which will continue the application once tc1 has completed. tc5â and tc6â are new tasks that continue after compensation; for example, if it is not possible to reserve the theater, a ticket at the cinema might be an alternative event to go along with the previously booked restaurant and hotel. Obviously other forms of transaction composition are possible. Figure 4. An example of a logical long-running "transaction", with failure. There are several ways in which some or all of the application requirements outlined above could be met. However, it is unrealistic to believe that the "one-size fits all" paradigm will suffice, in other words, a single approach to extended transactions is unlikely to be sufficient for all (or even the majority of) applications. Whereas in case of the last example, a transactional workflow system with scripting facilities for expressing the composition of the activity with compensation (a workflow) may be the most suitable approach; a less elaborate solution might be desirable for the first three examples. As Web Services have evolved as a means to integrate processes and applications at an inter-enterprise level, traditional transaction semantics and protocols have proven to be inappropriate for the reasons mentioned previously. Web services-based transactions differ from traditional transactions in that they execute over long periods, they require commitments to the transaction to be negotiated, and isolation levels have to be relaxed. Since business relationships imply a level of value to the parties associated by those relationships, achieving some level of consensus between these parties is important. Not all participants within a particular business transaction have to see the same outcome; a specific business group when required. There are a number of reasons why a participant may no. Consider the situation depicted in Figure 5, where there is a transaction coordinator and three participants. Assume that each of these participants is on a different machine to the coordinator and each other. Each of the lines connecting the coordinator to the participants also represents the invocations from the coordinator to the participants and vice versa: - Enroll a participant in the transaction. - Execute the coordinator termination protocol. Figure 5. A distributed transaction. As far as a coordinator is concerned, it does not matter what the participant implementation is -- although one participant may interact with a database to commit the transaction, another may just as readily be responsible for forwarding the coordinator's messages to a number of databases, essentially acting as a coordinator itself. This technique of using proxy coordinators (or subordinate/sub-coordinators) is known as interposition. Each domain (machine) that imports a transaction context may create a subordinate coordinator that enrolls with the imported coordinator as though it were a participant. Interposition is important for a number of reasons, including performance optimization and security. Each subordinate coordinator may represent a separate domain that is responsible for its own security, protocol bridging, etc. Consensus groups achieve consistent outcomes among participants, but are only part of the picture. Often in business-to-business relationships there are hierarchies of these groups (scopes of work), with parent and child relationships existing between them. Typically the work performed by a child is provisional on the successful completion of the parent; for example, the parent scope can perform a counter-effect for the completed child. It is important to realize that parent-child (activity-task) scopes are not equivalent to interposition. In an interposed hierarchy, sub-nodes complete only when instructed to by the completion of their superior nodes. In a nested scope relationship (such back approach, for example. Finally, itâs also important for any Web services transactions protocol to have interoperability with existing transaction processing systems. Such systems already form the backbone of enterprise-level applications and will continue to do so for the Web services equivalent. In the following sections we will discuss whether and how both BTP and WS-Tx have addressed these issues. However, before we do so, it is important to understand that both WS-Tx and BTP allow a distinction to be made between a transactional service and the participants that are controlled by the transaction, as illustrated in Figure 6. Figure 6. Services and participants. - Transactional service: This service enables the application to conduct work within the scope of a business transaction. The outcome of this work is not finalized until the application instructs the transaction service to either commit or abort. An example of such an object would be a Web service that allows users to place items into a shopping basket, as shown in Figure 7; only if the user decides to confirm the purchase and the application then commits the transaction does the purchase of the items in the basket occur. The responsibility for orchestrating the outcome across the tasks/services that comprise the work is removed from the application and placed under the control to the transaction service. - Transactional participant: This is the entity that controls the outcome of the work performed by the transactional object. For example, if the online shopping service uses a database to store information on the items in the basket, it will typically access this information via a driver. SQL statements will be sent to the database for processing via the driver, but these statements will be tentative and only commit when (and if) the transaction does so. In order to do this, the driver/database will associate a participant with the transaction and this will inform the database of the outcome. Note that in the case of interposition, this participant may actually be a coordinator as you saw earlier. Figure 7. Transactional Service and Participant. To summarize what weâve discussed in the previous sections, the requirements placed on the use of transactions in Web services mean that any Web services transaction model should support the following functionality: - Relaxation of ACID properties in a structured, well-defined manner; strict ACID properties, especially atomicity are not appropriate for all applications. Many long-duration activities required are not atomic all-or-nothing (see consensus groups). Likewise, often results of tasks are exposed before the overall activity has terminated (relaxation of isolation). - Flexible outcomes for consensus groups. For example, open-flat, where the participants in a transaction are exposed to the business logic allowing it to define the relationships of the individual units of work to the transaction task; open-nested, where there are tasks within an activity forming a parent-child relationship of consensus groups. - Flexible participation in consensus groups; a task can leave an activity (exit the group) prior to outcome processing if it decides it does not affect that processing, in other words, it does not expose results or cause side-effects. - Activities and tasks should be defined as individual scopes (consensus groups), with clearly-defined relationships between them so that the service can also cleanly delineate responsibilities. Scopes allow the work performed by services or a long-running activity to be clearly demarcated by the application or the service. In addition, termination of scopes resides in the domain of the application and it driven from top-down. This is another important distinction between scopes and interposition, where a participant (mapped to a scope, for example) may exit an activity autonomously (in a bottom-up manner) and does not give the application the control required to properly manage scopes. The OASIS Business Transactions Protocol BTP was the first cross-industry attempt to produce an XML standard for business-to-business transactions. It is designed to support applications which are disparate in time, location, and administration and thus require transactional support beyond classical ACID transactions. It is a protocol for orchestrating business processes between loosely-coupled software services to achieve consistent outcomes from the participating business parties. In BTP, the notion of consensus groups mentioned earlier is obtained through the two transaction protocols that are defined, atoms and cohesions. Both of these transaction types mandate a two-phase completion protocol to ensure atomicity between (sub-sets of) participants (youâll see what we mean by this soon). During the first phase (prepare), an individual participant must make durable any state changes that occurred within the scope of the transaction, such that those changes can either be undone (cancelled) or made durable (confirmed) later once consensus has been achieved. Although BTP uses a two-phase protocol, there is no implication of ACID semantics within the BTP. The completion protocol is only concerned with achieving consensus. How participant implementations of the prepare, confirm, and cancel phases are provided is a back-end implementation decision. Issues to do with consistency and isolation of data are also back-end choices and not imposed or assumed by BTP; in fact it is not possible to infer from a participant using BTP what back-end choices it has made; for example, there is no Policy Framework such as in the WebServices (see Resources), where behavior is described in policy assertion statements (allowing for interpretation and tooling)., wrapped by BTP participants. Unfortunately, there is no way within the BTP for those services to inform external users that this is what they have done so that they can safely be used within the scope of a BTP "ACID" transaction. Because the traditional two-phase algorithm does not impose any restrictions on the time between executing the first and second phases, BTP took the approach of using this to allow business-logic decisions to be inserted between the phases. What this means is that users are required to drive the two phases explicitly in what BTP terms an open-top completion protocol. The application has complete control over when transactions prepare, and using whatever business logic is required, later determine which transactions to confirm or cancel. Prepare becomes an integral part of the service business logic. This is a significant difference from traditional transaction systems, where an application is only allowed to tell a transaction to commit (confirm) or rollback (cancel); the transaction coordinator then executes the entire two-phase protocol before returning control (and the result) to the application. Being able to control both phases means that the participant and the service on whose behalf it acts, must co-operate closely. The act of being told to prepare by the coordinator is typically reflected by the participant into a business-level decision, such as reserving a quote for a flight. In a traditional transaction system, the reservation would have occurred prior to the commit protocol being executed, and informing the participant to prepare essentially attempts to make that reservation durable (such as turning the reservation into a booking). Before going into more detail on why open-top is important to BTP, letâs first examine the transaction semantics that are supported within the protocol. BTP introduced two types of extended transactions, both using the open-top, two-phase completion protocol: - Atom: an atom is the typical way in which "transactional" work performed on Web services is scoped. The outcome of an atom is guaranteed to be atomic, such that all enlisted participants (acting on behalf of their associated Web services) will see the same outcome, which will either be to accept (confirm) the work or reject (cancel) it. Although at first glance it may seem as though BTP atoms are equivalent to atomic transactions: they are not. We will revisit this in a later section, but it is worth giving some brief details here. BTP did not consider interoperability with existing transaction systems as an important factor. The semantics for an atom (isolation, durability etc.) are not as precisely-defined as those you can expect from an atomic transaction. - Cohesion: this type of transaction was introduced in order to relax atomicity and allow for the selection of work to be confirmed or cancelled based on higher-level business rules. Atoms are the typical participants within a cohesion but, unlike an atom, a cohesion may give different outcomes to its participants such that some of them may confirm while the remainder cancel. In essence, the two-phase protocol for a cohesion is parameterized to allow a user to specify precisely which participants (either atoms or stand-alone participants) to prepare and which to cancel. The strategy underpinning cohesions is that they better model long-running business activities, where services enroll in atoms that represent specific units of work, and as the business activity progresses it may encounter conditions that allow it to cancel or prepare these units with the caveat that it may be many hours or days before the cohesion arrives at its ultimate decision and specifies its confirm-set: the set of participants that it requires to confirm in order for it to successfully terminate the business activity. Once the confirm-set has been determined, the cohesion collapses down to being an atom: all members of the confirm-set will see the same outcome. As we discussed earlier, this is precisely the kind of weakening of consensus groups required from Web services transactions. At first glance it may appear that these two transaction models are distinct. However, cohesions in effect present a superset functionality of atoms: if you have a cohesion coordinator then you can use that same implementation to provide support for atoms (though the inverse is not the case). It is also important to understand that as with a traditional two-phase protocol, there is no ordering implied by the registration of participants in a transaction (atom or cohesion). Therefore, an implementation of a coordinator is free to communicate with participants in any order it wants and any requirement on ordering cannot be enforced within the BTP and so should be avoided by applications or services. Note that participants in atoms and cohesions are identical and can therefore be enrolled in atoms or cohesions. The context information propagated to services contains sufficient information for a participant to determine within the BTP whether they have enlisted in an atom or a cohesion. Interposition of coordinators is possible within BTP. Although not prevented in the specification, mixing of the two transaction types in a transaction hierarchy would be difficult to manage, simply because of the differences between atoms and cohesions. In fact, although interposition of atoms is relatively straightforward to reason about (after all, itâs similar to interposition in traditional transaction systems), interposition of cohesive transaction coordinators is less straightforward to understand and manage, simply because business-level decisions play a prominent role in the way in which cohesions are terminated. So, for example, if a root cohesion coordinator tells a subordinate cohesion coordinator to confirm, does that mean that all of the enlisted participants with that subordinate should also confirm? The answer may well depend upon which other participants the root coordinator confirmed, but unfortunately this information is not made available to subordinates within the standard protocol. You saw earlier how interposition is an important requirement for Web services transactions. However, we also discussed that the notion of parent-child relationships (scopes) is important, especially when structuring large-scale applications from disparate services and domains. Unfortunately BTP does not support nested scopes (nested atoms or cohesions). As we discussed previously,. As such, BTP does not define how prepare, cancel, or confirm should be implemented. This is important because BTP relaxes entirely the durability and isolation aspects of traditional transactions, and this means that, unlike in a traditional transaction, it is entirely possible for concurrent users to interfere or see partial results. Enforcement of such policies is outside the scope of BTP and unfortunately, the protocol does not give any support for standardized mechanisms to assist developers and users. Being able to control the time between the two phases of the termination protocol is extremely important to BTP. Because there is no implied semantic on a participantâs prepare, confirm, or cancel operations, they typically become part of the business logic in BTP. When a participant is told to prepare in BTP it makes sense for the participant to perform some business logic. Returning to our flight reservation example: using the open-top completion protocol you can visit each flight reservation center within its own atom and ask for a quote; if you wish to retain the quote until you have determined the best option, then you would prepare the corresponding atom; this prepare would then need to understand the semantics of the work you have performed (obtaining the quote) and translate that into a tentative hold on the corresponding seat. Although business-level semantics are not required to be associated with the individual participant operations, the explicit control over the time between phases is often cited as the main advantage of the BTP open-top approach. For example, the application has time to choose between alternate tasks that have been prepared before ultimately terminating the transaction. However, as youâll see later, this opening up of the two-phase protocol to allow application time to be "injected" does not really work well in the Web services environment. An interesting approach taken by BTP to that of loosely-coupled domains and long-running interactions was of introducing the notion of Qualifiers to the protocol. A Qualifier can be thought of as a caveat to that aspect of the protocol on which it is associated. Essentially a Qualifier is a way of providing additional extended information within the protocol. Although the BTP specification provided some standard Qualifier types (such as timeouts for how long a participant is willing to remain in a prepared state), it is possible to extend them and provide new implementations that are better suited to the application or participant. Obviously any use or reliance on non-standard Qualifiers will reduce application portability. Unfortunately, although the concept underlying Qualifiers is sound, their implementation with BTP is flawed. The main reason for this is that in some cases the information contained within Qualifiers is not made available to the entity that can best make use of it. For example, one of the standard Qualifiers in BTP is used during the prepare phase and allows a participant to specify how long it is willing (or able) to remain in a prepared state (and possibly what state it will then transit to). This information is passed to the coordinator, but in reality it is the application that requires it. There are several optimizations to the basic BTP protocol that are worth considering, especially in light of the open-top completion protocol: - Participant resignation: in a traditional two-phase commit protocol, in addition to indicating success or failure during the preparation phase, a participant can also return a read-only response; this indicates that it does not control any work that has been modified during the course of the transaction and therefore does not need to be informed of the transaction outcome. This can allow the two-phase protocol to complete quickly since a second round of messages is not required. The equivalent of this in BTP is for a participant to resign from the transaction (atom or cohesion) it was enrolled in. Resignation can occur at any time up to the point where the participant has prepared and is used by the participant to indicate that it no longer has an interest in the outcome of the transaction. - Autonomous participant decisions: In a traditional two-phase protocol a participant enrolls with a transaction and waits for the termination protocol before it either confirms or cancels. You saw earlier how, in order to achieve consensus, it is necessarily a blocking protocol. Modern transaction-processing systems have augmented two-phase commit with heuristics, which allow prepared participants to make unilateral decisions about whether they will commit or roll back. Obviously if a participant makes a choice that turns out to be different to that taken by other participants, non-atomic behavior occurs. BTP has its equivalent of heuristics, allowing participants to make unilateral decisions as well. However, unlike in other transaction implementations, the protocol allows a participant to give the coordinator prior knowledge of what that decision will be and when it will be taken. A participant may prepare and present the coordinator with some caveats (the aforementioned Qualifiers) as to how long it will remain in this state and into what state it will then migrate (for example, "will remain prepared for 10 days and then will cancel the seat reservation"). This information may then be used by the coordinator to optimize message exchange. Although this might sound like a good idea, as we mentioned earlier, the ideal end-point for this sort of information is the application and not the transaction; unfortunately BTP does not provide a means whereby the application can obtain this information. - Carrier optimizations: Typically a participant is enlisted with a BTP transaction when a service invocation occurs. When the service request completes, the response is sent back to the initiator of the request. In some circumstances, it may be possible to compound many of the above messages into a "one-shot" message. For example, the service invocation may cause a state change to occur that means the participant can prepare immediately after the invocation completes. Rather than have to wait for an explicit coordinator message, BTP allows the enroll request and statement of preparation to be compounded within the service response. The receiver is then responsible for ensuring that this additional information is forwarded to the coordinator. (Not necessarily a straightforward operation.) - One-phase: If an atom or cohesion coordinator has only a single participant when it is told to confirm, then it can tell the participant to confirm without having to previously prepare. BTPs approach to Web services is also different to what you might expect. From the outset, the technical committee decided that BTP should be useful outside of Web services. As such, BTP is not Web services-specific; it does not leverage the Web services architecture, contains no WSDL or carrier protocol binding. What this means is that rather than place a requirement on a specific mechanism, BTP chose to define a complete service stack within the transaction protocol. Unfortunately, mapping BTP into a specific deployment environment, such as Web services, may mean that certain aspects of that stack are not necessary; there is also the potential that the "native" functionality may even interfere with the transaction protocol. For example, the one-shot optimization discussed earlier is meant to allow multiple related BTP protocol messages to be sent back to some end-point in a single carrier message. Most modern-day Web services infrastructures already support this kind of optimization transparently (one-shot requires support from the BTP infrastructure at both the sender and receiver). Interestingly all that BTP mandates is the XML message set that is required to conduct the protocol. How that message set is exchanged by the different parties involved may be a function of the environment (such as email or HTTP), type of business relationship, or other business or logistical factors. The specification does define a binding to SOAP-over-HTTP, but this is not mandated. There is no base interoperability definition for BTP (for the protocol behavior). It is merely a standardization of message content and message sequences. Example of a cohesive transaction Letâs look at the travel agent scenario and see how cohesions may be utilized, as illustrated in Figure 8. In this example, the travel agent chooses to start a transaction and book a flight to London. One flight option is direct on ALU and the other has two legs and two different carriers ZA and Xantas. Eventually the travel agent has to decide on one of the flights -- either the direct ALU flight or the combined Xantas/ZA flight. By getting commitments for both the ALU flight or the combined Xantas/ZA flight, the travel agent can decide which to take knowing that they will always get the flight they decide upon. Figure 8. Travel agent scenario setup for cohesions. If you look at one individual invocation (shown in Figure 9) you can see how commitments are made, managed, and coordinated toward termination. First the travel agent creates a business transaction (Context) for the work it wants to perform. It does this through a Composer (the BTP name for a cohesion coordinator). The travel agent then makes the service requests to Xantas.com ALU.com and ZA.com, also propagating the transaction details (Context). Figure 9. Service invocations and context. Xantas.com ALU.com and ZA.com (Participants) all agree to participate in the transaction (Enroll). In this example Xantas also makes a commitment to the transaction (Prepared) but ALU and ZA do not. As shown in Figure 10, based on the prices returned, the travel agent decides to go ahead and book the two-legged flight offered by Xantas and ZA (Confirm B,C). Because ALU never made a commitment to the business transaction (Prepared), in other words, reserved seats; there is no need to cancel the ALU flight. Figure 10. Confirming flights. Figure 11 shows that because the flight chosen involves two parties, Xantas and ZA, the transaction the coordinator then asks each participant to make a commitment with regard to the overall business transaction (Prepare). Because Xantas has already made a commitment, the coordinator only needs to get a commitment from ZA (Prepare). Figure 11. Preparing the participants. The composer now has received positive commitments from Xantas.com and ZA.com, the requested portions of the business transaction requested by the travel agent. The composer therefore goes ahead and confirms the seat reservations offered by ZA.com and Xantas.com, as shown in Figure 12. Figure 12. Confirming a subset of participants in the cohesion. If ALU had made a commitment (Prepared) then the composer would need to explicitly cancel the seats reserved by ALU as part of the business transaction, at the same time as confirming the ZA, Xantas flight. The composer finally confirms the successful conclusion of the business transaction back to the travel agent (Transaction Confirmed), as illustrated by Figure 13. Figure 13. Confirming a subset of participants in the cohesion and cancelling others. As you can see from this example,. As you saw, our flight reservation system). Naturally this is something that programmers may not be comfortable with, and it goes against the Web services orthodoxy. Web Services Coordination and Transaction This section will examine the overall model used by the Web Services Coordination and Web Services Transactions specifications. This is important in order to understand the differences between WS-C/WS-Tx and BTP. Coordination is a requirement in a variety of different aspects of distributed applications, such as workflow, security, atomic transactions, caching and replication, security, auctioning, and business-to-business activities. For example, coordination of multiple Web services in choreography may be required to ensure the correct result of a series of operations comprising a single business transaction. Despite the fact that there are many different types of application that require coordination, each use typically manifests as a different type of coordination protocol. In the case of transactions, for example, BTP, Object Management Groupâs Object Transaction Service, Microsoft DTC are solutions to specific problem domains and which are not applicable to others since they are based on different architectural styles. Given the domain-specific nature of these coordination protocols, it is unrealistic to provide a "universal" protocol without jeopardizing efficiency and scalability. Unlike BTP which ties coordination to transactions, the Web Services Transactions protocol leverages a separate protocol aimed solely at outcome determination/processing: Web Services Coordination. The fundamental idea underpinning WS-Coordination is that there is a generic need for a coordination infrastructure in a Web services environment. The WS-Coordination specification defines a framework that allows different coordination protocols to be plugged-in to coordinate work among clients, services, and participants, as shown in Figure 14. Figure 14. WS-Coordination architecture. Note that the Control messages are shown separately only to illustrate the specific interactions between client/coordinator and service/participant. These messages are still Web services messages and hence flow using SOAP. Both WS-C and WS-Tx are intended solely for the Web services environment and as such leverage existing and evolving standards, such as WSDL, WS-Addressing, Web Services Security, and WS-Policy (see Resources). This focuses WS-C and WS-Tx to a WebServices environment and simplifies the specifications and places them as a component in the Web Services architecture. Any advances in performance optimizations for Web services infrastructures can be automatically leveraged by these specifications. In order for coordination to span a distributed number of services/tasks, certain information has to flow between the sites/domains involved in the application. This is commonly referred to as the context and typically contains the following information: - An identifier which guarantees global uniqueness for an individual activity (such an identifier can also be thought of as a correlation identifier, or a value that is used to indicate that a task is part of the same work activity). - The coordinator location or endpoint address so participants can be enrolled. Figure 15. Services and context flow. The context information is propagated to provide a flow of context information between distributed execution environments, for example using SOAP header information. This may occur transparently to the client and application services. As has already been mentioned, the context is propagated as part of normal message interchange within an application (for example, as an additional part of the SOAP header). An important difference between WS-Tx and BTP is that the former differentiates between transactionality requirements and coordination by leveraging the WS-C protocol, whereas the latter ties coordination to transactions. The following section will examine WS-C in order to better understand the type of flexibility this gives WS-Tx over other approaches. Coordination is the act of one agent (the coordinator) disseminating information to a number of participants to guarantee that all participants obtain a specific message. A coordinator can also be a participant, creating a tree of sub-coordinators or peer-coordinators that cooperate to further propagate the result. Unlike BTP, interposition is an integral part of the WS-C (and WS-T) models. Context information flows implicitly (transparently to the application) within normal messages sent to the participants. This information is specific to the type of coordination being performed, for example to identify the coordinator(s), the other participants in an activity, recovery information in the event of a failure, etc. Furthermore, it may be required that additional application-specific context information (for example, extra SOAP header information) flow to these participants or the services which use them. WS-Coordination defines a generic coordination framework that can support arbitrary coordination protocols. It is extensible at the coordinator level as well as at the level of the context. For example, a coordinator that executes a three-phase commit protocol can be easily plugged in to a WS-C implementation and the basic WS-C context may be enhanced if necessary. The framework is useful for propagating a range of context types including security, workflow, or replication. The WS-Coordination specification talks in terms of activities, which are distributed units of work, involving one or more parties (which may be services, components, or even objects). At this level, an activity is minimally specified and is simply created, made to run, and then completed. Whatever coordination protocol is used, the same requirements are present: - Instantiation (or activation) of a new coordinator for the specific coordination protocol, for a particular application instance - Registration of participants with the coordinator, such that they will receive that coordinatorâs protocol messages during (some part of) the applicationâs lifetime - Propagation of contextual information between Web services that comprise the application - An entity to drive the coordination protocol through to completion. The first three of these points are directly the concern of WS-Coordination while the fourth is defined in WS-T, usually the client application that controls the application as a whole. These four WS-Coordination roles and their interrelationships are shown in Figure 16. Figure 16. The WS-Coordination Infrastructure. The WS-Coordination framework exposes an Activation Service which supports the creation of coordinators for specific protocols and their associated contexts. The process of invoking an activation service is illustrated as occurring asynchronously, so the specification defines both the interface of the activation service itself and that of the invoking service: the activation service can call back to deliver the results of the activation, namely a context that identifies the protocol type and coordinator location. This asynchronous approach reduces the tight coupling between end-points typically seen in other environments, which has the advantage of improved fault-tolerance, modularity, and deployment considerations. For example, although a client may send a completion message to a coordinator, it may make more sense for the response to be sent to some other entity. Once. The context is critical to coordination since it contains the information necessary for services to participate in the protocol. It provides the glue to bind all of the applicationâs constituent Web services together into a single coordinated application whole. Since WS-Coordination is a generic coordination framework, contexts have to be tailored to meet the needs of specific coordination protocols that are plugged into the framework. The format of a WS-Coordination context is specifically designed to be third-party extensible, and its contents are as follows: - A coordination identifier with guaranteed global uniqueness for an individual coordinator in the form of a URI - An address of a registration service endpoint where parties receiving a context can register participants into the protocol - A time-to-live value which indicates for how long the context should be considered valid - Extensible protocol-specific information particular to the actual coordination protocol supported by the coordinator. This is shown Figure 17, where. Figure 17. WS-Coordination Context Schema Fragment. We discussed earlier how the OASIS Business Transactions Protocol coordinates participants in either atomic or cohesive transactions in order to achieve consensus. The protocol defined in the BTP specification is an open-top, two-phase completion protocol. However, there is no separation between transactions and coordination in BTP, and all of the protocol assumes two-phase. Attempting to change the type of coordination protocol (for example, to a three-phase protocol) would require significant modifications to the specification and affect all aspects of coordination and transactions. However, it is worth noting that it is entirely possible to integrate BTP within WS-C. The WS-Transaction specification plugs into WS-C and proposes two common industry completion patterns (specific coordination protocols), where each supports the semantics of a particular kind of business-to-business interaction: - Atomic Transaction (AT): This is meant to map to existing transaction standards which have a well-defined behavior for atomicity (well-formed and two-phase), isolation (no dirty reads, repeatable reads) and durability (no lost data), in other words, traditional ACID semantics. The important thing to remember when considering Web services is that they are for interoperability as much as they are for the Web. In the past, making traditional transaction systems talk to one another was a holy grail that was rarely achieved; Web services offer unparalleled support for interoperability in this regard. Traditional transaction (see Resources for an interesting discussion by Vasters and the reference on Interoperability). Finally, AT is useful if only for intra-domain environments where a customer needs to consolidate operations across any number of internal applications. For example, a merger may have resulted in the need to combine the apps of the old and new business. - Business Activity (BA): This provides flexible transaction properties and is designed specifically for long-duration interactions, where holding on to resources is impossible or impractical. In this model, services are requested to do work (for example, reserving a seat on a flight), and if they can do so in a manner where that work can be later undone, the service may inform the BA. In this way, if the BA later decides it needs to cancel the work, it can inform the service. How services do their work and provide compensation mechanisms is not the domain of the WS-Tx specification: this is an implementation decision for the service provider. It is important to note that the BA model derives from a specific industry requirement in the BPEL4WS specification (see Resources for the specification). Although ATs and BAs may be sufficient for the current use cases that the specifications are aimed at, it is generally accepted that other protocols may well be needed later. Because WS-Tx leverages WS-C, new protocols can be added to the specification as and when the need arises. Therefore, the WS-Tx specification allows growth if new protocols are required (or identified). This is yet another important distinction between WS-Tx and BTP: whereas WS-Tx admits the possibility that "one-size doesnât fit all" and other protocols may need to be supported later, the BTP specification is essentially closed and constrained by its two-phase protocol. By making the separation between coordination and transactions explicit within WS-C and WS-T, adding new transaction protocols should be relatively straightforward and not impinge on those that already exist. Unfortunately attempting to do the same with BTP could potentially result in an entirely new specification, since all of the current protocol is tied to two-phase completion coordination. An important aspect of WS-Transaction that differentiates it from traditional transaction protocols is that a synchronous request/response model is not required. This model derives from the fact that WS-Transaction is, as you see in Figure 18, layered upon the WS-Coordination protocol whose own communication patterns are asynchronous by default, but can support other interaction patterns. Figure 18. WS-Coordination and WS-Transaction. WS-Transaction leverages the context management framework provided by WS-Coordination in two ways. First of all it extends the WS-Coordination context to create a transaction context. Secondly, it augments the activation and registration services with a number of additional services: - (Completion, CompletionWithAck - PhaseZero - 2PC - OutcomeNotification - BusinessAgreement - BusinessAgreementWithComplete) and two protocol message sets (one for each of the transaction models supported in WS-Transaction). The Atomic Transaction protocol (AT) The Atomic Transaction (AT) protocol is a consensus group that enforces strict atomicity among its participants. It is wrong to talk about Atomic Transactions violating the "trust chasm" between Web services; this ignores the central reason for using ATs: interoperability and short-duration interactions. There is a place for traditional transaction systems in Web services and this is precisely what Atomic Transactions are concerned with. To begin an atomic transaction, the client application may locate a coordinator that supports WS-Transaction. Once located, the client sends a CreateCoordinationContext message to the activation service specifying as its coordination type and will get back an appropriate WS-Transaction context. The transaction context has its CoordinationType element set to the WS-Transaction AT namespace and also contains a reference to the atomic transaction coordinator endpoint (the WS-Coordination registration service) where participants can be enlisted. After obtaining a transaction context from the coordinator,. To do this, the client application registers its own participant for the Completion or CompletionWithAck protocol. Once registered, the participant can instruct the coordinator either to try to commit or roll back the transaction. Transaction termination normally uses the two-phase commit protocol (2PC), as described earlier and illustrated in Figure 1. As with BTP, there is no ordering of 2PC participant invocations implied by the WS-Tx specification. If a transaction involves only a single participant, WS-Transaction supports a one-phase commit optimization similar to that in traditional transaction systems (and as you saw earlier, in BTP). Since there is only one participant, its decisions implicitly reach consensus, and so the coordinator need not drive the transaction through both phases. In the optimized case, the participant will simply be told to commit, and the transaction coordinator need not record information about the decision since the outcome of the transaction is solely down to that single participant. Figure 19 shows the state transitions of a WS-Transaction atomic transaction and the message exchanges between coordinator and participant; the coordinator-generated messages are shown in the solid line, whereas the participant messages are shown by dashed lines. Figure 19. Two-Phase Commit State Transitions. Once the coordinator has finished with the transaction, the Completion or CompletionWithAck protocol that originally began the termination of the transaction can complete and inform the client application whether the transaction was committed or rolled back. Note that the CompletionWithAck protocol insists that the coordinator must remember the outcome until it has received acknowledgment of the notification from the participant. In addition to the 2PC protocol, WS-Tx also provides two other protocols: PhaseZero and OutcomeNotification. Accessing durable storage (whatever its implementation) is often the performance bottleneck, and hence caching of an objectâs state (such. In traditional transaction systems this is accomplished through synchronization participants. Synchronizations are informed that a transaction is about to commit. They are then informed when the transaction has completed and in what state it completed. Synchronizations essentially turn the two-phase commit protocol into a four-phase protocol: - Before the transaction starts the two-phase commit, all registered synchronizations are informed. Any failure at this point will cause the transaction to roll back. - The coordinator then conducts the normal two-phase commit protocol. - Once the transaction has terminated, all registered synchronizations are informed. However, this is a courtesy invocation because any failures at this stage are ignored: the transaction has terminated so thereâs nothing to affect. When an Atomic Transaction is terminating, the associated coordinator first executes the PhaseZero protocol if any participants registered for it. All PhaseZero participants are told that the transaction is about to complete and they can respond with either the PhaseZeroCompleted or Error message; any failures at this stage will cause the transaction to roll back. Additionally, some services may have registered an interest in the completion of a transaction and they will be informed through the OutcomeNotificaton protocol after 2PC has completed.. The fact that there are distinct protocols for synchronization and two-phase commit is as important in AT as it is in traditional transaction systems. Being able to rely upon the order in which certain types of participants will be invoked allows performance optimizations, such as caching, to be supported. As you saw earlier, BTP has only one type of participant that can be enlisted in an atom or a cohesion, and neither protocol supports any kind of relative ordering. Hence providing an equivalent to synchronizations is not possible within the scope of vanilla BTP. Finally, after having gone through each of the stages in an AT, you can now see the intricate interweaving of individual protocols that goes to make up the AT as a whole in Figure 20. Figure 20. The AT Model. There is another fundamental difference between the AT model and the BTP atom model to which it is often compared: the termination protocol is not open-top and hence the distinction between participants and services is well-defined. The termination protocol does not mix business level decisions into the commit protocol, overloading what it may mean for a participant to receive a prepare request, for example. The reason for this is that Web services are typically written to operate in the following way: - A service receives a document requesting it to perform some work (such as reserving a seat on a specific flight). - Later that service may be sent another document requesting it to either undo the work or accept it. If the work is being performed within the scope of a transaction (letâs assume itâs an atomic transaction), then the interaction between the application and the transaction service should be minimal -- the transaction coordinator only requires access to the participants and they should not require strong interactions with the services on whose behalf they operate. In the scenario of a flight reservation service, the business-level (service) methods, such as book seat, have already performed the necessary work (such as provisionally reserving the seat). The explicit prepare operation of the open-top protocol is simply not required to have business semantics. The assumed advantages of an open-top approach (allowing decision time between the two-phases) are not required. When the application decides to terminate the business transaction, it wants the work to happen (or not) immediately, and all that is required is to guarantee consensus between the participants. Most business-to-business applications require transactional support in order to guarantee consistent outcome and correct execution. These applications often involve long-running computations, loosely-coupled systems, and components that do not share data, location, or administration, and it is difficult to incorporate atomic transactions within such architectures. For example, an online bookshop may reserve books for an individual for a specific period of time, but if the individual does not purchase the books within that period they will be "put back onto the shelf" for others to buy. Furthermore, because it is not possible for anyone to have an infinite supply of stock, some online shops may appear to users to reserve items for them, but in fact may allow others to pre-empt that reservation (in other words, the same book may be "reserved" for multiple users concurrently); a user may subsequently find that the item is no longer available, or may have to be reordered specially for them. A business activity or BA is designed specifically for these kinds of long-duration interactions, where exclusively locking resources is impossible or impractical. In this model, services are requested to do work, and where those services have the ability to undo any work, they inform the BA such that if the BA later decides to cancel the work, it can instruct the service to execute its undo behavior. While the full ACID semantics are not maintained by a BA, consistency can still be maintained through compensation, though the task of writing correct compensating actions (and thus overall system consistency) is delegated to the developers of the services under control of the BA. Such compensations may use backward error recovery, but will typically employ forward recovery. The WS-Transaction Business Activity simply defines a protocol for Web services-based applications to enable existing business processing and workflow systems to wrap their proprietary mechanisms and interoperate across implementations and business boundaries. Central to WS-Tx is the notion of scopes and defining activity-to-task relationships. A business activity may be partitioned into scopes, where a scope is a business task or unit of work using a collection of Web services. Such scopes can be nested to arbitrary levels, forming parent and child relationships. A parent scope has the ability to select which child tasks are to be included in the overall outcome protocol for a specific business activity, and so clearly non-atomic outcomes are possible. A Business Activity defines a consensus group that allows the relaxation of atomicity based on business-level decisions. In a similar manner to traditional nested transactions, if a child task experiences an error, it can be caught by the parent who may be able to compensate and continue processing. As you saw earlier, although BTP supports interposition, it does not support nesting of scopes. This is an important difference between WS-Tx Business Activities and BTP. Nested scopes are important for a number of reasons, including: - Fault-isolation: If sub-scope fails (for example, because a service it was using fails) then this does not require the enclosing scope to fail, thus undoing all of the work performed so far. - Modularity: if there is already a scope associated with a call when a new scope is begun, then the scope will be nested within it. Therefore, a programmer who knows that a service requires scopes can use them within the service. If the serviceâs methods are invoked without a parent scope, then the serviceâs scopes will simply be top-level; otherwise, they will be nested within the scope of the client., if it is to be performant. atomic transactions, the business activity model has multiple protocols: BusinessAgreement and BusinessAgreementWithComplete. However, unlike the AT protocol which is driven from the coordinator down to participants, this protocol is driven much more), then the child can unilaterally send an exited message to the parent; this is equivalent to the participant resigning from the business transaction as is also supported in BTP. either be a close message, meaning the BA has completed successfully, or a compensate message, indicating that. The child then acts as it does in the BusinessAgreement protocol. As with the AT model, another fundamental difference between the BA model and the BTP cohesion model to which it is often compared is that it does not mix business-level semantics with the transaction protocol. (such as unbook seat), and obviously book seat does the work somehow (and this may well be provisional until the application confirms the seat reservation). Most workflow systems don't distinguish compensate activities from forward progress activities: an activity is an activity and it just does some work. If that work happens to compensate for some previous work then so be it. In addition, most services youâll find already have compensate operations written into their definitions, like "unbook seat" or "cancel holiday" and they don't need to be driven by some other transaction/coordination engine that then sends "prepare" or "commit" or "roll back" to a participant which then has to figure out how to talk to the service to accomplish the same goal. There are several optimizations to the WS-Tx protocol that are worth considering, especially in light of their equivalents in BTP: - Read-only: As you saw earlier, in a traditional two-phase commit protocol, a participant can also return a read-only response to indicates that it does not control any work that has been modified during the course of the transaction, and therefore does not need to be informed of the outcome. The Atomic Transaction protocol supports this optimization. - Flexible consensus groups: As you have seen, the Atomic Transaction protocol provides a strictly atomic consensus group with well-defined ACID semantics. The Business Activity protocol provides a consensus group that allows for the weakening of atomicity; in addition, because of the activity-scope relationships that can be formed in the BA protocol, it is easier to delineate work into different scopes of consensus. - Participant resignation: The equivalent of read-only optimization in Business Activities is for participants to resign (exit) from the activity. This is similar to the BTP participant resignation optimization. Resignation can occur at any time up to the point where the activity is completing and is used by the participant to indicate that it no longer has an interest in the outcome of the BA. - Autonomous participant decisions: Because the Atomic Transaction protocol is based on the traditional (presumed abort) transaction protocol, it allows participants to make autonomous decisions about their ultimate fate. If these decisions are made before the transaction begins to terminate, then the transaction must roll back. If they happen after the participant has prepared, then the decision may lead to a heuristic (non-atomic) outcome, that must be resolved later. - Carrier optimizations: Unlike BTP, the WS-C and WS-Tx protocols rely mainly upon improvements in the Web services architecture and implementations to provide protocol optimizations such as one-shot. This should not be seen as a deficiency in BTP, but rather a property of firmly placing WS-C and WS-Tx into a single deployment domain. Optimizations of this kind are best dealt with by other architecture layers. - One-phase: The Atomic Transaction protocol supports the one-phase commit optimization. - Qualifiers: Additional qualifications to the protocol are handled by WS-Policy, where Policy is a standardized mechanism to advertise the operational characteristics. Web services and WS-C/WS-Tx As we have already stated, the Web Services Coordination and Web Services Transactions specifications are firmly placed on the Web services architecture. As such, they are designed to be able to use other Web services specifications such as security, reliable messaging, etc. when and if required. However, unlike BTP, these other requirements are clearly delineated within separate specifications. The travel agent scenario using BAs This section will show how the travel agent scenario that we previously modeled using BTP cohesions can just as easily be modeled using Business Activities. For simplicity we'll only consider the situation of obtaining several flight quotes and eventually accepting only the cheapest. This example discusses the requirements of business transactions which need a mechanism to select and manage the tasks that are included in the overall application outcome. Figure 21 essentially reiterates the application configuration: each flight service exposes operations to reserve, confirm, or cancel seats on a specific flight. Figure 21. The system configuration. Note that although not shown in this example, the overall business activity can be comprised of a number of tasks. Each task can be modeled as another business activity within the scope of the overall application. In addition, the task could be implemented as an atomic transaction. WS-Tx allows the application to specify scopes (relationships) without having to build logic within the overall business process to track the relationships. As before, the application makes invocations on each of the services to obtain a quote for a seat on the flight. Xantas.com ALU.com and ZA.com acknowledge the Travel Agentâs Flight Booking Requests (or application-level response). ALU and BA provisionally book seats while Xantas actually reserves a seat. Associated with the request, the transaction service manages the tasks that are participating in the applications (in other words, the Participants Enroll, indicating the reservation tasks are actively processing, while Xantas also indicates that it has completed the reservation request (shown in Figure 22). Figure 22. Making the requests. Based on the Prices returned, the Travel Agent decides to go ahead and book the two-legged flight offered by Xantas and ZA, shown in Figure 23. Because ALU never reserved seats, there is no need to cancel the ALU flight. The Travel Agent instructs ALU to cancel the provisional booking. (Optionally the Travel Agent can allow the ALU provisional booking to timeout if the application is constructed with scopes.) Figure 23. Canceling a quote. Because the flight chosen involves two parties, Xantas and ZA, the transaction Travel Agent then requests ZA to reserve a seat. ZA acknowledges the reservation. The participant then tells the coordinator that task has completed (Figure 24). Figure 24. Choosing the right quote. The application has now chosen the seat reservations that are to be included in the overall booking. You will notice that the final set of participants chosen must terminate atomically. In the example, ZA and Xantas need to make a commitment to the transaction and complete as an atomic set. We could have shown this as an atomic transaction within the scope of the overall business application, but instead we chose to illustrate a more simple scenario where the Travel Agent forces this outcome directly. The Coordinator now has received acknowledgements from Xantas.com and ZA.com, and the requested portions of the business transaction Travel Agent have completed. The coordinator therefore goes ahead and confirms (via close shown in Figure 25) the seat reservations offered by ZA.com and Xantas.com. Figure 25. Travel agent forcing the outcome. If ALU had reserved a seat, then the Travel Agent would need to instruct ALU to cancel the booking. The transaction service would then remove ALU from the tasks participating in the transaction (Participant sends exited to the Coordinator). The Travel Agent would then confirm the reservation for the remaining tasks as shown in Figure 26. Figure 26. Travel agent confirming the quote. Comparing and contrasting Although at first glance it may seem like there is commonality between the two specifications (both support a two-phase completion protocol, for example), as youâve seen there are significant differences. This section will re-examine some of the issues that we have already discussed, as well as some that we havenât. As you might expect from a specification that took over a year to develop, on the plus side the BTP specification is well formed and complete. Unfortunately, although the protocol is relatively straightforward, the specification is nearly 200 pages! It is thus not an easy sell for customers or analysts (and sometimes implementers). What does it mean to be a user of a Web services transaction? Initially it may seem like a good idea to let business logic directly affect the flow of a transaction from within a transaction service, but in practice it doesnât really work. It blurs the distinction between what you would expect from a transaction protocol (guarantees of consistency, isolation etc.) which are essentially non-functional aspects of a business "transaction", with the functional aspects (reserve my flight, book me a taxi, etc.) a flight reservation system). In a traditional transaction system, users donât see the participants (imagine if you had to explicitly tell all of your XA resource managers to prepare and commit?) Naturally this is something that programmers donât feel comfortable with and it goes against the Web services orthodoxy. Also, because BTP requires transaction control to use the open-top approach, it is difficult to leverage existing enterprise transaction implementations. Few transaction systems (or their administrators) will feel comfortable exposing their coordinators through the two-phase interface. Furthermore, the BTP specification expends great efforts to ensure that two-phase completion does not imply ACID semantics.) wrapper by BTP participants. Unfortunately, there is no way within the BTP for those services to inform external users that this is what they have done so that they can safely be used within the scope of a BTP "ACID" transaction. As you have seen, each model in WS-Tx clearly defines the semantics within the protocol (Atomic Transaction is ACID, for example). The models in WS-Tx are each aimed at a specific problem domain and is not intended to be used as a global panacea. Unfortunately, BTP does not have such well-differentiated models: the cohesion model is essentially a superset of the atom model. Therefore, BTP has only one model that must be used to solve a variety of different problems. It does this by relaxing restrictions such as atomicity, durability etc. within the protocol (cohesion or atom) and allowing services to define those semantics outside of the model. Although this may appear at first glance to give developers increased flexibility, this has the disadvantage of not allowing them to be able to reason about an applicationâs overall functionality and behavior. It also makes it difficult to construct applications from arbitrary services since within the protocol, you cannot determine a priori how a service will behave â extra information about the semantics and behavior of the service would have to be available in some implementation/vendor-specific manner. Both the WS-C and WS-Tx specifications are smaller than BTP, at about 45 pages in total. Simplicity and interoperability with existing transaction infrastructures played a key role in their development. As we mentioned at the start of this paper, the WS-C and WS-Tx specifications have not yet been submitted to a standardization body, so errors and omissions are inevitable. However, these issues will all be resolved with subsequent revisions; there are no fundamental flaws in either specification. On the plus side, the separation of coordination from transactions is good; coordination is a more fundamental requirement and a separate framework offers the chance for a cleaner separation of concerns. Because WS-C does not imply transactionality or a specific protocol implementation, it can therefore be used in more places than other protocols that have use of coordination but are tied to transactions (such as BTP). The fact that WS-Tx Atomic Transactions are meant specifically for closely-coupled interactions with ACID semantics makes integration with back-end infrastructures easier. Web services are for interoperability as much as for the Internet. As such, interoperability of existing transaction processing systems will be an important part of Web services transactions. Such systems already form the backbone of enterprise-level applications and will continue to do so for the Web services equivalent. Business-to-business activities will involve back-end transaction processing systems either directly or indirectly and being able to tie together these environments will be the key to the successful take-up of Web services transactions. In addition, because the semantics of Atomic Transactions and their participants are well-defined, it takes away any ambiguity from users and services: they know a priori what semantics to expect because it is a requirement from the protocol. Because BTP essentially only has one type of transaction (atoms are a subset of cohesions), it must allow flexible implementations of participants for long-duration interactions and therefore BTP does not define strict semantics for any participant. It is up to the service/participant implementer to somehow make this information available to users outside the scope of the transaction protocol. The WS-Tx Business Activity gives service developers freedom to define compensation mechanisms that best suit their services (for example, using Atomic Transactions where necessary), while at the same time providing a simple model for the users of these services. In addition, it ties in well with Web services choreography techniques such as BPEL4WS. Importantly as youâve already seen, because WS-Tx leverages WS-C, it is intended as a portfolio of extended transaction models, each suited for a specific problem domain. Therefore, as use cases appear that cannot be addressed by one of the protocols already within WS-T, new protocols may be added. The table shows a summary of the various differences and similarities between WS-C/T and BTP. Comparative analysis?" - Look for X/Open CAE Specification â Distributed Transaction Processing: The XA Specification, X/Open Document Number XO/CAE/91/300 (ISBN 1-872630-24-3). - Find the Web Services Security specification on developerWorks (April, 2002). - Read over the Web Services Addressing specification on developerWorks (March, 2003). - Get the BTP Committee specification on OASIS (April, 2002). - Find the Web Services Coordination Specification on developerWorks (September, 2003). - Read over the Web Services Transactions Specification on developerWorks (August, 2003). - Get more information in "The Business Transactions Protocol: Transactions for a New Age" (Web Services Journal, November 2002). - Find the Travel Agent Scenario discussed in this article in The Business Transactions Protocol Primer from OASIS (June, 2002). - Read this interesting discussion in the Clemens Vasters weblog. - Read the Business Process Execution Language for Web Services, version 1.1 specification on OASIS (May, 2003). - Find the Web Services Policy Framework specification on developerWorks (May, 2003). Mark Little is Chief Architect, Transactions for Arjuna Technologies Ltd. He has worked in the area of transaction processing for nearly twenty years and has helped develop several specifications in the area of Web services transactions.
http://www.ibm.com/developerworks/webservices/library/ws-comproto/
crawl-002
en
refinedweb
If you've been hanging out on the Java block for any amount of time then you've likely heard of Groovy. The brainchild of superstar developers James Strachan and Bob McWhirter, Groovy is an agile development language that is based entirely on the Java programming APIs. Groovy is currently in the beginning phase of its Java Specification Request, which was approved in late March of 2004. Groovy is also the scripting language that some claim will forever change the way that you view and utilize the Java platform. In his opening comments to JSR 241 (see Resources) Groovy co-specification lead Richard Monson-Haefel said that he based his support for Groovy on the conviction that the time has come for the Java platform to include an agile development language. Unlike the many scripting languages that exist as ports to the Java platform, Groovy was written for the JRE. With the request for specification (see Resources), the makers of Groovy have put forth the idea that (in the words of Monson-Haefel) "Java is more than a programming language; it's a robust platform upon which multiple languages can operate and co-exist." I'll devote this second installment of the new alt.lang.jre column to getting to know Groovy. I'll start with some answers to the most obvious question about this new language (why do you need it?), and then embark on a code-based overview of some of Groovy's most exciting features. As you learned in last month's column, Groovy isn't the only scripting language that is compliant with the JRE. Python, Ruby, and Smalltalk are just three examples of scripting languages that have been successfully ported to the Java platform. For some developers, this begs the question: Why another language? After all, many of us already combine our Java code with Jython or JRuby for faster application development; why should you learn another language? The answer is that you don't have to learn a new language to code with Groovy. Groovy differentiates itself from the other JRE-compliant scripting languages with its syntax and reuse of standard Java libraries. Whereas Jython and JRuby share the look and feel of their ancestors (Python and Ruby, respectively), Groovy feels like the Java language with far fewer restrictions. Whereas languages like Jython build upon their parents' libraries, Groovy employs the features and libraries Java developers are most familiar with -- but puts them in an agile development framework. The fundamental tenets of agile development are that code should be well suited to a wide range of tasks and applicable in a variety of ways. Groovy lives up to these tenets by: - Freeing developers from compilation - Permitting dynamic types - Easing syntactical constructs - Allowing its scripts to be used inside normal Java applications - Providing a shell interpreter These features make Groovy a remarkably easy language to learn and use, whether you're a seasoned Java developer or newcomer to the Java platform. In the sections that follow, I'll discuss the above mentioned highlights of Groovy in detail. Like many scripting languages, Groovy saves compilation for runtime. This means that Groovy scripts are interpreted when they are run, much like JavaScript is interpreted by the browser when a Web page is viewed. Runtime evaluation comes at a cost in terms of execution speed, which could rule out the use of scripting languages in performance intensive projects, but compilation-free coding offers tremendous advantages when it comes to the build-and-run cycle. Runtime compilation makes Groovy an ideal platform for rapid prototyping, building various utilities, and testing frameworks. For example, running the script Emailer.groovyin Groovy is as easy as typing groovy Emailer.groovy on a command line. If you wanted to run the same Java file (Emailer.java) you would, of course, have to type an extra command: javac Emailer.java, followed by java Emailer. While this might seem trivial, you can easily imagine the advantage of runtime compilation in a larger context of application development. As you will see shortly, Groovy also permits scripts to drop a main method in order to statically run an associated application. As with other mainstream scripting languages, Groovy does not require the explicit typing of formal languages such as C++ and the Java language. In Groovy, an object's type is discovered dynamically at runtime, which greatly reduces the amount of code you have to write. You can see this, first, by studying the simple examples in Listings 1 and 2. Listing 1 shows how you declare a local variable as a String in the Java language. Note that the type, name, and value must all be declared. Listing 1. Java static typing In Listing 2, you see the same declaration but without the need to declare the variable type. Listing 2. Groovy dynamic typing You may have also noticed that I was able to drop the semicolon from the declaration in Listing 2. Dynamic types have dramatic consequences when defining methods and their associated parameters: Polymorphism takes on a whole new meaning! In fact, with dynamic typing, you can have all the power of polymorphism without inheritance. In Listing 3, you can really begin to see the role of dynamic typing in Groovy's flexibility. Listing 3. More Groovy dynamic typing Here, I've defined two Groovy classes, Song and Book, which I'll discuss further in a moment. Both classes contain a name property. I've also defined a function, doSomething, that takes a thing and attempts to print the object's name property. Because the doSomething function does not define a type for its input parameter, any object will work so long as the object contains a name property. So, in Listing 4, you see what happens when you use both instances of Song and Book as input to doSomething. Listing 4. Playing around with dynamic typing In addition to demonstrating dynamic typing in Groovy, Listing 4 also reveals, in its last two lines, how easy it is to create a reference to a function. This is because everything in Groovy is an object, including functions. The final thing you should note about Groovy's dynamic type declaration is that it results in fewer import statements. While Groovy does require imports for explicitly utilized types, those imports can be aliased to provide for shorter names. The next two examples will pull together everything I've discussed so far about dynamic types in Groovy. Both the Java code group and the Groovy code group below make use of Freemarker (see Resources), an open source template engine. Both groups simply create a Template object from a directory and file name, then print the corresponding object's content to standard out; the difference, of course, is in the amount of code each group requires to handle its tasks. Listing 5. Simple TemplateReader Java class At first glance, the Java code in Listing 5 is quite simple -- especially if you've never seen scripting code before. Fortunately, you've got a Groovy contrast in Listing 6. Now this code is simple! Listing 6. An even simpler TemplateReader in Groovy The Groovy code is half as long as the Java code; here's why: - The Groovy code requires half as many importstatements. Notice also, that freemarker.template.Configurationwas aliased to tconfenabling shorthand syntax. - Groovy permits the variable tmplof type Templateto drop its type declaration. - Groovy does not require a classdeclaration or a mainmethod. - Groovy does not care about any corresponding exceptions, allowing you to drop the import of IOExceptionrequired in the Java code. Now, before you move on, think about the last Java class you coded. You probably had to write a lot of imports and declared types followed by an equal number of semicolons. Think about what it would be like to use Groovy to craft the same code. You'd have a far more concise syntax at your disposal, not so many rules to satisfy, and you'd end up with the exact same behavior. And to think, you're just getting started ... Extremely flexible syntax When it comes to syntax, flexibility is the primary ingredient that lets you develop code more efficiently. Much like its influential counterparts (Python, Ruby, and Smalltalk), Groovy greatly simplifies the core library usage and constructs of the language on which it's modeled, which in this case is the Java language. To give you an idea of just how flexible Groovy's syntax is, I'll show you some of its primary constructs; namely classes, functions (via the def keyword), closures, collections, ranges, maps, and iterators. At the bytecode level, Groovy classes are real Java classes. What's different, however, is that Groovy defaults everything defined in a class to public, unless a specific access modifier has been defined. Moreover, dynamic typing applies to fields and methods, and return statements are not required. You can see an example of class definition in Groovy in Listing 7, where class Dog has a getFullName method that actually returns a String representing the Dog's fullname. All methods, consequently, are implicitly public. Listing 7. Example Groovy class: Dog In Listing 8, you take things one step further, with a DogOwner class that has two properties, fname and lname. Simple so far! Listing 8. Example Groovy class: DogOwner In Listing 9, you use Groovy to set properties and call methods on your Dog and DogOwner instances. It should be obvious, by now, how much easier it is to work with Groovy classes than with Java classes. While the new keyword is required, types are optional and setting properties (which are implicitly public) is quite effortless. Listing 9. Using Groovy classes Notice how the getFullName method defined in your Dog class returns a String object, which in this case is " Mollie Waldo." In addition to designating all objects as first class, which many scripting languages do (see sidebar), Groovy also lets you create first class functions, which are, in essence, objects themselves. These are declared with the def keyword and exist outside a class definition. You've actually already seen how you use the def keyword to define a first class function, in Listing 3 and seen a function used in Listing 4. Groovy's first class functions are extremely handy when it comes to defining simple scripts. One of the most exciting and powerful features found in Groovy is its support for closures. Closures are first class objects that are similar to anonymous inner classes found in the Java language. Both closures and anonymous inner classes are executable blocks of code; however there are some subtle differences between the two. State is automatically passed in and out of closures. Closures can have names. They can be reused. And, most important and true to Groovy, closures are infinitely more flexible than anonymous inner classes! Listing 10 demonstrates just how powerful closures are. The new and improved Dog class in the listing includes a train method that actually executes the closure with which the Dog instance was created. Listing 10. Using closures What's more, closures can also accept parameters. As demonstrated in Listing 11, the postRequest closure accepts two parameters ( location and xml) and uses the Jakarta Commons HttpClient library (see Resources) to post an XML document to a given location. The closure then returns a String representing the response. Below the closure definition is an example of using it; in fact, calling a closure is just like calling a function. Listing 11. Using closures with parameters Grouping objects into data structures such as lists and maps is a fundamental coding task, something most of us do on a daily basis. Like most languages, Groovy has defined a rich library to manage these types of collections. If you've ever dabbled in Python or Ruby, Groovy's collections syntax should be familiar. Creating a list is quite similar to creating an array in the Java language, as shown in Listing 12. (Notice how the list's second item is automatically autoboxed into an Integer type.) Listing 12. Using collections In addition to making lists easier to work with, Groovy adds a few new methods on collections. These methods make it possible, for example, to count occurrences of values; join an entire list together; and sort a list with the greatest of ease. You can see these collections methods in action in Listing 13. Listing 13. Working with Groovy collections Maps Like lists, maps are data structures that are remarkably easy to work with in Groovy. The map in Listing 14 contains two objects, the keys being name and date. Notice that you can access the values in different ways. Listing 14. Working with maps Ranges When working with collections, you'll likely find yourself making ample use of Ranges. A Range is actually an intuitive notion and easy to pick up, as it allows one to create a list of sequential values inclusively or exclusively. You use two dots ( ..) to declare an inclusive range and three dots ( ...) to declare an exclusive one, as shown in Listing 15. Listing 15. Working with ranges Looping with ranges Ranges allow for a rather slick notion when it comes to looping constructs. In Listing 16, with aRange defined as an exclusive range, the loop will print a, b, c, and d. Listing 16. Looping with ranges Additional features of collections If you're unfamiliar with Python and other scripting languages, then some of the additional features found in Groovy's collections will impress you. For example, once you've created a collection, you can use negative numbers to count backwards in a list, as shown in Listing 17. Listing 17. Negative indexing Groovy also allows you to slice lists using ranges. Slicing lets you obtain a precise subset of a list, as demonstrated in Listing 18. Listing 18. Slicing with ranges Collections ala Ruby Groovy collections can also act like Ruby collections, if you want them to. You can use Ruby-like syntax to append elements with the << syntax, concatenate with +, and perform set difference on collections with -; moreover, you can handle repetition of collections with the * syntax as shown in Listing 19. Also note that you can use == to compare collections. Listing 19. Ruby-style collections In Groovy, it's quite easy to iterate over any sequence. All you need to iterate over the sequence of characters is a simple for loop, as shown in Listing 20. (As you may also have noticed by now, Groovy provides a much more natural for loop syntax than traditional pre Java 1.5.) Listing 20. Iterator example Most objects in Groovy have methods such as each and find that accept closures. Using closures to iterate over objects creates a number of exciting possibilities, as demonstrated in Listing 21. Listing 21. Closures with iterators In Listing 21, the method each acts as an iterator. In this case, your closure adds the values of the elements, leaving val at 6 when complete. The find method is fairly simple, too. Each iteration passes in the element. In this case, you simply test to see if the value is 3. So far I've focused on the basic aspects of working with Groovy, but there's far more to this language than the basics! I'll wrap up with a look at some of the more advanced development features Groovy has to offer, including Groovy-style JavaBeans components, file IO, regular expressions, and compilation with groovyc. Invariably, applications end up employing struct-like objects representing real world entities. On the Java platform, you call these objects JavaBeans components, and they're commonly used as business objects representing orders, customers, resources, etc. Groovy simplifies the coding of JavaBeans components with its handy shorthand syntax, and also by automatically providing a constructor once you've defined the properties of a desired bean. The result, of course, is greatly reduced code, as you can see for yourself in Listing 22 and 23. In Listing 22 you see a simple JavaBeans component that has been defined in the Java language. Listing 22. A simple JavaBean component In Listing 23, you see what happens when this bean gets Groovy. All you have to do is define your properties, and Groovy automatically gives you a nice constructor to work with. Groovy also gives you quite a bit of flexibility when it comes to manipulating instances of LavaLamp. For instance, we can use Groovy's shorthand syntax or the traditional wordy Java language syntax to manipulate the properties of your bean. Listing 23. A Groovier JavaBeans component Groovy IO operations are a breeze, especially when combined with iterators and closures. Groovy takes standard Java objects such as File, Reader, and Writer and enhances them with additional methods that accept closures. In Listing 24, for example, you see the traditional java.io.File, but with the addition of the handy eachLine method. Listing 24. Groovy IO Because a file is essentially a sequence of lines, characters, etc., you can iterate over them quite simply. The eachLine method accepts a closure and iterates over each line of the file, in this case File-IO-Example.txt. Using closures in this manner is quite powerful, because Groovy ensures all file resources are closed, regardless of any exceptions. This means you can do file IO without lots of try/ catch/ finally clauses! Groovy scripts are actually Java classes on the byte code level. As a result, you can easily compile a Groovy script using groovyc. groovyc can be utilized via the command line or Ant to produce class files for scripts. These classes can be run with the normal java command, provided that the classpath includes groovy.jar and asm.jar, which is ObjectWeb's bytecode manipulation framework . See Resources to learn more about compiling Groovy. No language would be worth its salt without regular expression handling. Groovy uses the Java platform's java.util.regex library -- but with a few essential tweaks. For example, Groovy lets you create Pattern objects with the ~ expression and Matcher objects with the =~ expression, as shown in Listing 25. Listing 25. Groovy RegEx You may have noticed that you were able to define the String, str in the above listing, without having to add end quotes and +'s for each new line. This is because Groovy has relaxed the normal Java constraints that would have required multiple string concatenations. Running this Groovy script will print true for your match of water and then print out a stanza with all occurrences of " every where" replaced with " nowhere." Like any project in its infancy, Groovy is a work in progress. Developers accustomed to working with Ruby and Python (or Jython) might miss the convenience of such features as mixins, script import (although it's possible to compile the desired importable script into its corresponding Java class), and named parameters for method calls. But Groovy is definitely a language on the move. It will likely incorporate these features and more as its developer base grows. In the meantime, Groovy has a lot going for it. It. Like the other languages discussed in this series, Groovy is not a replacement for the Java language but an alternative to it. Unlike the other languages discussed here, Groovy is seeking Java specification, which means it has the potential to share equal footing with the Java language on the Java platform. In this month's installment of alt.lang.jre, you've learned about the basic framework and syntax of Groovy, along with some of its more advanced programming features. Next month will be devoted to one of the most well-loved scripting languages for Java developers: JRuby. - The new alt.lang.jre series launched last month, with Barry Feigenbaum's installment "Get to know Jython" (developerWorks, July 2004). - Download Groovy from the Groovy open source project page, where you can also learn more about such topics as compilation, unit testing, regular expressions, and more. - "JSR 241: The Groovy programming language" can be found on the Java Community Process homepage. - Get an overview of the thought process behind Groovy, with James Strachan's "Groovy -- the birth of a new dynamic language for the Java platform" (Radio Userland, James Strachan's Weblog, August 2003). - Read more of Richard Monson-Haefel's thoughts on Groovy, on the java.net weblogs page. - One of Groovy's most powerful features is its agility. Learn more about the underlying principles of agile development (or XP) with Roy Miller's "Demystifying extreme programming" (developerWorks, August 2002). - Richard Hightower and Nicholas Lesiecki's Java tools for extreme programming is a practitioner's guide to agile development on the Java platform, including a chapter on "Building Java applications with Ant" (excerpted for developerWorks, July 2002). - Learn more about building Java (and hence Groovy) applications with Ant, with Malcolm Davis's "Incremental development with Ant and JUnit" (developerWorks, November 2000). - In "Automating the build and test process" (developerWorks, August 2001), Erik Hatcher shows you how Ant and JUnit can be combined to bring you one step closer to XP nirvana. - Maven is an alternative to Ant that works especially well for project management tasks. Learn more about Maven with Charles Chan's "Project management: Maven makes it easy" (developerWorks, April 2003). - Aspect-oriented programming is an agile development technique for building highly decoupled and extensible enterprise systems. Learn more about AOP with Andrew Glover's "AOP banishes the tight-coupling blues" (developerWorks, February 2004). - The open source template engine Freemarker was incorporated in both the Java code and the Groovy code blocks in Listing 6. - The Jakarta Commons HttpClient library was featured in Listing 11. - Groovy wouldn't be where it is today without the powerful influence of such languages as Python and Ruby. - You'll find articles about every aspect of Java programming in the developerWorks Java technology zone. - Browse for books on these and other technical topics. - Also see the Java technology zone tutorials page for a complete listing of free Java-focused tutorials from developerWorks. Andrew Glover is the President of Stelligent Incorporated, a Washington, DC, metro area company specializing in the construction of automated testing frameworks, which lower software bug counts, reduce integration and testing times, and improve overall code stability.
http://www.ibm.com/developerworks/java/library/j-alj08034.html
crawl-002
en
refinedweb
gigabite ga 8s655fx l audio advance ac97 audio driver support mp3 audio bible free audio tool jack utilit ramya music moments musical group rain may bird and the ever after audio download how to remove alpine car stereo made in heaven music audio sync samsung tv where can i get behind the music season 1 studio 54 choosing to cheat stanley audio book jr audio erotic audio book helena paparizou kiss of life audio warehouse saskatoon rock formation of grand canyon hot banditoz la cucaracha dance lyrics audio visual equipment rentals ipod accessory reviews singstar pop with microphones toy r us queen annes war who won audio feedback speaker enclosure how to cure fingernail fungus what made the beatles so famous audio analogue maestro pinoy mp3 downloads pinoy mp3 audio technica 2000 exploring feeling with the five senses for adults rock music tattoo music recording studio massachusetts hands free audio equipment from rex applicances riskey business soundtrack ucf jazz festival audio equipment home theater word music choral club ess audio win 2000 driver beatles primal colours how to cure a stuffy nose ipod setup assistant audio visual suppliers blues clues mattel radio bscker audio worlds biggest retailer of musical instruments mary j blige featuring kc and jojo rockabilly audio jesus christ superstar soundtrack music city miracle queen elizabeth ii pictures ace audio visual avon ct live rock salt water audio car discount linkin park in the end live audio physic spark 3 wikipedia pop ups audio visual equipment surrey free dums sheet music scary pop up video audio video connectorscables iron maiden longest day lyrics sydney gothic car audio shop alpine michigamme formation rock strengths alien dance i will survive cmi8330 audio adapter drivers rust colored cardigans we are the music makers and we are the dreamers of the dream we dont care audio boys beyonce without make up sanus systems efabii euro furniture audio base cassidy sensual seduction musical theater and opera history rock ten audio compression program vista convert mp3 to podcast guy love download mp3 adi sound max xl audio drivers ballroom dance lessons joliet il pop up hampers with wheels windows audio codec lightning audio subwoofers oxford catalogue house doors audio cips dancing queen tabs abba cleaning storm doors documentary audio free phillips pcs 604 audio driver audio processing for windows media player round rock jurisdiction code recuperacion de datos disco duro virtual audio cable jack creative vision m portable audio speakers music for mommy and me in new york multimedia audio control nude picture of vanessa from high school musical music quizzes audio note amplifiers heartwild music new music releases msn audio headphones elvis presley love song ghost orgy mp3 infinity speaker car audio braking free by high school musical family guy emmys song mp3 jazz flute music eminem echo digital audio the eagles farewell tour 1 cd metallica for whom the bell tolls bass tab audio studio equipment stations memphis storm dance routh wrecker little rock nokia applications player audio polish rap music eminem cheap car audio and free shipping dino rap lyrics homecoming kanye west high school musical 2 start for something new giggly babies audio free download of music by ray montaigne digital audio storage media computer music software remove voices convert album to mp3 audio grapper why rock musicians choose drugs new line dance hip hop slide queen beads no audio for radio jennifer lopez all i have mp3 file online spanish lesson audio soul shine blues fest kiss games online gentner audio jazz in the hartford area free hip hop instrumental beat xp audio download compaq presario c552u y smoke and hip hop achilles tendonitis cure what happened to musical duo belly who were they themed audio aim buddy icons origins black madonna vocal performance degree contemporary salvatore audio supervisor country music audio music of nfl theme song disco inferno 50cent coldplay music lyrics audio equipment sales houston texas audio of kimberly bell on knbr sandisk mp3 help landmark audio technology fm 350 red rock canyon nevada lulav little rock ar disco words audio nirvana drivers frosted doors new york dance harrison ipod audio output vs data port girl pasta dance audio books for children the outfits from the queen of the damned convert mnd to mp3 police audio walking in the rain dance rap rock hard in lindenhurst filament pro audio los angeles ca vocal performer information how long would it take to cure diseases by stem cells audio visual conference hire josh groban sheet music words audio t portsmouth music electronics experimenter optophone punk rock flea market seattle choral music in north europe boom shakalaka audio audio sex stories in hindi kermit the frog ringtone switch audio converter osx tango buenos aires mp3 tag studio3 trans audio phono turntables should audio equipment be left in standby power mode normalize video audio on apple mac where can i find free audio editing software scorpions rock me like a hurricane how can i get all of my audio programs to work together free happy birthday music crescent rock inc audio steno au840 ipod virtual wheel hip hop music 50 cent christmas tango song marriage couselling audio course university international dance best rock songs of all time how 2 channel audio works free motorola c139 ringtones soul science torrent m audio firewire solo j diggs music lyrics rock climbing calendars free audio meditation record mp3 on dvd high cholesterol cure and diet osx download myspace music audio tight rap lyrics miles davis albums prestige monster audio cabels download magix music maker 2 0 capture streaming audio how to cure stds buffalo dance campfire masterbation audio baby boy da prince the way i live gangsta rap special star war asio audio device how many eagles are in new york state rock riller fleetwood camper reviews free software pc to pc video and audio philadelphia eagles sneakers social consequences cure for hiv online spanish dictionary with audio definition of gothic literature vocal effects quintet audio engineering incomes free punk rock porn custom range rover audio systems alya a ves djt mp3 download free rock collecting california solid rock youth group display properties audio icon missing flac to mp3 free audio visual conference installer dmx pics norwegian music elton john siezed photos recording audio from youtube eurythmics king and queen of america audio visual australia hip hop dance lesson alexandria virginia cassidy new song dance classroom pictures polk audio driver world war i music free audio book on alcoholism punk rock records free happy hardcore mp3 downloads christmas soundtrack downloadable audio bible full glass storm doors audio output levels creative xfi sopranos soundtrack rapidshare password slovakian music best windows laptop for audio recording notredame football musical alarm clock kevin truedeau weight loss cure pussy soul calibur audio streaming software the dance store vacuumstate audio music instruction for organ on dvd or video ucsb music department suncom blackberry ringtones ion audio ttusbo5 novocaine for the soul atv rock salt spreader origin of halloween audio illah mcs khmer rap group car audio visionik josh groban sheet music words breast cancer race for the cure give thanks mp3 century 2000 audio akron oh pop up shelters best cure for pneumonia re audio xxx 15 free music notes fonts audio video cables connect pc to tv australian music piracy figures how to watch ipod movies on tv lone star music wichita falls tx canuck audio mythmusic cannot open music settings bluejuice vitriol mp3 audio drivers windows 98 cassidy pendley and sc audio valve challenger musical instrument activities ipod nano 8gb instruction manual audio bullys christian music concert promotors review ipod bluetooth adaptor earbuds panasonic monitor audio gs60 myspace music backdraft margurettes music technical services audio visual eagles consert schedule cherokee sting operation mosco audio mixer drivers for hp pavillion a1034n new zealand music tour grey fox audio sensations rock me like a hurricane respect the wind van halen audio i mac and sansa e200 mp3 player vintage audio restoration nickelback perhaps song acura audio specialist los angeles how much is a audio and video bugs spanish hip hop lyrics pop music group anderson frenchwood swing doors davy jones organ audio free english french online audio dictionary trenholme dance school in montreal ville saint pierre lachine theater audio calibration standards how to find the porosity of a rock eclipse car audio schematics rock of love with bret michaels 2 uncensored ohio car stereo music ipod cutting edge audio video barber mp3 sewer urchin audio wavs kiss me kill me pink floyd leave them kids allone sigmatel hd audio drivers gospel chord mute math typical mp3 audio video search urban an music news stories eagles springs west lodge solitude ipod backup free tender at the bone audio download free the rock watch kays audio music player candlesticks sick puppies music vince papale eagles totem player do digital audio an interesting fact about beyonce free public speakers audio recordings mp3 players best rap instrumentals 4 free chris cagle wal mart parking lot mp3 taylor swift audio channeling rca audio to mixer to computer music education rhythm and tempo comparison of audio players download mp3 you give love a bad name ultimate audio song lyrics kiss me down by the cure for scabies music math lesson free real audio mp3 100gb rodney carrington audio longest night worship music michael jackson first solo hit britney spears my only wish spongebob credits theme audio classic rock chirstmas songs queen size trouser socks terry pratchett audio torrents houston christian singles dance audio torrent finder euro rythm dance studio review american audio sdj 1 gospel stage productions audio educativo jacques maritain value of the soul clarion pro audio 2000 archives tabernacles 2008 messianic dance listen to gospel rap natasha bedingfield soulmate mp3 m audio sound card rock atkins ar flat on the floor nickelback video audio equipment review queen latifah i now where i been ted heberts music qsc audio rmx 850 prince synergy racquet free audio of tell tale heart by edgar allen poe rap news and rumor the gospel of john video rso audio dht techno beginning hip hop dance class in maryland ipod audio books dylan brock nude male classical music ringtone downloads harry potter and the half blood prince reviews flint audio video middletown britney spears kissing jamie spears leeds mp3 players upgrades cheech n chong audio james blunt 1970 intensity dance program free download for audio mixer ipod gen 3 audio interchange file lesbians kiss my ask brandi m rock of love nude herpes outbreak cure ja audio acoustic celine dion millenium concert cover no audio on hr20 with tversity the birth of britain winston churchill audio book musical jewerly box ballerina production music 1950s royalty volfenhag audio tobias hume music high efficiency doors how can i audio and video bug a home sarah silvermans comments about britney spears cricket wireless audio message soundmax audio driver listen to dance with my father dictionary with audio pronunciation rock star poster old phone ringtones full persian mp3 songs audio school what is packet writing audio cd sound realtek high definition audio black girl rock n roll timbaland wait a minute mirage audio speaker ipod classic firmware software upgrade autocad iron doors yorkville audio oxo pop top iron maiden myspace layouts rock star customs motorcycle sales which pyramat audio rockers are made in usa genesis musical recycled audio newport beach sissy audio mavis staples blues m audio session different as night and day mp3 london college of music key tutor amazon how to build a queen size bed audio visual environments eagles sweatshirt audio i have a dream speech high school musical bed sets stockists uk intercom 2000 book audio free procate audio video jl audio amplifer michael jackson rock with with lyrics dvd audio decoder audio phase meter bass stereo pedal audio sensing active speaker is rap music negitive in society the doors media wormhole audio sbc dsl pop settings free jazz sheet music eminem audio jazz cafe third world pokie machine ringtones split 4 audio out to 1 amplifier pro nails melissa young and kanye west guitar tab for led zeppelin good times bad times m audio irwindale kiss 100 fm black cat lyrics janet jackson sister fidelma audio book music go roung bobby brown and whitney houston ray j superhead kim kardashian cnib audio tapes mtvtr3s music dr dre come and go redman bmx audio visual equipment hire promenade dance audio books for blind pictures of 50 cent bare ass male country music lyrics garth brooks real audio beatles cirque de soleil rihanna umbrella acoustic download cowon jet audio download salzburg music center how to adjust volume on audio mixer look that up in your funk anf wagnalis dc live fire audio rihanna videos to make the dance team asrock hdmi audio xp problem nothing rock flathead in australia speed queen sc60anzo dryer de la soul oooh instrumental dvd burner software free cd audio jenny tommy tutone mp3 used pop up campers tampa m audio driver downloads dead eagles in alaska techno sex noise lyrics hidden camera and audio detection download aaliyah are you that somebody instrumental mp3 nextel ringtone converter program free real audio downloads eminem extras rap battels whitney huston billboard awards alpine car audio equipment pop plectrums how to enable computer to stream audio audio warehouse ralph lauren woodstock floral comforter queen size audio visual presentation equipment last day cobain soundtrack rock a bye my baby with a dixie melody cereal tv commercial mule skinner blues audio stop motion cable tv audio recording cruel intentions soundtrack listening exclusive company music audio for presario c552us notebook pc jinny mac music audio analytics dj zitkus mp3 texas christmas music magazines video audio nirvana before nevermind how do i transfer music into my psp a yodeling song with audio ma audio 12 subwoofer music cds vs data cdsblanks saffire cubase audio winr cellar doors andrea bocelli o holy night audio dramatico music this is sparta techno music invention of the ipod used american audio q fx19 mixer reggae gone wild adventure movie music blues brothers 2000 jonny long glasswegian audio file round rock texas rentals the eye trailer blacq audio ipod file storage format twisted sisters iwanna rock best mp3 tag editor free cary audio rocket 88 drama queen and evil pimp ath m40fs audio technica darey queen ritzenhoff table dance large bottle coaster free dance instruction videos creation audio labs ipod wizard gateway 7805 audio driver vista 32 listening to music on mp3 cell phone blugrass mp3 learn japanese audio files romantic music vs jazz music rock christabel porn make audio horns how to make beef jerky cure how to install pivot shower doors final fantisy music video audio visual equipment supply record media player music faith comes by hearing church audio supplies sting blackbird free piano sheet music adult stories audio sailor moon remix mp3 where to buy prince of austria tulips downloading free listen music without audio technica at 125 bose ipod dock review audio modifacation download kanye west stronger clean version facts on queen latifah chris rock audio cure cold sores naturally britney spears pubic hair white america by eminem record audio from youtube stripper music chemical brothers david pomeranz mp3 dueling banjo audio resetting an ipod trutech t1000 m mp3 audio sample who is 9s prince charles mother radio pop aol music stations free vista online users firefox audio computer rack case semper paratus sung by chorus redman mobile home floor plans car audio uk website little rock arkansas gun range how to install the new software 80gb ipod qsc audio amplifier symbol cent stacey campbell audio get hip hop remix right gothic graphics htm odeo princess grace tease audio shellbrook audio kid rock new music bluegrass music at pearl texas audio video stores animal house and soundtrack free mp3 glamorous high end audio forums ryan adams rock n roll poster kiss meets the phantom of the park download audio car pioneer htm lite rock 105 radio audio speakers bang olufsen ireland sheet music for counting crows color blind phila eagles 2007 game schedule roc tha mic mp3 power tracks audio pro crack audio vox audio phono switch ir romantic ways for a kiss bmw pop up roll bars roll protection bmw red vs blue sarge audio clip lyrics for leave out all the rest linkin park a list of christian rock bands audio drunk girl something corporate ketahuan blog mp3 downloads ipod cover flow png files dbx audio the period 1811 1820 when prince of wales ruled ipod ad singer ringtones and composer audio mp3 converters naked pics of dylan mcdermott myspace audio players queen vic hotel thailand smalls jazz club queen city iron and metal sizing audio speaker boxes interview register alert audio network highend surround audio equipment download music to computer car stereo marietta georgia cd audio cover download jazz piano methods cure nlp phobia social london audio speakers pro tools audio program music rebilca us 1950 1965 music history free audio extractor prison hill rock climbing conversations with god audio rudolph reindeer audio clips the influence on teenage rap music rap music chat room prier audio b sims folk art arba stereo outlet alpine audio stereos audio visual technology in education lyrics rock song love crush audio samples for hiphop eagles song lyrics x box rap free rip mp3 from audio file bradford blues brothers stereo mp3 recorder audio sounds of orgasms personal viewer for ipod sweetmrs39 audio music masks convert ogg to mp3 free little black girl lost audio book torrent madonna look of love free video ringtones for e61 blaqk audio girls and boys lyrics lyrics mariah carey kiss me like its the last time nutrition get mp3 ringtones quantum audio qs1500d rolling stones sinfonie ballroom dance club nj kove audio armageddon u2 elevator music radio station xxx audio messages simple slideshow with audio come on ring those bells music and lyrics record audio on internet audiophile m audio usb middleage ipod on air audio console srs audio texas pearl jam and crazy mary and mp3 bon jovi jon young guns high school musical for wii audio and vocal recording programs free upper penninsula barberhsop chorus music from ipod to computer windows free audio pci 253431 sound card drivers water music composer platinum audio pt806 tweeters river queen meeting audio tape to cd free convert mp3 files to audio cd free mp3 albums downloads dj tempo kiss kiss modem device on high definition audio bus the dragon dance yamaha music cartridge system trellidor security doors audio spy equipment online lyrics to mary j blige audio problem samsung tv casselberry contra dance does music affect memory dance troupes chicago car audio install atlanta blues brothers gimme some lovin immigration law audio supplement shakira pop free mariah carey ringtones sheet music of heart and soul from a song is born southwest audio uk gothic perpendicular style audio express tucson childrens music with movement and motions what isjack reconfiguration pop up audio of hatchet by gary paulsen music distributers recording music with ps3 audio connector free music online piano borderline personality disorder and garth brooks beatles yello audio technica 4050 sanziana pop remote audio from computer maroon 5 she will be loved download mp3 audio books onlin rihanna do not stop the music mp3 free audio bibles online htm pm window and doors sexy lil thug beyonce how to troubleshoot one channel not working home audio receiver how to load music on your ipod garage doors dayton ohio home entertainment manhattan audio equipment hersheys kiss someone share match contest tom cassidy h20 audio tifa dancing queen free pop music how to speed up digital audio pirate queen the musical world premier poster lightning audio rock band boy meets world educational music adi ad1980 ac audio codec garry moore still got the blues low temperature cure audio computer books rap beef music pop music and culture audio samples ov voice disorders real folk blues nine inch nails video torture machine paradox music uk tupac audio radio production music beds pop up camper rental in coppell discount car audio speaker cape may jazz festival free trumpet hillsong sheet music rca 5cd audio system jonathan munson music realtek hd audio sound level audio taper am i kid lyric rock free music journal plantronics audio 320 pc multimedia headset class rock climbing free computer fall out boy music audio needle music thearpy ataca chamber music wilson audio watch center speaker for sale all caribian disco medley nfl online audio and video beautiful girls dear hunter mp3 chicago illinois famous jazz restaurant and blue phil collins divorce audio visual rochester alicia keys nude fakes mini blinds for doors transviz alternatives audio relationshipbetween an arbiter and algarithem music beads for cure fijitsu amilo l 6820 audio driver jr rotem britney spears pregnant run audio file in background speaker designs pro audio how do i download music to my psp a pop up window is blocked audio visual conferences castle rock co area bed and breakfast mb audio 30 aps car ipod mp3 player fender blues junior high end audio receiver kiss i wanna rock playstation 3 comercial music audio visual conference uk michael jackson man in black atlantic city house of blues mp3 download safari g6 300 audio driver pearl jam wolf best tire and car audio three nanny goats gruff rap dance model acadamy south africa softick audio live music in uk queen dido how to rid the winter blues french audio speakers one night only beyonce chords lynn audio system network audio driver george mccrae rock your baby car sound and audio red dwarf audio books mp3 free rock n roll music dictionary queen show must go on cold suffocate audio cd rom audio cable splitter pl504 audio circuits name the eagles quaterbacks mp3 remix crack downloads good charlotte ringtones ipod car audio super mario brothers theme song ringtones audio v rocker black highschool musical 2 slovenski podnapisi stereo indicator light hk erotic audio orgasm we might fall sheet music green day september ends aragon audio dog bounty audio mouse chorus song theory of digital audio pohlmann how to make salmon patties soul food ringtone how many times must i slap your mama audio firewire problem xp cheryl lynn jamaica funk pop ar mary did you know sheet music for flute polk audio 5a review folk dance steps spanish dictionary with online audio pronunciation weissmans dance costumes cure gingivitis htm corporate audio visual free rip dvd audio to mp3 stevie ray vaughan pics dance fitness international help st chatswood alice christensen audio tapes where did jimi hendrix go to school audio video dana perino white house press briefing mio mp3 player reggae poque mcfunsoft audio studio metallica lead singer chicago hot honey rag mp3 download audio controllers audio hijacker huckabee letting killers out of prison manache shlok audio playaway audio books wisconsin and madison and music and christian and stores audio visual productions a greeting kiss on the lips what does it mean queen elizabeth philip wedding audio dog barking itune linux ipod shuffle foo fighters tickets chicago microsoft uaa bus driver for high definition audio scottish music music hip bone connected audio ghost stories free britney beyonce i wish you jesus by word music accompaniment cd spirits music recordings audio video corporation whosethemonkey dance information on hip hop music memphis audio subwoofers and amplifiers mp3 conversion tools why study music audio design jacksonville florida josh groban you raise me up audio elvis presley made in memphis audio mp3 best chinese music knomb doors audio latin download audio driver of lg xnote gs50 ipod boat console swan audio piano sheet music blues new club music htc audio manager download pop rivets the history mistress alexandria from queen of hearts web hosting with streaming audio services high school musical 2 dance along printables disco music arkansas river queen home audio wall insert what song is playing in fantasia when the russian flowers dance idenity audio kid rock mp3 connectors audio dance careers balanced audio tech eminem like a soldier well we all just wanna be big rock stars american usa audio amplifiers how to build a rock crusher summertime movie music used in the film audio audio book book download free mp3 mp3 chances rim rock elixirv access doors orange county audio compressor lyrics gorillaz punk myspace digital audio mixer techno music car commercial tg audio bybee sucker free music downnloads popular nz music car deer audio a rock that contains the mineral halite ringtones music for sprint phones music guy mike car audio speaker rewiews kiss helsinki second show sellout baby einstein music to your ears free audio editing tools panasonic hd car audio htc audio manager memory punjab techno music synchronization rights negotiation rso audio vst queen platform bed base free youtube to mp3 free english audio videos mock rock music nyu school of music learn grammar audio women feeling good about being naked mp3 or ipod buyers guide movies audio jack johnson track list curious george cowboy bebop stray dog strut music asbestos cure ohio list jvc audio receiver msn groups beyonce music for a darkened theatre medley audio casino chef red rock jazz changing spark plugs roland usb audio interface rock harbor nashville alamo music for percussion chris rock paramount seattle shareware audio file editor spanish christian rap biatch ringtones a midsummer nights dream audio book enya evacuee sheet music for piano multiroom audio hanzel und gretyl music videos mp3 nano portable speakers with docking audio recording studio little rock rich smith development techno music hits mae audio distribution axel f sheet music prince new cd summer feeling trouble shooting pa audio problems christian music online rock a foliated rock or mineral home audio voltage stabilizer miles ahead miles davis download retro guitar music classic myspace layout file audio how to write rap lyrics sample battlefield of the mind for teens audio dont stop the music by rihanna cover hip hop magazine mya spectra audio research inc too shy to say stevie wonder madonna picture clear shopping bag stevie wonder song movin on audio recording of el malei rachamim audio books of the bible grand funk railroad aimless lady pyramid car audio equipment queen ann war apollonia 6 audio cd siberian music groups eagle rock elementary school ministry of sound cd audio rockers that are made in usa ipod music converter dog bounty hunter audio ecm jazz free sublime mp3 download musical career of zztop animal audio books ice prince ship software for putting music with photos audio listener web address ipod shell 2nd generation audio catalyst ripper motorola v180 ringtone composer oregon jazz clubs audio codec identifyer grace music single wikipedia jones bring me the horizon pray for plagues mp3 downloads free mp3 nokia ringtone audio discount winchester virgina subscription music service for mac german pop stars edit audio in mp3 file pop up display system malaysia seraka dance planet audio apd talking audio burger king audio jerry skeen music brian feist conlomerate rock president bush parody audio kiss nails audio a day no pigs would die in loving memory and then i turned seven mp3 sesame street singing pop up pals bomfunk mp3 pace concert audio cure rate for prostrate cancer babywise audio book free film music southern gospel sun will shine again hindenburg audio sonos audio billboard muic philly punk michael savage audio clips kid rock vma your kiss is painted on my lips jl audio 13w7 dairy queen fairfield connecticut adi soundmax 4 xl audio drivers natural herbs to cure herpes the blessing music speco audio delta blues festivals audi 52 per cent china neil young bootleg tranformer transfer audio from dvd player to pc greatest accomplishments of queen victoria i am home words christian music free transfer dvd audio to audio cd patricia m prince classical music used in cbc radio commercial audio archive download republic broadcasting test stuffy nose cure mikesguitarsite metallica guitar tabs whole home audio find supplier of bathroom glass doors aerosmith rock and roll hall of fame birdland audio lite free ringtones ring tones apple nano ipod 8gb green cheapest ati audio driver rock outcrop impact workshop quran audio informobility how did fetish fashion influence punk music hershey kiss pretezls kenn chipkin blues rock us uk defiant audio tahitian dance softick audio serial classic rock licks cassie young eskimo send audio files learn country dance mp3 recorder freeware download construction lion dance audio speaker box kara rock podium pro audio speakers midi mp3 free converte screen doors for french doors jazz jewerly factory in bangkok big fish audio hip hop philosophy sample dvd acesse gospel your soul red hot chili peppers lyrics guangdong audio manufacturer selling your soul sis audio drivers downloads natural cure for mercury poisoning morse mountain bird pop carlos santana with eminem sycho sound car audio deranged amp 2400 ben harper sheet music rock band bundle pack free audio saxophone music mp3 and mp4 player playaway ready to go audio ipod 5th generation audibles pirate queen the musical world premeir poster audio storage cabinet media super memory mp3 ringtones colombia missing audio mixer windows xp drew seeley feat belinda dance with me lyrics ipod nano 8gb resolution pro music censory what it is worth audio video used teenage gothic clothes simon garfunkel the graduate acm reported error on audio compress virtualdubmod big mamas hause 2 soundtrack animal cloning cure cardiovascular disease blackberry audio insignia sport 4gb video mp3 player blue bra metallica listen to rodney carrington audio rock n rol heaven mother theresa audio free audio mixing boards race for the cure little rock ar osx audio cd exact duplicate rock wool exporters top 10 pop songs audio trace meter rock band drums mod dvd and classic and music and collection audio kontrol 1 tupac shakurs accomplishments audio books in mp3 format ipod pics all in the family theme song audio bon jovi this left feels right ipod folder freeware jl audio stealth box pocket rock it v2b listen free music michael buble on aol car audio recharge capacitor titan musical instruments ricardos music store balaced audio tech david bowie shirts david bowie modern love lyerics free audio recording software making music britney spears sans panties pictures rock memorabelia sound audio magazines public enemy fight the power contemporary audio tower the potty rock to install movie on ipod classic punk band cheap sex mp3 running spring audio new rock 7921 audio compressing medieval belly dance costume vocal jazz sheet music audio tubes pop up road barricade jazz and tap dance costumes soluzione lambo style doors polk audio db690 blue rock minerals alberta mi audio speakers austrian folk midis ipod low nano price rock n go exerciser audio visual equipment rental ann arbor michigan how to record music on a razr v3 driven by eternity audio book doors and pvc windows mijas costa nakamichi home stereo audio equipment in northrn greece wedding kiss ideas saffron prince fredrick blaze audio voice cloak serial pop corn coconut oil view praise dance videos free mp3 music equalizer audio equipment rack what is best kanye west lyric most wanted hip hop cd am audio subwoofer sacred site musical composition wii rock band wireless hidden audio transmitters free mp3 downloads for simple plan when im gone starwars theme mp3 audio research sp9 grace is gone by dave matthews hip hop culture and teens converting audio tape to cd reggae concerts 2007 philips mcm276r micro stereo audio system the band mp3 clips how to replace your ipod battery shuffle audio receiver stereo yamaha rock and roll high school forever dvd jazz demographic stereo with dock for ipod random house audio books mp3 format reader palm treo ringtone downloads portable pa audio britney spears mtv awards photos custom home theater audio systems nirvana cd new release download mp3 gerardo en mi barrio wee forest folk display case business consumer goods and services electronics audio learn japanese audio wheatstone audio tom waits anywhere i lay my head jason hudson music best noise reduction for audio what is the meaning of a kiss hip hop sounds professional isobel billboard realtek alc650 intel high definition audio codec download bestie boys mp3 the blue bird of happiness sheet music car audio perth girls night the musical dc hip hop rap hit the flo low low ofertas audio video erwann kermorvant mp3 lofland steel little rock arkansas recording internet radio audio free roarks southern gospel free christian rap music download for mp3 player m audio ie 10 professional reference earphones carrie underwood chace crawford ford race for the cure answering machine audio fast beat indian techno song from ministry of sound nike ipod nano polskie kwiaty audio prince philip raceist audio visual companies diva jazz t shirt linkin park parody mp3 how to download music from ipod onto computer studio audio recording equipment faux rock vessels mold how to reset my ipod source code chat audio web hewlet packard pavilion 6830 audio drivers case ipod nano open dvd moviefactory 6 audio problem acura music link 2008 tl equipment audio millenial blues get free bruce springsteen television program index of mp3 donell save jackson audio i got a rock essential mix house music how do you cange windows media audio file to mp3 dance valley picture frames with minature musical instruments i would if i could musical realtek alc 202 audio driver linux ennio morricone man with a harmonika m audio delta 1010lt sting mad about you my husband had a lap dance omarion entourage audio remember dreams come true audio dance factory virginia best linux audio cd rip edit trumpet rocky top sheet music free download hate that i love you ne yo rihanna audio edit free metallica comments myspace music match box audio adrenaline mp3 ringtone pop history slide in pop up camper dealer in seattle electronics home speaker audio the rocket summer sheet music under oath rock band harmonika mp3 rain man audio clips little rock walmart cake audio c library david bowie modern love lyerics michael buble everything lyrics im not angry elvis costello audio high school musical shirt a person describing a music concert queen guinevere coat of arm ac3 audio how to de activate pop up blocker legacy audio device drivers listen to grease music classical free music piano sheet audio visual dictionary legacy dance competition audio of the trumpet of the swan celine dion shadow of the day streaming audio stations north florida christian music writers association old testament in the gospel of pro audio speaker cluster rigging systems and hardware thirsty merc mp3 free download tl audio dual valve preamp compressor piano music for peach plum pear queen of spades left audio speaker canada music of khuda kay liye the carpenters mp3 music from the oc mix 1 disire of ages audio book security doors memphis audio hypnosis program best of foo fighters rapidshare audio adrenaline songs mp3 monkey audio mp3 fm6611 free techno mp3 panasonic tv and audio products ipod itouch screen protection case undercover brother soundtrack panasonic audio analyser vp 7722p xena musical episode dance at pullen park in raleigh n bed frames audio rap alot high pressure rock trap trooper santa maria audio old school rap napster uncut hip hop music videos razer barracuda ac 1 gaming audio card can you play audio cassette through camcorder psychic abilities feeling another persons pain bobby robson audio book music by feist homepage audio room devices unk music group britney spears bipolar disorder mrta tupac audio visual hire free nextel phone ringtone monologues in the music man old english audio of beowulf harry pop music live music dc area audio recording in nsw and legislative requirements the world is mine mp3 uncompressed pcm audio ps3 audio chart jazz artist dies 82 piano akai tv console stand with stereo system audio technica atw t310 rock music dictionary gibson blues king ebony audio dog bounty hunter racist good first mp3 player novice river past audio converter crack the future of online dance lessons french country doors rihanna cry audio beatles sutcliff walters music london ontario whole foods market in round rock texas red sox streaming audio radio free ringtones us cellular song downloads audio quality rip format philadelphia eagles myspace layouts nike phillips mp3 player audio galaxy spy ware dance clubs in lichfield audio editing sofware kdenlive audio queen of my trailer car stereo external case acar audio dre gordon shabas blues janet jackson disoca audio innovations latin american music performers audio out rca jack repair wet dreams audio wav bluetooth stereo headphone review engadget pickle surprise audio clip thunderhawk music dance dance revolution supernova 2 ps2 mid evil music audio research ph 7 phono preamp us rock band the killers lyrics so you think you can dance firewire digital audio systems speed queen malaysia kiss kiss chris brown download dog bounty hunter voice mail audio complete scale of musical notes prince edward island manufactur digital audio for pc simpson doors pink floyd mama replace subaru doors repair manual cd recorder audio technica fitting mirror wardrobe doors uk teach website audio learning kanye west stronger lyrics apple ipod 4gb blue convert data wav file to audio format rascal flatts little rock free jet audio 7 basic extension pack alc889a audio chipset fleetwood southwind parts jay dawson stars and stripes forever mp3 danger lyrics eric clapton how to capture streaming video or audio rap install m audio transit vista driver live police audio audio visual roseville bid 2007 confessions of a teenage drama queen monitor audio loudspeaker shopping rudy audio putnam berkley audio music ringtones for nextel bubblegum rasheeda free mp3 download free music for mp3 ipod controllers car audio pop rocks roxx fear the movie soundtrack digital audio workstation software constelation soundtrack atomic car audio music management shreveport louisiana fresh prince hilary pop music images audio of canterbury tales in middle english chorus hasbrock heights acoustic audio ht87 avril lavigne girlfriend dance moves english guide to chinese rock music asus p5kpl audio drivers soul calibar 2 ps2 experience music king or queen of laos high end home audio equipment lyrics for charile red hot chili peppers car audio dealer music business major stevie ray vaughan white boots ps audio c7 power cable kennedy center honors kid rock enter the dragon mp3 car audio laurel md wmv music problems in contract law outline knapp crystal prince intune audio champion doors dance team boots pink gta san andreas audio fix comedia musical mp3 file format explained john wayne chisum music xml audio file military surplus radical dance faction mp3 hire black and white dance floor newcastle harman pro audio purchased wholesale alternative goth gothic frank zappa watermelon in easter hage nephew and aunt incest audio stories viva music house music theory southeast audio book stories mobydick music canada she bop mp3 using audio compressors spice girls ringtones audio cd mastering circuit for stereo headphone amp kiss guitar picks for sale home entertainment audio equipment beyonce pregnant amd vs intel for digital music recording garth brooks in theaters discount auto audio drilling a hole in a rock crack key nokia 6600 mp3 player download pioneer audio equipement screen saver with mp3 car audio fixture display childrens audio clips peripheral car audio steinbeck the pearl audio book demon named hip hop britney spears kevin federline golden ticket audio stream rip open source linux debian etch listen to christian instrumental music online tingly feeling in pelvic area music jewelry box for a little girl audio works tewksbury ma a typical dance or song from italy free mp3 john williams call of the champions sony audio jones pop music lyrics blame high scoll musical benefits of synchronous online learning with audio music academics air audio length of ipod nano 1st flight of the conchords mp3 audio limiter lyrics alicia keys braga of kiss of the spider woman galaxy quest audio i knew the bride when she used to rock and roll lyrics sojing musical instruments prince of persia fansite japanese bible audio james blunt wise men discount and menopause musical and northampton image audio music world war one godoy tango convert audio tapes to digital how to cure ringworm elvis presley planter polk audio spearker drivers rap music of the 90s bluetooth adapter choppy audio marantz audio hip hop myspace layouts electronics stores with audio sound rooms in denver music and art activities for children aeng moo sae parrot mp3 free music video code kid rock so hot information incident audio transcript media public audience all star hip hop multi media audio controller software what is the gospel of the holy spirit jensen cm7015k car stereo systems mccormack audio rld 1 pilgrims on plymouth rock why does audio not match video on dvdrip audio down to the river to pray alison krauss rap common sense black percent pop imagine nas pitbull rap remix car audio replacing freelander radio music man sting ray 5 bass fort minor remember the name mp3 ready conference audio conferencing audio comedy clip of the truth about scooby doo audio speaker cable reviews pictures of linkin park corupt hip hop lyrics science fiction audio books sandi patty music for download music yishou hip hop artist bio car audio converter sony to jvc used wilson audio watch center speaker audio dual 6400 frank sinatra and rita hayworth did alicia keys get her nose done belkin portable audio cherakee music reset a ipod nano american girl soundtrack lyrics internet car audio sales tupac only god can judge me mp3 micheal jackson smooth criminal mp3 analog audio editing little rock bible study dan simmons torrent audio book solid front doors metallica cd set eva cassidy imaginealbum cover chinese herb hear it learn it audio cd how do i download music to my psp celine dion unison dvd covers waldorf astoria audio visual prison break pop tv the clash reunion audio warehouse regina hip hop culture influences rca audio theatre model number rv9900a high school musical washington dc audio gateway palm elton john sydney orion car audio comparison video osu fight song rap re mix monitor audio bookshelf review verde madonna 56 chrome fwd sell your soul in exchange for powers how to paint folk art revolutionary soldiers altec lansing inmotion im600 portable audio feelin groovy harmony sheet music m40x audio driver gospel keyboard instruction free christmas ringtone gabest submux audio music stanthorpe queensland discount queen size blankets aperion audio speakers brian rust jazz records description rock n ron what was the most expensive music video made best way to learn spanish audio metamorphic rock demenstrations law of attraction torrent audio book gothic vampira costume rifi northern soul ma audio ma 180xe neil young single seat tickets drum n bass quote audio book winning your wife back how to get hme videos on to your ipod how to become punk homeless bird audio cd depeche mode master nickelback rock yurdanov dance spanningsdeler audio download loader nextel ringtone happy birthday musical scale audio drivers download top business music colleges how to set up audio streaming on internet rock of love 2 girls nude pics grand rock performance download fee jet audio download start the dance route 909 national park music free audio plugin rock fish recipe the ten step country dance dynamics of combat audio tape cell phone gsm ringtones free international motorollo mp3 player polk audio fxi3 queen size bed support the rock church of rosevillle fleetwood high class of 1988 jack 4 audio lighted ipod cradles beatles hiphop refurbished denon home audio great music videos free phish audio streams super mario music mp3 togo africa music wii dance dance revoultion audio video receiver sicilian train blues stiff kittens blaqk audio defiotion of punk rock death of ivan ilyich audio free interactive audio books for children fleetwood arora travel trailers eminem monkeybird mama ga santa ni kiss shita srs audio sandbox 1200 madonna mp3 audio and video monitor and camera cheap wirless audio interfaces presonus mp4 movies for ipod high school musical costume supremefx audio card vs audigy 4 is anybody there free mp3 altec lansing inmotion im4 portable audio system size of a queen flat sheet david bowie hunky dory my mp3 ringtones for venus merengue audio clips how to make a musical instrument with eight octaves polk audio surroundbar50 lg ipod sheryl crow audio streaming software for vista dukot queen jazz summmer camp in va rock county court cases simply audio madonna tondo doni reviewed for perspective daily living skills audio books britney spears sex tape in hawaii absurd audio dvd audio linux burn how blues clues mp3 usb ipod turntable low audio level dvd vocal health and maintenance less than an hour mp3 rocky horror picture show musical song time warp music work audio biblical dictionary shops selling audio equipment chester uk sound of music orchestration car audio amplifiers jensen downloads of gospel music norweigan humor audio kiss rock band checks cabaret danse jazz paris reggae beach ocho rios phillip pullman audio apple classic ipod audio technica lp turntable to digital all tracks by the eagles beatles paperback writer vendita sistemi audio cavi cannon multicanali queen rania download maori rock paintings prince edward island tooling softick audio gateway keygen crack setting up apple ipod classic synchronicity opening tsubasa tokyo revelations download mp3 bulk component video and stereo audio cable lyrics please nine inch nails how contrast shows structure in music democracy player audio files verizon wireless ringtone maker silver queen bee pendant necklace sale salary comparison cinema audio society michael learns to rock take me to your heart cmi audio drivers turning off and on an apple ipod wolf rock lighthouse photos thrice music picture frame audio record energy star replacement doors tax form michael jackson wann be starting something audio video taversity recent pop or rock music silent night stevie nickstab vr8 audio file list of queen songs free canon music sheet printables cordless audio enhancer sell musical instrument to brass band audiopipe pro audio house of pain jump around mp3 lyrics dylan heaven door babay boy beyonce lyrics vehicle audio how long billboard cheap jl audio techno cd special size shower doors listen to audio of swisha house super duper music mother of the streets madonna free atreaming audio recorder download and print sheet music a christmas carol audio book free radio shack audio transmitter and receiver hookup hip hop bootleggers blog staywell cat doors realtekac97 audio driver europe the final countdown dance mix mp3 download madden 07 music country christian music lyric arc audio select panels the souls of black folk amy winehouse heritage audio rack dimensions 6u prince persia mini audio sistems linkin park foreword ringtone samsung vi660 why you should date a rock star audio mastering wavelab version solar panel pop cans jim feist tv schedule m audio fast track pro usb review how to install car audio amplifier impact audio wiley regulation glam rock groups metadata music vellucci audio video system value jon bon jovi family picture cure food allergies korn kiss lryics stereo audio cable splitter target mp3 audacity audio software free kiss chasey mp3 downloads companion hospice flat rock ca school of pythagoras music talking budgy audio miles davis quintet pictures m audio pro tools adobe audition comparison inexpecive mp3 players metal entrance doors download famous quotes audio link to mp3 file for hollywood undead no 5 linkin park one cobra 75wx st audio mod purist audio cables the gardens at queen we all know frogs go pearl jam trax editor importing audio tutorial bob dylan odeon flanners audio brookfield hellenic dance festival free you tube music videos falloutbuy adult dance revolution iluv vertical hi fi audio system bon jovi tour tickes interior wood panel doors in wall audio system rap music lyrics guerilla black dell m90 audio driver north rock theather mp3 mouthshut sending ringtones and pictures using bluetooth best ratings camcorders hd 2007 2008 audio quality tip ringtone pedigree biography prince sigmund of prussia audio cassette tape tension disco and restaurant monster mash mp3 sharp audio reveiw listen to star wars ringtones download melanie thornton mp3 paradigm in wall audio speakers music gift certificate diane mott davidson audio books interactive online music technology websites eagles added email classe audio hip hop skirt how daft punk casino sounds and audio ipod classic file manager queen adreena jolene imeem dance club remix how to hook up audio video components free sheet music for drum free nightmare christmas flute music sheet ash audio book soundtrack to amazing grace jazzs fiance name from fresh prince lindvd audio converting mini disc to mp3 video audio merge software watergate speech audio the enemy live and die in these towns free mp3 hindi english audio ipod nano instructions black rock in virginia audio innovative 100i list of hip hop forums messageboards on the floor lyrics techno market music music music books amaduas audio fly me to the moon free mp3 audio video cts test questions salzburg vinyl to cd music center female pop group french lyrics uk charts 1990 one minute audio card player buy beatles songs mode 4 music cape music lessons music tape lacquer audio video duplication market free country music downloads wilson audio center speakers how to draw punk rock progressivo yes audio novel how to convert m4a to mp3 free hip hop rex files audio lines moble sound kanye west music sheets for trumpets kayne west music van morrison jazz free audio of othello music hits top download audio technica atr 30 info on queen the band hymn to red october mp3 archive audio files grand ole opry condo queen of charleston blues traveler publicity automotive audio reference library david bowie heros the black death cure how to splice audio using audacity busta rhymes janet jackson who qualifies for the dre download mp3 gospel boss audio cheap lowes garage doors rock music hunkiest men mac audio cd shareware free iden ringtones indigo audio books canada sf jazz festival tickets catholic hymnals for instrumental soloist full gospel evangelistic association indian audio jokes hawaii prince free ringtones for the motorola v60027s sony sound reality audio enhancer drivers disney sheet music free a135 s7403 audio driver lenny kravitz at the riviera in january houses for sale white rock south surrey young buck prepare for war audio the rex jazz hotel music rose robbins free mp3 download online the music of wwii by quality audio dell music dj htm sony audio recievers lyrice here without you 3 doors down hand made music stands listen to fur alise audio starwars theme mp3 free male yeast infection cure weebee audio free downloadable instrumental music prince sadayasu songs leona lewis boost audio avisynth ye olde music shoppe the queen cast morel car audio hiphop info custom audio for jeeps eagles single how long chords for rock candy mountain audio effects software download masochists tango matchbox romance monsters mp3 j pop round table free audio video synchronizer mp3 the tear garden live car audio questions rock shot80 hed kandi disco heaven 2007 details maximum tune mp3 stas audio tapes zoellner queen latifah pop rock song child in town audio rack dimensions plantronics mx100s stereo headset eagles landing standish mi creative soundblaster audio pci 64v driver bew music releases how to put games into your samsung mp3 corso per tecnico audio visivo e multimediale dear mr president sheet music hillary clinton audio house on the rock lagos cell phone mp3 player speakers audio compander the amazing journey gospel light dance to this beat lyrics rock tour game ernie harwell audio scrapbook elvis presley hurt lyrics irish rock violin music send audio to pc from free rap music lyrics tourism plymouth rock imac audio quality musical intsruments made from pvc pipe kiss museum myrtle beach south carolina whats the specs on the audio planet vx 6002 mary j blige nude audio files on my own blog stereo wall units greek folk tale ogre what is wav audio britney spears showing off her pussy christmas music listen now yamaha cp33 music stand controladores de volumen de audio de salida album sales kanye west vs 50 cent multimedia audio controller driver for win xp madonna rain lyrics rock crystal lamps galaxy audio pa photograph music video by nickleback the aloof so good mp3 download tueller dance pink floyd seperate audio tracks zeppelin ram home stereo audio equipment legally what to insure pop up camper contemporary front doors statistics sowing serial killers living in high crime areas audio system transmitter multi room ike waits canon in american music women of faith audio devotions imdb elimination dance audio rs2 hubble bubble music the runes of the earth audio book ringtone store ames home audio and theater dance studio children richmond va free audio for moby dick lenny kravitz calling all angels the beatles cartoon integrated stereo amplifier big fish audio drum snopp dogg mp3 ummagumma pink floyd trackback this post closed linear power car audio the cure pornography secret gospel of thomas editing audio in power point centinex music samples samaans park kalalu music festival nordic audio video vob ipod conversion dana mcclure audio tall pauls pop up camper parts macon georgia queen of web models download prince caspian superbowl the eternal om audio the devil sold his soul to gaara logitec z5500 audio drivers dance classes in michigan tri for the cure 2008 rock n roll worcester free audio streaming recorder for vista the mash potato dance queen italian restaurant in brooklyn ny zap audio fullerton gospel songs amazing grace rock and roll t shirts big and tall calrec audio ghost billboard incorporated john gerstner audio toddler dance cd eddie bauer queen bed hunts point christmas music audio minitone mp3 ringtone palm treo 750 free jazz god how to rip audio from a movie marilyn dumont pome not just a platform for my dance the way i are timbaland based off of johny eagles toy guns audio wholesale loudspeaker audio consulting audio concepts houston texas country ringtones lonestar real tones srv music madonna dress you up mp3 windows classic media player audio skipping song by prince and madonna comodore audio wiring harness vt radiohead oxford dates world of warcraft music secret audio recorder watch tipp hill music festival the 10 componets of music cingular free ringtone samsung x427 windows audio recorder chaos starring quentin conners music download industry standard audio interface the doors the end lyrics sheet music for polly soundtrack unusual music record albums how to interface a icom ic 110 to a audio panel download driver for hd audio hp 6715b bose home audio maxell audio cdr treasure hunt music books free legal music optimizing pc for digital audio heart nobody home mp3 download hrmonix pro audio high schopol musical nude pics frank zappa catholic girls glass fire place doors his dark materials audio books civil war drum music the new ipod lineup pakistani funny audio clips laluna mp3 now and forever background music school audio tapes erik prince congressional hearing upload amr audio files to myspace digitial audio coax mulit elawke child tom waits zanzibar blues intocables audio texas natalie portman rap saturday night live review enhanced audio music effect adolescent development drug alcohol treatment rock creek oh yeah baby audio file beyonce pussy picture samsung ringtone file attributes g37 audio system kennyg music free download home studio pop scratch cd perfection book kid free audio tulsa live music schedule knocked up music home audio repairs pika pika rap four seasons classical music cingular wireless free audio ringtones gospel music father alone audio beyonce knowless bum car audio crossover astral trance disney high school musical 2 audio quizes led zeppelin when the levee breaks color bass drum sticker how do i save just sound as an mp3 in studio 11 polk audio rt35 rihanna shia central audio system volume balance control rihanna hate i love you gay club dj dance mixes import mp3 as audio book into itunes high quality audio files apple ipod youtube alicia keys hillbilly rock hillbilly roll audio track mixing wedding music manitoba britney spears sextape october 007 audio technica at892 microset dylan meklin madonna unreleased mp3 stereo audio system mexican club music lyrics windows audio recording maker radio shack audio user manuals music guitar sites fox 5 in atlanta ga audio blog on megachurch pastors mp3 wav file converters doors direct god shaped hole audio adrenaline offering karaoke music htm pop mail freeware program sharp microwave audio signal elimination antichrist prince charles rock post hole digger pop up box template funny audio message st saviour school alum rock audio technica 4050 self noise specifications broadway phone ringtones lenny kravitz acoustic songs the twelve days after christmas audio problems with downloading music dance music l audio book downloading top ten billboard 2007 tango in ny free tupac ringtones roy chapman andrews free audio hard rock hotel and casino las vegas latest di morrissey novel acoustic audio gx350 speakers varizoom rock audio books listen online pop like a drop a ity miles davis complete audio samples of a guitar with tex mex pickups bless the broken road sheet music greatest rock songs of past 10 years download japan mp3 anime candy candy connie talbot audio clip free music downloads spiral audio 510usb free boost mobile mp3 ringtones lavatory pop up assembly wonderful world armstrong short audio clip rihanna bikini pic tabgo music m audio nrv10 review sorrentto music boxes bethany fenwick blues ball filthy audio stories alternative rock different features than popular music mp3 sophie b hawkins all in one retro audio players if im alone with a girl how do i kiss er jokes about open doors covered in blues the songs of eric clapton dane cook vicious circle danegerous edition dvd audio burn free rap music music alive december 2000 audio pronunciations tambour hide and seek imogen heap mp3 musical relaxation mac audio streaming recorder audio free mac os9 optical audio output samsung ringtones wallpapers transformers audio audio x rocker review music warehouse townsville listen to apologize remix by onerepublic michgan laws on audio taping qqueen rock montreal market music music music music books sheet music brazil national anthem audio ekolu stranger in love mp3 free wcw sting pics unified audio architecture who da funk shiny disco balls sureno rap music code free audio downloads for learning arabic how to rip music using xbox 360 accordian instrumental positive feedback audio reviews free ringtones and logos for trium mobile phones heart rate and music chris rock almost there ps3 audio connection sayville dance the history of hip hop headworn microphone audio technica fm and am mp3 player out of grace techno wireless audio chip ic all about japan race queen phenix sp last fm music free shakespeare audio maryland music educators association audio bible on cd state fair musical soundtrack torrent punk test best audio codec britney spears workout tips free rap ringtones for cell phones cingular wireless the beatles facts and music free unlimited audio hosting outlandish callin rent the musical lyrics imovie align video to audio funk that band mp3 kitaro free c media ac97 audio driver audio moby go download tupac so much pain mp3 ou sooners live audio liquor stores in rock hill south carolina for holiday hours willie nelson duet songs dvd player region pal 1080p hd optical audio history of horrorcore music dance dvd for kids presonus audio halloweeen hip punk speed queen ctsa9awn audio technica usb turntable stanley steel entry doors listen to meditation music adult audio hindi mamu hip hop club uk jazz jdc 9 the good old boys audio narrated by brian keith music by jessy daniel michael jackson album bad sadaqat ali surat rahman mp3 audio books for palm what could we find if we visit ayers rock audio excel if functions second marriages feeling second best frog prince full story by brothers grimm joss stone audio flow rock how many songs did hendrix jimi hendrix make pop up window html code cracker barrel audio rental classical mp3 downloads incident staff audio transcript complex direct organization plan lupe fiasco bio music makers austin instrumental music in episode where stewie kills lois alpha low loss audio cables america suite marching band music rock city lookout mtn ga audio reproduction quality phil collins long way lyrics roots alex haley audio books pager sound siren alarm ringtone audio file billboard hit lists free michael jackson download lpcm audio decoder temperament music definition audio cables manhattan dairy queen myspace background airo ghost dance prince the new funk tim treadwell death audio tape the pirate queen spank vid nkjv audio mp3 music of rogers and hammerstein aqua teen hunger force soundtrack lyrics phialdephia eagles football schedule 2007 audio streaming on internet the beatles do you want to know a secret hot 91 music convert ipod audio files pop up lp records purchase music audio cd online sites country gospel lyrics how tall is david cassidy audio from exorcisms ipod photo viewer aluminium and glass sliding doors guards access control at doors core audio how to set the sample rate on the device wu tang clan vs rza audio norman geisler prophets audio for the fall of the house of usher who sings i rock the party that rocks the body jazz club in lithia springs georgia audio drivers for pavilion dv6000 for windows xp timbaland pts onerepublic ion audio tape2pc usb cassette deck romoving stinger from bee sting with teezers highschool musical girl nude photos audio message by john leonard polyphonis anime ringtone david bowie ragazo solo ragaza sola hilton audio rock critics of the sixties funk guitar garage doors stark county ohio jl audio c5 650 vs imagedynamics csx listen learning the blues fisher audio queen city airport audio to sheet music converter how does car audio systems work pioneer aux car stereo cable cord mind body and soul exhibitions jean paul sartre audio john legend feat lupe fiasco lyrics kanye west mtv famous rock n roll singer imus streaming audio bone yard rock and roll raven you tube music videos imtoo edit mp3 audio top 10 hip hop song ipod photo help audio video sending unit rock songs about women audio books david cottell downloadable elvis presley sunglasses htm lyrics to check on it by beyonce orleans soundtrack sample uaa hd audio bus driver samsung d 807 transfer ringtone billboard advertizing albany ny paradigm audio speakers cupola furnace design rock wool boss audio ch1500d reviews australian rock database saddest classical soundtrack music dirt track audio webcast music and dance of chile dirty talk audio audio technica at bg1 neil young barefoot floors live college radio station jazz we want the funk music video audio electronics super amp mkii hopalong cassidy festival natural cure for teenage acne twilight by stephenie meyer audio cds free online music videos by 2pac ipod speacker isp80b car audio tube amps philadelphia eagles analysis girl scout mp3s spy audio video covert war on rock in roll celine dion miracle headset audio panel for vehicle marie therese queen of france queen maobh audio files conspiracy child research of music martin logan home audio free net10 ringtones lyrics simple plan how to troubleshoot tv audio problems test cellphone for ringtones jingle bell rock clues rolling stones sympathie for the devil pro audio software saawariya mp3 songs just hit me on the ringtone shorty home audio recording act pmrc streaming pop christmas corporate entertainment audio production spirital audio freeware how to record mp3 files from lps audio song joanna original broadway cast sweeney todd listen streaming audio from mypace c runtime error winamp elton john pack gospel skate board audio symbol devotion on dance for god jethro tull mp3 download blogspot rca audio theatre ff stamp gothic download linkin park in between flatline audio eminem reup ipod mac xp transfer audio storage as seen on tv soul ipod usb device not recognized cable audio zone tallahassee fl queen latifah love life crystal wdm audio legal music downloading queen anne inn nova scot car audio for less britney spears cinderella convert audiobooks to mp3 dvd audio recordings tarzan ii soundtrack griffin ipod docking stations led zeppelin atlantic reunion ps audio power cord reviews country music foundation postpartum blues e machine soundmax audio driver download war rock official site song of mary magnificat mp3 skinny by alex beven audio gothic barbie sony home audio receiver reviews savariya the movie music armand van helden nyc beat mp3 download share market audio video duplication archos 105 mp3 player him unofficial audio download site infinite audio palmyra beatles sun radiohead inrainbows cover car audio cell phone the harlem gospel singers portelligent ipod classic cases for the new generation ipod nano audio free mac os9 celine dion age elite 835 stereo headphones audio demonstration rooms stores in denver putting music on ipod american music museums led audio level meter db rock boys lyrics sales of rap artist 50 cents latest cd toshiba satellite a105a speaker audio dvd mvie problem why wont some of my songs play on my ipod nano philips pro audio temperance michigan bonnie prince billy ask forgiveness lyrics gothic cuckoo clocks prince mulberry audio ben porat prayer audio flute viola free christmas music audio technica atm450 kids song bubble bubble pop in my eyes by stevie b guitar tab audio general public mp3 tenderness anthrax cancer cure 2007 writing software for music flash embed audio webpage wisemen say only fools fall in love lyricsby elvis presley nine inch nails logo free audio file conversion free gospel chords hdmi audio cable aluminum pop rivits blues slide guitar lessons rock instrumental torrent itube audio advisor prince remix cheap ipod skins elite audio pre amp nickelback free music downloads music free download eminem audio language love download unsensored photos of britney spears without panties queen victoria the nurse in romeo and juliet nvidia nforce audio driver steel fire rated doors southern gospel song list d class audio amplifier cure for fibroid stevie ray vaughan official site c for dummies audio book vinyl sliding pet doors gothic babydoll tops dvi to hdmi cable audio lightning audio intall kit free myers ringtones tivoli audio 2 southern rock radio clutchfield audio hip hop dance class chicago web gospel presentation music brand audio cookbooks piano music pachelbel canon in d free realtek ac97 audio driver updates music lyrics for unhearted by juliet simms vista audio digital analog simultaneous maryland and producing and music vendita sistemi audio avvolgicavi pain music three days grace fur alise audio clip ringtones michael jackson the birthdate of prince felipe of spain free download music sheets scores bizet arlesienne edirol fa 66 firewire audio interface connecting audio device to motherboard stereo cien entre amigos audio research ls28 remote is there a cure for type 1 diabetes motorola digital audio player file not supported a poem on music chain rock over pineville greek mythology amazon queen speed audio remaster listen to marian andersons music neil young live at massey hall how to get bluetooth audio into pc a2dp free movie to ipod converter if i were the man you wanted chords willie nelson axiom audio sucks music for young children audio cover 2 02 serial crack list of brand new hits music jailhouse rock fighting styles music of the night lyrics turn table audio technica at pl120 mary magdaline and gospel how to get 5 gold stars expert rock band the good old boys audio gods chosen gospel instrumental solo sax caprice audio kirk franklin music scores disco christmas songs compadre pedro juan audio clip hip hop radio playlists square dance cloths gothic fiction definition earliest audio recording pottery music and hope shorter free audio books on mp3 construction access doors ree mp3 downloads audio hallucinations free music for itunes how do you make an mp3 a ringtone audio problems windows media player soul connections mt shasta california any free music immedia audio video phoenix aerosmitsh mp3 gaelic scottish music giro bad lieutenant audio snowboard helmet britney spears fat show me installation shower doors queen victoria and hemophilia incline audio slow ipod interface eric clapton eyesight to the blind audio suppliers history of hip hopn dance emerson audio systems kiss saved santa christian music for trading my sorrows lacey and cassie mosley citronic audio capture gothic trestle table plans houston rocket audio black eyed peas vs the cure mashups soundtrack halloween h2o memphis car audio sudwoofers free violin lord of the rings sheet music mrc musical instruments cassie cain trenner and friedl audio speaker carrie underwood new cd uk music download stores pyamid ar audio music manager socal car audio shops jazz pianist cyrea how to install the gnome audio package how old is elton john hitec audio nashville listen to the mockingbird free music notation le petit tourrettes audio michael jackson jew them black music videos best single component home theater audio system mp3 download services free psp music downloads reggae dvd free audio christmas downloads fruity loops hip hop remake nfl internet streaming audio dallas cowboys green bay packers beck anime soundtrack download mp3 sugar audio capture of web broadcast mp3 auto car radio soft rock instrumental used m audio keyboard daft punk alive tour 2007 brisbane cash for old mp3 players musical medical practitioner convert morse text to audio be yourself slave mp3 dj tiesto in india anchor audio service used small coleman pop up tent trailer for sale mp3 player training kids live here audio cassette billboard rb top 50 free audio dictionary dance camp t shirt designs disney highschool musical star naked ray samuels audio emmeline the predator before the music dies sounstorm audio website recipes for soul food shengya audio stairway to heaven by led zeppelin usb portable audio dock thyroid medicine first week feeling beatles song hey jude free music downloads top 40 eminem sony audio tape verizon pop up blocker audio bibles online what is mexican folk art music artists real names decorating sidelights for exterior doors nfl films audio ipod nano compatability vista audio equipment technicians books free kid rock music autographed madonna and britney techno clinical dentistry journal spectrum boost audio output volume pc windows san luis obispo dance class aire audio mexican rock candy skulls images king knog soundtrack car audio capacitor connection where can i listen to pop videos order checks online music analog to digital audio converters hot food cure channel gospel music audio error creative nomad explorer mp3 player alum rock community center audio quote website metallica screensavers folk knowledge king david carillo choral music audio bible in a year mp3 balkan glasba rock scissors paper sprizzle audio rolling stones onesie hip hop rnb and rap audio treble bass t60p eagles atlanta research math music and movement audio video cables red yellow white landscaping rock islands pictures wipeout pure soundtrack we sell used audio equipment in denver theme music from dancing with the stars aly and aj potential breakup song free mp3 audio response unit musical elizabeth i belong to me free audio bible stories online you are the music in me lyrics not too fast jazz lyrics x box game cheats 50 cent bulletproof itunes and internet audio content abbey road news beatles mccamie gospel bose audio systems stereo for motorcycle definition of folk tradition m audio micro track ii doors and sacred how to fix a curupted ipod tricounty audio hamburg argentina set musical command and control vehicle audio select panels kiss she what beatles have died gregory abbott i got the feeling its over music video audio reference mp3 movie wireless audio link hindi music lyrics old hiphop model krystil hill hooking up audio cables renegade spook music dance a runi streaming audio from myspace free kazaa download music rock and roll memrobellia auction house joanna weaver audio book shower doors parts in michigan prince edward sound alaska nirvana last tour 1994 sigmatel high definition audio driver pop up window in asp audio tape to mp3 conversion audio german dictionary game funk llc gothic corseted dressed audio physic virgo 2 julliard school of music alumnae splitting audio from videos music sheet dazed and confused by seether gospel music oldtime audio recording history lyrics to high school musical two smith rock sp bluebird musical tower twenty inches strong audio free sheet music for kingdom hearts free download audio books jazz pianist who played with satchmo pop power bird cordless fagan musical used audio sunfire price guide ipod nano money clip how to play the guitar solo from folsom prison blues computer help desk audio royal acdamaic of dance universal audio plug ins merge techno rock of love lacey naked what do you need for free audio visual communication via pc aaliyah musician the music within rock climbing grips carl sagan pale blue dot audio book music for canvas film first aid for scorpion sting basic car audio one filosofia reggae incident staff audio transcript complex direct organization kenny rogers marriages mid wav wmv mp3 player audio technica at4073 free download blue grass music older piano sheet music play audio songs in fedora3 free audio mp3 converter flags sale screaming eagles upload audio files to myspace music for korean fan dance free piano sheet music for christmas time is here the lazy persons guide to investing audio musical note jewelry battle in the mutara nebula disco natural cure for prostrate cancer embedded audio code naruto clash of ninja revolution itachi switch audio file conversion software best music lyrics gospel at colonus picture of a red rock audio dharma all about soul single billy joel audio and vision impairments crosley all in one retro audio players dance dance revolution myspace layouts nct audio commercial doors in ct abba das musical monitor audio rs6 vs versilia lap dance soundtrack song from conan nature cure ear infection audio dream day torrent free mobile ringtones games universal karaoke and audio edmonton alberta audio video duplication rock band xbox 360 wireless guitar the fly dave matthews mp3 file jacklab firewire audio rates for music royalties dvd audio ripper registration code dalton joe music sony mp3 help find audio drivers gospel according to the son miss rap america vh1 belly dance history build portable audio player ipod adapter charger rock me in the cradle of love cdg audio codec prince albert saskatchewan farm work tv audio clips timbaland one republic apologize lyrics midnight hour soul weekender fokker f27 audio panel only you dance version icecubes birthday mp3 musical antiques anchor audio troubleshooting blinking antenna light led austin texas music scene pyramid audio se 719a m audio fasttrack test queen palm leaning over atmosphere interview ant rhymesayers audio rochester ny stereo shop prince william county audio editing mac musical instruments nashville tenn prince hans adam ii von und zu liechtenstein institute of audio research ny tha block audio mp4 and dvd and navigation and touch screen car stereo audio 5 cd player blackberry pearl mp3 player eminem lose speedup audio freeware utilit cd burn audio amazing grace sheet music creative audio dealers cf 72 audio driver first nowell mp3 automatizadores de audio para radios superman audio clip beam music hard rock science half of audio volume is missing on computer vse telenovele na pop car audio orlando impossible mission by de la soul best ways to finger pop yourself speedball 2 mp3 download dell dimension multimedia audio controller nashville rock skit audio mix diagram song sheet beatles how to open a ipod shuffle one stop car audio nj nextel i60 ringtones buffalo audio visual wireless audio repeaters hp m7000 audio driver download kiss kiss formal big rock restaurant birmingham michigan car audio din filler panels whis you were here pink floyd tabs lr2 audio connectivity module whitney houston you were loved powder post beatles d class audio amplifier japan flyingpig free motorola ringtone tdma v60i new mexico folk art kiss fm buffalo dell and audio device driver and dimension e510 radio stations playing christmas music audio editor import from digital motorola 120 ringtones don henley and the eagles m4p to mp3 audio converter dylan thomas how shall my animal poetry eagles black bess mp3 player affect environment audio conferencing bridge semi truck ringtones michael jackson the one dvd collection cuspid car audio earbuds compatable for ipod touch sofas mp3 to polyphonic ringtones burn audio tape to cd ipod battery tab stainless custom wine cellar doors full cast audio traffic doors rythmik audio rock jock cock archives the ligature mp3 blaqk audio primis music band tour info realtek hd audio driver on xp goodbye audio adrenaline mp3 audio range tranducers gracenote winamp feeling bad about past mistakes car audio wiring eagles trace who composed garth brooks to make you feel my love lyrics mae brussel audio digital sheet music popular disco in the graveyard audio spectrogram mouth music album reviews download him music vidios free scooby music cambridge audio works carl davis elegy mp3 downloads exclusive hip hop dvd listen to audio books a clockwork orange soundtrack cheap hip hop urban wear windows xp usb audio codec britney spears vma 2007 tuning a guitar audio clip arabian prince fifty cent kanye doo op audio mbl audio change mp to ringtones ipod touch slow wifi xbox 360 no audio help music stores memphis audio video selector to up to three components boss audio speakers gospel music videos marijawan as pain killers intermediate accounting lectures audio joanne accom music best tv audio amplifier last queen of egypt pictures of prince edward island audio car cheap deal subwoofers merry christmas in different languages audio winamp d j plugin dvd audio jewel case waimea da big rock accessories for musical instruments pioneer dvr 212 audio connection wikipedia gurimbao musical instrument music maker played by the wind rock hill fair south carolina audio lube xilisoft 3gp audio converter problem registering my ipod on itunes audio link feeders ms excel 2002 calendar pop up free add in music engineering involve data file to audio file new music creating instuments price is right audio franfurt music messe belly dance nude car audio installers 19083 best classic rock songs turning circles dance club elementary reading stories audio belle rock entertainment mid november 300 bonus dylan newport ruffles and flourishes audio rtm tango road test jessica wasilewski folk art change ringtones incident audio transcript bob dylan photos girls first kiss with another girl field audio recorder la music canada kuwait dance studios in kuwait audio signal processing project in matla hugh grant pop goes my heart mp3 micro audio system review of new ipod how to downloads songs to mp3 player from winsdows media players you are the music in me notation wma audio book free fm sterio for ipod christmas music rapidshare ubuntu audio sound card configure areatha queen or tina turner does hdmi carry audio the prince of pollution shiftworker kenny chesney ringtone music online shop cd audio to mp3 converter ar tonelico music tracktion 3 review audio drum music management ella fitzgerald biography very cheap mp3 players pro audio booster 4 10 rihanna and akon review of concert audio books torrent soundtrack to shes the man replacing kitchen cabinet doors pin digital audio cables jojo baby its you mp3 blues brothers dialogue crazy eights audio control car audio central texas cat hospital and round rock clint mansell shell shock mp3 jamie fox ringtones alpha audio mystic ct animated spiral download music technique of my musical language terry pratchett audio ipod nano generation 2 candle supply koolphones yankee candle salsa dance cool cakewalk pro audio faq jazz at lincoln center museum of discovery little rock cowboys packers internet audio broadcast janet jackson movies audio hire melbourne feeling oversaturated rock group muse discography audio seach free mp3 music download of magbalik david j rogers flat rock 734 789 1082 terrence stamp eval rachel ward plane crash music video hdmi audio out dance theatre classes at the davis center in columbus ohio qrs piano disk cd library christmas music miller pro audio lyrics to neil young songs mac book pro audio interface volley for the cure teashirts queen nandi charle brow rock robert harris audio the ghost armband for ipod audio dubbing problems pioneer electronics car audio release date free salasa music educational audio visual equipment rap and r b hip hop the beatles movies audio ram files player freeware bruce springsteen all just to get to you legally blonde the musical free mp3 downloads disney high school musical 2 lyrics babyface audio codes music lyrics affliate programs define music of wisdom to sing for abba audio video reviews free mobile phone logos and ringtones audio file format play in any cd player clock pop eliason doors audio cd replication mp3 song free download belarussian music deleting songs from samsung t9 mp3 player sports radio streaming audio flute music online db audio melbourne frank zappa mp3 free bon jovi acustic jimi hendrix best guitarist jl audio marine speaker the cure standing on the beach who sold beatles tiles at the big e free download sigmatel high definition audio codec bay liner jazz boat little rock central high lee cremo audio best piano jazz cd methods affects of counrty music on our moods audio book understanding the difficult words of jesus rock structures photo gallery car audio sales in manhattan kansas baby got back dance motorola v180 mp3 ringtone usb host audio reciever audio recording computer take on me reel big fish mp3 vg music rate audio sound recorder metallica new albom extract streaming audio download ringtones for nextel used crl systems audio eve music downloads anchor audio troubleshooting blinking antenna restaurants north little rock ar alan remember when music only no audio device xp disco bees asus p5n32 e nforce 680i audio us rugby eagles south shore musical theatre pearl jam eddie v dvd drive error audio track soul african graphics shapeshifter instrumental how to optimize your mac for audio glass cabinet doors sandisk sansa digital audio player the pioners reggae tradional dance costumes greek free korean sheet music audio for fial cut logic madonna grimes orange art exhibit and music cadilla escalade custom audio morgan la faye queen guinevere free mp3 audio books gay cinema audio society salary comparison send ringtone to nextel music freelance world sony fs715w audio realtek driver two babe kiss game video eminem lose yourself video audio playback recorder magix mp3 maker activation code free desert in rock music video for foo fighters bob jones audio naughty at seminole hard rock soundtrack home for the holidays extracting audio from itunes videos music lyrics shanty song scott joplin music audio pci 9803driver support 9803 mmx music downloads audio input fm transmitter short range fake morality it talks swears dylan rock springs 1977 wyoming 825 ash street jet audio softwear andalusian music free pop up bloker rihanna ubrella microsoft universal high definitionn audio architecture detroits music hal dylan north analysis audio omega looking for mixed dance music from the 90s audio conferencing intercall dylan and lyrics queen of diamonds showcase ultimate audio converter jensen mp3 player fm 2gb queen mother benin sweet potato pie gospel hummingbirds bug audio jammer diy musica gospel as time goes by series 1 audio free audio software cracks white chicks movie soundtrack m audio sound cards romeo and juliet audio free josquin and the music of the renaissance sliding doors bedfordshire audio cassette recorder eminem hospital audio voices saving grace lutheran church queen creek az sanjay k mitra little rock converting cd audio to a dvd mp3 music compresser drag queen tips data on prerecorded audio language instruction treo 680 ringtone mp3 big rock ski just one last dance accom western movie audio samples guernsey portable music players experimental rock and bands audio technica at lp2da he man mp3 audio and visual rentals johnny ray gomez rare music dance music list are audio planet amplifiers any good mp3 cdg toolz queen bed set sigmatel stac 92xx c major hd audio satek convert mp3 to waw vanessa hughson highschool musical billboard adult contemporary free audio download the dark tower feeling faint during pregnancy mp3 juhmaka gira re custom ford econoline audio system how to play jingle bell rock on guitar m audio 410 musicians friend pop ups with a scary face find the red dot kiss my fac creative labs xtreme audio notebook discount melody dance chico aesop rock torrent movie to ipod without quicktime los angeles public library audio books audio retail store interesting french kiss audio 5 carousel cd player the queen elizabeth streaming audio of philadelphia eagles games night moves trance dance rock down to electric avenue musical tea set i have a dream audio free mp3 christmas music realtek ac97 audio driver update audio learning annex untitled by simple plan voice activated cd audio portable sport audio free festive ringtones in australia sun audio 2a3 schematic specs toronto queen street techno sport clothing audio technica 4057 how to record video and audio webstreaming southern music alberta audio jz8c511 nickelback we will rock you pearl jam lossless audio streaming good times tv audio clip sermons of joseph prince bebo fetish queen autocostruttori audio abba music the gothic project bridge to terabithia audio book kanye west and tpain why are car audio amps made cheap now camern kiss lord of war soundtrack how to play duck and run by 3 doors down amateur radio live audio feeds kravitz lenny ungodly music in the bible m audio firewire audiophile with sonar hip hop move where you are down and get up without hands free audio gayatri mantra gothic ceramic doll sculpture how can i find flint rock in pa logitech ipod audio station 80 watts convert cassette audio to mp3 extra large doggie doors audio visual dress kit tickets for harlem gospel singers in mannheim im in heaven when you kiss me lyrics especialistas en sistemas de audio en espana queen louise home the renegades mc prince george nyc rock center hai home audio pop music singles or pop music albums elvis presley hawaiin song middle atlantic rk 8 8 space audio rack listen to ringtones online absolutely free mp3 to audio recorder microwave audio and video systems i love rock and roll by britney spears lift audio adrenaline ocean floor indonesian pop bands sheet music tran siberian orcastra for clairnet ipod nano song one two three four phillips audio systems queen mary of england dollhouse free sissification audio afternoon of faun ballet importance to the dance audio enhancers dx60 jl audio m770 tcx internal ipod battery youtube music videios usb to rca audio output stevie starlight diana penton music fiba euro soundtrack tivoli audio model dab video ipod replacement battery how to stream audio over an intranet characters of high school musical alicia keys wild horses help with the ipod touch ho ho ho santa claus audio blues brothers halloween costume onboard audio drivers incase neoprene sleeve for ipod itouch highlands of blowing rock barbara mcnamara folk art jvc kd s33 car audio cd player installation manual elton john the rose of bagpipe mp3 free download do i have to use digital audio cable madonna cherish history of dylan vanord at new lex high school car audio replacement speakers where can i get nextel ringtones ignatius holy bible audio cd listen jobs in democratic gazette for little rock arkansas reggae concert guide life of frank sinatra winamp audio sync rock group eagles website dounload songs on to mp3 audio engineering colleges shelter rock public library is the number one modern rock single in america audio out of body hypnosis simple plan torrent mininova lists of songs in high school musical canon powershot s5 is stereo audio ultimate gospel collections flac to mp3 free torrent vents audio cabinet headphone for ipod ac97 onboard audio drivers vote rock county wisconsin digital audio recorder pen why is rap music a good influence in society actual audio and visual tapes of african greys cherakee music edmonton audio services audio recorder hire melbourne roles of a prince team america montage soundtrack easy audio env file format music cambridge audio 640 d dvd player rap and hip hop impact on the world rock cod fishing in california first nowell mp3 sony laptop sound reality audio enhancer issues music hear it play it no music dont be a do badder audio kid rock tommy lee fight at vma hamilton piping rock pepsi can pop art nforce mcp audio codec interface driver create you own music station powerpoint audio only on 1st slide yolngu boy soundtrack ipod with movies mp3 sanctuary kingdom hearts 2 free audio schematics onkyo model a vr400 viva rock japanese slide mp3 unprotect aac audio file music maker 7 best bluetooth wireless stereo headphone stronger kanye west mp3 video film audio recording how do i turn off my ipod britney spears mental nicolo machiavelli prince free audio little rock arkansas courts philadelphia eagles team photo audio tekne mp3 whit lyrics pro audio forum ipod classic 160 austin city limits music festival noise control music industry europe 2000 2007 xp digital camera audio file pulpo tango operating manual for winamp ubuntu linux drivers audio toshiba a215 carrie underwood underarm free audio synchronizer freestyle rap online mr christmas music boxes italian reggae download audio mixer htm audio technica at pl 50 play bob dylan lay lady lay on you tube change audio format rock harbor find ps2super nova dance miniture audio recording device undercover kanye west tickets in belfast wizard rock encylcopedia samsung yp x5x 512k digital audio xm ready mp3 player rock island zip code record audio from pc freeware garth brooks free music frank sinatra leaving on a jet plane new release audio books saddler music ipod yellow hsm 3 musical auditions audio technica at440mla things that make music audio technica at 10 specifications iron maiden minutes to midnight put music is my hot hot sex skinnny audio cleveland ohio sheet music for little drummer boy song hotel california eagles vocal adn piano sheet music audio queen by alex haley the rise of gospel blues audio tecniqua customize ringtones for razr free jingle bell rock ringtone mp3 bon jovi at hammerstein ballroom xp choppy audio during bootup bar colorado springs live music silver moon audio output on sirius satellite receivers jazz piano marshall biblical music htm japanese rap music usher a audio bon jovi videos g flex audio chair musical chickens filthy audio pyle audio equipment reviews youtube free online dance lesson foxtrot advanced does learning help while listing to music incident logistics audio transcript plymouth rock radio salsa dance company affects rap music sales car audio costum product distributor forum eric clapton hair going gray ipod to cd audio adapter music public domain rock shox sid 100 hydraair audio stream rippers apple certified refurbished ipod trademark ringtone audio files of birdsong vh audio flavor 4 clash of civilzationislam audio birdsong alltel audiovox ringtones free ringtones for cincinati bell glen rock nj free online audio recording software britney spears private parts picture cd ipod dock cd audio costumes of akasha queen of the damned smallville theme music common corners audio oldies music downloads htm golden dawn audio lectures realtek audio manager cambridge audio cd player reviews rock and roll supernova pragmatic audio pop art portiats plasma billboard download ringtone to computer conservativetalkradio streaming audio car audio battery uk basketball streaming audio frantz garage doors under counter mp3 cd player clock radio camel rock audio book erotic sex stories winamp internet radio p5n32 audio driver pachelbel canon in d violin sheet music cassie pics xxx gallery free downloade music narodna second skin audio deep purple 1969 album free audio rosary rock city morgue intrusive rock audio junkies harry potter audio spanish rock band extra guitar ps3 english folk trilogy extract audio windows movie maker chicago lyric musical song jazz age 1920 audio wharehouse hey st peter disco boys torrent for free ringtones audio cd stores forum audio tweeter speakers mp3 download web site audio help blogs daft punk wallpaper pheonix gold car audio free piano music memory lyrics for the song if everyone cared by nickelback video out to audio input lycos music downloads robby williams shes madonna audio amps effects of music on trauma survivors weaning blues prince cheng subsonic audio converter audio accesories usb hollywood car audio monroeville pa musical toys with push buttons for toddlers betties rock bar salary comparison audio engineering society connecting mp3 player to stereo pictures of thealbino golden eagles da yoopers rusty chevrolet free mp3 acer aspire 3680 audio driver download igneous rock landforms pinguin audio handbrake ipod body and soul spa audio driver for sis 7012 epcot france music restoring st alphonsus rock churchh st louis mo ion audio ittusb 10 music from ben hur counter point techno operetta audio christian jazz music spanish for kids round rock maxell c 90 audio tape hip hop class orange county brother sister kiss audio preamplifier blackberry mp3 ringtones eragon audio home stereo audio system the beatles in rolling stones ipod and amarok kodak easyshare sv710 loading audio audio erotica tease masterbation anime music archive download mp3 ballroom dance lessons texas mini audio systems music and lyrics for the song our country by jc melloncamp sex kiss pictures movie audio extractor ruth kelly eric clapton digital optical audio cable rock crystal spheres uk sara bareilles vegas yousendit malt shop music blackstone audio inc lfo music downloads free unlimited audio hosting outlandish callin download free nude punk short stories music what is conexant hd audio prince hozumi the iron maiden catholic audio book high school musical country club cruiser ipod and boston marathon working progress growing pains mary j blige pyramid digital audio processor countermeasures for audio harassment polk audio one speaker surround sound cent re hihi dowload can you stand the rain mp3 flo mp3 analog devices integrated audio reviews away in the manger soprano sax music portable audio player accessories musical note cabinet hardware jazz you want a piece of me p4sdla audio drivers does the ipod damage your ears where did rock a by baby lullaby originate good swing wesenslas audio download music on your cellphone forest creek round rock texas fighting audio recording from internet square dance rap adrian garza fort worth pop dance lessons rhode island ads instant music audio usb adapter feminist arguments against music audio technica xlr cord wireless sy boek sesamstraat ernie pop south american meditation on hell and heaven in the soul of man georg benson rock candy audio rack standard paulo faustini vocal phila realtek high definition audio xp drivers placebo my sweet prince where can i hear bruce springsteen songs audio 504 boyz i can tell billboard top pop 2007 dvd to mp3 player the oscar peterson trio naptown blues sis 961 chipset audio driver emotive audio sira do the dance sound poems not audio downgrade my ipod touch impedance audio technica 4033 prom porn queen lds dance festival mp3 audio frequency transformers 1986 music soundtrack list of beatles albums and songs audio liquidator loudspeaker arron blues american rockabilly audio bob dylan songs microsoft audio recording gabe contempary jazz music nw techno empress audio pink floyd delux dvd cover natural constipation cure dc 7 enhanced audio software ipod models and prices polk audio on line dealers our philosophy music telicgegement music leading company audio conferencing universal mp3 player lanyard table rock lake branson camping audio driver dll gx520 vista business wimbledon 1996 pop singer music donovan franken washington dc area concerts music treasure island audio book bbc radio collection list of rock formations in the us audio recording software mac madonna white leotard confessions playing internet audio files audio over network music in schools and academic increase monkees mp3 free bible download for ipod audio blue book pop weaver audio pipeline winamp ubuntu recording audio tomb raider angel of darkness soundtrack music geography audio gaming rocker pop worner football league registration urban disturbance car audio foot insoles to cure back pain vineland red hot chili peppers stereo audio boards yung joc coffee shop mp3 music and schooling its always sunny in philadelphia soundtrack mickeys audio accessories system to apprehend lethal killers learn basic spanish audio ipod nano car vent dock stop motion music output audio usb port rca chicago dance companys shane dance michael hill jeweller micorsoft audio recording atlanta high museum of art jazz concert funny prince pictures live audio police radios reggae fashion psp mp3 soul vibration playstation hdmi audio problems vocal hygiene im the candy man techno lyrics small penis humiliation audio high school musical 2 showing dates treasure island audio book elvis presley free photos yahoo music jukebox updates mary blige lyrics m4a to mp3 audio converter mp3 to ipod convertor audio signal splitter cable uv ink cure banding hepatitis diet cure james blunt sim club scene audio change my music folder windows polk audio mdock ipod touch wordprocessor how to fix folding closet doors intocables audio mexico contemporary wood queen bed adele hodkin calibrating audio meter radio shack britney spears picse eric clapton crossroads 2008 dates marienwurmchen setze dich printable sheet music please be mine audio jonas brothers diseny princess sheets queen butterfly sting duncun audio management mp3 scissors put avi in ipod audio liquidators caleigh cassidy video to audio program queen bed head board with storage music to alter brain waves new hampshire ave gospel chapel silver spring md audio equipment technician trainig iron maiden dance of death wernher von braun audio skate sting ray an unknown error occurred 69 ipod clay musical instruments chameleon audio free southern gospel lyrics the top car audio stores build portable audio player italian musical instrument manufacturers herbies audio free ipod repair manual united gospel mission nottingham rock band playstation 2for sale new car audio subwoofer amplifier bleach soul society audio file james nestingen cell rejuvenation mp3 skyline audio bilbilo diyar kurdish music audio level nero lyrics what is this feeling baby its taking control of me music schools in alpharette georgia audio archive mp3 current depopulation lange better late than never mp3 best ipod cover uk audio video cables colors chris decay techno audio marketing jobs careers video audio sync tools pictures of punk kids free ringtones for cell phone rip dvd audio to mp3 convert dvd to ipod movie tube audio kits rock river arms barrel quality belly dance dresses for cheap music box veternarian ocean floor audio adrenaline video blondie rapture music video filesharing and music digital audio delay line schematic rock cd releases liquid trio music lessons for preschooler sirius audio file confersion linkin park numbh encore audio solutions mp3 player software what mp3 player is for me i miss u babe u are my soul 4 u i would do any thing 4 u telex audio equipment queen jailhouse rock coming to america movie ringtones top hip hop soundtracks sony blank audio cdrs examples of sedimaentar rock windows xp media player no audio with dvd playback stand by me sheet music garth brooks papa loved mama do i need to buy a charger for a new ipod manse one mans war audio book se7en dance moves how to rip audio from gamecube free first time gothic nude teen model pics pop up tent 8 x 8 ami easy audio amerie one thing mp3 free aluminum pop tops m audio fast track ultra belle air music london ontario sweet potato pie gospel hummingbirds lyrics use line in audio with skpe girl hip hop music video dance music producer boy george how to read music tabs pyle car audio black rock well death valley ca audio grease queer as folk emmett swallows normalize ound ipod shuffle soundtrack garage days ultra linear audio mary alonso the student prince what type of rock is slate proper role of government benson audio yia greek music an educational bill clinton audio clip greenday music video address for eagles nest soul contention shakespeare audio bee jays little rock school of cosmetology audio on cd repair start of a musical scale rap stars of the 90s airplane movie audio clips soul calibur immortal flame ringtones for tracfones peter rabbit audio books t41 audio driver vers ipod rap 4 tactical operations vest paridyme audio musical instruments newport news blues traveler tabs how to make sure your video is in sync with audio black college dance teams original war of the worlds mp3 audio replacement cabinet doors punk emo hello kitty pics belly dance middlebury vt ps audio quintet vieille cure liqueur learn spanish audio cd extensive queen of comics french hip hop culture paridym audio sacramento dragonball z soundtrack american att yahoo pop smtp settings audio visual supplies nakamichi audio repair sheet music dixie chicks how to connect a icom ic 110 to a audio panel mp3 players that work with mac malay mp3 database lame audio margarita taylor the jazz metallica the memory remains samsung p2 8gb slim portable audio free pop under ads male hip hop workout pants i keep my ipod on shuffle money man gorilla zoe audio madrigal music history lea music gemini audio technica at pl1205 music instrument lessons in columbus ohio baker st foo fighters audio rental nuemann listen music free pop up blocker ad ware audio analog to digital software audio cd herstellung ch medical transcriptioning audio the lyrics to walk on by by britney spears silhouettes from cell block tango one piece movie desert queen and the pirates anime dvd acer al1515 audio convert youtube into ipod rihanna umbrella feat chris brown lyrics audio equipment furniture audio interrupt gps nav rip audio from wmv how to get bluetooth audio pc to pc a2dp best bands classic rock alicia keys and john mayer free audio books for kids insignia mp3 stereo bluetooth head sets all pro audio sales abstract dance chicken dance for team building m audio producer usb microphone music artist suzzie hard rock music groups becoming a hip hop model white noise free audio deemi soundtrack of my life thunder audio amplifier 5 channel the african queen on dvd list of metamorphic rock nas music audio capacitor danger fleetwood mac music videos audio acoustic free ringtone cricket building pocket doors in cabinet create sheet music from mp3 digidesign usb audio how to load ringtones on iphone audio note silver download free ballroom dance music galveston musical instrument dealers songs music world war i audio downloads oral history dre mxkenzie free dirty audio dream catchers dance co what made the beatles famous david allen coe white girl with a nigger audio save me lyrics simple plan ipod speakers with radio audio program hip hop music releases collective soul chords this is the world i know best price on ipod touch are audio dance paint by number kits hanna montana rock star dance mat vendita sistemi audio con avvolgicavo instrumental to listen by beyonce freeware audio forensics wreaths on screen doors ipod mini ipod linux car stereo enclosures audio driver ac97 colby yates music in rap what are 16 bars super audio conversion round rock old settlers trial slip rental audio tapes for elementar school costume gallery dance costumes the psalms mp3 free lg cell phone music ringtones pcmcia audio sound laptop notebook ipod touch files used m audio projectmix great music to listen to high passive audio crossover design death techno artist audio technica dr 2000 folk guitar chords audio systems for events in columbus mississippi online blues radio ipod 10 minute central park garth brooks performance audio detector restaurants n little rock ar audio book player mud bulls and music qld tom waits 14171 new rock music australia temecula audio squad 51 ringtones window media audio converter mp3 kvtn little rock ipod touch divx oliver music learn spanish free audio soundtrack 15 minutes porcelain moby donell jones you know whats up mp3 download audio snowboard helmet punk rock and porn audio crossover design 3 way apple ipod target market rock lee wallpapper stillgotthe blues free guitar tablature chords audio art 1000d stereo bluetooth phone sonic x episodes 53 78 japanese audio hip hop car picture not feeling god forum how to stream audio securely mp3 speler import jazz music during the roaring twenties video audio data cat5 the music the music dance floor anthem good charlotte the killers song liyrics london drugs home audio mp3 player skins jazz chords for jingle bells does svideo cable have audio country music nyc download audio from youtube adjusting audio cassette playback speed no audio or video xbox 360 foobar audio ripping what does it mean paul mcartny the beatles shirt ipod shuffle troubleshoot john gerstner audio predestination cassettes audio video software to make a track instrumental cassie feet vintage audio user manuals pop star nude monkey audio file conversion music chart top twenties lyrics for the song all along the watchtower by bob dylan e sword audio bible ct blues society music lovers ecards adult dance revolution tv audio and video cables herbs to cure alcoholism digital audio splitter sweet child o mine guns and roses mp3 files queen platform bed base how to get bluetooth audio into pc billboard lord of the dance musical symbolism online audio book download apple ipod 8gb digital audio played with accessories simple plan so happy together download audio books hakf price dance dance revolution pad compatible list of artist of soft rock car audio shops jazz music in the oprea porgy and bess crazy love michael buble sphr used audio cd all of my life by phil collins words mp3 soundtrack spider man the movie downloads music sis 7012 audio driver chicago gospel tabernacle one touch any media ipod uploader original equipment audio for mazda tribute ipod general information lord of the rings musical drury lyrics to lessons learned by carrie underwood high quality low loss audio cables dj tiesto lovestoned winmm wdm audio compatibility driver sting rio dairy queen rolling prairie indiana audio input computer kiss hanks bandera philadelphia prince and millelian vendita sistemi audio patch bay reversibili best schools of music for performance garth brooks and trisha yearwood duets songs how to stream audio on your website audio revision south australia roots and blues bon jovi who says you can go home creative audio driver queen isabila record music from tv and pc windows audio converter media player 10 magnet and southern doors audio drive ubuntu lyrics to bell bottom blues colbie caillait music wwe mp3 downloads wholesale jl audio free mp3 ringtones for nextel audio 8 ohm horn gorillaz d sides torrent queen mary picture turner diagram of vt comodore audio wiring harness ipod wirelss headphones by motorola ipod case 30 gb video i hope you dance lee ann womack lyrics how to make an video audio selectors the american music box company ohio addictive audio mccurtain county ok rock show appologize by eminem deep silence complete mp3 download final cut pro 5 audio squeal bon jovi every word was a piece free download mp3 alicia keys as i am how to convert dvd audio into mp3 final fantasy sheet music randy roclk audio visual sony firewire audio santa rosa folk guitar and dreadnought guitar k523 where can i listen to pop videos video to audio lag rock mp3 search engine tenant improvements lime rock definition of audio feeling 286 review christmas canon audio dave matthews minarets lyrics joan osborne kiss and say goodbye lyrics chivers audio music dvd videos free music plays on myspace audio haji eminem mosh lyrics spanish music in the spanish culture audio cables required for a turntable learn country dance videos the cream of eric clapton audio rental equipment burbank how to figure rock do i need nude music video fresh horses garth brooks audio bible kjv roanian round dance high school musical dolls with microphone bobby valentino audio codes patio pet doors french spanish celebration audio prince albert sk area cabin and cottage rental heart audio motorola v60i free ringtone josh groban you raise me up audio kiss talisman merengue cibaeno audio clips pls cure and treatment britney spears songster pics listen to greensleeves audio italiano dance music arnarr garage doors download vocal tracks bush furniture audio cabinet ballet dance schools washington dc cellulitte cure audio technica at433e rihanna hate that i love you mp3 top ten car audio free naija music sliding interior french doors music rap uncensored video bluetooth audio for car free of charge music share websites eric clapton treatment music audio samples eagle rock lyrics the cars greatest hits mp3 ion audio ttusb05 review frog singing 50 cent music hk audio prince lovesexy vlado janevski mp3 classic car audio convert audio to ac3 royal prince alfred hospital policy audio woodrow wilson declaration of war bruce springsteen in ottawa best of elvis presley hip hop audio forum top christian music band what would dylan do t shirt fastforward audio video midland home tango laminate flooring american rock concerts in asia earshot audio guido sheet music lg ringtone programs audio video surveillance camera timbaland feat one apologize elvis presley autopsy nuklear rap how to install car audio lyrics for crazy rap things that come with the ipod nano car audio amplifiers capable of producing 5000 watts rms in built absolescence ipod troubleshooting ps3 audio blues traveler cover of house of the rising sun country music lyrics to i got a new girlfriend cb moore chiefs pop warner football web images audio video news yellow pages whifepages free chrismas sheet music in c turn table audio technica at pl120 skinny by alex bevan audio rap songs named uptown wooden audio entertainment centers blog music ipod nano acceceries high end car audio britney spears underware britney spears naked as a bitch raven rock pa military state of the art audio interceptor music program recording software to release all audio frequencies without causing delay reviews mp3 burner dance arab hor king james bible on audio cd frog prince full story by brothers grimm commercial overhead doors car audio ipod praise dance computer audio card level out best audio chipset for motherboard highschool musical sex tape can you stand the rain mp3 v0 audio compare ipod thickness zune can i convert dvd to ipod audio cable from mixing board to computer techno music baseketballl jacquin rock and rye hip hop audio the gilded age music convert mpc to mp3 free how to make a balanced audio cable influence of music on teenagers kiss me broken tree house wear dress kiss me sparkling rock sport bar west seattle nuvo audio prince of peace in ormond beach nicolo machiavelli prince audio just fine lyrics by mary j blige billy elliot soundtrack james gang up all night mp3 icom 706mk2 transmite audio mods dairy queen stores wood doors buyer altec lansing car audio young folks lyrics kanye west free feminization audio hypnosis carrie underwood haters dylan thomas speeches last tango spa washinton dc free download of audio of song sparrow manage music for ipod rx8 stereo modes for dvd audio and super audio playback dab mp3 players at comet audio liquidator links vod dvr ms to ipod kiss sandy psp audio charms blow pop negative effects of pop music orb audio vs ascend acoustics ben foster as charlie prince screen saver the eagles tour atlanta georgia bare the musical photos audio lite light switch words to yellow ledbetter by pearl jam sansa 4 gig mp3 audio technica ath ad70 popular music for teenage girls the beauty queen of leenan recording streaming audio from the internet on your computer beyonce slip picture lexar mp3 players keychain audio recorder beantown jazz festival morrow audio new club music aviation audio tape accidents the godfather cadillac fleetwood toy die cast car spdif audio kindergarten christmas music gpx 512mb digital audio player free sanford and son ringtone trench rock prices radio listen live u of f gator audio convert all audio files to mid file vitamin c mp3s last tango in paris pig vomit boss audio ch1500d prince edward island insert moulding pop up ground blinds sex stories audio my ipod is dead free masturbation audio hear christian ringtones snake dance free mp3 file downloads k v kamath audio dance classes in dublin oval window audio make cry best music videos vietnamese rap music videos porgy bess audio red jumpsuit apparatus mp3 spruce tree music comes a time neil young rush limbaugh audio streaming itm soul star schools for audio engineering game for ipod i can download new age music music bc bug audio jammer definition of metamorphic rock magic audio and audacity dance workouts hip hop akon rock star transcribe audio hip hop abs review voodoo head dance no audio device solution red river music hall tempe unable to allocate audio channel burberry the step up soundtrack factory car stereo repair indiana music educators association recording sirius streaming audio on macintosh or apple hand dance lessons in maryland convert mpg audio to wav timberland mp3 gospel assembly body of christ dance clothing audio planet rxd 1400 details frog prince snow globe audio slave and be yourself prince harry and breakup with girlfriend davy ipod touch snap shots hocus pocus torrent hip hop hitachi audio remote controller teaching the rock cycle using crayons car audio sound processors movies about rock bands audio midi recording software blake lewis audio linux audio format ghetto gospel songtext punk rock trucker hats audio drivers for sr5237cl saves the day ringtones dubbed kung fu movie audio ed2k golden compass audio book connecting a ipod without a car stereo audio files and o prince harry blackmail plot rap music list compulsory mp3 distribution contract sonic boom audio explay ipod projector western the professionals soundtrack forum how to stream audio securly andrey by dylan rosser silver key audio what are some australian musical instruments high school musical 2 i gotta go my own way audio to pc the clash rock the casbah midi free learn to chair dance polk audio amr50 driver sheet music on the beach whats the best pop for people our town audio book thornton wilder pachelbel canon in d organ mp3 crack para power mp3 wma converter punk rock girlfriend radio circumcision audio rap stars free audio porn convert wma to ringtones spectrum pop x mas wii music rss feed streaming audio conservative causing the feeling like stomach flip audio codects small waiting room rock water fountains bryan feeling install edge car audio xbox 360 custom rock band guitar web music to file on computer the screwtape letters audio 1988 john cleese apple ipod mp3 player free mp3 ost my girl sarangun himdunkabwa aftermarket car audio install chicago allstars soundtrack download lyrics to shut up and drive rihanna metal gear game over audio folk tales christmas simpsons christmas stories music orion audio blue book 2003 capacidades controladores de disco galaxy audio cricket manual mkv no audio music festible texas high school music lyrics for i gotta go on my own way muse realty in rock hill song footloose audio only trading spaces dance on ceiling yahoo dre financial narcotics anonymous audio soul stirrers trends audio infra sound in car audio systems free french online translation audio rock band ps2 mic through the fire and flames audio lyrics to you are loved by whitney houston ford audio system good songs to dance jazz van morrison homepage carrie underwood blend comand and control audio select panels ideas for chinese moon festival red ribbon dance medion md 81999 audio video transmitter download gospel sheet music giraffe audio clips throat infecton natural cure audio driver free downloads for free kentucky fight song mp3 hd audio driver on xp rock of love and bret and jes moss rock festival alabama ipod nike plus project audio soul food music mulit tone audio generator howell pop warner black percent pop yes rock group audio version of the day they came to arrest the book ipod classic firmware best audio format miami music conference 2007 cd track listing cyrinda foxe dream on audio true diversity audio technica wireless instrument system empire theatres garth brooks apple ipod video output cable audio for moby dick you rock myspace animated edelweiss instrumental relaxation piano violin audio clips about nero of rome music pictures for myspace jeffrey folk wicked musical helps in bullying week audio receivers w gps suicide girls music coos bay music on the bay soliton audio editor dance of the cucumber music an appreciation avalon audio free ringtones to download to a memory chip from a computer pmd620 professional handheld digital audio recorder eagles in llano tx rock 100 atlanta georgia time pink floyd orace audio social dance tradition in spain free radio music for hanukkah nature audio clips best m4p to mp3 converter mp3 car audio plasma tv pop up in bed calvary chapel pastors gospel of john bible studies imeem download music audio mp3 music the brickhouse blues band pride and prejudice musical notes review yzen audio rock shrimp festival in st marys georgia britney spears in mtv concert mwahahahaha audio file memois of a geisha music book for violin amy winehouse latest rock the vote credco voter registration fom polk audio i sonic price cocaine blues tablature sharp home theater tv audio system rihanna barbados donna lee jones music myspace monsoon audio in jetta make own pop up techno trade audio to midi cassidy height yahoo michael buble mp3 audio not working movie maker herb allergy cure famous painting the kiss eastwest audio samples pop up sprinklers water low sting walking on the moon download free audio sermons book fiction prince charlie scotland nurse back in time ringtone palm audio remote control download in rainbows radiohead good music downloads carol of the bells and audio market research music hooray for captain santa claus music masturbation audio heritage manor pop up plasma tv entertainment center digital audio 2002 brand home theater system toyota aristo stereo audio lotion is there a cure for devics disease m audio 410 b stock center stage dance studio download mp3s to ipod without itunes all on an april evening choral music radio circumcised audio ways to help negitive gansta rap ipod nano video 4gb incident planning audio musical composistions cobb community dance conexant high definition audio putumayo collection lyrics to many miles by sara bareilles audio tapes for history elementary school powers music school home audio control the buzz box music compiliation download ipod tunes monitor audio rs6 tango la catedral buenos aires michael buble everything download sheet music for it is no secret audio source ncc8 jerome arizona music festival audio commentaries stevie ryan little loca controversy how to save you tube videos and music bob dylan blowin in the wind lyrics find audio files from across dance floor hire oxfordshire audio rca to usb adapter blues brothers shake your tail feather come a little closer music video dvd audio music grisham steel doors myrtle beach rock n roll park nissan frontier audio eight men out soundtrack rim rock meadows blues residential exterior doors queen city pizza aardvarks bad boy blues band the long way lg vx5300 download free ringtones mp3 import and export for pro tools ion audio ipa03 portable pa with ipod docking bye bye blues music season 5 music titles for dancing with the stars shave for a cure blues clues fabric pop rock meth inexpensive mp3 cd player clearwater blues festival milk cure madonna hear the prayer wild cat blues manic street preachers gold against the soul oj audio pop group blues apple ipod effect blues mississippi delta plantation house front doors pop up camper bike rack palomino stallion pop camper portland blues 2008 mp3 player and fm transmitter lama chanson rock of love naked billy bob kiss at premier preservation and appreciation of old time music and dance texas blues music target audience wu tang clan chronicles 2 free on hold music blues and jazz wguc jazz streaming rms queen mary model st joseph community chorus ram convert mp3 best soundtrack barbershop chorus rap videos with nudity in them dj plumps breakbeat lyrics samba queen viviane castro frog prince baby costume art bell audio mp3 born under a sign 1960s blues album nirvana unplugged in new york music lyrics parking lot blues dance choreographers in dallas ichirin no hana mp3 hill country blues festival kiss the mat emo girl rock christabel chanson de maxence french lyrics working girl in a beatles song love potion instrumental umbrella rihanna feat blues pentatonic scales hall om mig nu mp3 learning mathematics with music chanson creol beatles my space layout fence styles gothic revival miss celies blues sheet music scrubs season 1 music boys to men australian feeling go momma get busy chorus fall of jerusalem audio map prince albert fort a la corne area blues on the menu for tonight hannah montnana mp3 international blues festival new mexico donald trump ringtone myspace music player code chorus software teaching dance as art in education american idiot by green day playboy bunny marine dress blues phil collins son of man audio auctions texas blues early blues master audio video surveillance laws my name is earl music experiments with live rock zombie chorus audio sluts audio plugins for winamp bear mountain blues converter mp3 ringtone t68i folk remedies hoslistic cures where did chorus originate gothic aces baby voice mobile ringtones cords to the song king of the blues ipod rip pc gothic fucking blues john mayall renegade soundwave biting my nails mp3 manhattan blues strech denim dylan thomas roslyn washingon restarting a frozen ipod nano stray cats rock this town smithsonian collection of classic blues singers kanye west official website c gm blues dance studios in cambridge ontario vocal music in early ages jack johnson taylor reveiw poem dawn chorus students use music school foo fighters australia blues images sony dream machine 2nd generation ipod adapter keeping music in school blues deluxe elton john tour dates australia cinderella the musical r rated best acoustic blues rock guitar audio recording new jersey blues jerome mcdonough when youre strange people doors lyrics round rock isd kindergarten checklits jimmy neutron soundtrack australian la chanson de la seine pros and cons of pocket doors blues festivals australia jbl ipod dominion steel doors tahquitz rock climbing if the blues was a train song queen 1981 hot space blues band heaters takasago high school jazz band buy prehung doors grass valley blues festival arba stereo outlet ipod recording mic written history of blues in america iron maiden man on the edge bob dylan skirball free ipod touch themes blues jazz singers set list of songs for shows kanye west strongermp3 free music downloads of the song ayo technology blues hammer allans music australia meadows world music ensemble chanson pour enfants sansa mp3 player sync fender power chorus ipod 30gb video white breast cancer awareness ipod shuffle lyrics folsum prison blues cupid do your dance you tube rock collecting at milk ranch xmas blues by big tyme listen to circus music singapore rock garden hallelujah chorus mp3 download freddy king funk how to connect ipod touch to wifi nickelback ringtones king kong blues no device selection for audio new england vocal group harmony the song king of the blues colors that clash in fashion color blues for the bedroom guitar lessons classis rock lyrics for kidd rock and sheryl crow breakbeat in orlando timewarp dance moves vocal music knock on wood amii stewart tc electronic chorus pedal using the m audio 1814 with pro tools le somebody the eagles reggae lets make africa free again the blues brothers director soul of john black one hit army singing chorus chilliwack my girl music video rock auctioning site hip hop girls pic jamal mayers blues downloadable free ipod music history of blues esl disney prince doll free ringtones and free logos for virgin mobile band and chorus funding lerners musical partner goldwing 1800 audio ps2 cheats soul caliber 3 blues harp amps in australia revolution mother second thoughts mp3 history of blues worksheet achromatopsia cure free erase pop ups the wedding singer soundtrack best blues for the bedrooms country music booking agency hesitation blues tab book binder inflatables musical rap girls interviews blues merry christmas comments thewaltz as music and dance vietnam food st charles rock road st louis the moody blues perform at red rocks pennsylvania gospel group saw movie music downloads girl giving a lap dance blues music venues in austin april 2008 celinedion music british blues australaia restaurants lower queen anne seattle salt lake city online christmas music when a man loves a woman michael bolton free music roadhouse blues doors better is one day worship music charlie dees blues hip hop summit action network green day basketcase canyon river blues brand clothing elvis presley heart hurded woman how you remind me by nickelback song panasonic micro stereo system with ipod dock blues clubs in chicago peter pan dance recital music free internet blues radio list of music arrangers rap music is not negative influence in society wxke rock 104 benton bensonhurst blues roarks southern gospel blues rock dvds free download i like the way ringtone rock hard big cock fucking pussy blues music inspired by pittsburg seatbelts real folk blues how rock candy is made enterprise blues band the queen and i lyrics free music exchange gospel music lyrics the blessings of abraham yhe chorus nine inch nails doom 3 blues girl to the crucible in audio jazz myrtle beach scottsdale chorus of sweet adelines itunes ipod free music how to use my own ringtones with motorola v6 piano sheet music all american rejects free blues clues online providence soundtrack blues boy willie mp3 ich bin grumpig mp3 hqv benchmark kiss 500 learn to play acoustic blues beta house soundtrack top ten mp3 players ebonite bash clash la blues clothing jota dance in philippine chorus box reveiws space ghost audio files dean martin celeb roast frank sinatra stereo pair utah 1956 maps gs rr 17 43 brown blues guitars carrie wilson timbaland black gospel learn music play i chose to sing the blues ray charles eddie blues man kirkland have mercy house of blues seoul how to kiss a guy for the first time download music id prince nico blues billboard soda pop density greg johnson portland blues collectible plates with elvis presley and marilyn monroe zune music services strum pattern taylor chorus exotic dance clips download twilight zone theme music wny adult chorus johw kiss gotta sing high school musical pajamas jazz pianist muttering foot switch for peavy stereo chorus 212 utube cocksucker blues pushing away linkin park blues lyrics on line paradise kiss pictures house f blues new orleans apple music programs happy holidays instrumental free mp3 mahogagny blues guitars gospel radio station in atlanta completely legal and free music downloads rockn roll poor boy blues gmail pop settings army change of command ceremony parade music sushi blues lakeside music group tours free ringtones lg chocolate prince of brunai origin of blues rock street lofts little rock st louis blues online download free gladiator soundtrack ali audio accelerator wdm driver epiphone blues master glen rock zip code stereo repair forum mp3 ringtone celestine ecrire une chanson stained glass window pattern gothic oxbridge blues tv gem trails of wyoming rock hounding book pop up camper accessiories seramyu 2004 mp3 southern gateway chorus danger mouse and the beatles james chien alligator blues cafe norcross georgia dance tracks of 1995 damicos dance acadamy shakovy blues festival pro audio booster 4 10 natalie cole pink cadillac music video rock group nirvana folk blues orlando hip hop blog omaha blues society apple nano 4gb ipod ils ont change ma chanson mp3 shes got the rythem and i got hte blues information on the location of slate the rock reproduction queen anne style dining room chairs prince erotica rich blues neurosmith music blocks paroles chanson crocodile couture downlode fire emblem soundtrack music car stereo ford ranger pop records minus albums bourbon street blues and boogie nashville rolling stones brown sugar eric clapton focal chorus 826 reviews popular dance in australia free online safe ringtones mp3 60 gb peavey stereo chorus 400 free baritone sheet music bbmike blues janet jackson feat ashokan farewell mp3 house of blues sticker rap singer west momma list of gospel music how to set up ipod nj teachers convention chorus reliabilt 300 garage doors emperess of blues free nextel ringtone us free music download here come the bride detroit rhythym and blues singer composing ipod audiobooks all 2pac videos michael myers music campagnolo chorus cassette bionic woman ringtone castroneves dance partner smog blues overflow vessel sink pop up drain bronze soul pattinson annual financial report hallelujah chorus midi full hip hop dance gifts hallaluea chorus unlugged music georgia folk songs romantic period music instruments eastern ct symphony chorus alicia keys mixed mess dress blues silverstone shower doors dylan only a hobo fleetwood jamboree searcher mp3 you shook me blues soulja boy crank dat mp3 blues club iowa kids music games free jerrys rock and gem square dance music without calls blues clues birthday party i wish i were a punk rock free family guy audio how to beat the winter blues greece musical songs best software chorus trinity garage doors dubai audio center kiss car decals great blues artists little rock afb clothing sales slide guitar blues british aurthor wrote while in a trance free music download sits steve earle tennessee blues car audio uk website egalitarian synagogue little rock somewhere over the rainbow instrumental wich type of scale is used in blues tillamook rock light house pop artist david blues music darrell walters charming man ringtone blues deville adding bias adjust metallica songs lists disco biscuits uncivilised area mp3 want to download motorola modify ringtone for another phone nashville community chorus signs of bee sting allergies biker blues salmon dance the chemical brothers united reggae little rock fulbright elementry springsteen usa blues bozoki midi music jimmy witherspoon song cut past forty blues god save the queen jacket prince boogleg mp3 dessert punk learning the blues lyrics one two three four feist lyrics music theory intervals chorus clipart mp3 editor ringtone christian music bass tab birming blues houston tx overhead garage doors green day vs oasis list classic blues songs patty cake polka music pop lock n drop it lyrics bonoxy blues movie knights of the round table mp3 sean patrick hannfin rolling stones video memphis blues burger yountville value of 10 pound rose quartz rock teen booty dance chanson trenet midi file wire ipod for subaru britney spears comeback chanson inoblieable store mp3 play on stereo controversial rap song delta blues early illustrated salsa dance steps terraplane blues phil collins advert download mp3 sade 59092xd14e myspace backgrounds punk jersey blues french and indian feeling surrealism beginning blues guitar by david hamburg canadian audio component cabinets m rock 512 sierra coutry slide blues elvis presley cd used ipod problems waterfalls ronkonkoma dance russian chorus reliabuilt doors in charlotte nc area rock bitches la chanson mariee mariee britney spears new york post 1152008 blues tab ipod exercise earpods the devil sold his soul to gaara put music on you own website to download chorus of angels free video download tom waits john cena and the rock vs big daddy v video chorus vst free celluar south ringtones slavery in rythm and blues the doors the end lyrics audio visual languages radio mp3 demonophonic blues free movie clips mp3 wav st lucia jazz festival 2008 bass blues rifts incantation and dance euphonium solo listen hyperpower year zero nine inch nails motive chorus service janis joplin photographer rock stars icons chords for jazz christmas songs upton on severn blues blues hammer blues lange elton john live bbc 71 integra audio recievers hip hop celebrity wallpapers album michele torr chanson inoubliables queen elizabethand competition and singing chorus apparel wanted back issues of new musical express music videos and prince and the balled of dorthy parker epiphone blues custom 30 amplifier retube high pressure conveyor rock trap you tubeyou tube detroit rock city rocktek chorus soul of the rose waterhouse music pitbull renaissance dance epiphone blues custom 30 amplifier schematics you tube guitar acoustic carrie underwood stereo jack to mono speaker chorus of westerly jazz ensembles blues music instruction guitar kid rock so hot lyrics stone and rock texture backgrounds dance safe chanson francaise et mer pop up tent trailer review mp3 music copies moody blues band member lorna mullen ministry of sound music video brimleys chorus frog baborska mp3 music sheet accessories what makes a good kiss crocodile brousse parole mouton chanson stereo receiver review breakbeat drum n bass pioneer audio video tv omnitech 2gb mp3 player blues brothers lifesize cutout madonna fan club positive effects of pop culture forum breakbeat porn bangbros hip honeys hop woman men are from mars and women are from venus mp3 irish folk songs clap along your tube moody blues tuesday afternoon fight the team across the field mp3 download panic at the disco dvd father of the blues ipod mini part top 100 blues music itunes store conversions to ipod malden ma pop warner texas blues jsp lone star garota pop britney spears investigated for trial abuse chord music chanson de roland in old french commercial audio supplier musical twill the moody blues land of make believe pop up tackling dummies paroles de chanson pascal obispo mcfly free piano sheet music everclear music cold chisel guitar music blues slide tab for statesboro blues nas surviving the times mp3 baltimore blues quilt muppet show instrumental eagles nest saloon blues club in calgary src music artist composable ringtones what is reggae music winchester va chorus beyonce breast implants punk rock clothing rhythm and blues singer born detroit colonel is an ipod an mp3 player wes montgomery west coast blues valentine day linkin park new club music lady sings the blues night and day mp3 moo sounds everything is illuminated music how to format an audiophase mp3 player chorus choir microphone country bluegrass gospel londzell blues club roswell sweet slag rock group a website were i can download music for free sexy ways to kiss outlaw blues restaurant rca mp3 player model m4002a specifications good time charly got the blues the best 25 years of pop music institute in los angelos high school musical 2 the song house of blues guitar dvd blues clues playset andy otto music breakbeat 1995 cell free graphic phone ringtone din to rca audio cable verdi anvil chorus music clips elvis presley tweeter stereo home equipment riverfront blues festival jazz dance quicktime chicago blues all stars origanal 80g ipod greek rock tools alto saxaphone music dave fields blues soul food cake recipes handyman blues cordsa and lyircks beatbox audio download death goes to the disco bad time blues wii dance revolution bundle glazbene lestvice pop glazbe celebrating the blues dance studios miami ipod docking station basketbell el shaddai chorus tango argentino online serta kerry queen mattress blues original instrument indianas rock station most pop actor in korean brown eyes blues lyrics dave matthews band time signature face off classical soundtrack music group thinner stealin blues ngicuela stevie wonder size of queen beds boss super chorus rack mount musical adapters mp3 christmas music tout les chanson de cheb hasni music of philippa schuyler open d blues instrumental fusion from l4 through s1 cml photoart music bath uk residential wood entry doors klavier lehrer blues music sequensing powerpoint polyphonic ringtones for sidekick brown eyed blues by adrian hood dance clubs in salt lake city utah free great blues guitar licks martin luther mp3 johhny p reggae schematic for foot switch for peavy stereo chorus 212 download the highschool musical 2 soundtrack dance hall queen carlene the moody blues what am i doing here last kiss the song wreckx n effect mp3 jazz hat blues radio long beach goa trance videos free download bbc audio books frans chanson car audio ltd uk saint louis blues interval music radiohead official web site tom trauberts blues idlewild blues roseville mn music stores matt dusk christmas blues fifty cent piece lyrics for lollt pop rock and roll perfume gary smith blues phil collins everyday solid state blues medicine acid reflux cure affiliate business music program blues clarinet ipod adapter xlink honda accord uk download free music on mp3 dance of peru brown eyed blues lyrics christmas pop up cards instinct blues elizabeth golden age suggestive dance suab international folk oklahoma music just breath by c blues straight from the heart dance modern splitprimary sources masturbation blues lyrics rock climbing in saint john ayre and dance white suede blues olliewood skateboard chili peppers ill be waiting lenny kravitz tv mp3 sounds freeblues slide tab for statesboro blues music releases latest singles hallelujah chorus vinna boys choir usmc hadji girl music video current queen of england prince george bc peer blues festival lets dance to joy devision lyrics blues brothers nightclub in chicago cadeandmurdoch music mp3 album creator bruce rock wa brownie magee blues lyrics golf club locations prince edward island soda pop dispensing machines on cue blues total cereal commercial music street home of the blues music stores digital pianos and keyboards in nc american folk lyrics memorex music system fender blues jr mods amy winehouse frank track list emi blues series the music man soundtrack elvis presley flamming star who directed high school musical blues in chicago rick steves audio tour guides wyborowa blues tarzan the movie music praise ongs and chorus chords the doors shamans blues pants off dance off adult ares free file sharing for music media player plays audio but not video minneapolis mn blues venues free wedding music downloads metal dance dance revelelution pads xbox360 top ten rhythm and blues songs 1968 free sailing audio tag music sao paulo br tennessee community choir chorus crash twinsanity soundtrack peavey 400 chorus amp lovefool ringtone prices on patio sliding glass doors the blues dvd dominque simone eagles 2008 tour rock band harmonix download music debate trouble blues boy voyage learn hula dance queen anne county marriage license find the jazz or blues song impossible cranford audio humming chorus feeling energy vibrations vocal cord pictograph jazz jackrabbit 1 trans siberian orchestra music box blues memphis audio 6x9 ian haughton music chanson pour construire une maison daft punk tickets moody blues tribute band alicia keys just as i am nick lachey country doors want to put mp3 onto crazr king of the blues lyrics ten years after reaktek audio drivers roy roberts blues and soul review britney spears vagina unsensored harry connick jr free mp3 rampapo valley chorus new age music free freerihanna cell phone ringtone father death blues jazz byt he bay free mp3 rob thomas little wonders how to cure flem in babies switchfoot nothing is sound the blues castle rock race track enter sandman mp3 peter white tickets at seldom blues jan 27 kenya institute hiv cure download buddy holly heartbeat mp3 breakbeat lenny roberts all about dance discount coupon code chicago blues alley rihanna sell me candy daft punk mp3 good for the soul stories speakeasies and blues rent parties plasma tv cabinet pop up multimedia audio controler c minor blues pentatonic adele geller juanita bynum gospel goes dvd blues piano artists swing 59 john williams james river blues old crow liffle feat a apolitical blues huskers soundtrack bellbottem blues derric and the dominoslyrics audio language love download megaman 8 mp3 bbkings blues audio with adobe after effects kim kardashian is a size queen a touch of jazz bill wolover listening cd after the gold rush sang by a chorus audio file converters blues is alright tour download music video torrent hip hop bling jimmy reed the best of the blues hot hiphop honeys gospel lyric music old song time freeware vst audio visualisation tools straight no chaser mens chorus how tall prince william harry evil gal blues queen serenity ugandan dance culture freshmen in college experience the freshman blues amazon metallica brave soul downloa link sites for natural rock crystal in england twisted 14 house of blues chicago chicken soup for the dog lover soul metallica logo t shirt working anvil chorus music wav queen size tights bloody marble collective music maranatha praise chorus book saturday night live 2007 musical guests joe moss blues dowloading music from internet is it benefital hip hop decoded sd mp3 reader blues brother peter gun walk for the cure salisbury nc flamenco dance shoes sacred hearts smokin blues radiohead true love waits radiohead dragon force music videos free blues piano music river rock casino calif handbell choir music tschuschenkapelle bosnischer blues queen bee ranch audio duplication toronto joe spencer blues explosion a state of trance episode 238 torrent free busted ringtones in nokia composer canton mens chorus concerts iu school of music glacier ice is a rock christmas midi jazz free knocking on heavens door blues acdc rock prince henry claimed true texas blues wireless music loud kansas mens chorus beyonce song flaw in all eminem never enough mp3 rap artist jackie o the blues brothers funky nassau perfect lyrics by simple plan chanson pour les petits enfants sun dance furniture alicia keys call bruce springsteen poor boy blues surjit bhindrakia free mp3 download the hallelujah chorus portland oregon network music servers stacy blues you tube jazz guitar exit realty janet round rock texas what is the role of the chorus i samson agonistes dinwiddie quartet music download cheap apple ipod shuffle gosple blues guitar tab pop up garden bag if your feeling like a pimp go and brush your shoulders off sc all state chorus jenkins music company standely metal home doors the chorus of the saints singing hallelujah prince sultan airforce basr italian music robert gray blues singer hate in the box electric dolls mp3 magic feet dance company nc thomas sheets music chorus mary j blige i wanna make peace with you blues southern indiana roda viva churrascaria gospel brunch madison wi ska peavey chorus studio 70 parts download free game ipod elvis presley child costume kurt vonnegut audio house of blues sam accord trn music winter blast of blues kid rock kid rock rock on the range bands chicago blues band dfamaged pop records ipod song from commercial colonel us rhythm and blues singer born detroit color purple carol dennis dylan the music shop gypsy lyrics moody blues classical gospel music script subliminal messages audio merlin garage doors western maryland blues festival crushsopt baby phat queen james blunt volksmusik old blues christmas songs leroy hudson soul train gothic crosses zen blues band chrysler 300 ipod adapter breakbeat records led zeppelin concert in london what time running with a mp3 player working blues top 10 uk music singles rock me gently rock me slowly redman triathlon 2007 blues clues plush toys sanderson nokia mp3 fender amplifier power chorus rock bar maryland smooth christmas music audio modem riser pics from house of blues los vegas afi iron maiden singles collecrion russia rap music is not negative influence harmony chorus atlanta viet nam music music lyrics chorus for the car broke down chords for the eagles hold on torrent foo fighters pretender modern belly dancing music ruthie foster blues tampa little rock accessors office beginning blues guitar instruction alvin and the chipmunks soundtrack download for free the munsters ringtone legal downlaadable music i got the blues cure for pelvic floor dysfunction led zeppelin song list wedding bell blues song austin texas music stores bruce springsteen eyes on the prize live in dublin great brook blues band and vermont hip hop cd covers moody blues song titles high school musical piano sheet scores vocal tone on the phone whats the definition on chorus fm static mp3 access database classical music sheet music for three times holy depression time blues i wrote 50 cent lyrics free vocal jazz on yahoo greenwich blues christmas in iowa mp3 slavery time blues songs james taylor a music person of the year tribure dvd bob dylan jack white mp3 led zep house of blues this aint no tribute rai2 concerto verona virginia gospel watermelon crawl dance top first nations blues guitarists the eagles bank dido music bacque of hill street blues oklahoma city university music gothic vampire girls pictures green valley line mp3 living blues nl draco malfoy is our queen song chanson francais maison ikkoku kanashimi yo konnichi wa mp3 playhut pop up tent what happened to blues street barbecur free tai chi music auto stereo san francisco linksys music bridge front street blues band singles music music music music sheet music sheet music rock music identity chanson packetville cheap ipod new friends of lizzy music blues lyrics she was young and wired he was old and tired amy winehouse frank outro angel download music video blues piano music be prepared mp3 tayshaun prince farah outlaw blues get ringtones handel hallaluea chorus mary poppins musical uk ellis kraus and robert plant raisingsand blues on call soundtrack from snow white and the seven dwarfs rap about switching from weed to extasy get free bruce springsteen electronic blues track rock of love 2 eliminations nig analog chorus belichick rap video cristian rock bands nypd blues squad tv ringtone deep purple walk on music genre county list in the movie blues brothers how many times do you see jakes eyes dirty mary music irock mp3 instruction 520 baby blues cartoon strip singer with same initials as jon bon jovi stevie wonder harrassment pms blues wack attic low pop toy shop white t shirt treo cutting off ringtones pennsylvania regional chorus platform queen size bed workin man blues tab door post rock climb first ascent lyrics to desert rose by sting la chanson du dimanche nicolas et rachida cock pop into virgin pussy cunt make raisins dance in h2o madonna on rodman lyrics hook blues traveler nu look dance studio alphabet rock blues city general store lil wyte ten toes tall audio joan armatrading into the blues soundmax audio driver the impact of music in todays society a biography of mary queen of scotts white boy blues clapton beck page madonna la is la bonita little rock society gossip lil wayne youngin blues lyrics free worship music sheets blues festival february 2008 insignia mp3 case tickets for bon jovi in king baudoin stadium brussels sakura kiss mp3 blues calendar convert rmx to mp3 blues at sunset sharp compact disc stereo receiver model sc 9650 suppliers of music cds for resale dish network free ipod jim mccarty blues free music downloads no credit card htm orion dance routine suburban illinois north avenue blues jazz club music nordamerika info folk powerball techno seven blues babys solid gold channel 4 uk dance music show international blues festival bastic stamps to unlock doors castaway mp3s bad boys watcha gonna do 2pac mp3 download chorus lausanne good music to listen to for fitness alpine valley music theatre left hand bob blues mandragora tango orchestra house of blues coupons cassidy femjoy lordi hard rock halejulia gimme back my blues lynyrd skynyrd sheet music highschool musical party decorations piano time jazz book two la boite a chanson good bad ugly ringtone fraternal order of eagles dog tags house of blues columbus ohio daryls car audio blues five roanoke va free alyssa deewana mp3 corrupted ipod video sand dollar blues club las vegas linkin park done wikepedia madonna rca stereo system rs2052 blues on grand des moines plus size rock tshirts undercover blues dvd lowest price was the oldest member of led zeppelin gothic chick free bell ringer ringtones blues slang ring music ryushi yanagisawa kim new blues musicians individual mp3 songs where was the fresh prince of bel air filmed mick fleetwood blues band listen dancing at lughnasa soundtrack play music and games on nintendo ds deter soul food pork chops countless blues lester young how to start queen breding xp audio download compaq presario c552u negro spirituals and their effect on blues and jazz rock group hysteria please help end homelessness phil collins blues for christmas onlin music from ray elvis presley rings chorus reality show world music nyc eva cassidy live at blues alley lollie pop girls ritmen blues hardly strictly blues summer dance intensive in or near atlanta for 2008 audio mastering apm music information about the blues singer willie brown audio cd printers silk screeners equipment sacramento blues clubs pink floyd black pig t shirt jamaican calypso music west towns mens chorus justice league sheet music danii minogue lap dance free music downnload the blues truckers audio files download sounds physical education music integration louis armstrong basin street blues why teachers hate mp3 in class contagious blues band song by neil young impeach bush music rebelde mp3 download free blues radio boise idaho musical instrument givaways leona lewis music jimi hendrix voodoo child lyrics delicious blues vocal chord damage living with the blues by sonny mcgee clash of the choirs cd schooner fare folk singer how to play blues rythmn guitar gpx ipod dock ci3807 save the last dance for me tattoo leo kottke mahogany blues guitar kenny rogers cosmetic surgery soundtrack tripple x dance wars bruno verses carrie anne david holhouse blues band dmx ghostbuster wedding bell blues gilmore girls pictures iron maiden fansite hello santa rock cocaine blues hank iii album chart rap thomson audio video 2007 quote winter blues bruce springsteen thouger than the rest tchaichosky music composer fender m80 chorus mortification website christian rock the faerie queen moody blues 2008 tour cure all diptheria green day equipment list not enjoying french kiss paroles de chanson pink brutal blues forum blues phoneix january 2008 funk street dance classes in ipswich qld psalmsinger music what were the blues musicians living conditions like rap hunnies rock band special edition play station 2 rap battles online forum breakbeat music from the film gladiator who invented blues music delta audio mixer mp3 id tags san francisco jazz festival st petersburg blues the happy folk a jazz odysey dinner packages house of blues san diego numb linkin park downchild blues band road fever blues guitarist jimmie johnson frets on fire music downloads elvis presley milkcow blues buggie the eagles concert san diego gambia music summertime sung by ella fitzgerald listen blues tour dates suteki da ne orchestra version mp3 de la folle chanson 2 bte 12 lamar billboard advertising corp when its dark and its cold and i cant feel my soul lyric house og blues gossip lil wayne mp3 sacred sheet music downloads chanson pere et fils gospel tab lutricia mcneal 365 days mp3 kiss fan memorabilia sirius blues radio pictures of all hip hop honeys hip hop dance studios in orlando louis primo and basin street blues sinus inflamation flush feeling lyrics prohibition blues bible in mp3 jenny jenkins lisa loeb mp3 chet atkins poor boy blues listen to rock your soul by elisa kiss me deadly hud wu tang clan remix breakbeat rock valley womans health throught the mirror robert plant book queen budica escaping lyrics blues traveler layers of rock found in the ground ska trombone tabs johnny young blues mandolin goodbye my lover ringtone wizard of oz stage musical characters hallelujah chorus latin julie delpy mp3 macintosh backup movies from ipod rip small clone chorus box hip hop station los angeles lyrics to dance with me jay sean t l stancliff blues guitar dance store texas converting files to mp3 bordello blues even flow by pearl jam lyrics muddy waters house of blues music cd reviews rap music pictues nights in white satin moody blues techno ari blossom music center cuyahoga falls ohio chorus line musical queen of the north scale model cd audio to mp3 format sound blues alley bourne hiphop culture sociology birth of the blues history of rock and roll of the 1950s and 1960s blues drive band saratoga ny iphone ringtone converter extrusive igneous rock solstice perfect harmony chorus madison wi album vampire music gemini dream album release moody blues music to help you fall asleep pure funk blues image discography cadillac fleetwood cars popular christian music rock barry moore still god the blues rock band parts preorder bundle rock band wear of army dress blues christmas music with singers and codes phil collins i can feel it coming ticketmaster alltel arena north little rock arkansas even cowgirls get the blues quotes music makers fl acdz music cascade blues whole house audio ne ska breakbeat torrent music of the kenyan orthodox church vienna falls chorus blindside blues band keepers of the flame junichi masuda music composition blues travelers albums brave heart soundtrack cow poem to dance to pictures of audio wiring diagrams for 1998 ford mustangs callanwolde chorus atlanta paige stonger kanye west bbking blues club nashville tn beyonce song words for deja vu mostrar cancion de winamp en msn words god save the queen chanson de sean kimpsons prier audio mississippi delta blues history blues with hair madonna corporate entertainment house of blues hollywood daft punk harder better longer live prince ozone three tennis blues ally jaws and winamp pro diy stereo amps beating the winter blues musical myspace layouts top ten music producers of 2007 breakbeat free vinyl samples britney spears upskirt no panties garth brooks mp3 free window treatments for sliding glass doors madison blues ringtones by sms music note teacher flash the blues a history of the carlton football club virgina reel dance music used in flashpoint episode of lincoln height larry graham and the rythum jets blues band eva marie cassidy oratorio society of new york hallelujah chorus discount ipod online vh1 classic rock band countdown greatest guitarists list blue goose blues bar music theme tapestry churchfields stereo medieval belly dance costume blues festivals u k carver stereo receiver new orleans blues disco dancing video free audio analylists moody blues in your wildest dreams carrie underwood concert dates ringtones pinky and the brain midi elvis presley jaycees speech why i sing the blues lyrics happiest musical movie moments rihanna unfaithful lyrics a mess of blues send mp3 to voip beatles press conference cincinnati free blues jamtracks yahoo pop up blocker spyware you are the sunshine mp3 stevie wonder house of blues calendar of events for january 2008 inflatable musical instruments song mp3 roya re talking army blues vendita cavi in bobina dmx deep fried japan blues open source music creation software experimental rock the blues and the bruins diamond mp3 zveda rock n rolla frank sinatra marie blues brothers glasses logo dylan thomas poems with dialoge pink floyd have a lucky star breakbeat eric clapton movie rutgers university chorus lyrics daniel elton john rock city coffee roasters coyote blues lafayette louisiana hairspray the soundtrack alicia keys songs and lyrics queen pen lost boys frankfurt city blues band time killers dance top crop air jamaica jazz blues 2008 jim mccarty blues eminem demon possessed a real slow drag blues song the clash death or glory chanson sur la savane led zeppelin plaigirism rock bar maryland underground blues orlando ipod nanos new indonesian dance forms kurenai mp3 night wizard chanson octobre francis cabrel pearl jam indistinguishable lyrics everybody loves the blues if lyrics by janet jackson mp3 to midi ringtone nokia corporate air little rock arkansas bartender blues black rock center for the arts rock 94 francis cabrel parole chanson rock house harbour island how to view lyrics on ipod touch with new software rythym and blues singers friends in low places garth brooks billboard entertainer of the century ich bimoody blues wasp sting remedyt cherax park blues high school musical tv freeware convert to mp3 fender blues junior amp beatles chords something blow me a kiss dean martin you know my name lyrics beatles moody blues tablature jazz funeral music oshkosh eagles football santa claus sings the blues with reindeers ipod mini reformat download music off the internet11275882799227258881 calvary chorus christmas song download apologize mp3 moody blues conquistador lyrics free musical idioms vocal bass trombone plymouth mayflowers chorus southbridge full gospel center director of food services of prince edward elementary school michael buble saskatoon blues music silver beaver hip hop books concordia blues baseball team potter dog tag eagles nickelback photograph lyrics lowther pavillion lytham frank sinatra blues cube 310 stereo pair small diaphram microphone beef hip hop news space blues sir lancelot and queen guinevere by longfellow drivers for connecting ipod to xp hot jelly roll blues terence blanchard music score rihanna email chanson de jean sebastien back trance of enya praise chorus eagle rock maryland lyrics to kiss me cranberries beatles tribute band named twist and shout ute accessories western australia blues madonna to release new album britney spears radar crouch end festival chorus john gregson punk music posters the killers when you were youngmp3 jack montrose blues and vanilla digital pc audio recording devices web access pop email blues clues mail song westlife mp3 free download sheet music salty dog blues how to convert ram to mp3 on mac osx blaupunk stereo beyonce in mexico stream radio music blues free online type 2 diabetes cure deon queen muddy waters louisiana blues dance of moon and space lebanon blues fest rap video audition xxx how is johnconoo dance done music subscription for windows media player used fender blues deville beeper record mp3 zshare what type of rock is the notre dame cathedral michael mclaughlin chicago jazz philadelphia blues vocalists hip hop vixens free gospel hymn print sheet greek tradgedy role of chorus music markings lutheran church mp3 rollin log blues free lyrics tribal belly dance tops replay music serial chanson de roland mp3 dance clubs in delaware down by kanye west and chris brown listen now lyrics to friday night blues b hip hop pop r saver screen sound top old school rap song chanson de roland mp3 poeme francais dance clubs denver friday rock band mic problems designers of show chorus apparel child christian sheet music born under a sign blues album video pappelbon dance secret agent ringtone moody blues lyrics watching the picnic at hanging rock making money on ipod go to florida escape wintertime blues beatles paul mccartney clothing and guitar pick display mp3 dj software linux modern blues on line dvix to ipod download music from rock county wi real estate for sale robert johnson blues foundation wonderwall mp3 beginner piano blues riffs rock music 1963 queen annes corner mass come on a my house ringtone columbus blues festivals combat rock review blues singer dies topless highschool musical virtual lap dance downloads french current music hits indainapolis blues bars nyc bus to little rock arkansas bb king blues club and grill high school musical party favor pack connect an ipod to 2004 nissan frontier blacque of hiil street blues tagalog rap cars free share mp3 downloads kiss photography pictures anderson lyrics to a chorus line victoria rock new zealand scots irish blues eminem 8 mile free downloads mp3 songs music gonja led zeppelin moody blues concerts at florida theater mp3 downloads to mac venture brothers depeche mode kansas city blues logo klh audio systems r7000 rockport dmx max shoes free serenade standchen sheet music blues pearl john hudson keeping music in schools cocain blues lyrics how to stream audio from web page smokers anonymous rock hill mp3 trance download chorus core sun tde mp3 free stealers wheel mp3 ringtone ibanez cs 5 chorus eagles bass guitar tabs replacement kitchen doors lancashire mexicali blues teaneck top 50 rap song gymboree play and music nashua nh blues clues birthday nsyn i want you back free mp3 download blues torrents mel termay jazz singer hot to french kiss blues clubs in little rock ak moody blues the best way to travel plies on mp3 how to make an eagles nest blues soloing strategies imagine music lyrics french blues sites plug n play oh yeah mp3 open water 2 soundtrack bye by blues derek trucks soul stew revival shooting at virginia tech killers words tom waits tom trauberts blues party like a rock star free music downloads gravitation music predilection french music 18th century dinner packages house of blues prince william campground how to check if ipod is under warranty delta blues voyager soul food liver and onions recipe prince william county csb house of blues atlantic citry free ultra mp3 software house of blues chicago ho atlanta ga battery replacement for ipod photo tangee mp3 hank williams lovesick blues cash movie songs in mp3 format download chords to guitar and lyrics to heart of gold by neil young cure for anorexia nervosa bessie smith downhearted blues christmas songswords and music library of congress historic blues photos gettysburg address audio richwoods callilac fleetwood thermal through doors blues jazz soloing jl audio g4500 picture the queen hill street blues dvd uk region 2 cuts expanded queen sheet sets paroles de chanson pink aretha franklyn placebo david bowie live video singing goat sound of music fogerty summertime blues mainely music ellsworth maine izvorne mp3 2007 maple blues award winners and 2008 imageevent pop boy down home blues lyrics jk roland jc 120 guitar chorus amp jazz it software audio industry jobs song by alicia keys no one words climax blues band guitarist scofflaws live william shatner mp3 zip zipfile fender blues reverb amp united dance studio kansas city list of music fergie clumsy mp3 blues mp3 wholesale music cds scan disk idpods music already loaded saint louis blues jewelry electronica music sites blues fake books the doors alabama song sesame street number rap recent music reraleses chanson enfant paroles musique papa rock band repairs romantic peroid of music moody blues denny laine ipod music education afternoon blues photos garth brooks thunder rolls tab american music awards 2007 beyonce and sugaland bands eric clapton played in chorus riser seat cookie cashetta mp3 glow stick dance bourbon street blues and boogie bar lowest price on mp3 players early blues book bello audio shotgun black prince nexcare no sting liquid bandage famous blues singer downloadable ipod porn pictures of army dress blues aztec dance and festivals rock climbing peraphenalia aol beta music why did john gregson leave the crouch end festival chorus mp3 bloopers for sale blues forum the nuttcracker in little rock arkansas on december 19th timbaland shock value blues brothers movie elevator music download britney spears sextape from rapidshare hiroshima between balck and white mp3 boss chorus ce 3 pride mexicali disco female gospel singer band of horses window blues groupe musical a frankfurt what i need to start a rap group cingular downloads free ringtone blues clues hide and find anmie gothic art salty dog blues midi so you think you can dance kameron north carolina trench rock bid prices blues street techno viking remix rock band golden earring youtube blues ipod classic av accessories birds at dawn dillon fannie sheet music ready rock retaining wall roses blues myspace quiz what movie kiss are you sushi blues in raleigh doylestown rock climbing gym king solomon queen of sheba prince myshkins the best blues harp microphone ukraine music verizon wireless music center al summer time blues hansen robert dance worlds listen to hallelujah chorus november 8th jingle jam dance cassidy johnson moody blues moody blues black and white no music teen crazy punk hair gothic actresses blues brothers everybody needs the eagles long road history of the moody blues prince yi seok chrysanthemum flower eye cure beyonce knowles pussy seafood and blues festival juggalette megan charlotte nc jessica rock hill sc froggy chanson italienne ipod nano 2nd generation accessories audio con dorrian blues free jingle bell rock sheet music for alto saxophone only stereo mix doesnt display in audio properties oates kiss basic strumming blues audio from dvd software for mac gay bear chorus kiss a pig gala arkansas mario for ipod touch oregonian newspaper blues singer jones hallelujah chorus played by organ wholesale gothic bass blues scales tab philadelphia eagles window graphics free backing tracks mp3 guitar strings for blues carlton larry blues for tj new music samples chris neel blues guitar mp3 power tag editor dvd to ipod osx platform song artist dance of bastards bob dylan tabs subterranean homesick blues gothic horror story ideas valdosta symphony chorus audio surveillance limitation laws instrumental saxophone blues atlanta jumping music sleepy days lyrics sheet music to pianoman free veterinary blues by shelly hazard gbx cassidy oxford high school musical 2 for clarinet eagles rubiks cube blues mp3 downloads how to add songs to ipod shuffle punk digger clothing moody blues lost chord lyrics negro pop singers in russia dazzle jazz lexington christmas chorus rock the halls blues fans were taken aback when music k8 audio answering machine announcements mbox2factory audio play blues harmonica music layouts mp3 lossy chanson de roland cockroach killers cool punk rock backgrounds who sang birmingham blues in stir crazy how do i contact celine dion hip hop honeys download handel hallelujah chorus c major erie pa ballroom dance spanish the dance of death kealy blues driver mods freeware mp3 editing bruce springsteen girls in their summer clothers lyrics eddie turner blues listen music systems song lyrics for farmers blues rap blogspot playlist san antonio stevie ray vaughn blues guitar forum rolling stones singles a pop up window is blocked essential blues recordings poppa smurf kiss my ass the very first noel music justin hayward moody blues soul assasin cheats fo soul calibur 2 film and music from 1940 subterannean homesick blues video no audio device xp how to get porn on your ipod armstrong saint louis blues new haven register music high end digital audio recorder debbie davis blues piedmont medical center rock hil habana blues film crew stereo phono preamp audio electronics projects interior slab doors in stock in georgia control machete music drakengard chorus free rap ringtones for sprint pcs whistle chorus eminem mp3 downloads daniel lyrics elton john meaning swanhurst chorus how old queen margethe is cma country music festival bon sinclar rock this party blues clues party presbyterian church music director mental health and holiday blues britney spears hpme video clip peak2 music stand silvano blues copy music from ipod to windows pc encoder free mp3 wav shenandoah chorus ipod touch firmware update dance iowa wash blues society famous irish music players kmetija 24ur pop bach and the heavenly chorus rock oubote chances rim rock led zeppelin riverside blues pop idol tenor prince good love cassidy new cd merle haggard honky blues hubbard doors mahogany blues guitars mexican rap song moses as the prince of egypt the first blues gig book the villa at cape rock rock climbing houston texas definition of 16 bar blues rock riprap neverlands dance companys climax blues band real to reel dave matthews band mp3 dmx knife rap engineers the moody blues night in punk cuffs chanson french andrea bocelli timeto say goodbye gills rock upscale development night betsy chooch dance dear hope philip week how to deal with the baby blues michael jackson glitter suit how music affects behaviour bio on blues musician willie brown lunar crafts industries rock salt lamps dwayne the rock johnson t shirts chanson france ringtone 2c cougar acoustic blues travellers medallion medal music paypal ipod touch sync to entourage madonna ich like a prayer folsom prison blues lyrics download ziad bourji 2al eih mp3 new catholic bishop of little rock the jelly rollers blues music rolling stones voodoo lounge britney spears naked photo shoot blues travalers sholay mp3 crazy ringtone birth of blues day ipod nano recharge mp3 french music custom screen doors dont look back complete blues langston hughes the weary blues poem kub wicked soul playing the blues in e beatles sunshine at morning thank you lyrics blues power high school musical quilt patchwork free software pocket pc windows mobile 2003 pop cab mobi jelly fish sting blues studs shadows linkin park bluest blues alvin lee lyrics colby center for dance song hollywood green day drink small blues station 4 dance club brad paisly online mp3 blue cross blues shield triple tub doors ipod nano and nhl skins and avalanche and 3rd generation red hot and blues american girl music country music awards in november charles brown blues christmas rock n roll cocky songs madonna profusion subterrian homesick blues lyrics harold arlen somewhere over the rainbow sheet music audio converter aac three days wait snow blues ladies music box high musical 2 everyday santa claus blues pop up kit paint it black free mp3 download ipod access torrent lyrics to blues had a baby eagles football xbox 360 stuff stella blues in savannah cassie tucker arrest folk history butterfield blues east west pontiac grand prix lighted stereo installation full version best friend 50 cent psychedelic blues soundtrack for freedom writers tempo pharma third rock ventures house of blues in myrtle beach bscker audio how do i get music from my ipod onto my computer chorus line tits and ass girl free music by album is hip hop dead rollerball soundtrack great atlantic blues festival free christian music for ipod garth brooks shameless guitar tab jazz and blues transcriptions mp3 remix maker where to begin a rap career bruce brubaker hope street tunnel blues black free gospel listen music rock and roll houchie coo review paul rodgers muddy water blues cup and half full phil collins clapton blues power mp3 audio convert komenknoxville race for the cure pictures knoxville hip hop and black youth wine rock and blues club houston tx cassidy cd new rap gimme more britney spears free download apollo chorus free cricket nokia phone ringtone for 3570 la chanson dimanche bob rihanna umbrella super mario downloadable soundtrack garth brooks scarecrow stella blues eau claire mary j blige songs gay man chorus topaz mixer audio island music merritt island florida blues brothers 2000 lyrics homecoming dance outfit ideas for couples belly dance sword uk pia colombo chanson posthume relationship between an arbiter and algarithem music prince song creme all county chorus tryouts beautiful entry doors liberty high school eagles basically blues jackass tv series soundtrack listing music stores in altamonte springs prince charles duchy originals pacific blues the gathering place full gospel gq music group primal scream riot city blues the wedding present music band mexican flokorice dance chanson dscaler audio vista mute gospel train electric blues guitarists myspace hide music player box but show name nj chorus choirs sign up mp3 broadway background free wildlife ringtone get closer by michael jackson hallauiah chorus mp3 cure wallpaper does music effect your mood the actor the moody blues rock and roll aint noise puoo morgan freemans blues club techno dance trance rave artists absolutely free mp3 ringtone blues and moes barbeque and rocky ridge and vestavia women in music textbook elvis presley guitar man hallelujah chorus e card seattle opera chorus thermal cure for arthritis france rocky v soundtrack classic rythum and blues artists xvid audio codec stevie oreo cookie blues waterloo music canada deleting files from a ipod popular rap songs free christmas cards blues music the rolling stones fighting years blues hawk ipod fm radio remote new sale price plants reactiom to music rico suave music video listen to blues artists all black gospel quartets group queen of peace dorchester ma slow blues myspace music shuffle tables french to english dictionary with audio ferndale blues festival downtown ferndale radio full time christmas music the blues a history of the carlton football club video all formate to mp3 harukanaru toki no naka de op mp3 hula blues latest generation of ipod classic irish dance competition linux c mp3 player library chicago blues tours find audio drivers blues clues song lyrics spiderman music wavs alicia keys younger days martex queen size restwarmer heated mattress pad roomfullof blues japanese artist maki hara green days mp3 free download eagles the bird le petit cheval chanson high school musical full movie something in the way she moves beatles lyrics blues clues handy dandy notebook nature hike audio pub bloomfield blues jon bon jovi and steve perry sing bring it on home elton john i guess thats why they call it the blues kiss kiss video chris brown moody blues night in with setten future trance 41 legendary rhythm and blues cruise prince albert stretching 4ga to 2ga troy by adele geras book notes pinetop perkins chicago blues sessions vol 12 instrumental sounds like peter gunn folk music association canada rock around the clock song santa cruz halalueia chorus bomn jovi mainliners barbershop chorus over my head linkin park rainforest music northern virginia dance classes fir adults blues as slave music b hip hop r song top port arthur blues steve riley geno delafose hershey kiss quality measurements dance pad typing doors roadhouse blues download free century 2000 roll up doors george fraser audio blues feast in lima ohio britney spears i got that boom boom lyrics to ben by michael jackson winamp freeverb como un viejo blues one tree hill season 1 episode 1 music midi blues horn charts digital audio players pink floyd fealess california sheet music blue virginia blues by larry sparks this the city where we rock that o rap song the clash official web ten years after pure blues climbing wave rock blues element alfred essentials of music theory beginner music piano printable sheet free dallas cowboys ringtone moody blues nigths in white satin hard truck 2 soundtrack chaka kahn funk that chords les poetess disparts chanson trenet midi file bob dance kia alvin lee pure blues dance dictionariesw rock montreal cappuccino musical theatre baby blues bbq venice smart pop popcorn calories new blues artists sony minidisc stereo microphone punk rock dad blues to the bone col de vence pierre beake dvd music france kanye west stronger lyrics mississippi blues powerpoint photos of philadelphia eagles michael lington harlem nocturne mp3 percentage of americans that listen to blues eagles edan paper rock scissors probability jazz musicians in sf bay area private event andy mcloud blues for bighead frank sinatra the rat pack ribs n blues sexy blues music to dance to verdun windows and doors later day saints dance and music meshuggah tickets house of blues tui hou sheet music blues clue colring pages big mac rap artist audio pci driver support 9803 subterrian blues square dance washington area somebody the eagles rip mp3 lecture gloryland chorus ontario website music critic dave marsh summerrtime blues sting ray ice auger free mp3 musics download book of early blues billboard top latin how to car audio alicia keys paparazzi akg midnight blues african christmas music bon jovi pics barrie blues festival myspace music lay me down pop ups adwords getting around restriction chicago blues reunion what size pants does beyonce wear sony mp3 fm player colin desault blues techno beats jazz blues trios england the gospel according to santa claus how to put videos from google on your ipod bay area folk chorus kiss road crew coyote dance silicone soul right on steve chair notebook blues deana carter but we danced anyway mp3 as tu vu chanson de noel gummy bear kiss myspace layout rock cores trail from nj climax blues band a lot of bottle jay z and beyonce 03 bonnie and clyde mp3 download dj tiesto frank marino blues ipod delay commercial timbaland one republlic pop up calendar to fill in form chanson et mer none for you dear prince eyes are the windows to the soul time warp again chorus samsung juke mp3 software eric clapton blues power teenage kicks uk pop beauty queen of leenane donations to the salvation army prince george role of the chorus in the play dr faustus fergalicious mp3 beechcraft queen air executive transport prealcoke blues cirrus peveay bass motorola 120 ringtones free classical thikr music american blues society ipod av cable reggae moldy arms blues show in branson shoe shine pop music lyrics focal chorus 716v speakers hardcore rap music eminem leaning tower rock formation in yosemite national park guitar sings the blues nature audio clips big booty rap video girl it is such a good night to a kiss bonox blues bon jovi roses smuglers blues ps3 mp3 copy frank zappa with cat photo blues hickey high school musical you are the music in me lyrics aviation music themes muddy blues the best mp3 download sites ignatius holy bible audio cd terrell owens touchdown dance open pro chorus jay lenno interview oj michael jackson george bush snug harbor community chorus sigma tel audio xp audacity musical frosty the snowman stuffed figure zakk wylde chorus pedal stereo us currency coins 1820 1900 1 cent winston salem soul food butler in fresh prince of belair garry moore back to the blues beginner sheet music for piano chanson francaise red hot chili peppers bump de hump what happened to swc on winamp blues creuse erotic mp3 amatuer bootsy collins ringtones the role of the chorus in medea yachoo music picture of black madonna existential blues tabs dance tradition in spain free ringtones for my motorola cell phone walking in the rain musical dalida mp3 chanson make your own gothic arm warmers dance competition at delta center history of blues blues rythm dance studios toronto percussion holiday green day marines dress blues kids costume creative audio converter sample audio voice of alfred hitchcock presents hockey blues penalty kill dance poms catalina island blues festival buzzina pop nyc simple ira plan featherlight doors columbus gay chorus all that dance louisville dance club trance rave techno the top 100 songs mixes windham fabric farmhouse blues timeline of queen victoria steve vai still got the blues kiss fm burlington raleigh durham audio ediotor pcm blues whitianga zealand rock bottom farms daylilies audio technica canada guitar sting comparisons kratochvilova blues country music josh durham high school rock off house of blues cole and dylan sprouse most recent movies rip wma to mp3 how to play piano blues riffs rock music and its effects blackhead pop vidios married woman blues clash of the choir members folk art websites everyday people chorus group chamillionaire wont let you down mp3 music affect memory christmas card chorus singing fleetwood mac live 1969 punk posters daemones blues lady web site for music for young children stanley powered sliding doors sting y the police message in the battle the blues band music to make people move faster cure for mullosckm blues travelier musical lyrics memphis blues by sterling brown harry potter soundtrack singers vocal folds poster angel kiss shaver eric von schmidt folk blues submarines music el tri el blues de navidad wdw pop century resort free native american flute music songbook free piano sheet music june seasons piotr ilyich tchaikovsky blues clothes metallica nother else matters pictures of telluride blues and brews clip art dance sheet blues on whyte angelus chorus move music from ipod to apple computer dance wars on abc lakeawanna blues clasic rock radio northwestern school of music bootleg music house of blues t shirt deisarea music blues enroll britney spears bma bubbly mp3 stereo mud shirts house of blues roots of rhythm war on hip hop how queen elizabeth the 1st changed england timeline for blues music friends by queen steve thorpe blues music reviews guides glass shower doors mississauga la chanson francophone en cours de fle musical instrument museum drugged kiss prison break pop tv lowcountry blues bash 2008 prince of persia cheat codes conno ps3ect ipod t ruby blues beatles premade myspace layouts san diego gay mens chorus hairspray so you think you can dance lovely lei aiai hitsugaya luvy kiss mistletoe rythum and blues music song pink floyd steel mary the queen of scots fled from scotland to england in campagnolo bottom bracket chorus music new releases convert protected m4p files to mp3 remove drm jenson stereo emmylou harris even cowgirls get the blues music hall charles sandy how chorus strategy influence corporate governance onegai teacher music download prince gallitzin state park fairs ipod firmware download2 steve burns blues clue do a littl dance monsters of rock platnum moody blues providence i need a philidelphia eagles jersey piano rag music blues musician directory anniversary cards from the queen dance to the music of time play the blues doors configuration management software blues amp steel audio racks canadian rock mineral field guild prince and me soundtrack lyrics house of blues radio programs your mamas calling back ringtone blues 2 joy sports pre game music redman the saga continues cactus chordsmen barbershop chorus downloadable costa rican music unreleased rap songs first church of the gospel ministries contact house of blues canada virginia beach music festival september 15 raven minnesota blues fire engine ringtones www sprint nextel ringtone com chorus song lyrics ipod mp3 convert jessical morgan dance lessons children chesterfield va free blues sheet music put your hand in the hand free sheet music celebrities seen at reggae rising 2007 how to cure ringworm in dogs how to beat the january blues anthill music lyrics james blunt same mistake seldom blues detroit mi audio cable organizer minds eye rock band writing a good chorus music notes for pop songs online hey joe red hot chili peppers milestone birthday blues trigonometry music empty sky elton john 1987 james river blues society how to country swing dance rap not usa post holiday blues grief apple ipod purchases computer audio mixing programs market research texas blues music p g wodehouse audio books my wish sheet music print body blues university of washington women gothic ltierature sidekick 3 ringtone houses of blues atlantic city ipod service tbone hip hop music johnny cash cocaine blues lyrics you should see me dance the polka blues legend smith rock and roll race in virginia beach easy listening pop music files blind slide guitar blues romantic dinner in little rock eminem make me sick ot my stomach trance coices blues info linkin park with you lyrics masturbation blues lyrics david allan coe cure a problem with hoarding latin music awards one chorus line midi hager doors will vanessa hudgens be in high school musical 3 christian mobile phone graphics ringtones milk cow blues chords prince manvendrasinh gohil pink palace romare bearden out chorus garmin travel gps mp3 brand box nuvi system direct msn soulja boy song free mp3 ipod videp convert new orleans blues festival music from in the land of women hip hop crew sweet bag summertime blues eddie cochran free rock and roll part 2 music for alto sax blues jazz radio new orleans stevie wonder concert dvd anchorman jazz flute bad boys blues remix instruction to hook up car stereo system radiohead in rainbows golf at table rock lake blues licks piano midi il est ne les divine enfant mp3 mississippi blues marathon natural cure for mononucleoses mr and mrs smith ringtone overdrive classic rock texas blues bass players nyu chorus rock smoother pittsburg blues society very freaky girl instrumental mp3 the music in the slave community ten years after king of the blues australian 50 cent coins moody blues music tabs book of mormon study mp3 daddy daughter dance kansas yorkshire philharmonic chorus doctor who torchwood queen victoria vob and ifo to ipod crazy frog music tommy tucker american blues artist free rutles mp3 metallica master help setup blues jr rihanna rihanna vanilla sky blues phoenix az ipod dictionary the truth and the light mp3s elvis presley powertabs haalelujah chorus sick sting rays kelly clarkson singing someone elses music tsuki no naifu mp3 st luis blues apple refurbished ipod 160gb classic nude pop art jm labs chorus 736s david bowie disco king lyrics f blues scale star wars digital sheet music come across some real killers who wont let you walk on by the dark kiss of my blues power band music to listen to when you are pregnant franfurt ity blues band metallica viedes connect home audio visual systems norma jones blues singer how effective is a water purifier made with a pop bottle reset ipod video nano modi blues ps2 downloads mp3 rock by rank the moody blues legend of a band gothic lyrics generator can a bee sting cause hives 24 hours later hip hop pants for girls back to school moody blues video techno dance trance rave chicago blues piano comping february 1st 2008 jay leno musical guest pros and cons of owning an ipod bluebonnets blues band ps2 legacy of kain soul reaver 2 walkthrough music theory spectrum prealcoke blues cirrus bass nextel ringtone elvis presley naked pink panther music international festival chorus red skelton pledge of allegiance downloadable music soundtrack notruf hafenkante blues exeter grand prince hotel akasaka history of bible and cross doors epiphone blues custom 30 amplifier modification rihanna let me mp3 download kanye west how he started rapping methodist hymn with alleuia chorus split doors nj hesitation blues tab what type of rock is granite listen to avenged sevenfold warmness of the soul the day begins moody blues free punk rocker porn legacy of kain audio nickelback i want to be a rock star simpsons sing the blues lyrics the fountain soundtrack mp3 blues in d i hope you dance by leeann womack house of blues la roadhouse blues tabliture giant music instrument made by iowa college of music pocket pc record audio from bluetooth headset stereo manuals feelings created by blues music ciara and i mp3 download voodoo labs analog chorus reviews sinatra ringtones convert mp2 to mp3 athestis chorus vespro della beata cavalli rock band guitar compatibility chargin for the gospel india music vikram hazra felix mendelsson harmony chorus griffen ipod sansa e260 mp3 player downloads blues tabs free frank sinatra i did houston symphony chorus stereo places in 17368 rock island dispatch newspaper indoor rock climbing texas parole ecrire une chanson kalamazoo blues assoication its time to dance demo version download chicago crossroads blues festival on pbs jackson browne highway and dance halls sheryl crow pops the balloon best acoustic blues rock cover tunes soul ful reflections liberty blues bob dylan oxford town system doctor pop up blues nights open mic uk bill dance fishing school pop up campers athens ga tom petty free music forum breakbeat perverts in paradise bangbros soul reaper 2 cheats colin blues project upperdeck free mp3 intelagence and violence insane clown posse anko mp3 player rock workout playlist chanson paris nissan frontier audio frida boccara chanson nude no pop ups ws speed queen 40 lb washer innes sibun farmhouse blues music helps exercising dance club sacramento dave lindley mercury blues color kinetics dmx data enabler download music to cell phone bald eagles pregnancy chorus snowboard foremost authority in boston music the altanators blues band griffin technology ne mic audio adapter gospel martha munose every day i got the blues lordi hard rock halleluya college fight songs mp3 total audio converter crack serial chicago reader live blues d12 rap game lyric german gothic symbols tatoos and blues lego at techno club video blues guitar sites the beatles downloads dropship musical instrument penis shaped rock formations in sedona guitar chorus reverb distortion cat on a hot tin roof audio clips king street blues restaurant in northern va free gospel hymn tailor made doors detroit canned head liv in the blues nutrients that act as pain killers and anti inflammatents music affect teenager biggars music glasgow blues radio in perth australia hoftra new york blues joe silva blues guitar best ipod conversion video softwar levantine arabic course mp3 download sha na na music downloads breakbeat forums jay x beyonce pics ipod ideas syracuse blues bruch rap alot the other side of me lyrics chorus amsterdam schools music danny allison music academy blues in orlando musical artists a z amy winehouse mp3 url chanson dans le sang english translation converter free mmf mp3 j rap musical history of franz listz blues conroy and kirman orlando legend of rap doors of rome the blues brotheres rock attrition blues traveler lyrics once upon a midnight dreary gospel tract tesimonies lyrics the end doors houndog blues free metallica music downloads apple ipod touch tricks jon bon jovi wikipedia blues music in sedona classic honda and round rock laban dance centre taylor czech chorus lyrics to when im gone by eminem demis roussos blues dc rock concert schedule capture audio stream open source linux debian etch ion audio dual well usb cassette deck tape to mp3 converter breakbeat free vinal samples what movie featured the pop singer prince downloading a playlist to your ipod blues in tampa alicia keys teenage love affair as i am imtoo wma to mp3 encoder music blacksmith blues tickets for kid rock in norfolk va mp3 recording of trigger treat blues nes mn most worshipful prince hall grand lodge of texas straight on till morning blues traveler everyone falls in love sometimes instrumental vocal house 2008 chanson fr gratuit latest tamil mp3 songs find rock smash leaf green i dont know the blues brothers lyrics free pantera mp3 the dream luv songs mp3 what is the shortest rock and roll song from 1960s biyang chorus dela soul ipod touch update news blues music collectables fife and drum music mp4 winamp plugin tishomingo blues discount nad stereo receivers buckaroo blues yahoo anti spyware pop up blocker toolbar lupe fiasco tour 2007 2008 a chorus line stroyline sansa skandisk e200 mp3 player troubleshooting dance dance revolution store futon bed luxury queen led zeppelin traveling riverside blues kansas city underground rap apt holiman audio products eddie blues man kirkland have mercy motorola ringtone tracfone lyrics hallelujah chorus soulful celebration seperti dulu mp3 florida vocal coaches the blues is alright apple ipod for window telecharger musique pour mp3 gratuitement what song has confession in the chorus motorola 3vr music player jav black christian gospel plays online christian music cares chorus programs that teach music history the i am statements in the gospel of john free dowloand music from brasil chorus san diego musical theater and society omaha blues and jazz festival gold music cd garth brooks special cbs moisture cure paint elwoods house of blues detroit hip hop radio station play the blues on guitar fat bottom girls music cheap 80gb mp3 player andre punk girl band alison krauss killing the blues music artists from the 60s eisley ten cent blues mp3 queen city vac prince precision equipe 110 blues mueseum clarksdale ms amy winehouse tears dry of their own free praise and workshop sheet music free tootsie pop with star wrapper duluth blues festival high energy music to walk to for ipod michael jackson im fat the blues brothers tih james belushi detroit city rock lyrics fille bien ordinaire chanson pria terhebat mp3 native american rock band ramona california ariel song music sound audio clip blues mp3 download discount ipod speakers how to stop billboard music text messages blues slide guitar lessons evo d510 audio driver moody blues just a singer in a rocking roll bandmp3 philharmonic society dance company olga baranova converter ipod video xilisoft llegada iron maiden a chile 2008 mama said knock you out breakbeat ps3 music play blues brothers disc jockeys sheryl crow gasoline is free cats the broadway musical blues brothers 634 5789 treat bee sting different musical instruments and their keyes garth brooks fire fankhauser blues kylie minogue new hairstyle clipart for dance new blues amp elvis presley song titles train dmx lighting christmas bateau melody blues paris eminem lose yuorself first grammy for best female pop vocal love is the key chorus song prince of whales theatre toronto apologize one republic sheet music for beginners best blues of all time music and dance 1920s britney spears before after music video edit blues brothers chinook city of angels musical character assessment nick moss blues prince georges county builder rock band tshirt audio textbooks the chorus twas the night before christmas song music blues radio live alarm ringtone hoobastank dance with the devil terratec dmx 6 fire blues evolution dance on my dick tanya peavy studio chorus 70 guitar amp a737 ringtone mp3 the rock girlfriden had saxy with triple h beaver boogie blues band moody blues performance schedule vegas audacity audio file blood sweat and tears nuclear blues how to copy mp3 files from ipod ipod touch buttons boss chorus ce 1 schematic how to cut music richmond christmas music robert cray band blues and bbq orlando fl texas court in round rock queen rosabelle cleo pierce heavenver artist of popular christian music in the 1900s jay giallambardo new tradition chorus haunted house apopka rock springs ridge chanson de georges brassens coco lolly pop music symbols images soul jazz records bar rocking blues ci fi horror music downloads free hip hop fonts moody blues tour schedule arabic dance music james river blues chart gospel music jimi hendrix susie q vitorinox digital audio download subterranean homesick blues video acoustic jazz tiger blues band listen online traditional japanese music royal garden blues jazz band esnips eagles farewell tour one day time church street blues tony rice engineering letters gothic letter practice worksheet deus ex lucky dance the roles of the chorus in medea ballroom dance instructor french kiss a guy blues merchandise wall mount stereo shelf song 9 on the kill bill soundtrack blues and grief german hip hop music sears best storm doors biyang chorus pedal the rolling stones satisfaction naval academy chorus cd penelo dance is carrie underwood married jump blues o god beyond all praising mp3 st petersburg childerns dance kg blues journey cant fight this feeling los rabanes commanding wife vivo concierto mp3 blues piano sheet music audio tag on cd nextel wwe ringtones chorus atas nama cinta rolling stones alternative vinyl subaru ipod transmitter dallas blues festival ipod in your car russian christmas music alfred reed mp3 myspace pole dance graphics old blues bass players audio clips about nero of rome do it yourself punk fashion blues brothers movies alicia keys kareoke gothic anal sex jacksonville synphony chorus mp3 orgasm blues instument recent dairy queen tv commmercial in poor taste noah ark music box onkyo audio joe bonamassa live at the house of blues registry cleaner vb pop ups mono vs stereo eric stredel blues sway dance steps for couples chanson ella empress of jazz chev truck stereo wiring diagrams fleetwood mack music videos the blues station columbus rock bands hidden in the painting punk plus size clothing everday i got the blues by helen hughes free downlaod mp3 beyonce listen how to play folsom prison blues prince on purple rain meaning peller exterior doors blind inserts summertime blues band kodak stereo service repair manual free printable high school musical 2 staff music your crying angel mp3 blues and legends hall of fame tunica overhead doors for sale prince myin goon bjorn under a sign blues album internet punk radio led zeppelin jennings farm blues american christian music review lame mp3 enc beginning blues gituar instruction origins of the blues mobile dvr 4 channels video and 4 channels audio fleetwood trilers la bella strings blues heavy elbh conservatory doors lyrics to new nickelback song moody blues singles native americans giving birth rock shelter will and grace wardrobe season 4 a chorus lie chinese music list how to put music from old ipod onto new ipod nashville chorus beyonce experience live mp4 version motorazrtake me out to the ball game mp3 ring tones hamburg blues band queen of the damned song lyrics michael buble presale manchester chanson le jupon de lisa red rock casino nev mp3 player with random play house o blues in chicago dance instructor neistat in new london ct gospel perspectives radiohead creep download mississippi blues singer echos of the soul broadway musical excerpts blues brothers in chicago albert prince britney spears gimmie more download guitar blues solo theary multimedia audio controller mx3000 download duck music castle in thornbury will and grace season 4 a chorus lie prince georges comunity college wayne robinson natural born killers movie go emony get busy chorus mp3 wecker poor boy blues poorboyblues frank sinatra police photo seminole hard rock cafe blues deluxe fender move songs to ipod go getta ringtone download free orlando breakbeat mixes music codes jason mraz lion king musical tickets how to get a new musical produced blues heaven foundatioin listen to alicia keys music childrens ipod campy 10 speed chorus groupo vermont tango public enemy by the time i get to arizona la bonne chanson free mp3 download of 2 step by dj unk nomad contra dance chorus of tribes prince edward island soccer association electro dance music new release cotton bowl chorus destinys child stevie knicks elf dance make yourself derek brimell blues benson and hedges blues festival 1989 upper penninsula barberhsop chorus underground hip hop ringtone foo fighters best of you acoustic tab ana popovic blues car stereo wattage youtybe one of these days pink floyd house of blues in new orleans cone heads soundtrack sushi blues in raleigh dead can dance as radharc forum breakbeat perverts in paradise free brain pop movies doddy dobso midnight blues beowulf music anti rock dance 70 dance speaker stereo vintage zoomba dance ellaways music brisbane rock goth metal merchandise booty sexy dance nickelback lyrics for thier newest cd valarie amy winehouse download dj entertainment with dance floor fat joe diss 50 cent mtv awards kiss kiss p3882 g j ballroom dance hillsborough car audio preamp circuits set voice notes as ringtones on a motorazr v3xx bob medanies dance studio evangeline musical 1847 opera bouffe centrino ipod tape deck new german dance song horse plectron ringtones ancient egyptian musical instruments book of morman french audio famous american tap dance free online sheet music debussy clair de lune rhythm dance stilian with you by linkin park gothic negima how to cure viruse flowy dance uniforms control music uk regulations christian atlanta christian dance community big rock ranch island rock long island ipod waterproof cases dance steps for father of the bride table dance clubs girls in mexico city free audio frequency spectrum analysis software filipino polka dance free download music download treo 680 ringtones pants off dance off best booty antalya disco music station airhorn siren ringtone the wedding dance story rock bottom golf hypothalamus cure classic trumpet music the garden of daisies irish dance reset ipod classic what kind of a rock is white marble developing children taking dance classes linkin park pushing me away lyrics century21 desert rock hillary duff so you think you can dance video free wu tang clan 3gp for series 60 phones nova pop where can i buy necklace susan sarandon wears in shall we dance nextar 2gb mp3 player video playback central chris comedy rock show love to dance mushroom folk level dance club snow patrol ringtones downloadable music ringtone website for folk legends why dance is an art music literature publishing co lyrics to the pretender by foo fighters dance groove mix andrew carnegie gospel of wealth listening to my soul empower me susan wood dance studio stoneham ma dianne mowers jazz reunion rock church mobile alabama work out dance lessons miami beach bon jovi halleluja manteo high school dance 2008 ballroom dance lessons texas ipod financing
http://yiiii.yourfreehosting.net/music56.html
crawl-002
en
refinedweb
your own ringtones on motorola krazr how to download things using a ipod gift card pop up camper modifications jon bon jovi you really got me down free ringtones for pocket pc beatles instrumental free glasgow rangers ringtones download music russian site where did rhythm and blues start top ballads 2007 billboard free ringtones for pantech auditionsea mp3 hd audio device thinkpad x61 free tracfone ringtones no subscriptions free easy classical sheet music rhiana ringtones rolling stones lyrics loving cup blackberry 7100e ringtones the tokens the lion sleeps tonight ringtones a rock and a hard place by alden carter resolution of the story pole dance lessons sl1 k rock new yourk convert to razr 3vxx ringtones music education latino custom ringtones on t mobile dash top 100 rock albums since 1990 difference of philippine folk dance from other dances single payment ringtones music blok how a rock is formed audio information database recieve ringtones by text message how to set sounds as ringtones gzone billboard top 100 2000 ringtones fred hammond he lives switch music lyrics tennessee vols ringtones silver rock golf david bowie station to station you got mail ringtones baseball ringtones ringtones for motorola v60 dance mat for wii storm center ringtones for bleach linkin park shadon stanford university mp3 tso ringtones can i use a mac ipod on windows programable ringtones the beatles mp3s free french online translation audio bogoshipda instrumental lg vx8100 ringtones selling soul for sugar slavery and the sugar islands semi truck ringtones father francis life on the rock led zeppelin the battle of evermore yahoo messanger ringtones menopause musical in boston mini ipod dance moves learn glide popping advance suncom motorola ringtones motorola ringtone creator great out doors dallas free kyocerak126c ringtones old school rap album ringtones for prepaid phones stereo cassette tape deck broadway musical lyrics modern day millie reno 911 ringtones aeosmith and led zeppelin music styles imperial prince masayasu ringtones that you pay nothing for free nokia ringtone us speech audio software mission impossible ringtones high school musical 2 movies digital coaxial cable audio cable create and share your own ringtones audio editors for mac whorehouses and jazz in the 1920s free ringtones boost mp3 microphone colbie caillat free ringtones krzr k1 how ringtone scary ballroom music wall sliding doors composer ringtones for mo influence of the beatles the young dubliners celtic rock creating ringtones the vampire lestat mp3 and the dance goes on mission upload custom ringtones rock springs pipelines free logos and ringtones sonys mp3 converter pop up truck camper free music and ringtones album covers ipod marble dance floor rental pennsylvania plaza lift and slide doors send mp3 ringtones to t mobile phone music lessons 64465 yellow pages prince george ringtones for motorola w370 mobile audio alternators music videos ncis macgyver ringtones blues music song lyrics ringtone blah blah blah classic rock ringtones motorola z35 the beatles norwegian talledega nights ringtones chairman for the board of supervisors virginia prince william the bedlam in goliath mp3 samples music free download on mp3 player no obligation or signup ringtones free umbrella remix music code purchase individual ringtones billboard singles top 11 free music lyrics oldies rock me steady rock me slowly free n73 3d ringtones i am the captain by grand funk railroad guitar sidekick 3 custom ringtones strip rock scissors download free disney music scores queen ann hotel ramones ringtones rock climbing gear gear rock dogma hockey ringtones pop virus scanneror 2007 f download free motorolla cell phone ringtones free ringtones for a motorola v170 nc beach music bands bebe winans heart and soul song phoenix wright ringtones puerto ricans influenced hip hop mp3 player battery how to make media work as ringtones on lg ax355 exit wounds soundtrack tracklisting nokia composer ringtones and how to key them in duran duran cd pop trash writing musical theater dragracing ringtones eagles band fansites acking feeling in testicle give back to those that have poured into your soul stargate sg1 off world activation ringtones cure yeast infeaction beyonce album dangerously in love lil jon voice ringtones dmacbre mp3 free corr wireless ringtones music for 90th birthday music medley whitest kids you know ringtones rock proof jet boat utube bob dylan samsung sgh a117 ringtones production as part of the music industry rolling rock beer guitar humerous ringtones mp3 placebo my sweet prince brookfeild dance studios kiss 100 creating ringtones for iphone free simpsons sheet music apple ipod shuffle armband female name ringtones country music dolly paltron free instrumental music downloads ringtones lg 8700 inside french doors sand dance free ringtones for einstein phones university of delaware fight song ringtone moonlight ringtones who succeeds queen elizabeth ii presley elvis suspicious minds symaptico msn music store cracks free chris farley ringtones mp3 join freeware how to pop the lower back animal sounds ringtones did the rock use a double in the balrina scene of the game plan sublime ringtones poor old calija kiss tombstone soundtrack restaurants finger foods to go little rock arkansas convert songs into ringtones music streaming second life send ringtones directly to phone from ipod music transferring how do you put video on an ipod free kingdom hearts 2 ringtones childrens vocal range audio reggae downloads timebook and music ringtones for samsung sch u340 k800i flash mp3 player absolutely free ringtones no hidden fees britney spears blackout lyrics britney spears photographs send new ringtones to your phone through text messaging contemparoy christian music lyrics high school musical fur hoodie chopan music motorola 120t ringtones k laura branigan gloria music video chat rooms cellophane ringtones free bye bye birdie sheet music house music download prince davallou jewish music ringtones rock mineral music full length episodes ipod net10 downloadable ringtones river rock neckless making ringtones and wallpapers audio galaxy dance steps macarena ten years after free music play electric rhythm guitar free muse ringtones audio production degree in philadelphia showtime ringtones music studios techwood stereo system free star trek ringtones zshare father of mine mp3 madonna news ctv prince albert gordon burnett phonezoo free ringtones strange eden music chicken soup for the soul raising a child with special needs verizion ringtones verizon wireless music free lg 317 tracfone ringtones learning centers flushing queen mp3 autosort lyrics to the song technology by 50 cent and justin timberlake lg 8700 free ringtones trailmanor hybid pop up cost ringtones free elvis costello the mission soundtrack instrumental music to where are you christmas iphone ringtones xp soda pop coordination test cd soundtrack from a christmas carol 1984 christmas ringtones torrents wifi audio stream nirvana lyrics sappy flood gympie country music muster free deer call ringtones download nickelback rock star real ringtones free queen elizabeth 60 anniversary pink floyd the wall movie children faces queen of the fairys morganb le fay in cornwall whats her name ringtones zz top gospel artist ambassador newspaper dance add ringtones 8915 phone sansui t 9 stereo tuner duffle bag boy ringtones newfoundland music jazz ballett dance techniques classic rock revisited free mp3 ringtones for utstarcom griffins ipod queen of the house midi verizon ringtones northern exposure beetles music 1800s newspaper blackberry pearl making ringtones pop up camper rental in ohio mp3 player with itunes capability triumph dylan shirt convert songs for ringtones folding security gates garage doors kc mo cell phone free ringtones and screensavers audio everlasting god chris tomiln the lyrics to no one by alicia keys celine dion italian song my mp3 ringtones for venus touch the sky instrumental music sheet listen to ringtones for free soundtrack from the movie triple x with vin deisel samsung ypt9jbqb 2gb mp3 player with tuner discography bob dylan free down ringtones moody blues and time traveller pioneer cellular ringtones hoops and yoyo ringtones def jam dmx ringtone converter nextel i730 upload free ringtones ocultan mp3s free ringtones razr britney spears disaster crack magix music maker 2007 picutres of britney spears at mtv video music awards lg fusic ringtones sky city nine eagles rock point church calgary ringtones winnie the pooh mp3 take your medication rap hare hare yukai dance ringtones frog punk skeleton tattoo ringtones for sch u740 rock shox tora 318 solo air redman modular homes washing away of wrong mp3 john 5 motorola 120c ringtones cindy cruz you are good christian music music lyrics free ringtones mixxer finding hip hop sample origin diet to cure sciatica make ringtones for free beaches soundtrack chicago illinois famous jazz restaurant adelaide soul national great mp3 text ringtones britney spears mtv video download downloadable ringtones fo marvin gaye got to give it up soundtrack nokia 8210 ringtones punk haircut sixx am ringtones kids music classes in houston italian ringtones slippery rock academic calendar grahan movie mp3 songs download how to create ringtones iphone ghost soul run manassas is 2pac still alive making ringtones from mp3 files home theater audio cable middle school music resources orange ringtones young knives lyrics going to see that zulu queen how do i put songs on my mp3 player how put ringtones to motorola w385 free violin music songs club dmx tv clips utstarcom 1450m ringtones i love country music clinton t shirt high school musical nude picks descargas en pc ringtones mp3 music transfering fees canada naruto clash of ninja revolution controls ringtones for sprint sanyo 8200 cledus t judd kiss this music lyrics of what a fool believes by doobie brothers survivor burning heart music video as rock download gospel midi music baby pop up beach tent instruction southern rock gold video ringtone for nokia 3230 definitions of music terms opera glasses cullowhee rock assembledges pirate queen costume sedimentary rock photos transfer music arabian techno chimney rock merchants moody blues lyrics to nights in white satin soul calibur iv for ps2 gibson gospel guitar rock school west chester pennsylvania gorillaz and madonna free hip hop mp3 download rock music poster pdg mp3 best rated audio speakers shane bernard my king is the rock the backgrowned of wicked the musical back to the bone mp3 rock star domestic abuse mighty ducks 2 soundtrack seattle dance jingle bell rock movie open rock n roll marathon jordan mcgraw his rock bands name pink panther song music chris brown gimme watcha got mp3 rock haven movie beyonce in jeans pics elvis presley fair song burn free music download rock corps nikki sixx herion diaries music christmas canon rock sheet music description of hip hop britney spears vma music awards 2007 video rock starxbox surreal try it might like it jazz british rock whistle verizon wireless mp3 ringtones the village in little rock pop can wifi antenna ellen rock rock mobile disk drive hd2 u2 rk driver download blues brothers quotes music theory help lyrics rock me armedeus contra dance roanoke xbox 360 rock band fender guitar controller steve o rap song security doors melbourne flagship audio post office castle rock colorado got something for his punk ass lyrics ballyhoo music rock island armory review a5 acp phil collins in the air tonight razor cure sprayer honda dealers little rock arkansas phillipine folk song lyrics rip songs off ipod to another ipod mainstay christian rock band oxxie sting rayman raving rabbids mp3 download pulaski tech in north little rock the gothic god is love sheet music hall high school little rock cure for debt timbaland apologizes users of balsalt rock music windows ce lyrics rap hip hop rock power praise christmas hymns queen alexandra butterfly images kid rock tickets feb 8th duke city stars dance rock and roll exercise thigh ballroom dance music online a type of sedimentary rock that splits easily into layers dj tiesto battleship mp3 htm willie nelson on the road again ignous rock the wells fargo wagon mp3 rock bag geology ekato tis ekato mp3 madonna con san giovanni painting gothic architecture in england bradford nightclub rock metal yanomamo beliefs about soul no tempo do rock n roll pre hung doors interior w300 mp3 ringtone the lakes at red rock soundtrack shopgirl chicago bulls free ringtone classic rock ladies tee nshirt californicaton soundtrack eminem recent pics sedimentary rock information music genital guitar tab god save the queen adam west adam west mp3 prudential rock moving library from ipod to computer rock 108 iowa trance albums blog instrumental jazz kid rock bawitdaba lyrics iphone stereo bluetooth peter rabbit musical cot mobile rock band gane songs battle clip rap julinanne so you think you can dance tatoo rock parlour rock soup high school musical show times robert johnson in popular music 1998 little rock ar summer camps adamson pro audio redskins rap vh1 rock mellancia disco polo rock case mixer effects bag guardian patio doors car cd player with ipod control contagious blues band in panama fl pictures triple rock social club minneapolis metallica and megadeth hunger where is big rock candy mountain green day album beastie boys mp3 bob marley in music bob archery castle rock my music stamps population in brush creek area in round rock texas ma audio hk12x2 regional music of dominican republic music concerts omaha nebraska do the rock thing the dance video by garth brooks rock early ages mary had a lamb lamb on recorder sheet music free music vidos i got a rock essential mix house music tatoo of horse from a rock group devils ipod skin free software convert to mp3 red rock resort and ely minnesota bruce springsteen sreets of philadelphia jerry mikulsky music fund aesop rock coffe lyrics hip hop dymes debaly dandy queen beatrix malinois spring rock golf center cold sore cure caselton rock cure for red yeast strong kanye west christian music cd you tube the big rock candy moutains 3 let me go three doors down youtube famous rock and roll musicians ana mentes dance performance minnie the moocher audio hospital in rock springs wy rock island 1911 frame queen nandi of zululand bluefish rock reef jackie chan endless love mp3 audio book jude deveraux unabridged anyones daughter deep purple baby likes to rock it kid rock imdb a680 free ringtone samsung sprint rock snacks prince murex shell ganjo musical instrument river rock renton christian hip hop lyric round rock old settlers rv apologize so you think you can dance tennessee ernie ford gospel nubian dance hut rock n roll recall cruise on the queen mary kiss peavey guitar hero uses for the rock apatite the academy of music philadelphia cinimark in round rock expressions in prince frederick mashed potatoe dance top 10 rock songs of all time kiss socket drill sergent audio school of dance most difficult song on rock band drum and bass chart holistic healing art music sedinmtary rock dance blog building dutch doors hard rock groups anti slavery music hard rock hotel las vegal f station audio delluxe iii freddy kruger music video rock x mas face soundtrack britney spears news u tube punk rock magician what is kiss x for canon m audio black box reloaded multi effect processor songs by the rock group america tarzan boy mp3 download free mp3 to aacplus converter leonie cooper the lost women of rock expanded queen dallas music calendar sources for soft rock phosphate fertilizer neil young glasgow central funk music playlists history in punta dance duplexes for lease in round rock tx pop up garden bag history of us music rock it 88 soundtrack pro classic rock musicians bose suburban car stereo no more mr nice guy mp3 download download pressure love and affection ringtone japanese punk rock bands things to do when in lone rock wisconsin rock solid tv auto set stereo cd dual alarm queen mary university uk austin round rock msa canadian bhangra music down load music i love rock and roll lyrics by warrant joe pass blues for alican pop will eat rock roll tshirts mike dooley mp3 high school musical removable wall decorations queer as folk series dvd saxon rock group the queen of the dead what year was rock music created vocal midifiles oroshitate musical nerima daikon brothers download norther rock share price free audio books mp3 fiction roxette instrumental versions rock creek foundation affiliated santee bruce springsteen link to magic dance routines rock bottom charlotte nc soul asy prince georges county african american museum rockram rock breakers free film music elk bugling ringtone roots of music the rock walking tall southern link wild turkey ringtones usmc blues rock art discovered utah fra music nytt windows canceled fortrolig personlig craziest rock show p2p music sharing sterling musical note pendant my little prayer rock poem when you were young the killers cactus music houston 2110 rock party theme zamba dance britney spears caught topless rock hit brevard conservatory of music listen live bostons classic rock kid rock phone calls rock hunting by states does resetting ipod nano erase music seacrest motel white rock ipod touch slow toca disco types of latin american music old time rock n roll ringtone the blues brothers karaoke forest lake old rock rain on me pop can planes musical preferences fits with personality but anyways blues traveler artificial rock texas korean musical instruments tapestry music white rock mp3 players cheap instant music audio capture device rock nail polish nsi rock tumbler accessories review mp3 tag duplicates landscaping rock gravel granite free ringtone for lg l1400 music stores in queens fleetwood homes mobile al compact tractor rock grapple radiohead fake plastic trees music altec lansing desktop audio system super 8 motel castle rock colarado free shared music downloads eminem sailor moon instrumental soundtrack the rock movie dwayne johnson music code to flo rida art work the gorillaz rock quarry plant manager hip hop style dancing greatest rock drummer music to white christmas digital shhet music girl in your arms shock rock bands classic audio superchick courage mp3 download beyonce upgrade hd purple rock candy celine dion sidney river rock columns for driveway gate nud shot britney spears dj sound mp3 beat music live mixing software download dylan gatner basketball council rock high school lisa brennan rihanna cry score free hindi songs downloadable mp3 autoway honda holiday party hard rock bubba flex i want to go home mp3 progressive rock archive david bowie outside rap god fathers whale rock capital britney spears no bra hot flash dance older rock bands mario brothers music frankie bell blues dance mission rock ola countertop jukeboxes thine is the glory and gospel and instrumental academic psy trance dvd rock printable sheet music for the piano how can i put mpegs on my ipod iceberg classic rock radio rapping and b bop how hip hop started florida rock shops rock al parque bogota i met nine inch nails history of kiss ps3 rock band guitar problems eliminate pop up ads free brain police icelandic rock reviews musical groups in thunder bay night kiss sweater door hair hand head man marlboro pickup free makossa music rock n ride chair redman mobile home floor plans rock and roll video vixins definition of bioclastic rock musical christmas e cards free music teacher jobs in pennsylvania bandon lodging reviews table rock motel whitney houston song lyrics turning point dance wanaque aseop rock lyrics fleetwood mac just like the white winged dove eagle rock energy a long black veil mp3 landler dance you raise me up by selah music hard rock casinos high school musical on ice syracuse stereo shop in rochester new york rock band website ps3 xbox w370 mp3 berman wallace untitled large rock 1973 loss of feeling left side reggae music sites onipo brothers rock hill pack audio live warez essential 2 audio nursery ryhem caroline majure queen of the emrald coast thumler rock polisher prince valve last supper da vinci musical manuscript poisonous rock fish crank dat calvery boy music video new ipod software video models trios little rock open sunday live blues music new orleans chimney rock whirligigs and wind toys communication in the form of music classic rock tunes virgin gorda rock resort mp3 explained sextons car audio reading rock climbing in raleigh free asian dance videos electronic musical keyboard with many voices rock leather bracelets linkin park project revolution 2007 rock ola pop machine new rock cd with christmas songs jail house rock mp3 ipod partition map type b52s rock lobster queen cutlery boyscout blues city posse jay z rock boys lyrics fleetwood mobile homes 1977 music to thieves and beggers verizone ringtones rock ridge sales audio mixer schematic old time rock and role thai tango flower mound sietz classical music ea rock band and country music best rock concert dvd free i710 nextel phone ringtone white rock little theatre billboard in times square nyc jolly happy soul rock creek academy classic rock tunes ps3 rock band 3 adele chue jinglebell rock chords lyrics eminem turn me loose gorillaz kids with guns quiet village remix ez rock torono free rap mp3s hard rock hotel and casino tampa the last kiss trailer music band names rock shox tora 318 solo irish music festivals pc software for music to words red rock west saloon how did beyonce and jay z meet usa free mp3 dance techno lake named after who at ayres rock usi screaming eagles north pointe dance academy westerville oh rock springs tx animal shelter ringtones for motorola v66 hip hop song word independent is spelled out rock paperscissorswine rock and roll all night andparty every day rap mix bill halley rock around the clock scientific proof of human soul rock the cradle of love free contemporary christian music downloads stevie b i wanna be the one lyrics jinglr bell rock lyrics rock superstar cypress hill lyrics to rock me andrea bocelli music downloads pictures of costumes of oklahoma musical beatles meter maid song classic honda and round rock bang music festival postponed red rock beach rihanna hate how much i love you dance instructions soldier hiphop rock me mama canberra youth music trip to new zealand kids workshops painting still life of musical instruments sheet rock mold a gift of love music silence of the lamb soundtrack lou iron maiden family friendly rock bands depeche mode lyrics martyr rock creek cafe wilmington delaware serial killers german rock song blue bird the history of rock and rool piano gospel midis vaginal ulcers cure westinghouse round rock charlie brown dance daniel potter bad day mp3 marc vidler rock in black rock crawler center caps download baritone tc music solo history of little rock schoool superintendents dance instruction near 98375 free downloadable music videos14613323773197855912 floating rock muhammad bruce springsteen tickets london jazz clubs on 52nd street top ten rock song listings cajun zydeco new orleans music music players and recorders metimophic rock audio digital court recorder definition dmx unit racing ringtones for motorola w385 j rock kau curi lagi moulting eagles the rock songs about cars have i told you lately that i love you kenny rogers young neil and the vipers metallic chalkboard painted doors native rock paintings recent wildfire soundtrack sambomaster hikari no rock megaupload buckcherry crazy bitch download mp3 free software pocket pc windows mobile 2003 pop cab mobi rock and roll american culture nike mp3 player mr obvious disposal mp3 music of the spheres rock sex tape jamaican music gospel music oh how i love the name jesus third rock tv show love spreads mp3 rock and roll half marathon arizona coupon discount ballroom dance figurine soulja boy audio dance music compilation torrent kid rock rock jesus pop your collor turn mp3 to ringtone apple hard rock bands die cast explorer guitar tabs for chinese pop songs daylight aesop rock lyrics kiss 108 playlist musical memory hard rock hotel deals new music releaces gothic canopy bed britney spears brake the ice diablo magic rock level albuquerque dance classes offensive indie music entroya hard rock junkie xl dance usa rock for front yard match music to your taste punk home direct plug usb flash mp3 player rock radio podcast rca rt2360 audio problems restore g2 ipod prostate little rock upvc interior doors rock concepts lift preorder rock band ps2 whip it 2006 rock island denver free romance audio book goat rock lake dam cincinnati queen city internet rock videos the weightloss cure book instrumental music stores in new jersey anime game mp3 loca lunacatering little rock navarro rock group boulder co river rock glazes britney spears fart video audio cd production toronto hip hop music quiz helmet rock baby clothes natural cure for hip arthritis god bless america rap lyrics rock band game and instrument full price dance lessons boston ma mpeg to ipod converter janet jones realty little rock the edge real estate castle rock gold cloud dance streaming rock christmas roy rodgers music seattle seahawks rock glasses little rock ar newspapers free techno john t williams tamale factory little rock ar mark ronson electric proms mp3 entire buffy musical lyrics rock star chickens black prince locomotive prince award teen reading rock garden green bay wi bath tub doors rip music cd quality clues to find the jingle bell rock top 10 music players fudoli music shop butler pa rock river block kylie minogue madrid rock band bass nickelback how you remind me instrumental car audio recharge capacitor gibraltar michigan rock salt nokia 5300 mp3 phone electrical box sheet rock top rock bands of the 70s gothic fairies myspace super metroid opening mp3 kid rock grammy 1998 ricki lee coulter mp3 downloads traci luv prince elton john crocodile rock lyics espn nba 2k5 soundtrack kalyanna mitta spirit rock pop records minus albums rock prisms for chandliers apple 4gb third generation ipod nano free classic rock sheetmusic for the keyboard free hilary duff music britney spears topples pictures dwane the rock jonson girls tyme beyonce ringtones for nextel i860 san antonio dance supplies buffalo zoological garden river otter exhibit rock free indian mp3 downloads agricultural equipment audio accessories wow wee rock climber ask a girl to a dance rockstar mp3 maxium rock and roll lifecam vx 6000 echo audio problem todos dance deer eye clinic little rock robert plant and alisson krauss killing the blues keep on smiling mp3 basaltic magma would form what color igneous rock skinhead music videos for download alternative rockstars rock on hayes street music the importance of ancient roman music to their culture southeastern journal of music education kaysersberg rock concert 1976 lyrics to welcome to detroit eminem rock star nintendo cowboy bebop pierrot le fou music led zeppelin mojo willie nelson biodiesel rock end rool blues harp lessons rock star comforter nero mp3 free amazing grace violin music discount doors windows christmas rock songs old a seminole hard rock casino hollywood fl best rock guitar players gone with the wind soundtrack harry potter and the half blood prince released rock climming choral music adana turkey alizee music downloads prison break 3 promo music official song list for rock band eagle rock products soldier in castle rock oklahoma baptist university school of music queen pomona hank williams jr father to kid rock bob dylan 2005 red rock saloon in nyc window rock reservation origanal chocolate rock clarion hotel prince charles in fayetteville nc rock classic i now pronouce you chuck and larry soundtrack how to rename an ipod free qicktime movies for ipod jack the writer 30 rock fergie all that i got mp3 download free new edition music news tour 2008 rock stars leather jackets music for greate is he that is in me photos of metamorphic rock yokie britney spears in music rap video woman convert youtube video to ipod rock jock axles otter box 3g ipod nano cases hard rock hotel in orlando dr dre the next episode free ringtone for samsung x427 rock symbol roll long black gothic coat com dance hip hop minnesota school dynamic house the greatest rock and roll hits on cd clocks coldplay instrumental how did the english ballad influenced the american folk music connect mp3 player to stereo receiver rock and roll christmas e cards audio advantage homestead moonlight sonata movement 3 rock free sheet music to where are you christmas streaming halloween kids music kathadin rock group music maine instant carpal tunnel cure myspace backgrounds and high school musical 2 botte drag queen little rock ar phone directory pictures of britney spears when she was famous fractures in metasedimentary rock sewage 19th cent britain kelly smith owner of apple music mr and mrs smith soundtrack the beatles or rock and roll pop black artist seal model married rock star playstation 2 rock stars green day personal glimpses fischer z rhythm is a dance harris pizza rock island il ethe foundry music store castle rock co physicians little rock ar air force base commsary free ipod adult vids red hot chili peppers tearjerker song meaning hells angels white rock buckeye roots reggae big rock restaurant birmingham michigan ballet dance articles free m4a to mp3 converter buy rock and pop sheet music growing rock candy techno marine diamond watch this weeks top ten rock songs techno clubs in nyc eagles official site music daft punk unmasked rock star energy drink sweatshirt rock climbing retal gear california gold centennial 3 cent stamp rock n ride motion chair restore ipod to pc how does water weather into rock sediments wicked musical instrumental download vans music note slip ons final fantasy x vocal collection download lionel gp7 rock island dance studios albany new york smashing pumpkins disarm mp3 greek push rock up hill eternity dance studio ft lauderdale rock and gravel permit and north dakota how many 1 cent euros in a roll rock and gem show cuyahoga falls creative x fi xtreme audio review when was jailhouse rock composed the doors game how to close open box how does music help the brain open d rock songs mac programs for copying ipod music eye rock 500 simple 401k plan installation foo fighters stacked actors saturday night live music in the curriculum guitar hero iii legends of rock wii brand new sealed the eagles the best of my love lyrics sea resorts boating prince edward island rock splitting tools audio visual hire farnborough reconstituted rock inlay free audio mp3 indian songs elvis presley christmas sogs rock band instrument return musical air horns for cars game cube dance games rock 105 wv pleased to meet you mp3 hip hop cultuer art when we were young killers johnny and the hurricanes red river rock mini pop kids getting into you relient k mp3 the hardest rock cursor dance nissan dealer rock springs wyoming clairent sheet music for crazy train britney spears kid sister kia spectra audio wiring color codes free river rock glaze pioneer inno portable xm2go radio with mp3 player ipod fifth generation reset rock band for nintendo wii cock hornet sting rolling stones yougottamove petra rock adjusting the doors of maytag mbf2556hew refrigerator shakara rock sugar digital audio cable coax hazo music yahoo site banking dvd free home web music online find rock valley womans health kanye west family business commercial propert entry doors philadelphia rock climimg free fingerstyle blues tabs voz da verdade mp3 songs with the word rock in them dj tiesto battleship grey mp3 htm greg van persum rock valley iowa job outlook for dance therapist rap video auditions top 10 sad rock songs hobek kassi mp3 shelter from the storm by dylan gospel singer martha munoz indian rock travel park plant mp3 ringtones lg classic rock back issues singer michael buble dave matthews piano music rock band guitar on pc aladdion song prince xfile mp3 country folk soft rock phosphate fertilizer musical investigation hypnotherapy phobia cure rock drummers named vinnie can janet jackson act rock and pop sheet music prince philip raceist jon bon jovi summer in the hospital competitive dance and cheerleading in sc hanukkah songs rock wav to mp3 encoder rock island arsenal employment illinois rock and republic jeans floyd sale asleep at the wheel the wheel mp3 rock and roller fitness equiptment audio and psp kanye west graduation bonus little rock arkansas hospitals kirsten ketsjer the rock band seminole hard rock rock berube play staion 2 dance party black orpheus soundtrack cd socks that rock club blog cha cha slide dance steps list of musical artists comtempory samsung ringtones free rock city lookout mtn ga fundamental dance steps pauline rock vocal pedagogy dma hip hop kung foo hand moves in rock climbing armand van helden nyc beat mp3 download castle rock chamber of commerce rihanna stop best rock songs for sex hotmail and pop and smtp cellular nokia phone ringtone black rock artist eagle rock el paso texas the rock band prince edward island map messianic music on the web black rock maui picture kids singing rock songs all shall perish sevor the memory mp3 discomania rock the disco will you dance with me preview incest sex stories audio carbonate rock nj feb 16th 2008 dj tiesto amy winehouse weihnachtssong gorillaz dirty harry rock place patriot soundtrack fred fuller music entertainers irish rock and contemporary and folk groups shiny toy guns le disco pfluger rock school of music usb audio adapters christmas at ground zero mp3 igneous rock classification little rock arkansas crisis alligator dance illustrations funnybones soundtrack cd jingle bell rock girls aloud bob dylan song from the wonder boys time is changin stardust ruby red daaisy rock the pestilence mp3 total free mp3 player station hog rock cafe anna nicole zune 2 compared to ipod video music awards mtv 2003 rock on 1983 radiohead album with creep move ipod playlist to itunes plantmania hard rock hotel hollywood florida music hall kansas city mo hp 6715s soundmax hd audio driver download leo goetz drive thru audio christian rock group rojo chipmunks cassie copying mp3 to xbox 360 esx 1 noise rock band fire music lyrics shakira pop music little rock 9 desegregation pepper give it up mp3 diffrent khz ultrasonic ringtone christmas canon rock piano sheet music free bangla mp3 download rock wall mural queen victoria era kmart sale mp3 video motorhead mp3 bob sinclar rock this party ringtones for cell ministry of sound myspace background how to build rock waterfeature sandisk a950 used as mp3 player picture of hip hop and r b artist aesop rock drum notes dance hip hop shoes castle rock v gonzalez music organizer a brief summary of jamaican music vintage car stereo repair rock band ps 2 coverting audio and video for xbox360 lyrics for southern gospel christian music bear rock cafe raleigh nc south of nowhere the truth hrst featured music zelda for ipod nano tigi catwalk curls rock curl amplifier price sale discount jazz singing sync ringtones to v3c kid rock feeling making love audio planet rxd 1400 aural vampire mp3 downloads i kill the rock lyrics peripheral ipod adapter dr ring ding ruff like a rock stefan arts audio caged bird music soldier gets a new home in castle rock free christian mp3 download brando usb mp3 player shops at hard rock hotel hollyfood florida study of the book of revelation mp3 compare ipod rock and roll jeparty what is the address for the hard rock cafe i dig bobby dylan and i dig johnny cash marsha lewis round rock red and rock and casino and vegas kylie minogue singer breast cancer rubbish adjusting doors on gibbons bodys easy rock song tablature george cassidy somerville nj bom prince geroge deodorant rock am audio subwoofer mck greenhouse queen creek az birth dates and places of little rock nine lyrics to dance with me rock engraved concrete bonnie mckee somebody acoustic mp3 download hindi movie mp3 song needle rock real estate fuse pants off dance off unsensored about the blues the band uaa audio accessories that rock coupon code just country dance hall malta new york homedics illuminated rock garden shopgirl soundtrack nino bless styles p joell ortiz mp3 kenwood car audio stealth unit rock information nokia 6600 mp3 player hero rock opera trac list pink floyd the best perl shift pop array skytech rock hill nothing final mp3 marcel magnifique jazz name of some disco songs rock and roll clip art merrit audio autoway holiday party hard rock take me out to the ball game ringtone pop song by title history of audio roadheader hard rock mining yahoo music jukebox router settings sheila e prince fight toyota dealers rock springs wyoming mini pop kids ymca rock hill hip hop news rap rock vido hersery candy corn kiss g rock radio station pop quiz cryptic clues eagles calander artifical rock negative comments classic hard rock mary j blige christmas music castle rock colorado outlets music universal language cure the cold mayowood rock garden chorus battle ps2 rock band accessories arkansas rehabilitation center little rock counting crows anna mp3 how many guitars can you play on rock band xbox guitar tab david bowie ireland 5 cent coins little richard mn rock around the clock what type of rock it rocky moutnains made from past songs by amy winehouse hard rock cafe beijing rcp audio top alternative rock bands dance footwear vancouver bc rock live haruhi music endeavours britney spears toxix wav classic rock ladies tee shirt copy and paste music html codes bill dance video rock hits y102 robert king rock musician free c media ac97 audio driver kalarama brown andrew rock hill sc priscilla queen of the desert and social lurch ted cassidy poem the rock eagles tour in new england ipod song to itunes river rock casino hotel richmond dmx led kontrol jingle bell rock free sheet music eva cassidy imagine album cover lenker music nz flat rock ranch compaq presario 6265aa audio britney spears croch photo anime downloads mp3 music rock stars died today ipod 8 gb nano ipod touch customize icon disappered rock hits of the 70s upgrading to new ipod rock band anthology mc ewans architectual doors and windows comparison between jane and adele pottery barn rock river detroit classic rock james funk kentucky derby ringtone song lyrics old time rock and roll stain to match hard rock maple melamine christian rock music cd listen willie nelson died hip hop clubs in los angeles prostate milking massage little rock ps3 rock band music leona lewis spirit cover rock n roll dance photos music in panama when i fall in love mp3 legends of soul the temptations stone and rock dallas charley waller bluegrass music tromobne super mario sheet music keith urban little rock concert review ubuntu m audio usb sound card i wanna dance whitney houston roots rock common rap review titanic watertight doors kid rock sex tape clips how to set up audio streaming on internet little rock brow lift grace church castle rock temple music station crystal lake father daughter dance when will rock band for wii come out as i am cd by alicia keys council rock high school newtown pa lisa brennan tenor andrea bocelli is the mysterious mallets mp3 what are the rock layers in order gothic lezbian pictures august rush free mp3 download stop pop up ads rock county euthanasia dogs dirty rotten scoundrels musical food service suppliers little rock free pink floyd downlodes the student prince restaurant springfield toy stores little rock arkansas dons dance world tom redman archery expert bret michaels rock of love jess timbaland apologize instrumental how to make realistic feeling vagina free music newsgroups hells kitchen ramsay red rock nicole mullen lamp of god instrumental soft rock time life them music videos history of queen kapiolani free ringtones of college fight songs poisin the rock band 1990s jamaican music artists brad abbott north little rock police ipod jailbreak billy joel all about soul sheet music gut feeling first impression decide college white rock bank how do i download music using limewire into itunes smsung mp3 players lirics fo jingle bell rock baltimore hip hop homecoming dance theme ideas t rock hell yea britney spears drunk air liquide rock springs dance dance dance techno song tegan and sara best mp3 players compatable withnapster to go civil war music mp3 biggest rock band of all time tascam 40 gig 4 chanell simaltamious audio recorder christmas music codes hard rock hotel san diego grand opening new songs sheet music make rock jacks michigan sting hockey time that tries men soul by thomas paine thalia and beyonce video singstar rock ballards how many kicks a day should you be feeling at 23weeks loca luna catering little rock the music pumping and the people jumping this is techno pop top caravan the beatles lee cooper rock of love 2 cast coleman school of music concerts fraggle rock crew items positve effects of rap music classic bar blues songs carinosa folk dance doughnut shop round rock texas what is the difference between an ipod and a mp3 player said music store litle rock bible study gospel john southern gospel music midi myspace kiss rock band graphics red hot chili peppers suck my kiss nam convention music jaya ramsey mp3 rock against pebble mine fiberglass overhead garage doors red rock resevoir netscape pop up blocker metallica enter sandman the park at riverdale apartments little rock hyuandai accent cd stereo apple ipod 40gb release date rock band ps2 james blunt blues accompaniment music turtle rock map zelda kid music maker best soft rock valarie records music what was imported into plymouth rock japanese christmas music canticles of ecstasy sheet music harmonica mic for country or rock best pop songs of all time rock star special edition for playstation 2 go into all the world and preach the gospel to every creature install hd audio bus pictures of fox trot dance rock radio corpus christi dress queen music technology course hot rock and roll women led zeppelin music dolby ac3 audio 8192 list of rock artists windows doors siding colorado springs michigan rock cookies chamber music society of oregon november 11 sjm eagles dioces champions schoolhouse rock bittorrent metallica theunforgiven2 free downloads mp3 songs music wi fi mp3 player greek god throwing a rock dual alarm ipod buzzard rock resort on barkley lake hannah montana mp3 holder how to hook up rock band iron maiden killer dj master rock d jazz band topeka kansas big rock ridge electronic rap free jail house rock mp3 hamster eye infection cure the rock tates creek road wilkepedia rock band ps2 rhapsody alternative transfer music files half the man i used to be by nirvana little rock and hash eminem drips caledonia music rock against racism billboard top 100 1977 audio visual installation bedford new york route 117 la grande storia del rock rolling stones rap longer harder stronger faster software for dance studio rock ans republic jeans audrey gibbs 23 prince st plymouth ma mga phosphate rock metallica clean amp settings rock soccer ball video adolescents and music therapy and domestic violence kiss i wanna rock lord of the dance christian symbolism ebonysource queen best rock music videos convert mp3 cda crack remembering you piano music baker cunningham little rock arkansas audio drama mixing music paul peterson little rock ar across the universe soundtrack mp3s folk cures rock radio photo contest jwin ipod stereo dock boston mass music scene the notebook soundtrack song list the rock movie dwanye johnson music norwegian intramental rock janet shultz rock hill sc five iron frenzy mp3 queen latifah role fraggle rock gift sets dylan efrons bio photos of igneous rock indoor camera with audio blessing musical instruments in china martha guerreroround rock go back to work music lyrics showers without doors weather rock palmyra nj dookie green day scott davis music edit mp3 files audio software greates sixties rock bands easy dance step instructions rock star travel first presbyterian little rock rock lobster tabs safari music xanga rock music codes monitor audio silver pos sellers in rock island eminem mailing addrees free sheet music for bb clarinet billboard top 10 songs strong rock christian school locust grove ga fleetwood mac mp3 cheap music volume bramwell rock easy listening pop music files elton john billy joel face to face dvd rock hill sc homes for sale vintage disco clothes top 20 pop rock hits music new orleans rap same day music coupon seal rock san francisco motel keep holding on mp3 lisa funk rock and roll success quotes rock for sale rock poster backgrounds classic toyota round rock rock legands music file extension free music staff for viola talking rock golf course numbers television music runnin back for eagles rock band ps2 sears cannot add album artwork to ipod classic the zeal of god has consumed me it burns in my soul lyrics rock band ps2 walmart sheet music sedaka reggae singer natasha red rock lake free polyphonic ringtones from verizon rock band release list foo fighters a 320 young eagles org record mp3 through sound card galapagos island photos pinnacle rock beatles lyrics and seal of approval micheal buble michael buble stop the rock lyrics lee kopman square dance caller white rock ymca in dallas texas country music piano the music room store insight audio holland rock cliff park sheet music from year without a santa claus ipod nano alarm clocks cedar rock theater warfare against evil protecting your doors rock climbing colorado springs pearl jam album crazy mary river rock fireplace construction queen nzinga biography as rock conroe audio solutions c17h2381 rock smith farm myrtle beach south carolina music city dragway soma rock band download free music all you need is love beatles christmas best song rock cure gluten intolerance make money in music success stories round rock stadium ipod layouts createblog how to get a a first kiss stray cats rock this town audio visual companies orange county ca rock island school board the gospel movie 2005 musical keyboard for computer diffrences between volcanic and plutonic rock a kiss from my prince wedding music audio clips math hip hop i stand rock song lyrics rui portuguese king of rock prepare rock microscope slavic gospel association ipod file formatt free 50 cent pictures rock band ps2 pricing cellular phone voice ringtone reed prince screwdrivers rock raiford lea salonga wedding vow music sheet rock music from hell little rock guitar lessons kind of blue miles davis german rock band romstien queen maud mountains neil young setlists 2007 clips of legally blonde the musical top rock songs 2007 sheet music for jingle bell rock stabilizing rock faces yiffy lap dance audio cables with adapters what do you get when you kiss the blarney stone the cool kids i rock wmv guitar hero rock the 80s all the songs caprice basque mp3 limp bizkit live rock ring james morrison jazz youtubeeee thunder kiss running time for rock and roll connect ipod to accord 2005 radio disneychannel high school musical 2 purchase lortone rock tumbler access jrock pop phil collins come stop your crying rock springs middle school spanish instrumental music scores picknick at hanging rock extra ts et boogie vinyl record vocal wallmart mp3 player dowloads at wallmart we will rock you toronto onterio whitney houston lyric hip hop music code for background beatles wrote a song for the rolling stones rock rol centinex music samples lyrics for disco duck castaic soft baitt rock hard platinum series swimbaits wild thing sheet music goat rock dam line 6 spider 3 neil young settings reggae deejay shawn northrip rock becoming a music producer how to get paid to read for audio books prince charles rumours rock music rock and never die james taylor october kiss expos accent school of dance allentown rock island line railroad company i want you now the feeling rock band xbox live beach babes rock lyrics starfish and coffee prince chris rock madison square garden johnd rock a feller gothic galleries no audio avi quicktime the pet rock training manual north rock hill church feist run florida club rock band canada release date does music makes plants grow faster guitar hero iii 3 legends of rock remember the titans soundtrack lyrics eminem fan mail rock the nations cd red rock canyon wiki ipod car stereos coupon for rock band round rock tx tea history of jewish dance top rock videos bon jovi unplugged dvd sale ipod video wide screen reebok swift step dmx little rock mountain bike trails anthony dyer music rock swap best car audio overland park o brother were art thou soundtrack rock island arsenal cpoc rock bag maria dylan cmi audio tale of fallen rock king of pop music baseball mp3 where to buy rock band bundle audio video review rock definitions list of dance teams from mardi gras parades dogs racist audio clip black rock steakhouse mp3 of supertramp online flv to mp3 video converter blue rock landscaping lost highway by bon jovi reebok dmx max women look out points queen anne seattle aussie rock bands stevie wonder superstitious chords recent rock albulms released ipod stuck on lock the animals music trivia moon rock cove base new audio system 2002 tribute lx lpmc audio decoder codec ipod vs zune drm italo american rock also called kanye west lyrics to good life the music maker eur0001 rock gig announcement beat matching in soundtrack pro lrics for music public rock quarries in virginia teddy randoza music dual tracksliding bipass doors safe paw rock salt number one vocal eric clapton chicago blues festival seven hundred foot rock girls punk clothes from a jack to a queen tab mike merlo north little rock police jazz washington dc halite the rock accordian doors montgomery musical instrument lucie rosen played at caramoor stereo blue tooth headphones motorola we will rock you drum music friends of israel gospel ministry renald showers cd music comparitive pricing rock star chords prince of persia 1 orginal soundtrack pictures of the little rock new vocal house floorfiller rock of love bret rock bands legs holistic cure for dog lice dance crossword puzzle monitor audio center channel round rock texas and county russell simmons do you audio cd tracks rock house pictures i wanna rock wav the elder scrolls iv oblivian where to find grand soul gems chris brown i needed you mp3 download guitar stores little rock mission style head board for queen size bed list of the 100 greatest rock songs alice cooper rock school program music from into the blue hot rock hill women ipod touch sync exaile kathleen logan prince ali love disco america rock logic is the queen a birthright leader sugar in rock candy free music greetings to email musical score to city of angels meg ryan the best alternative rock love songs va tech online audio games audio engineering major college indiana elvis presley blues music video streaming radio classic rock how do i change an mp3 song to a wav file free images of the american flag and eagles stanley clake rock and roll jelly nickelback song title white rock bc christmas dinner cheapest ipod touch billboard country top 40 albums 2007 rock star wig step up parking lot dance krasilovsky this business of music rock band special edition ps2 kmart tab for i love rock and roll elton john lyrics sorry listen rock lab stevie nicks vidios willie nelson greatest hits rock art oregon janice roll down doors best mp3 with voice recording spring rock driving range car stereo plugs punk mine mine leicester dance centre label rock cycle trade gothic jerusalem music xbox 360 rock band best deal ipod classic how to put songs on it diamond rock saw blade rpm speed christmasbackground music fay dance rock pop instrumental downloadable songs of high school musical 2 avs video to ipod registration key rock band download list prince new cd lincoln car stereo wiring diagrams stereo amplifiers rock hill women celine dion nude solid rock monroe ohio prince george county police department kiss buzz band cds kid rock all summer long lyrics kenny rogers phone calls polish bridal dance money words to loves true kiss japanese 1980 hard rock band kanye west emotional breakdown death of his mother ipod equalizer rock hand bruce springsteen organ music rock t shirt stores colorado lion king return to prode rock sound track crowd pleasing rock star of high school musical full frontal picture arts center little rock mp3 as ringtone metro rock eminem curtain call track listing messenger with video and audio mac eserv rock island explorers soundtrack torrent charlie musselwhite lyrics blues for yesterday rock point kennel seattle sheet music sheryl crow the morning after sheet music aline shader catchy phrases with the word rock beatles facts history britney spears shaves her head bruce rock wa paradise kiss wallpaper devil may cry 3 divine hate mp3 tragic rock concerts how to cure insomnia abyssinian volcanic rock kiss baking company music managment software review rock of love application download i got my mind set on you by george harrison free mp3 new fragrance by prince listen to audio of the dallas cowboys game castle rock soldier gets a new home sandisk sansa e280 8gb mp3 media player eminem ey of the tiger oneppo brothers rock hill bt205 bluetooth wireless mp3 player laguna queen platform bed out of the rock by his hand was hwnd convert protected rax to mp3 kid rock american badass cd burn 24 bit audio dvd jazz travel club still dre ringtone rock academy ny family tree of queen matilda free mole phone ringtones gwwworld com cave paintings rock caves paintings discovered asia wikipedia chanteurse de jazz pauline kate nash music video you make me rock hard kiss must dance movie rock chip software development mafa td queen strategy jaques prince pink floyd vinyl album climbing rock pull ups bon jovi seat next to you audio and picture xmas stories chimney rock nebraska what county rock plaza central my children be joyful song lyrics rock walk feather river entry doors king arthur soundtrack clips kid rock ring tones for cell phone first kiss advice eagles those shoes rock springw wyo statisticas on domestic violence indie rock cds high school musical 2 faboulus hard rock hotel sandiego garth brooks height music documentary what ive done linkin park indoor rock climbing georgia wireless dmx hip hop song that samples working man rock and ride spring horses queen flash gordon mp3 transmitters the beatles not rock and roll lots talking rock creek properties faith ny black rock bob dylan tickets hydra mp3 driver the jazz butcher earth rock florida soul vegetarian zena little rock rock canciones para cortarse las venas photos from punk fashion shows rock lobster b52s cure common colds rock river arms car a4 hungarian pop music hard rock hotel orlando fl youngbloods rock festival gospel music rap i want to rock and roll all night jingle bells rock lyrics linkin park minutes to midnight walmart prices a hindu prince raymond weil tango ladies baltimore 98 rock finding a cure for womens heart disease siding color with river rock rock box music bleeding hemorrhoids cure the enclave apartments north little rock breccia rock is used to make flow reallize mp3 rock star energy drink shirts coopertown middle school eagles use of nigger word in rap music the lyrics for jingle bell rock live eagles game sheet music for elton john can you feel the love tonight tevin campell music aging rock stars article affects of music on heart rate flat rock baptist church villa rica wamasutta queen size bed skirst mac dre lyrics cutthoat soup rock star bundle for xbox 360 unlimted ringtones for boost mobile sent to my phone for free kathri gopalnath music official rock band bonus songs east sussex music service older fleetwood mobile home rip music from ipod to itunes windows pc rock climbing hand holds power up 1 gb mp3 player firemware and support trance al stars lost in love helmet rock band baby clothes convert lp to mp3 free recent music releases and top 10 singles salt rock grill indian rocks music for mp3 player buy rock sifting in a bag free watchable music videos a goths dream wedding music rock 95 in barrie on bath ipod fm receiver best heavy punk albums rock bottom lombard history city of new orleans willie nelson frequency music garth brooks download ash like snow mp3 jingle bell rock wav sound ps3 music browser rock song with jesus christ curse of the jade scorpion soundtrack download eminem sing for the moment song lyrics beer that tastes like pop cheap hotels little rock music new wedding york kid rock lyrics to hypocryte bob dylan sara dance attaque unknown first rock n roll hit in britain top 100 acoustic rock songs free audio wiring diagrams for 1998 ford mustangs rock movie review how to boot leopard with ipod river valley rock suede rock and roll boots prince georges community federal credit union free ereader for ipod review mp3 prime rib rock salt trust prince top ten rock artists in the 50s cinderella musical sheet music cost of queen size bed without mattress how to make a rock climbing wall future of granite rock how to remove jammed cd from car stereo beatles musics rock plants rock island arsenal confederate prison battery ipod mini replace latest rock music high school musical 3 extras rap music and its effect on children alto sax printable online rock music enigma music free downloads ill be waiting lenny kravitz lyrics rock island train schedule the killers christmas lyrics pretender foo fighters yo mama on crack rock rock island state park wisconsin land bachelor party ideas little rock britney spears nude picks colors that clash in fashion tognetti indie rock rock springs daily rocket miner adele arakawa ipod mpeg starved rock pet resort linkin park nobodys listening blow job queen of london meets le rock clap your hands redman lets get dirty mp3 deep purple child australian crooner rock star father innovation and corporate entrepreneurship research cent rock shox rock band bar portland oregon ringtones for your cell high school musical color sheets mri little rock ar busta rymes janet jackson cranium pop 5 rule erven l dickens little rock ar 72209 when you kiss me the way you do lyrics joan jett song rock and roll new york music industry forecasted growth jam cellar swing dance prince of petworth damon wimbley kool rock ski lift weights bethel music ministry kansas rock santa catering little rock ocean floor audio adrenaline video the purest feeling classic honda round rock tx siig audio drivers audio sermons from old ministers rock of ages guitar chords nickelback rockstar unedited rock phosphate fertilizer german stereo systems rim rock lawrence kansas talk the rock caribbean music lyrics cassie trottier spice girls headlines mp3 shawty rock to the beat fo ya boy lyrics wmf to mp3 rock boots rock band t shirts 5xl bluegrass gospel music lyrics restaurants little rock open sunday free old time theater music beatles illustrated lyrics 2 quality rentals round rock christmas music stevie wonder route 66 musical evie and pittsburgh dance little rock recording studio redhot chili peppers ella fitzgerald music can am rock springs wy queen pre can you use guitar hero 1 guitar to play rock band for ps2 wooden entrance doors male gothic look thriller michael jackson lyrics what lives under a rock in the land of women soundtrack ps3 rock band bundles eggs and grits ringtones technics home stereo system friday here lose control redneck rock roll lyric rolling stones albums how to put documents on ipod classic luke the gospel rock chip software download youtube videos of celine dion an interviwe about her sons birth dustchin lynn rock audio audio book book download free mp3 mp3 soul of seilend white party near hard rock villages of lake wiley rock hill sc scriptures for a cure leona lewis wikipedia chris rock tour blackberry curve free mp3 ringtone rock evidence of continental drift serial killers of russia innovatek mp3 player movie plot eliminate rock stars disco polo lech stawski ringtones for cell m audio 2496 hacks gray rock hardscapes bad side rock band mp3 g ripper toyota rock crawler parts red rock arabians farm what is britney spears address punk rock pjs add music to power point crank dat rock version mama cass sings deep purple dreams sheryl crow see through top rock candy reciepts astrophotography erase noise rap software party like a rock star songwriter rock quotations song on 2008 dodge commercial with rock band multimedia audio controller soundblaster making rock sugar candy david bowie dance mexican rock band kinky dairy queen ice cream ct big band sound former rock musician take me to the rock vincent listen to music battat rock and mineral collection south shore musical theatre kiss dp558 canadian rock groups copying audio cassettes to cds outback steakhouse little rock beatles rock and roll music hip hop superstar shopping stores trinidad and tobago music festival 2008 catering creations by buffalo rock huntsville alabama jimi hendrix guitar tech dance beach boys what are cairns or rock piles static x love dump mp3 download the rock radio station nz earlmaster jazz tutor pro download apple macbook ipod rebate rock hard license plate relocation lazytown cooking by the book mp3 download free music blocks lime rock park 2007 rolex attendance freestyle audio waterproof mp3 player hip hop music video watch top easiest to play rock songs rolling stones old soldiers paul mc cartney michael jackson between a rock and a hard place example telechargement gratuit de music mp3 fox 16 little rock total viewing audience download gorillaz rock britney spears mtv bomb gospel music kingdom airs ed tinsley little rock ar ff stamp gothic free font like amy winehouse sings awful at grammys pittsburgh punk rock star bundle brandi c of rock of love porn car stereo antenna hysteria album rock group camel pop up we rock chicago charlie brown theme song sheet music for free hot sexy naked tits dance south carolina 803 rock hill download dvd creator burn videos audio backgrounds evanescence string quartet music rock band play station 2 release belly dance voi rock capital ipod video software review mike henry little rock ipod music videosdownloads free ma audio amplifier false positive rock band from maine music with lyrics only you winner of the joe strummer rock band sweepstakes what is the name of mary j blige new album the killers when you were young chords paradigm audio speakers brenda lee jingle bell rock queen stop me now hard rock cafe cleveland ohio nirvana band members nkj audio bible free billboard top 100 punk rock songs ps2 rock band bundle mozart effect music downloads music of my hear red rock investment partners songs from fresh prince hagen funk when was jailhouse rock written by elvis preslycomposed kvm extender audio video keyboard mouse ringtone affiliates jingle bell rock ukulele chords wma to mp3 convert mp3 clipper rock landscaping traditional kenyan music atlas markato pasta queen pasta maker watch the school of rock free online nirvana polly chords team fortress 2 mp3 recipe for making rock candy audio video denver apple ipod trade in for newer model ipod solid rock counter tops ryan madonna and slippery rock electric six dance commander canadian rock stars dunlavy audio madonna human nature the eagles hell freezes over cd rock pop god rest ye merry gentlemen song free music videos for mp3 players download opm mp3 willie revilliame divorce records rock hill sc britney spears croctch shots dylan gilbert elle in little rock berkeley world music festival ipod shuffle knock off manufacturer rock indincation praise and worship dance value of beatles white album what is the difference between a rock and a mountain free hip hop beat rock band song download release dates all ringtone converter robert plant new video audio preamps rock cop wcu dance team bratz rock angels cheat codes xbox rock band video us 50 cent coin beauty rock ontario eminem weight loss program pearl jam alive video mandinka dance how to play jingle bell rock intro lessons n73 ringtones cave paintings rock caves paintings discovered america wikipedia musical table record label pure air music ronnie james dio mp3 real estate little rock ar uxcell mp3 terry carroll little rock chicken dance chicken free sites for downloading music jean carne disco london ontario rock station q92 quantuum electronics audio book gospel song lyrics strolling rock against religion he exorcism of emily rose original motion picture soundtrack billboard hot 100 february 16 zip code rock falls il copywrite free soundtrack music downloads lyrics rock me armadeus queen cutlery boyscout western dance columbus i hear you brave you jbls you are hungry for the rock rap alot records jaguar dance hard rock park myrtle beach sc every three minutes audio virus i pod nano music wont play lost prophets free music downloads rock bottom pub white rock chicken sex on so you think you can dance rock and roll crunch candy graceland free ringtones for sprint pcs cell phones ww boone rock hill sc ipod hookup for car lyrics to murder on music row get happy music video classic rock and 1974 beatles love album artwork dish network rock springs wyoming frog prince applique mp3 remix crack downloads dance dance revolution ps3 pictures of the little rock crisis music maker 12 deluxe rock hunting in texas bryan adams free music listen to the there will be blood soundtrack balganesh audio download solid rock faith center diamond springs normalizing mp3 playback volume sabsa mp3 player manual propane fire pit rock mary queen of scots execution yale university music men button down rock shirt mark ronson and amy winehouse and valerie rock climbing columbia md adele pricedrpo folk music winsted connecticut rock radio station playlists queen elizabeth 1 defender of faith sting fragile pop ins maid service rock beat rhythm sticks rocky river studio of dance ohio cellphone mp3 ringtones rock identification always kiss me goodnight texas rock group natsukage mp3 download youth alive mp3 download punk rock stretch jeans channel rock lopez island dance lessons in ct river rock orlando diamond rock sa blade al nelson rock n soul show classic rock and mellencamp the marksmen holy manna mp3 judas priest rock forever gothic rock groups right here waiting richard marx free downloads mp3 songs music purdue ringtone lindbergh high school dance squad white rock bc lawyers scam los angeles music deals rock shox tora 318 solo air jesus is the food that will satisfy the soul ppi audio simon reynolds commodity fetishism music manjohn round rock dance dance revolution store home built xj rock sliders epiphone explorer gothic electric guitar baby ganz mvp musical bear rock me tender random song mp3 playlist myspace generator homemade musical drum free patriotic sheet music ham radio little rock arkansas garth brooks birthplace council rock north lisa brennan basketball tips for musical directors metamorphic rock powerpoint discount motels castle rock colarado welcome to the world downloadable mp3 bob weir and ratdog tmpgenc raise audio mpeg2 rock band psp bluetoothj stereo swing dance instructional videos rock band t shirts melbourne britney spears pool picture new radiohead sheet rock history transmission audio m3i dance images school of dance adelaide rock coloring page lynn bryson music ipod advert tune dance dance revolution extreme songs home built jeep xj rock sliders gospel music sheet rock quartz free christmas ringtones sanyo 4900 sprint phone red rock moab utah lodging red dot pop up rock band iii legends of rock bundle prince william county fire code mad rock crash pad green how much is 20 cent ralph bunche stamp worth easy piano sheet music for the pirates of the carriben ipod discount prices recipes for rock candy instrumental influence sedalia missouri blues devil pedal rock n roll fantasy lyrics solid rock spring real estate rock dogs free nickelback ringtones hip hop class los angeles rock band video game for xbox 360 rolling stones sympathie for the devil streetlight manifesto music target xbox 360 rock band wayne brady mp3 free country music radio american metaphysical circus mp3 solid rock church ohio wicked the musical myspace graphics rock garden patio kiss kiss music video by chris brown and t pain print outs of christmas violin music garth brooks fire relief silent rock llc alicia keys goodbye musica de rock arg rolling stones street fighting man queen charlotte sounds map concert rock 1976 lizard rock design internet radios trance myspace brittany davis lives in round rock texas copy bob sinclar rock this party how to pop your ears muscian hard rock las vegas overdose cocaine queen sophiia spanish institute beatles figurines rock island cafe rush limbaugh audio online one tenth the size of human hair injected to cure cancer enchanted rock in texas wma mp3 conveter soul saving station evangelism center rock tumbler natural science industries dj doboy vocal edition pop culture bible references did you forget what it means when a dog shows its teeth dmx gneiss rock uses inside the eagles golf courses in rock hill sc ice and snow rock salt sale hip hop degrading women the beatles and rock and roll cd beatles 1968 demos dylan 1961 new york guthrie hip hop and rap music code colmar rock concert 1976 leona lewis tour curtains for sliding doors playmobil rock castle ringtone maker free pre ordering rock band in canada eb games david young soap opera music cassidy west drapery rods zeppelin dishes rock shok relevation fork pop culture quote news about tragic rock concerts romanesque and gothic art song to bop to the top on high school musical hard rock seminole florida johnson travelling riverside blues aking ina mp3 download how to cure a cough rock n roll music volume 1 orfeu negro soundtrack soul food corn casserole round rock cpa pictures of jon bon jovi hard rock vegas pool pictures definition of music in france new panic at the disco album rock climbing miami hear nothing really matters mp3 cheri rock coran mp3 kid rock and run dmc concert free downloadable rap mixtapes indoor rock climbing near san diego piano blues your love soul song rock chip mp4 player c felix mendelsson chorus cure for baby eczema round rock luxury properties song lyrics for pop music yes owner of a lonely heart music video salt water tank live rock ringtone creators jack audio tool windows party like a rock star dance steps anything about music paper folding music milf hunt no pop ups rock band release canada iphone ringtones games music and lyrics for lucky ladybug orchestra rock ella fitzgerald summertime rock stares satin comforters queen size queen bio ltest music releases rock music rock and never die bbc dance typing mat chris rock tour dates bon jovi till we aint strangers anymore lyrics seattle classical music online lookin for gospel music pictures of rock landscaping in montreal accordian patio doors rock trumpet plant rock soul calibur pics movie soundtrack vegas vacation chicago jazz ice skating rock sharp ramalamadingdong gothic carving aliciakeys music skid steer rock bucket screen gothic epic can we connect an iphone and an ipod to one computer two user effects on haert rate when listening to hard rock queen victoria ceo hardcore rock chicks 3 gospel passage about justice music as picture captions satan and selling your soul trios catering little rock audio of mitt romney jungle rock pop tv spored music director description the doors collectors kerry famous african women singing groups sweet honey in the rock united air lines 20 on the 20 music the beatles hey jude six pack abs and rock hard military music related actuivies for toddlers who sings soul ride rock lists ipod imode wholesale ipod punk rock elvis blizzard club dairy queen an she rock de baby free sheet music guitar christmas music gospel singer frank williams william owen evergreen circle little rock rock tumbler beach glass boston music universities mystery of hanging rock galax old time fiddlers convention music download danasoft ipod copy rimless shower doors rock climbing in san diego final fantasy x soundtrack eminem i remember lyrics cartoon pictures of rock stars hed kandi twisted disco cd ktun radio women that rock the rockies pop bottle corks african queen lyrics rock the dock kent island rock house method download mp3 rolling stones angie sticky fingers little rock selena quintanilla movie soundtrack free audio converter mono stereo rap beat online crash baby so baby rock baby text christmas songs turned into rock songs how is theconglomerate rock used today katharine mcphee mp3 graduation music box rock killough what are the measurmets of queen size bed digital jazz online christian music cares chorus guitars rock t shirt dance lesson alexandria virginia audio digitizer when was jailhouse rock written by elvis presley composed compress mp3 files lyrics animals nickelback rock radio photo contest girls hiway 99 blues club rock county dima belan music jazz pianist fatha flight instruction rock hill were killers found for the killing of yolanda brown downloadable midi ringtones music group sugarland little rock arkansas jackie payton patient soul miners daughter rock sound and bahamas black november mp3 lesbian porn celeberty britney spears gerrys gem and rock wafer thin stereo princess mononoke soundtrack rock salt for dogs dylan working class heroe keep songs in order when you add folders to ipod library hip hop programs in new york how gneiss rock is made phyco bitch rock of love dowload 50 cent songs free round rock texa recover my ipod keygen rock band poision the well ashley tisdale kiss girl dance factory mat not working the rave theater little rock toyota trucks audio systems rolling stones rain rock and ice race punk rock star online flv converter to mp3 rock nipples phillips stereo reggae concerts california rock n roll trivia board game free downloadable ringtones for virgin mobile rap songs from 2003 rock instrumental download free rai poly ringtones it music files rock and roll crunch the new king of pop fabulesshigh school musical guy rolling rock out of eden music group stawberry shortcake ringtone rock music puzzle janet jackson newest album how to rock clime rock springs wy newspapers prince william county virginia offical site music finally home how to find a good home audio system for hd television planet of rock steve vai backing tracks ukranian dance instruction winnipeg rock and roll all night tabs singles dance legally blonde the musical listen rhapsody rihanna fakes absyninan a volcanic rock foo fighters rockline post rock academy free full mp3s bart castle rock colorado cave paintings rock caves paintings discovered europe wikipedia vintage stereo receivers little rock arkansas school district mini stereo headphones north little rock school of dance hip hop graphics bling lrics ted nugent rock and roll cool myspace mp3 ways to cure toxic bloom algae rock bottom motivational poster metronome ipod american music syncopated rhythm duple or quadruple metre golf stores athletic little rock arkansas how do you add music to a blog duck call ringtone rock formed by consolidated clay sediments amy winehouse cheated myself lyrics restaurants near queen mary said music litle rock rocky top ringtone hard rock themepark job fair dance empire nintendo store in rock center free beatles albums car detail shop north little rock i believe lyrics honey soundtrack blues in the night aesop rock coffee lyrics michael jackson what about us nashville music producer alicia tyler gospel castle rock alternative music lyrics wicked musical posters rock and roll tshirts melbourne classical gas eric clapton arab girl sexy dance pop der 70 rock drummers in 1963 history of prince hall rock chip sdk hannah montana learn to be a pop star dance mat and wig matt cody soda or pop free sprint sanyo 8100 ringtones rock and roll crunch candy east indian music and musical instruments terry t kelley 6 eagle rock trail ormond beach fl metallica galleries command line flac to mp3 apocalipse 16 gospel the unseen rock against new apple ipod rockin rock in the box kiss bon jovi tour 2007 mp3 player to stereo math and dance cinemark in round rock free music vids for w88oi hard rock cafe detroit curtis and singles and 50 cent queen victoria pet boulder colorado rock radio stations listen to whitney houston same script different cast celine dion call the man tinsley little rock ar how to cure tonsiloliths free music videos for mp3 players trinity presbyterian church of little rock necessary equipments and programs for a home music studio cure fo diabetes pinball wizard rock opera james blunt mistake video simon and garfunkel sound of silence concept audio frances skinner little rock rock recycle high fidelity soundtrack peter gabriel sunstone rock zoo med rock heater safety desert view animal hospital rock springs wy breusse cancer cure lion dance coustumes the smashing pumpkins cherub rock lyrics apple ipod logo steam rollers music lyrics for gospel song beyond the rain rock band special edition for ps2 walmart smallville ringtones hero rock opera southern gospel music whisnats acoustic blues doug whittworth music trios little rock ipod bluetooth stero adapter the church of the pointed rock what can soda pop do to you download beatles for sale sound track history of little rock central high school c media ac97 audio device driver mandy moore only hope mp3 robert booth little rock music lyrics for apologize by timbaland stereo mini headphones pokemon fire red how to get to navel rock belmont music audio vault avair troubleshooting help download ringtones nokia 6102i rock songs newspaper dance moves from high school musical rock types in new jersey colombia black eagles adam audio delaware rock climing the good life kanye west lyrics rolling stones can you hear me knocking rock band night vancouver washington lover lay down dave matthews honk the musical soundtrack round rock jewerly store natural acne cure british folk rock group pentangle mark hoskyn little rock ar north myrtle beach line dance nine doors of midgard kids mp3 player rock art world carrie underwood world series audio casset to cd dubbing rock band videos sony tc wrt10 stereo dual cassette deck dim car stereo little drummer boy christain rock international summer school programme dance kiss rock shop for mp3 portable players tight punk jeans rock walk minerals lesson plan addams family rap lyrics dead rising soundtrack rock cane sugar the seven ages of rock childrens dance studio kingsport tn ringtones cell phone games what is the official name for chalk rock sting ray with red eye and red lip sick trucking little rock digital sheet music embrace out of nothing soulmate natasha bedingfield mp3 free tupac cause of death judas priest rock forever ac97 audio config rock for sale south carolina bruce springsteen ringtones how to change the background of ur ipod does rock band teach how to play drums queen champion police scanner audio how does a cd player play mp3 files classicos do rock mp3 player charts lyrics of jing bell rock musical instrumements canada mother blues new orleans cullowhee rock assemble reef rock lido schuffle mp3 music affecting people rock and pop music whitney houston i had nothing maiden rock realty sandpoint id jazz dance vocabulary download free t mole cellphone polyphonic ringtones uk news boy throws rock at jagex rock hound vacations high school musical stuff words to the song we will we will rock you listen to free music by chris brown online gothic letters patterns pop up removal listen to free rock music online with out downloading it cuantas copias son disco de oro define stone rock tears of the world by michael card mp3 gather vocal band he toughted me classic soft rock box set jack johnson t shirts you can feel it all over by stevie wonder guitar hero legends of rock wii pole eagles flags how many songs can you put on an ipod vocal group hall of fame how to build river rock columns for driveway gate role of the chorus in elizabethan plays billboard hot 100 41 60 february 16 neo prog rock blogspot download prince william and harry mightlife little rock black fly blues band night flight to venus mp3 audio with premiere rock invitation mdf exterior doors colorado hollow rock yoga durham nc free music downloading site fly me to the moon mp3 top selling rock bands gothic fantasy pictures bc eagles football ipod car stereo adapter council rock south bomb threat december 2007 lil wayne pop bottles lyrics all hits rock classics volume 2 see us lord about your altar music sheet chords youtube to mp3 converter online tge mp3 player 512 company that specializes in making plastic bags for rock salt bon anniversaire music and lyrics rock chip software warrant music music resources clock radio mp3 adapter rock n roll rock n roll nude amy winehouse ayres rock height polish rock yann tiersen mp3 little rock park kidney problems feeling like something ripped inside henrey purcells the faerie queen classic rock list shane dance michael hill jeweller rock of love 2 winner pacific doors nz stacy keibler at movies rock free c h r i s t m a s piano sheet music table rock inn bandon sportstop inc little rock ar buffy sainte marie slippery rock hard rock cafe gran canaria pop a top mexia clutch rock band danity kane back up instrumental kids singing rock songs add music in my blog on myspace nickelback rock star tshirt ghost busters soundtrack myspace music band graphics remake of possession hard rock ameb theory of music exam nsw candidate results youtube rock monster scotish rock free music downloads for soaring away eagle prophet dance moser hooters little rock arkansas deep purple smok on the water online music sales in latinamerica queen crotchless panties aesop rock lryics eiskalte engel soundtrack snow and rock manchester jim jones not hip hop rapper meaning of coyle and cassidy latin inscription interior wood doors veneer arkansas little rock basketball ambulance blues lyrics blowing rock north carolina spa walmart saandisk mp3 2gig garth brooks secret concert location girls of rock videos supermode tell me why mp3 pop will eat itself lyrics the veronicas untouched mp3 excavting in rock rock band tee shirts 3xl friendship church in rock island tn audio fx pro 5 1 troubleshoot music man photos a rock on the top of a mountain contains nude male dance move music from ipod to computer greek god throughing rock hip hop and r b radio queen anne lighting madonna with ufo martha guerrero round rock michael fremer port folk watch behind the music studio 54 rock cycle pic rock hard ten broiled rock lobster tails music group war bulk rock tumbling grit rock excavation sprint music john williams concert manchester little drummer boy christian rock church on the rock alaska turn it up a little techno music therapy fayette county rock band genesis music during world war 1 hinckley big rock girls basketball joe diffie third rock from the sun free ringtones and wallpaper samsung gensis rock group pop p blocker dance agent advertisements magix ringtone maker crack members rock and roll hall of fame ipod interface for nissan pathfinder 2004 and armada bandon lodging table rock motel pop up window size no tool bars christian music dances sony 1 gb mp3 player music from picnic at hanging rock free music business software rock a wear clothing beyonce plastic surgery little rock bakery supply brother australian rock jazz dance accident the first ipod music lessons danbury fireplace rock wool trip hop rock island roster oh no not stereo mediafire kids music values www nextel music ringtones com steve rock hate in the box electric dolls mp3 gyrotech rock polisher gothic elements in literatue birds eagles habitat rock cornish hen recipe is there a musical named dance court audio america rock group songs wise ringtones rangerette dance team crosby minnesota american music center talc the rock free download charlie brown piano music notes saw soundtrack himalyan salt rock stanley entry doors tommy shahan north little rock police popular music young guns dance distributers best hard rock songs miss baha queen reduce audio latency the gospel acoording to larry lisa brennan council rock north high school marriage on the rocks audio cd ruff like a rock ruff like a rock povertyneck hillbillies free mp3 download rap analogies herry potter half blood prince how to cut out part of sheet rock kaate kid soundtrack rock island cafe long island old school hip hop glasses ek grey lava rock myspace layouts dance outdoors store north little rock music choice time warner triangle how tall is drago in rock y4 disturbed the sickness disturbed music bruce springsteen blog southern california rock hunting hip hop dj compilations anderson kid pamela rock high school musical on ice in ireland rock haircuts elvis presley yailhouse rock battat rock collection reggae hits for december 2007 nine inch nail ringtone rock n roll skirt free mp3 downloads music weather canada white rock classic rock box set easy rock guitar tabs cold play music video which uk rock star had a child who drowned october 2007 uncensored photos of britney spears without panties eminem daughter look like honey rock camp manias de raul ornelas mp3 britney spears nude starceleb i love rock n roll video nike ipod mp3 problems rock and roll mcdonalds lyrics linkin park behind the scenes jl audio for jeep tj wrangler toronto jazz restaurants radio friendly rock bands neil young guitar tabs the old rock house in saint louis mo haunted mansion mp3 queen sofabed rock lee sculpt metal safari return to my blood mp3 the song freeze rock vocal recording techniques rock city cavernb britney spears mtv latest photo rock musical bleach live bankai show subbed dixie ringtone map dance ltd rock star names female ciara ringtones by verizon wireless htm doors strange breakbeat free mp3 download little rock executive apartments here by me nickelback riverdale theater little rock indiana university summer vocal programs green day live california 1994 set me on a rock bible verse alicia keys ballads beach queen swimwear rap hip hop 2005 pictures of little rock nine gothic vampire head prop dance team uniform game patch rock tour what is igneous rock types of dance music rock climbing long island lyrics to behind those eyes by 3 doors down celulos fibre vs rock wool nylint rock crawler toys check it out now funk show brother seiko musical wall clocks rock solid surface plate cleaner rare and hard to find music history of rock roll timeline mp3 and tv songs in the key of life stevie wonder torrent rock band downloadable content timbaland bombay website music clips san francisco blues rock live music clubs needham school of dance english folksongs sheet music online cleopatra the queen of egypt forest wilkinson and rock hill quartersawn white oak cabinet doors what kind of a rock is white marble photos of metamorpic rock the doors layouts for myspace madison supper club swing dance ca is underoath christian rock chris brown kiss kiss mp3 fireplaces rock pocket bible gospel of john texas summer employment for college music students rock jocks zeppelin rock and roll personalized hershey kiss as seen on tv rock valley cross country 2007 wi pictures of the beatles deput on the ed sullivan show pictures musical group turtles audio and video of hindenburg crash round rock tx keria tea open source mp3 editor razr stereo headphone adapter rock the nation basic car audio one castle alternative rock music lyrics whitney houston arrested short queen mattresses audio dakoos mp3s rock hard in lindenhurst pop corn poppers music marketing little rock free ads small audio amplifiers supertramp total rock review megaupload britney spears toy beatles social impact assasins creed soundtrack ps3 rock band guitar and game country music minnesota dance locations rolling stones rock tumbler grit chinese folk dance music mathematics some glad day music harbor freight little rock trabajo de introduccion al analisis instrumental coheed and cambria on rock band freddie prince jr classic rock drum solos the historic little rock baptist church irish step dance music elton john young girl photo new rock music singles prince caspian books samsonite spinners commercial music htm quest diagnostics black rock turnpike red hot chilli peppers suck my kiss vast mp3 download rock cafe stourbridge rock bottom resraurant life feeling kike i have to begin again la dolce vita castle rock lyrics i hope you dance young love find a new way mp3 the beatles wild honey pie school of rock school of rock myspace mp3 player codes ps3 rock band 3 michael jackson and presley cure all hard rock album cover with horseman who was in my room last night mp3 sweeny todd vocal selections book is there a cure for sickle cell rock creek parkway weekly top dance club music how to get an lg mp3 scc91 002 player firmware joe strummer rock band sweepstakes east queen free roy orbision music hurricane chris lyrics to playas rock pinkly smooth gremlin punk rock remove vocals for mp3s for free fedex rock springs wyoming queen killer queen mp3 criminal minds tv music rock puns consequences of saling your soul to devil cd music sales locally rock merchants a1 doors kid rock on larry king genesis of phosphate rock deposits prince ali lyrics alladin iron maiden lord of the flies galleria rock hill hiphop dance ladies classic rock tee shirts trance music layouts dj screw ringtones queen elizabeth coloring page microwave rock candy queen creek homes for sale joan jett i love rock and roll chords how to download to ipod mp3 video streaming music thepary common use for sedimentary rock the rolling stones she is a rainbow uk leeds varieties music hall audio technica ad900 shooting supplies little rock arkansas used stereo equipment vermont ringtones composer for iphone angel northern rock flammans prince albert music man musical rock and roll art convention full gospel sheryl crow and kid rock duet youtube sweet honey in the rock soul calibur iii gold exploit wwf rock tattoo counselors of round rock mp3 mp4 media player portable video ipod zune insurance the rock basketball rock and roll hall of fame members on tour dance competitions install stereo in honda crv rock the black parade mcr audio player southern managment in glen rock sweet music steve dornbosch teen dance contest little rock dogs collspse cent to faren i believe in music i beleive in love rock quarry methods now thats wat i call music hawaii dance accessories menchey music service rock climbing australia cow b 52 music group index of music theory in the united states and richmond browne avatar the last airbender book 3 chapter 14 the boiling rock slippery rock nceca pre conference workshop ceramic exhibition lyrics to rock your soul love is like a rock lyrics free download music software montgolfieres slideshow music big rock point and michigan mp3 wave editor shareware don piper audio kid rock car ipod connectivity adaptor 2008 scion elite custom audio and video the first rock concert prince at berkeley refrigeration contractors round rock texas gothic romantic queen jazz three blind mice mort manha fancy lady maine radio rock vocal techniques how to remove music from itunes rock town georgia le voyageur david soul download music to your mp3 player for free washington rc rock crawlers motorokr s9 headphones bluetooth stereo headset audio cassette tape repair only floating rock listen to nerima daikon brothers music philly radio kiss fm sandstone rock in australian outback how do you send ringtones to your phone audiobooks about jazz rock island dam location on the river blues deluxe fender audio of swing low sweet chariot rock candy mountain movie crank that soldier boy mp3 negative effect of reggae music sensitive gums natural cure best prices for rock band video game meyer music falco rock my amadeus city of prince albert council atkinson high school musical magazine georgia eagle rock iron butterfly sheet music ipod refurbish christian rock karaoke bad boy blues band wedding crashers audio rock island armory firearms website artichoke queen kanye west images popular high school sport songs rock and roll part 1 garry music san diego charter digital cable poor audio rock and roll tops lead guitar role in rock ion audio ttusbo5 teletext pop tv g made rock crawler rc robert platt rock and roll rock group wasp kiss rock and roll smileys napolean dynamite dance song eagle rock lock smith orthopedic surgeons in little rock uams placebo my sweet prince rock lee headband online danze music msn pop up blocker tool bar windows 98 sports rock cd costume accesories gothic and medieval table rock lake elvis presley father along rock and roll hall of fame hours of operation dance classes napa first baptist church of round rock rihanna on fhm hard rock kennel harry potter and the prisoner of azkaban mp3 htm pardy hardy rock and roll were the class you cant control rap avatars gb photo ipod hp famous rock qoutes audio ear warmers ipod classic tv trouble walmart round rock baby music on line staxx rock group starting a new hive queen bee far away view of looking glass rock top rap rock songs ilo 1gb mp3 player king spade myspace music nine inch nails great destroyer modwheelmood lyrics top ten greatest rock bands rap music instrumental the wildflowers dylan rock band for wii date portal still alive instrumental rock and roll pollo costa rica winslow plaza dance rock bands in las vegas christian slow rock song i can play guitar rock 101 free free free mp3 rock bands in las vegas bloch s0401 jazz shoe energy dance musical webpage graphics how to make tobacco cure list of german rock bands old rock house b stock summit audio 2ba 221 are all rock stars duggies southeast raleigh high school chorus 18 karet gold driving directions from little rock to toluca mexico wheels of soul duck club music production schools queen creek village california rock dlo hipcase leather folio with belt clip for ipod touch weight loss cure mobile alabama what are the gaps in rock layers called buy reonditioned ipod kid rock rocknroll jesus free crochet children cardigans find audio tag elvis presley record price guide videos de rock ingles los mejores del mundo museum of making music camel spiders mating dance chimney rock marina ky music country 1980 build you a castle rock band guitar ps2 ipod linux installer for windows dance clubs suburbs chicago rc rock crawler chassis when our gone music lyrics by avrl lavigne van morrison bright side of the road montreal jazz festival specialized hard rock mountain bike rock band light system listen to the song eagles wings by hillsong praise the lord and pass the ammunition rock sensual dance video clips kid rock fanclub menopause the musical columbus html music video umbrella free music disney sylvan progressive rock band bruce springsteen europe tour 2007 meiosis square dance rock cave in arkansas ffreeware convert dat file to mp3 file play mp3 directly from mp3 player rock creek sports keyboard music stand washington rock climbing audio day dream parental warning music processional wedding sweet seasons blowing rock nc christmas music by christian artists big rock candy mountain lrics queen champions of the world how many acres of land does forty acre rock cover canadian hiphop charts pun rock clothes international hip hop music square dance lodges tourmaline rock hunting lunar legend mp3 highschool musical 2 lyrics ipod audio formats yavas la rock best gospel songs of all time rock band quiet riot free music for bb trumpet sequence dance cds nz rock band unlock all songs emo music a chorus line original cast photo plantronics bluetooth stereo headset kidd rock sheryl crowe metal gear solid music 3 main theme slippery rock wrestling downtown mp3 phil collins two hearts lyrics desperate man blues free download np241or rock trac transfer case limewore music snyder rock audio hardware production cure for hantavirus kiss ugliest rock band free remove spyware ware pop up blocker walmart download online eagles long road out of eden stan cohen folk devils and moral panics rock and serve tupperware jordan dance indianapolis in modern dance classes when was the igneous rock discovered dance music reviews audio books for children indoor rock climbing pittsburgh alive frank marshall music credits to be loved papa roach mp3 britney spears underware picture myspace rock band game graphics queen size brick nw audio labs list of top rock groups of 1970 flute music pop george mcgray rock you baby sr71 goodbye mp3 latest music cds moss island rock climbing orillia rock roll weekend winamp for win98se lap dance new york city 2007 evolution of rock music eagles how long lyrics tabs rock hudson dated dorothy malone sa ax610 manual free audio kitchen pop ups gourd musical instrument rock biography uk boom rock wellington nz easton carbon mp3 best of gothic rock 2 kill kill killers drive my car beatles chinese punk rock vocal cord exercises little rock arkansas tattoo removal studio music in damasscus spanish music lyrics hash codigo postal rock falls from sky mystery interior doors with glas rock band t shirt music theory exam handbook rock and roll part in the street song remake lansing classical music events 16 sep top trance rock sealent queen latifah poetry man amy winehouse will you still love me tomorrow rock racing sports mp3 music websites kid rock crow samba music guitar madonna everybody rock ecards daft punk apologize dance lessons in toledo ohio sarasota florida rock stations jesus home music video olympus recorder mp3 gospel music free mp3 rock and roll part in the street song colby mp3 player president rock blues grew out of kiss ugliest rock band shower doors ohio quartzite rock sample strength dvd vob to cda audio free software billboard 100 who sings knock down drag out rock and roll party in the street oz hip hop dump site slirrery rock university music journey dont stop believing free sheet music macintosh mc 2100 vacuume tube stereo power amplifier rock man song pop art today peanut butter jelly time ringtone dowmload eric clapton bands 4 kid rock keely smith breaking up of the beatles queen by alex haley student essays on the little rock nine folk dances of india man that lost a arm rock climbing north star music australian speedway live audio abby road little rock foo fighters surrender fashions of the disco rea rock band console game the cure playsong mc daniel realty little rock sacopee dance for oil school of rock seatle rock and tone weiderfitness energy and michigan and rock morgan le fay queen of the fairys centerstage soundtrack when did rock climbing become popular online christian music cares chorus oldies rock songs budweiser rock superbowl ipod nano songs number music of the night phantom opera rock donne sicilia sarah ezen music songs britney spears round rock tx ceramic stores age of oldest rock information on who invented the chocolate kiss the cure sweet rock realty round rock texas how much does carrie underwood get for being on a magazine cover rock hill ct police department lolita stories in audio two or three doors wicker dog crates dylan burke kenneth counts little rock synch outlook to ipod school furniture sale little rock ar writing assignments literature pop culture hip hop dance kennesaw ga rock me armadaos spark audio realtek alc880 8 channel high definition audio codec the lost boys soundtrack johnny the hurricanes red river rock the pop group rock river arms photo gallery traxxas rock crawlin revo wall chargers for sonywalkman mp3 heart rock music rhino doors japanese rock magazine trukey audio taiwan amy grant house of love little rock ar write a rap song incredible bongo rock ten best dance movies beyonce antropology album rock band my sharona history western swing music sheet music converter great rock song matt striker vs cm punk famous jazz artists in the 1920s greatest rock instrumentals cd do guitar hero guitars work for rock band chinese arhu music rock star leather jackets theme ideas for rock n roll prom soundtrack to cinderella story beer fest and split rock rock springs mines audio store toronto deep soul inferno outcast rock show oldschool dance rc rock crawling club the french connection soundtrack folk dancing califonia free songs mp3 jeff tambornino rock hudson pbs rock group the penetrators 1984 rock gravel central ave ca bay area trance megamix sis 7001 winfast audio controller xp theb oinkers rock band seattle nicole scherzinger rihanna winning woman christmas is here rock singer avatar episode 314 the boiling rock part 1 easy information on spanish music installing an mp3 player in your car nude rock star kenneth cole reaction clean queen pump foo fighters mp3 free aurora bob sinclar rock your body ave maria piano sheet music rock meadow wine schematic and audio line driver jefferson airplane inducted into the rock and roll hall of fame chicco musical rocker types if igneous rock convert itunes music mp3 summer ballet dance programs in harlem amy macdonald rock disco arranque rex humbard elvis presley extract metals from rock xm jazz brother the run remix al panone version mp3 dance studios in syracuse more songs for rock band ps2 the killers in concert software for converting rm to mp3 free dowanlad rock it creations pop culture names rock island armory phillipines vertical doors mercedes daft punk crescendolls queen creek junior high school arizona kid rock sextape power dynamics in tango at the cross chorus medleyhymn lyrics hinsley standing rock muvo mp3 players rock creek motocross pictures impact of music of fetal development lyrices of high school musical hand pop rivet guns housing castle rock edinvar housing association music award show for rock and roll lyrics to gospel song ride out your storm car mart little rock dylan west feeling her up pictures rock tunnel production score of music list of country music artists rock top counter top break it off rihanna sean paul mp3 research proposal serial killers rock hd 2 u2 ipod compatible mp3 downloads htm complete jack johnson sessions can you use guitar hero 3 controller for rock band starkey and hutch soundtrack johnson rock shop texas david bowie lets dance mahopac music store a rock caklled tale ipod mini cheat sheets buy rap beat old fashioned phone ringtone rock sphere machine how to cleaar ipod baladeur mp3 pas cher industrial rock top 100 2007 queen responsibilities mac donald rock n roll club nouveau jealousy mp3 aj hard rock hotel the tea party rock band breaking free by high school musical queen victoria chair antiques isle of wight osbourne house slick rock trail moab utah rock city gardens pure aloha music planeta rock ballads free mp4 downloadable movies and gospel music clips convert songs to mp3 free ipod porn movie chrity jo rock of love nude im not here bob dylan alternative music scene toronto little rock nine society reacts starting a retail music business rock crawling competions carnival music cruise tibetan rock queen nefertiti biography punk rock music t shirt billboard hits 1997 saps tshwane dance and jazz band united jazz rock ensemble boxing audio sd prominent rock feature eminem curtain call album coolio see you when you get there free downloads mp3 songs music cannondale fork adapter rock shox jensen car audio din workhorse sonny blues short story is chris rock dead science fair projects that rock rock river arms ar 15 lower what year was andrea bocelli born swing 46 jazz and supper club travis all i want to do is rock youtube the soul of my adopted child orb music historical info on plymouth rock dec 22 super namek mp3 animated musical cartoon adult halloween cards natalie portman rap video rock history uk south park ringtones flat rock speedway lodging near starved rock state park reggae band shows linux audio normalizer kid rock n roll jesus lyrics billboard music top country songs 2007 billboard posting latest rock band names lighted headboards queen rock suppliers in las vegas movie about beatles discount shower doors who were the best 80s rock bands queen sotrage bed rolling stones lyrics satisfaction dred zeppelin thr rock christian center san bernardino list of great rock vocalists downtown little rock ak jamiroquai chris rock a mixture of soul and reggae music outlet store castle rock copywrited gospel songs the fox jazz basalt rock wall energy and michigan ands rock mobil 17 free ringtones bumbleride queen b spook rock golf club adult dance class indianapolis ron burgundy jazz flute rock river arms ar 15 photo gallery britney spears house in kentwood la aaliyah more than hard rock hotel pattaya download christmas sheet music the rock band the who bee sting gangrenous lesion midi classical music file rock island compact 1911 dr malone round rock tx free mi2 soundtrack top swiss rock bands charles edward smith jazz big l mp3 rock and mineral projects rock whisky free nz ringtones manufacturers of hand tools utility knives sheet rock tools chinese lion dance costumes in the tacoma area red rock flight tours formula ford gearing ime rock metallica the unforgiven lyrics the madonna of guagalupe alternative rock lyrics star war rap video poems written by tupac igneous rock list fetish audio stories angelique rock of love rock band guitar incombatable with guitar hero funk mfg co the frsh prince of bel air free printable jazz sheet music hard rock cafe dallas what replaces an ipod opening kid rock revival tour 19 spiderman 2 soundtrack lyrics video dairy queen commercial chicken finger dip sad musical black top sheet rock mud queen elizabeth tudor qca persuasive writing walkthrough prince of persia sands of time white rock bc fish and chips sting ray city grand cayman island gothic chicks who suck dick what did classic rock branch off into free audio books narrated in french rock creek resort glen rose texas queen charolette city accomodation audio diy project sea downlaod high school musical 2 movie free water displacement for rock density c media wdm audio driver radiohead mp3 rock cleaner west coast hip hop capella let the music rock hunting bed and breakfast free download mp3 predvajalnik umbrella by rihanna mp3 macdonald amy mr rock kylie minogue official little rock rich smith development city of castle rock colorado rock utilities kanye west graduation album back cover talking toy dog says you rock toyota rock crawler rock n roll haa of fame list vw camper rock n roll bed rihanna in concert dvd how to begin jazz guitar benny bell dance rock star wives tv schedule linkin park numb music myspace gothic 3 console cheats cuban rock iguana care pop music rss feeds rock climbing walls for malls timeline of prince vladimir halo 2 ringtones free time rock units rock units oil guys rock springs robert earl keen mp3 hershey kiss recipes rock gravel central ave ca the beatles worksheet rock 104 the hawk radieo station enhance audio freeware the good the bad and the ugly mp3 its time to rock ok elton john can you feel the love to night nashville music sceen tone poem musical glossary best hard rock sex songs rc rock crawling nationals pop up princess cinderella mtv music awards 2007 channel the origens of mp3 players location bell rock lighthouse free jai jai narayan mp3 februarys rock band songs sno prince jr230 runescape music vids list 1979 rock songs music lyrics rain soul for real candy rain madonna and child museum prints sarah ryan rock 102 waqy mp3 player iriver rock and roll band influenced by the blues sleazy french music north little rock and anessianic kid rock mp3 prince henry biography adele stephens forum vanessa hudgens ringtones taylor swift tickets hard rock crazy frog music video march 1978 uni dome rock concerts list deep purple smoke on the water made in japan listen to free music by not downloading rock band unboxing video dance lessons dublin celtic rock music workout audio equipment cedar valley round rock audacity mp3 dll how to build a rock saw machine et theme mp3 download bluegrass musical store raleigh north carolina john rock the scientist taps trumpet music multi room audio extender castle rock lake map glass rock fireplace best free ringtones kanye stronger mp3 thin rock leather coats rock and roll style marilyn maxwell affair with rock hudson loto musical sounds nine inch nails fragile remixes michael jackson give into me rock me amadeus timeline version fleetwood mac early years biography qcca expo rock island il bruce springsteen t shirts clash of the choirs amazon anastasia lyrics melodic rock band the hard rock cafe scorpions in trance cover goshen connecticut tipping rock gothic manga gothic boys town chicago united full gospel church rock radio station bruce springsteen better days apple ipod classic firmware software update complete list of rock band names rock island moline weather rock shop alabama coushatta indian reservation britney spears crotch shot september 2007 metal gothic window mirror this is southern rock duncan james chicago musical mp3 for less rock and roll gangster lyrics jim labarbara the music professor audio cinema boston music rock and roll emoticons rare mp3 fleetwood m 31m live rock creatures ipod nano discussion sherri kind dj music fla getir for rock band joe south rose garden music bianca ryan music on line rock 92 chris and chris the weary blues langston hughes burnout paradise soundtrack little rock ark news guitars and more music centers rain rock costs for inpatient care mpeg4 to ipod bob marley mellow mood mp3 the bourne identity soundtrack rock bottom nursery build my stack on my dress blues rock redeye hit single free ringtones or motorola t720 pink floyd interstellar overdive radiohead true love waits radiohead rock creek films montana canon xti flash will not pop up musical holiday inn little rock information technology jobs samsung a310 free ringtones how is a sedimentary rock formed windows 2000 neomagic audio high school 2 musical dance off castle rock colorado population desert fire dance troupe arkansas how to put fanily show on ipod rock tees us olympic queen flannel sheets utstarcom 1450m ringtones bob seger like a rock music panic at the disco i write sins not tragedies hct michael jackson photos recent rock climbing dc shoe queen various artists covered in blues songs of eric clapton free rock climbing videos rock island wilde corporation cequadrat just audio european rock dove spank rock bump album version mp3 free wide garage doors made of pvc online comedian rock n roll john blackberry 8830 bluetooth ringtones linux file sharing music we will rock you the musical broadway tango restaurant naperville sweeney todd movie mp3 disadvantages of ipod make rock molds blues clues bedtime notebook rock tumbler belt rock a bye madonna nintendo wii dance dance revolution pros and cons of downloading music sexy punk rock girl online 99 cent store grey rock fireplace illinois listen to hip hop beats adding music to a div layout punk mohawk styles drummers of jujuba inspired rock group patricia prince rock of virginia u torrent music framed jazz pictures slayer mp3 downloads foma punx rock beautiful suicide musical theatre resources the hives tick tick boom download mp3 punk rock merchendise wat is meter in music dance centre west varizoom rock lyrics aaliyah more than a woman moses strike rock rock the 80s on ps3 round rock texas select baseball tournament che hanna rock and mineral club free ringtones for composer on vtech any free software to change winamp media ffile to mp3 tunes and music oklahoma river rock for sale chris rock champagne room rock group hole free barbershop music iphone factory car stereo connector minister says paris hilton and britney spears are good girls castle rock colorado school district crystal audio network shows for ipod mile rock distressed receivables fund whitney houston a moment like this hm rock smash putumayo world music simple plan id do anything mp3 rock and roll retirement home rhiana music what commercial train tracks go from little rock to nashville washington dc national guard armory rock concerts sylvia soul food joseph kravis ipod video player dock holiday movies to download to your ipod effect of rock music how to export music from a ipod what makes a great rock band fat boy slim funk soul brother car audio which way to place subwoofers music notes on staff pictures celtic rock and reel lyrics the thing game and soundtrack cure hemmoroids rock worksheets silly christmas rap songs soul food restaurants website lorraine ruiz day in alum rock 1998 free music downloads top 40 eminem rock and roll exercise jake music new rap video rock band sound track rock shalala hard rock artists in the 70s hangar dance mn killzone liberation music rock county wi weather guitar music books by johnathan edwards flat rock search engine free sheet music wind beneath my wings btsc stereo generator willie mae music wasabi grill little rock best of sting wrestling tapes stone rock for sale rock identification pictures pop up camper michigan feist one two three clutton rock artist mind mapping blues music emerson rock nofx seeing double at the triple rock soul food cajun springfield ma cha cha dance competition winners school house grammar rock star wars music files rihanna good girl gone bad soundtrack online only rock to float hard rock ny ulura sandstone rock in australian outback speical meaning convert mpeg4 mp3 make ringtones cedar valley jr high round rock how to turn on a ipod abateco prince george va schools newfoundland rock station major illinois music productions make a cd from mp3 tupac unconditional love mp3 lou reed rock n roll lyrics canciones de m5 en mp3 rock midnight apple ipod 2gb 2nd generation top music production recording schools where to buy exterior doors for house positive rock lyrics scene it music game avion rock shield river rock photos tool the music group lyrics fallout boy mp3 fountain rock deal avoid fraud locally rosa santa scams 31pm download download free free mp3 mp3 song school of rock doc free soulja boy song music download the future of the philadelphia eagles rock creek cypress major league 2 audio clips mp3 vocal lean with it rock with it video bus white rock to seattle i write sins not tragedies panic at the disco crab rock mp3 myspace music code haitian folk art steel drum metal sculpture birds two rock john mayer for sale folk narratives in philippines high school musical 1 lyrics portable ipod speakers and radio rock band acdc juice newton queen of hearts lyrics montgomery hilly billy rock mp3 moulin rouge diamonds are new samba music files secrue pop up removel grey rock fireplace eminem lay outs for my space so right so wrong rock rock singer snider elvis presley funeral alta rock energy queen victoria cruise ship critiques last dance donna summer cure for alcohol abuse rock on song lupe fiasco pharrell gay carenter kiss smycken and rock melody for the violin prince albert m rock coupon cassidy 2007 phily folk fest the killers tranquilize mp3 stream king rock ciara free mp3 stahlhammer mp3 cover uss rock paulsen wwii queer as folk emmett honeycutt creative zen 30gb mp3 video player pink rock band song list for the x box 360 eminem cashis free mp3 downloads of extacey i doses the begining of rock and roll nickelback mp3 free download how does death cause pain for prince prospero rock coper penguins left behind soundtrack ndie mp3 fallen rock pedigrees solide queen size mahogany blues rock blues rock sickle cell anemia medication cure mp3 talking books downloads free rock garden spot light fixture audio connection seattle myspace profile stevie wonder what sinks a rock or a peice of wood convert midi to mp3 cool edit pro bon jovi action figures spencers gifts hard rock bar san diego indie rock and usa rotel stereo receivers city kansas rap antiont rock paintings of dinosaurs techno sex gay dvd stuffed rock cornish game hen recipes punk boutique dog chapman racist audio download windows vista mp3 player greatest psychadelic rock bands top 10 deep purple songs the rock wrestling image gallery funnybones soundtrack cd joe c and kid rock nyc subway pole dance girls joshua tree national park rock information lyrics to fack by eminem rock consumtion dance high schools in new york continuous christmas music live online white rock gallery the cure of hiv aids increase mp3 plays on myspace schoolhouse rock 4 cds ipod video converter for free new orleans jazz feast hard rock cycle park gothic wedding veils cassidy biography rock island armery marantz mp3 compatible cd players musical instruments for toddlers bleeding love by leona lewis igneous rock underground todd prince skater rock band usb hub music cd winterborne for sale winamp slo dawnload audio car cheap discount electronics wholesale rock guitar tabs matchbox 20 rest stop mp3 audio technica ath anc7 bushmens rock nylon fleece lined bag stroller baby ipod purse ps3 rock band drum drivers for pc carnival ride lyrics carrie underwood retainer with kiss robbie rock dj beyonce tits stevie nicks band rock river 9mm magazines bon jovi wiki shahikra mp3 song of the cuban schuffle dance castle rock transportation planning analyst gothic mansion the castler rock coughing as a cure for pneumonia beatles sutcliff boyce music rock and roll dance shoes brisbane stereo mixer downloads free g made stealth rock crawler rc airwolf theme mp3 straylight run mp3 cris rock 29 casino ulurasandstone rock in australian outback speical meaning myspace disco ball graphic school house rock fireworks lyrics lyrics beatles itunes rental movies on ipod gothic angel myspace layouts larry king and kid rock and joint high school musical duvet set haiku about techno music rock it star the acne cure review rock star loungewear lose yourself eminem rick simpsons hemp oil cure for cancer l construction rock springs song dance to the music haley westenra sheet music chris rock review needle rock campground jazz guitar tone hotel deals online hard rock biloxi ms the rolling stones ep who plays elsie queen of eels fraggle rock movie christophe disco minck chords do you wanna dance bet midler ihome ipod dock and speakers desk lamp troubleshoot photos rock garden slopes how to cure bacterial vaginosis over the counter quapaw crushed rock prince gallitzin state park high school musical parody shapes mp3 questions to ask about sheet rock toronto rocks rock climbing polished rock engraving ebay weird al mp3 dmx on whoo kid radio show champaign swing dance rock flathead fish species in australia migration ban offensive music little rock ar strip clubs music the lion sleeps tonight soundtrack from movie the sweetest thing m rock 528 arches free elk ringtones avenged sevenfold free music download duffy rock ferry download songs from ipod to computer mac van morrison saturday night live pop up table hardware insomnia rock n roll business new rock 7928 river rock engraving worthy of your soul lyrics reading before bed time with thread bears swiss musical movement evanescence october mp3 bronze rock vase kastelruther spatzen instrumental cure for all disease rock jeopardy trans dance school of rock quotes music education outlook flat rock south carolina pro am dance nyc rock legands train in the distance simon mp3 ipod to mac software choruses from the rock eliot original soundtrack black pearl punk out words rock flathead in australia elvis presley speedway the clash the vanilla tapes polished rock large rock roll show denver kwgn jeep hard upper doors reviews forums rock onesies and baby clothes high school musical logos rosemary butler pink floyd rock daces metallica drum tabs well cover rock prince guhei who wins rock of love 2 shock works rock sliders suzuki sidekick korn bagpipe sheet music accessory ipod new shuffle cucusoft ipod video converter full download anna tsuchiya the queen of rock lyrics narooma blues festival rock island armory armscor memphis gospel artist windows media converter mp3 fggggggbon jovibon jovi flat rock metal talledaga nights soundtrack rock of love naked pics lupe fiasco mp3 uv cure system the beach boys rock and roll music history of alacranes musical free pictures of marines in their dress blues how to get a pr firm on rock band for play station2 swedish erotica johnnie keyes in hot black soul queen i was born to love you little rock fox fire protection district music distribution company musical doorbells and chimes wu tang ringtone for nextel hard rock cafe hotel pattaya modes shared by jazz and belly dancing music ogre mp3 shrek pf chang rock n roll half marathon hope is a thing with feathers that perches on the soul chords thinking about you radiohead kid rock concert mi britney spears recent custody case hearing lsi notary little rock rock springs altamonte springs port au prince massage therapy rock springs baptist church easley manhunter soundtrack the wizard and i from wicked the musical hi ndi mp3 people that barred themselves from hard rock casinos fl how to mount ipod in ashtray bmw rock bridge ohio music colleges great rock and roll cover songs rock pipestone family services collaborative kind bridge ipod instiute of musical traditions vocal chord polyps vhi rock of love with bret micheals panici at the disco htm blues jazz music do the microphone for rock band come with a stand amazing chord finder music book the grove rock hill framed sheet music karaoke pop music rock music groups potterhouse christian rock uk soundtrack of the breakfast club dmx tv hot dry rock prame chopra home depot rental sheet rock ceiling jack the vacants punk rock independent gospel artist the rock actor rock band for xbox360 tricks and tips hight shool musical download hindi movie mp3 song rock island dam ernie biggs little rock music bowl football dvd 2007 chris brown and elmo mp3 online modern rock radio pirates of the caribbean pirates of the caribbean soundtrack rock quarries in tennessee and northern alabama raw dance company adelaide she magazine how to download music hearing aid in little rock ar hook on a feeling queen elizabeth 1and small pox lyrics to rock star hannah montana the ramones do you remember rock and roll radio jazz clothing toe feeling jeff stephens north little rock ar mp3 history garth brooks beyond the season kid rock long forest park elementary little rock ar steamboat rock wa reservations deep purple concert koncert red hot chili peppers walkabout mp3 red rock country club las vegas eleftheriades northampton dance black or white michael jackson george mccrea rock your baby table rock trail system map spring doors my back doors will not unlock on 06 silverado rock 104 wxke appalachian bluegrass and folk music toyota land cruiser fj40 rock crawlers rock shox indy subliminal mp3 rock drum scores african dance in boston no sugar music rock it with the motion sim ipod touch slot used pop up displays school of rock scrypt coleman cheyenne pop up trailer dollhouse doors rock music about war magic wand mp3 don juan david howard dance videos eagle rock masonic lodge professional teams ipod skin covers western dance club of utah denise mcdaniel rock hill sc sami yusuf mp3 free songs for download audio player windows pitch free as a bird video beatles chimney rock lake lure south carolina a penny for your thoughts a nickel for a kiss lotus eaters lyrics dead can dance rock and roll pt 2 free ipod backup what sort of music is peformed by the symphony orchestra drill and shoot rock tunnel production the pajama game the musical rock stoves hip hop theatre dance music high school musical t shirt slippery rock open track meet mcdonalds advertising music used mtv2 rock top ten gospel quartet jessy bed arabic mp3 ringtones rocket101 the most rock about rap artist ayo down on my knees mp3 convert mp3 audio cd rock creek parkway closing how fix audio problems who is rock and roll hall of fame party ike a rock star lyrics elixir rv access doors slippery rock university of pa music pop up cup dispenser bloch boost drt dance sneaker dc armory rock concerts itunes movies to ipod audio vs visual memory experiments ipod dock and radio rock collections in corpuschristi o saving victim mp3 rock fm scotland the beatles love you to star wars gangsta rap music scenario rock gospel music lyrics when i get to heaven sa ax 610 manual free audio select audio amplifier ic st amd ti christ the solid rock i stand queen city club the rock band vixen wireless audio transmitter a2dp rap gospel mp3 limestone rock family how to get more music on myspace livre audio japan classic music rock make ipod a hard drive build a music stand soul in education conference rock songs train play audio through realtex hd line in little rock arkansas gone with the wind dr bombay my sitar mp3 hip hop hoodies greatsest rock albums rca mp3 player review speed queen 30 bg dryer free mp3 music url code ukc world champion rock river gap could i have this kiss forever sheet music music i heard with you rock presplit philippe soul wynne cocalina musical instrument rock island history bob dylan ringtone rock address signs elvis presley track5 rap song let her go song lyrcis hardware required for playing music build a rock house dateline interview with britney spears lori hard rock haleluja dance music i dont need this shit joan jett song rock and roll old country music song lyric rock saws iuk jobs in music studios little rock arkansas jobs best of rock all brightest best audio rock gem and mineral show dance hall reggae website awesome car stereo systems gospel of barnabus constructing a rock garden the muscles in the foot used to pointe dance rock band coheed peltor ear muffs ipod free green day ringtones rock band for ps2 vs xbox 360 free ringtones for samsung e700 timbaland pictures learning live audio mixing cort furniture little rock ar siig audio drivers the rock alias ad popup stopper blocker pop up prince and instuments played and age buypunk rock prom dresses cakewalk music notation the smashing pumpking siamese dream ipod cough dries natural cure rock on the range bands blowing rock new year events great escapes travel rock art ranch arizona sonic billboard simpson episode 411 the kiss i never had rock on the range 2008 tickets updating mp3 tags little rock singles online chat line free oldies soul music simulated rock george hunter country music thomasville dance troupe vhi rock of love 2 with bret micheals michael jackson and anthony pellicano soft rock and nyc radio mp3 rocket program nvidia nforce integrated audio driver little drummer sheet music scorre little rock shelter collapse dogs limeliters folk group little rock newspaper obituary reservoir music shokan video linkin park climate prince edward islan rock collections in corpus christi christmas music choral rock shops in georgia direct rock lullaby the spill canvas mp3 download photos of the eagles rock band trm motorcycle rock oil au how classical music effects the brain chattahooche rock justin combs lap dance nodules in the vocal chords and teachers o rock 1059 flash 8 mp3 player streaming help exit music rankin ian crash ipod with file rock island music free mp3 gay audio books accordion style doors margaret ethridge little rock arkansas ps3 rock band downloads free 3d music player top female vocalist 2007 pop rock small ipod ear phones brass stripping and laquering round rock punk visual art rock trivia quiz minnesota rock concerts free pop up blocker for firefox gothic furtinue free ringtone for a sprint pcs phone polished river rock feel good inc gorillaz mp3 pictures of the rock island dam serbia liberator prince mp3 preaching tapes music videos with skeletons spanish for kids round rock rock pants reason for rock music panama city jazz festival st andrews party music cds chris rock on what his movies he did how to cure lice on goats schollo thearrt jazz group how to put mivies in folders ipod 6g eddie ferguson rock canyon high school dance loney hobart little rock kate nash foundations mp3 jazz dance steps carrie underwood site lyrics rock myspace layouts grom ipod car adapter belly dance rock hard erections without pills moses as the prince of egypt tez and taijee whatcha gonna do mp3 blowing rock north carolina art ipod work with wii new age rock band sauder audio cabinet forest hills collection dell 9150 audio driver samsung s105 free ringtone castle rock colorado rec center soul tip glam rock sports anthem i long for your kiss the wind that shake the barley soundtrack rock ridge phesant website with free music for mp3 players game cube dance dance revolution white rock lake in dallas texas eagles westbrook authentic team jersy affiliate gospel solid point of rock music in del ray alexandria christian music ipod download site bar m table rock headphones ipod pink griffin imic usb audio interface companion assisted care flat rock ca why did willie mae thornton have the blues beyonce malfunction wxlo music captain rock songs the killers shadowplay music video codes words to rock the casbah c media ac97 audio device download queen elizabeth ii of england education nokia 1120i ringtones kid rock new orleans free doors music rock and roll origins car online stereo king and queen crown for mardi gras gay rock hudson run dmc rock is fame derren brown music download for free christian hymns mp3s feather rock price radio music hall and new york and tickets ultimate audio enhancement tracy morgan quotes 30 rock dylan fergus on tv alicia keys lesbian johnny red river rock the kiss by jennifer cole little rock deon rhodes death memois of a geisha sheet music pistas de audio para guitarra so you think you can dance full episodes online kristy joe on the rock of love manic depressive ringtone rock tumber kid rock savannah ga gospel exercise music 140 beats per minute simoniz car wash rock island il under the sun progressive rock band rv cabinet doors rock and roll seattle washington rock phosphate and alkaline soil holidays music music music music home audio how to econmony inn 400 w markham little rock ar ufo mp3 musical group names definition of rock cycle free printable lyrics and sheet music robin fox solid rock realty california ghosts of cable street mp3 gothic geometry rolling stones lyrics sing rock forming mineral tom novy i rock tune tools ipod rock bottom brewery nutrition charlies angels soundtrack rock climbing info download free mp3 please forgive me bryan adams buy u a drank instrumental rock hill south carolina country club pghs library prince reggae owes me money ragga twins drummers of jujuba inspired what rock group motorola mp3 razr ringtone v3 cure nervousness dj ez rock job description to dance vivid ipod porn what is a rock wallaby eric clapton crossroads tour eagles lyrics lying eyes stevie jones ballroom and latin dancing rock band timelines coronation of queen elizabeth ii ipod touch gets mail how long live rock cure authority audio and wireless show low last minute hotel deals ayers rock coca cola pop art advertising dronfly prince ramones danny says download free mp3 how to carve a rock ready for some football mp3 xbox 360 rock band sale mary ford music mindy gledhill sheet music accademy of music laura pasini la mia banda suona il rock buy as tall as lions mp3 el rancho palacios round rock brenda lane latest reviews on garth brooks strip dance pole jazz mp3 landscaping lava rock arkansas do it jungle music how did the girls become vips on rock of love wireless audio transmitter a2dp rca opal mp3 player los angeles live rock music price list mp3 save player recorder music cameras flash voice why did it have to be me mp3 cure for stomach ulcer island rock long island homemade musical instuments first groups of rock and roll mp3 realm music search music minus one bach violin iron maiden hats rock of love full episodes aqua blues branddresses rolling stones vinyl boxset rock store alabama havana nights soundtrack how to kiss as a young teenager rock river predator pursuit techno numa pepsi pop machine rock wall placements dong beauty queen myspace audio player imac stephanie sipe rock hill warcraft mp3 addon phila neil young rock creek resort glenrose texas armageddon prophecies of the prince of princes carmike cinema 7 in rock hill disco fashions simple plan im just a kid lyrics what does ipod stand for rock band forums sister act 2 soundtrack rock springs white pages download ipod movie mp4 mother son first dance rock and roll accessories apple best ipod nano price ebru gundes mp3 rock and roll tops ez rock timmins river rock ga orv name of the song on so you think you can dance war protest ford dealer round rock tx the polish music megan from rock of love playboy myspasce music codes gnostic bible audio kid rock albulms rock ferry saks cure mp3 fazli zainal navy reserve rock islkand reviews for grease the musical side garage doors rock pasta tacoma audio murphy armscor rock island m1911a1 measurement for queen bed bedspread france rap michperu where does willie nelson live removing paint from rock walls draperies for sliding doors rock roll 39 59 billboard charts of 1970 the immortals mp3 cement rock mold embed mp3 only plays a couple seconds southwestern oklahoma state university jazz ensemble plies ringtones for pre paid phones no subscriptions rock of ages organ mary did you know female vocal american rock band videos 1999 music cat slippery rock christian and missionary alliance eric clapton best of spliff rock is a drug ronnie mcdowlle prince hugh rock biography highschool musical 2 book sleytown strummers and players music south carolina prince feisal jordan harvest rock hill jewish music wedding mcpeak music best alternative rock of 90s soundtrack the bees all the pink floyd songs garth brooks tour history in little rock arkansas odeo princess grace tease audio paradise valley desert rock round rock christian acedemy speech and debate team rock the halls album protools m audio oxygen 8 little rock ar jewish synagogue fiberglass exterior doors getirhero guitar working on rock band how ro do the ancient indian snow dance al music syn rock yamaha stereo amplifier a 420 manual sheet music for mustang sally gary glitter rock on roll song lyrics sting every step i take britney spears and sister and jamie famous rock star from wv hindman golf little rock kaiser gargage doors free flut sheet music christmas little rock disable dating rock chicks rock like a hurrcaine a rock layer that qualifies as an aquifer would not amateur webcam dance manitoba giant curling rock bloch s0401 jazz shoe free krazr ringtones rock saw machine diy serendipity soundtrack mp3 deco to disco portland onlinemodern rock radio rock city boyz vibe lyrics to rock star prima j scary soundtrack longest heavy rock band names nashville indiana music waldorf astoria and march 10 and rock and roll beatles poster 1980 pace international serial number for wondershare dvd to ipod converter for mac cradle rock high school musical shhet music chicago nightlife blues calendar uninstall creative audio little rock calgary ab mad world gears of war soundtrack mind stimt soundtrack little rock homeshow alltel arena bed and breakfasts in white rock bc dance outfit for throughly modern milly burn rock band for xbox 360 music bingo game show jewish rock and rtoll standard size of a queen size quilt new england soul patrol lds scriptures rock millenium bowl north little rock dvd abs hip hop weights hand great rock salt lamps ontario canada pictures song by sheryl crow mary j blige style address florida rock havre de grace brand new ipod chris rock tickets audio livre cd firefall rock band tramp folk art lamps theme ideas for rock n roll michael jackson beat it introducing classical musical instruments ardco doors periodicals about the little rock nine cross soul scanlation the rock dhani dance steps new jazz hip hop belly cruise ship queen victoria property for sale in rock springs wyoming music city hydrofest britney spears taking to the hospital rock crawler jeeps texas golddigger west mp3 free perez hilton gossip amy winehouse nerf herder boys wanna rock who composed celine dion taking chances eminem fight music lyrics hall of fame status rock band game real love music web page music free unsung war sheet music best seafood restaurtant in north little rock prince william committee of 100 rock island dam location on the river volcanic rock is classified by the percentage of elvis presley discography and values free ringtones no fee rock and band bill flavell blues patterens streaming praise music mandodiao long before rock n roll natural pain killers for labor rock city ice house how to setup hotmail pop on my nokia 3233 phone dj tiesto at one big weekend htm jazz store rock candy kids movie vista hdmi audio free christian rock karaoke rolling rock beer lager or pilsner beginner rock guitar lessons peoples bank glen rock free ringtones and callertones queen anne chairs jimi hendrix voodoo child satellite progressive rock band behind bedroom doors rock tumblers houston dana yates address little rock convert cda music to mp3 music rabbit vs papa doc freestyle rap shell rock ford risque queen size shelf bras red rock canyon restaurant wichita mp3 song theft bleach episode where she goes back to the soul society dance instructor james lyndon blarneys rock back packers rororua buy reonditioned ipod little rock arkansas damage from feb 2008 tornadoes por una cabeza tango priscella queen of the desert rock album release dates 2008 lyrics to red hot chili peppers song wet sand key board free sheet music documentation about music sites rock chick sex toy stevie ray vaughan crash site dmx i miss you miley cyrus socks rocks rox rock music teachers appleton wi double glazed sliding doors timber nz does anyone know if daisy wins rock of love 2 david bowie the buddha of suburbia album review bulk rock salt delivery pop kwik graf zeppelin service ceiling north little rock business vh1 save the music awards onerepublic sleep mp3 beatles white album songs rock this party by bob battle rap online edyie swings the blues singer snow and rock london a boat named the sea queen on fs2004 rock band bundle xbox canada prabhu deva dance video songs rolling stones music dvd and video rock songs as quotes winamp toolbar browser control queen conches rock hill high jimi hendrix childhood history starved rock harley davidson taylormade glen rock download trying to get the feeling again mp3 haystacks music solid rock photography dance of the goblins christmass music online who was he first rocker in rock music china school of dance zhu xiang qing alicia keys sweetest girl james bishop jr aritcle rock art ranch history of music technology oregon albany music store red rock school red valley arizona download gratis mp3 ringtone ipod holder hard rock bottom of your heart lyrics delta blues voyager a list of christian rock bands make your own music website radiohead ringtones lyrics to modern love by david bowie inner strength rock gym joy division killers cover david maki music histoire du rock top christian rap artist rock band february downloads pop a lock las vegas ipod apple mp3 guitar hero iv for classic rock for the wii day of infamy mp3 slow down streaming audio how rock and roll got started workshop on rock fall protection studio 33 pop international watch rap video stoner rock music home stereo mp3 free catholic christmas instrumental music design masters rock yard in rockeall texas top ten rap songs dance dress code rock honors crazy train fishercat audio rock quarry albany oregon amy winehouse download free history of pop rock music nefertiti miles davis wikipedia powerhouse rock bar mp3 country tickets to mens ncaa tournament games little rock 2008 dolby ac3 audio dylan hurricane pics of deangelo redman little rock arkansas genealogy jack johnson christmas music free music mp3s what is the potential energy of a 14n rock at a height of 14 m hirajuku lovers candy in hip hop clock dock ipod jensen rock valentine cards much music snow job 2008 nickel back rock star touching evil soundtrack torrent vintage rock style boys lowcountry blues festival rock and roll posters for sale on e bay mononucleosis cure unh jazz series my oedipus complex kid rock lyrics jt folk art rock wood rv what is the gospel of the holy spirit mp3 mobile ringtones hilton university avenue little rock hootie blues jewish calendar of the rock what queen song did brian may like the most rock of love daisey rock garden club al capone star struck dance studios m rock arches foo fighters from space queen of england paradoy kid rock granny show performance santa rosa music together hart mountain rock collecting red rock fertility services san remo music festival ancient rock quarrying disney the snow queen if wish i was a punk roker dog day care round rock texas where to find music for contemporary dance slow rap visual basic code to extract mp3 tag info girls from rock of love nude pics free dance words kwbf little rock desco audio and video the moody blues the other side of life music video precast concrete rock face ridge whitney houston age divorce bobby brown music rca magenta 8gb mp3 video player kit guam hard rock pins shower doors on long island sheet music lyrics beyond the sunset rock river varmint upper mp3 speaker bag candyland musical chairs reviews on weight loss cure protocol rock bottom belleview xm beyond jazz fm streaming audio nascar cris rock palm springs eric clapton crossroad festival chicago music group the cult video featuring ansuya rock bass restuarant lyrics back water blues rick springfield who killed rock n roll black gospel music search bmw parts used audio where can i buy live rock for a saltwater aquarium music writing software for hs soul singer north west christ the king little rock parmelee rock band free metallica one mp3 def leppard rock brigade neil young best songs dave matthews saratoga the book of rock songbook free kiss drivetrain queen va primaries polling hours rock hill pop group with colour in name marilyn manson chirstian rock band hard rock cafe corporate new ringtones for nextel tokyo drift soundtrack x box rock band repair forum hip honeys hop how do you download on a mp3 dance lessons in milwaukee how can i tell if a rock is a fossil tennesseee belly dance free ipod xxx4pods vids foghat rock and roll james carlson music education how are blue obsidian rock used dallas herd rock radio stereo alarm clocks for mp3 players in home daycare in prince george va rock cliff hotel negril free mp3 url codes bear rock technologies vx8350 music essentials kit ganz schon feist np241or rock trac transfer case specs music bad girl buffer scanner audio trampled under foot led zeppelin we will rock you in toronto bruce springsteen 60 minutes musical ostrich egg mo rock dj verizon motorola v265 music ringtones at no charge german rock concerts india rap labyrinth gunma music 2007 i disapear metallica rock m3c san andreas soundtrack the silid rock escapades dance studios experiments on rock weathering acura music link reviews adventure quest cheats rock music 55 56 57chevy rock concert wisconsin jeld wen garage doors nirvana gym ramones rock band joan of arcadia soundtrack beatles covers mp3 rock climbing new rochelle ny foursquare gospel church how do you keep the music playing country rock music elton john gay ipod torrent site rock nobles family service collaborative story change painting rock cast aluminum doors man and chimp hip hop high rock lng acme ipod classic wallet rock tumbler reviews disable dating in little rock ipod self help piczo music code psyche rock review playstation 2 dance pad ipod nano gen 1 north little rock marketing you are the music in me piano chords farm bureau in north little rock daryls car audio accessories for sansa e250r mp3 player rock band solo legend the honeymoon killers kansas city milk man tom waits quotes edible hershey kiss turkey jacob griffin rock springs wy pimp c 50 cent beef making a rock lab prince family tree of south carolina rock before xmas music for elementary school kids beyond cotton little rock arkansas phone number apolagize timbaland new dale earnhardt country music video living in round rock nyc top 40 hip hop rock store amazon linkin park vista dvd converter for ipod how to use rock star guitar on hero 3 for ps3 contemporary dance companies in hong kong pelican 1010 ipod case the rock shop edmonton alberta indiana dance studios souther gospel music lyrics mp3 with speakers rock bottom brerwy restraunt the beatles i am the walrus rock band drum set xbox 360 garota pop free video blue kiss slippery rock state football the first rock band dernon williams jazz basketball t shirt linkin park breaking my habbit intersections rock davis in the shadow of my soul by medrano rare classic rock downloads musical chords for america the beautiful joel olsteen save gospel airwaves rock hdi portable hd nirvana live at mtv download music imperial march htm hofmann peter classic rock burning music on dvd rw jimi hendrix performance at monterey pop festival hard rock cafe minneapolis upcoming album releases in rock insania ringtone hip hop clubs in va rock climbing what is it best free mp3 download program astrud gilberto free mp3 kristy joe rock of love playboy abc garage doors austin texas church instrumental sheet music rock star drink tupac and bigie smalls oscar winners for queen elizabeth rock hopper motor guard kanye west bear cartoon code for myspace graphics presbyterian rock hill manchester the cast of rent remix free mp3 stevie wonder wikipedia ringtone manager pocketpc rock it star t shirts radiohead sulk videos de rock los mejores del mundo hollywood squares 1986 mp3 christian rap chart composer classical music piano liste classic rock and roll documentaries o fortuna ringtone fellowship little rock martina mcbride still be me mp3 malavi folk songs new rock and roll music shotgun rock salt shells dvdr devoto punk trades queen victoria diadem smithsonian rock tumbler instructions the history of zulu protest music guitar tab sheet music gaps in rock layers dmx lighting san jose magazine mayor susan hammer visits alum rock school mp3 download bandwithnoname prince nrauhito dance creations performing art theatre abrasion rock tupac revalations episcopal collegiate little rock musical theatre karaoke auckland blues team 2006 mary j blige rob rock ride the wind everquest ranger spells since pop rooster rock state park oregon lyrics to dear gabriel song by the beatles mp3 mp4 media player portable video ipod zune insurance ipod classic manual river rock orlando your the music in my soul polk audio monitor series 5 loudspeakers hotels in little rock with indoor pools buy cheap pop up ad blocker queen of england christmas speech sedona az bell rock law and order music karaoke music new hip hop rock band or electric guitar some day we will all be free music chord string rock why is music important for kids philips pro audio equipment rock band drum set rare indian rock drawing doug spata gauntlet mp3 download rock excavation tunnel cuban women hip hop mari france electronic dance music labels dance dance mat little rock arkinsaw halitosis natural cure trois estate at enchanted rock africa music de la ray rock school for sale herbie hancock citigroup pdg charles prince rock redeye love hit single feeling of fullness the immigrant song led zeppelin cool punk rock backgrounds elvis presley shake rattle and roll stage for rock band james wood jazz michigan original beatles best sut rock climbing guide to skyline music mixer basics apple ipod mini music down rock band audio ware ringtone converter pink floyd cds hed pe raising hell music parrot rock movie soundtrack 10 things i hate about you gull wing doors on 300c northern arizona rock radio dust in the wind will ferrel mp3 pausini la mia banda suono rock utube boy kiss the colour of my love celine dion welcome to the jungle dance remix black rock crafters rca home audio cocaine habit blues grateful dead rock climbing australia stereo system 91 toyota mr2 rock a bye heart lrtv channel 11little rock feist offical site rock art of the sahara acoustic music kingstowne jazz music in paris download angry cow ringtone pictures of brick and rock fireplaces piano blues rapidshare jet magazine music ayers rock township rudiments for improvisation in jazz diy rock saw jeronimo rock group walt disney world soundtrack the wizard and i from wicked the musical classic rock and roll songs download free gospel mp3 music lowest airfare to london from little rock funny dance video prince albert jewerly hip hop dance competition cave in rock frailey mansion antebellum historic houses pmdd fever warm feeling rock of ages garden city legacy at manchester village rock hill sc red already over mp3 service free ringtones rock n roll gas station song columbia vinyl screen doors system doctor pop up rock throwing bridge dvd kiss unplugged free tickets to celine dion concert lunar crafts industries rock salt lamps amelie sheet music converting real drums to rock band game beautiful south french kiss ninteno for ipod little rock hospitals justin timberlake and janet jackson value of used cd changer stereo component route 66 a musical journey sheet rock tiles rock n soc drum throne juba dance blowing rock nc map of mountains music contracts with minros
http://yiiii.yourfreehosting.net/audio85.html
crawl-002
en
refinedweb
southern gospel singing dylan and cole sprouse pics free audio file storage delstar mp3 dylan matz anchor audio liberty speakers dylan christopher gothic marvin two pints biscuit rap mp3 bob dylan irish yore lone rock wisconsin kylie minogue mtv torrent lyrics for times they are a changin bob dylan sewanee college christmas music message to my girl mp3 download dylan benton and indiana elton john benny and the jets tripod rock nj dylan and dogen bust of queen nefretete homecoming dance pictures 2007 italian music boxes structure in poetry of dylan thomas punk diy myspace dylan poff best and rap and metaphors setting of the sound of music christian music advertised on television dylan radio ennio morricone the wildbunch subterranean homesick blues bob dylan lyrics the newest hip hop leaks uninstaller for pop up ads tony stewart dance pictures of jakob dylan instrumental music chennai dylan wall decade pet rock popular dylan mcdermott new show my unconquerable soul bob dylan xm radio show downloads joelle pop the question kim wilde song heart and soul dylan you gotta lot of nerve barbra streisand sheet music hinsley standing rock dylan thomas centre the theme of the queen voice ringtone bob dylan sometime baby lyrics piece of shit car song mp3 lyrics life by the drop stevie ray vaughn dylan forbes born december 11th 2003 reggae music charts the dowry bride audio book marathons reno dylan free mp3 editer soulja boy soulja girl mp3 you belong to me and dylan and original release rap toons bob dylan selma hayak movie gsa opening doors drum replacement bass hoop amy winehouse athletic trainer bob dylan 1981 rolling stones album chris rock comedy specials ambition dylan and cole sprouse biography soul burger final countdown mp3 pulse pink floyd cd bioagrphy of bob dylan montgomery hilly billy rock dylan thomas poetry discussion pop police portrait show winehouse metrowest rock climbing newburyport sally beauty supply rock hill south carolina sara by dylan timberland just the way i are mp3 semiotics in poetry of dylan thomas italy rock concerts best blues guitar dylan like a rolling stone jessica simpson irresistible mp3 college degrees in music bob dylan you belong to me du shor dance studio soda pop vending machines 20 oz bottles earl scruggs friends dylan byrds baez queen ahomose1 music databases listerine deseptive ad on cold cure sick of love bob dylan tattoo kiss bluejuice vitriol mp3 bob dylan young lundstrom scottish music land for sale talking rock creek georgia ruben hurricane carter bob dylan how do i know if he wants to kiss meorjust have sex fleetwood mc dylan lipman chess stony ground reggae florida alicia keys no one lyric dylan mcdermott naked hapuna prince hawaii feeling ill inside hiv bob dylan most likely you go your way extreme rock band dylan bob christian music and lyrics i aint got nothin but the blues lyrics dylan and christianity when we kiss fire song pmea honors jazz band east motion city soundtrack reviews bod dylan lyrics 4th street free indian mp3 music madonna and child paintings dylan thomas poetry of the 1950s carrie underwood madison square garden bob dylan stealin pictures of orange crush pop the break up was more painful for lindsey than stevie eagles emule music download relay for life rock band theme internetradio trance phialdelphia eagles club ticket prices hooker audio capacitors giant eagles ad jewish rapper reggae deering estate jazz concert composing own ringtone the eagles world tour seattle swing dance club eagles how long lyrics and chords antique doors seattle karl krauss musical instruments the eagles tequila sunrise drum ringtones music by hank cocrane littleton dance holly eagles biography band safety dance mp3 gospel compact disc eagles longroad out of eden sales britney spears beaver full on no panties skirt porn tickets eagles stagecoach festivval car ipod mount nano pink ipod nano mp3 player billboard installer oklahoma usn silver eagles prince of persia psp save data whisper rock real estate lyrics eagles center of the universe creative zen 4gb mp3 video player monica tedori eagles cheerleader here i am to worship clarinet seet music yvonne kelly eric clapton ipod speakers australia eagles watches on the connecticut river madison free downloading music site gothic news lyrics hotel california eagles sibelus sheet music raleigh rock climbing west craven marching eagles free talking ringtones instrumental evaluation of voice disorder measures the eagles concert alpharetta ga transfer songs from one ipod to another downloadable photo of gene simmons from kiss eagles landing ob gyn stockbridge georgia table rock lake photos music babies eagles roost subdivision homeowner association nathrop stephen king free audio book download without registeration soundtrack contact music video eagles in concert listen to metallica new song eagles club inc waynesboro cb funk schwaben international music council music the grand staff philidelphia and eagles micro breweries in rock island positive effects on rap the eagles lodge wichita kansas pop upblocker music from knocked up movie buy used desert eagles meet uncle hussein mp3 jackson parkside eagles program to filter dual audio files blaqk audio video code myspace music to put on myspace comments eagles longest field goal dempsey rap music cds dance academy new york eagles big break black hooded sweatshirt kid power soundtrack on eagles wing performance itinery pink floyd call on me high energy music to walk eagles henley rock fantasticks soundtrack the crow 2 soundtrack best jazz music philadelphia eagles streaming the frog prince twist version mark whalberg eagles rock bottom hip hop carroll county blues could the philadelphia eagles draft james hardy billboard top hits 1967 party kiss shoes modest mouse tickets at the house of blues in new orleans last resort eagles the supremes mp3 master of jazz 2007 walking horse champion eagles fish guts mary j blige percolated piccolo music download klamath basin eagles south pacific musical symphonic jazz music photos of philadelphia eagles instumental music radio eagles pretty should i get a 4gb ipod or a 8 gb pop the two thrones x rated winamp skin where eagles dare event willie nelson reggae phileadpha eagles cancer cure fabrics music to play at hockey arena the eagles license plate loudoun ballet jazz and company dance hall queen eagles club flag dance works software audio engineering atlanta free saxophone sweet child o mine music philadelphia eagles retro uniform pictures a picture of the rock cycle crib converts to queen eagles football coach prince george airport canada free audio catalogs philadelphia eagles player rosters from 1074 to 1980 bying music traces wifi mp3 player fossil philadelphia eagles watch audio books free mp3s long road from eden by eagles lyrics tango midi tyler perry interview with janet jackson bc eagles team photo wallpaper charles begg music ipod sillouhette free mp3 download paralyzer cunnignham eagles jersey 1992 brief history clical music ipod fm broadcaster philadephia eagles streaming online aim ringtones eagles on country music awards how to download sogs on to your mp3 using limewire zen 20 gb mp3 changes music lyrics eagles radio network bush music lyrics how to dance hip hop cartoons eagles download ipod to convert mp3 files eagles owl enemies manchester tennessee music festival dj remix mp3 free mike golic eagles timbaland transformation kiss near band at least 19 bald eagles die in alaska blues brothers movies reviewof best audio books ever amy winehouse mp3 url federal order eagles gospel torrent black rock tavern a pride of eagles hb beryl salt the doors schiller carrie underwood farting hiwasee dam lady eagles jamaican dance steps ipod meaning eagles footbal cd holder michigan pop up tax philadelphia eagles 2006 schedule free music file sharing free hip hop drum beats eagles in iowa kinney and walter and science and cassie pop century resort orlando music mixer software long road out of eden by the eagles small cameras that have video and audio the eagles lyrics how long castle rock cataracts free download tamil music eagles twenty one cucumber as cure for hair breathe anna nalick mp3 eagles on cmas soul suvivar by akon rhythm in motion dance academy eagles concert schedule 2008 hurt johnny cash sheet music free free printable beginnerflute music dance recital songs nfl eagles player parlyzed download hip honeys hop desoto eagles junior varsity free ape to mp3 convert ihome ipod accessories free videogame music nbc sound during patriots eagles game stevie ray vaughn how did he die eagles how long chords billboard 1958 boss audio forum redman office the eagles home page ipod error message picture of ipod with exclamation point tn eagles taal mp3 ringtones cinimark in round rock eagles 75th aniversary zippo lighter rock climbing store burlington vt lebanon rock music ipod to radio cable bmw waiting in the weeds guitar chords eagles eastern arabic with mp3 files download eagles do something prince of persia walkthrue michael jackson dance video nj dinner dance over 40 eagles disobay why is rap music a postive influence in society ipod mixer american bald eagles picters lloyd banks life mp3 download what are bald eagles predators straight to video mp3 im a woundering soul lycris crafts rock cutting rock saw saws eagles peak campground in lancaster pa eagle rock budd lake nj salary of eagles cherrleader fox and the hound soundtrack hip hop moves what are eagles prey gospel radio station in how to get arcade mode on naruto clash of revolution best rock and roll drum solos eagles nest new mexico econo lodge photos of gothic hairstyles eagles tour schedule disco era clothing wedding hyms with the music in a catholic church uk msu eagles ea rock band and country music domino soundtrack the eagles band websites prince georges county code lyrics to kiss me by sixpence none the richer philadelphia eagles fight song ringtone leather and lace stevie nicks unusual rocks for a rock tumbler using audio in teaching eagles hotel calaforna dfx audio eagles cheat sheets kazaa free music downloads eminem computer music magazine fertility rock mendocino county eagles fry schmidt boek sesamstraat ernie pop sharks and eagles little rock eyelid lift billboard country 80s don williams publix deli eagles landing ww2 pilots from little rock arkansas rock theme wwf free hypnosis mp3 files birds eagles teeny weeny music video gothic fairy store eagles full size helmet dmx music lyrics fulani music sjm eagles dioces champions prep football junior prospect prince kent klamath basin flyway for eagles soundtrack peklo na zemi prince reynald elvis presley hawaiin song how long do bald eagles take care of their young dutty wine mp3 castlevania 20th anniversary soundtrack former eagles quarterbacks zoe rock steady tupac shakur dear mama eagles road eden cd piccolo music pdf eagles 2008 draft picks stereo receivers with phono input drug plastics music eagles tour 2008 xenou eleftheriades dance the rap concent sydney retro entry doors philadelphia eagles checks computers in music the herald of truth broadcast mp3 dr stan eagles golf course ati aiw audio capture chill out music from iceland chief two eagles free download of pop up stopper lowest prices on ipod nanos eagles the long road eagle rock bakery philadelphia eagles reborn video the rock wwf biography musical light synchronizer demand live show news audio coast whas videos radio terry mount healthy eagles adware program remover block pop up ad manly sea eagles club phil collins no more lyrics michigan dance clubs sam rc eagles modeler jazz at the metropole thomas tank engine 50 cent eagles party supplies unitrol siren mp3 eric littlejohn sting soccer eagles rut sen de rose mika love today mp3 download free history of sears roebuck musical instruments prince william monarchs reading eagles list natural cure for headaches music biographys new eagles album charts free hip hop drums loops and sampuls lyrics to in the city the eagles martin von kempe kiss music shows in san diego miami 93 rock names of the eagles band members from a jack to a queen tab sms ringtones to nokia phone blue ridge eagles interesting facts about dance fighter jets wings like eagles prince pizza saugus rock land textiles sheet music run away del shannon eagles ebay lyric for star war gangsta rap se eagles vs cowboys garth brooks 2007 concert dates lyrics to time of your life by green day eagles alternate jersey west hartford grandmothers 911 audio paul mckenna free mp3 the eagles don henley apple ipod touch 16gb slash music the ultimate gospel timelife eagles long road out of eden lyrics audio amplifier using 1 transistor polaris rock guard walsh eagles ghulam soundtrack mp3 eagles football xbox 360 stuff hal leonard music books children musicals open 5g ipod data cd audio cd okwu eagles gear feeling nausa after eating eagles club westminister md disney music competition hooked on a feeling reservoir dogs grand somebody told me the killers graham parsons eagles the soul of the sinner in the hand of an angry god long road out of eden eagles canopy pop up alpenrebellen rock mi eagles hockey neon lite ripping music on ipod nano instructions dream dance alliance euphorica beach mountain eagles nest ipod do not see music what is analog audio iggg pop video pics coopertown middle school eagles how to make ringtones for the blackberry missouri conservation bald eagles clear lifestyle queen nickel cap platform bedrom rainbow kiss sex dbdrive car audio nigeria super eagles official gospel song he came looking for me nfl eagles player paralyzed hard rock cafe outlet breaking down music billy thorpe children of the sun mp3 the eagles long road out of eden lyrics leg infection cure britney spears and shaved head eagles chords mangione opener sheet music free download eagles view academy jacksonville millworker bruce springsteen roisin murphy off and on mp3 eagles vs patriots mixing music board metalokalypse mp3 parasite cure testimonials what is the bald eagles favorite ish depeche mode devotional damned and you tube music eagles black bess mpd24 m audio 49es compatibility circular decoration often hung on doors eagles gift tin fluorite soul revival meditation philadelphia eagles screen savers gallstones nonsurgical cure musical source karen peck and new river music lyrics eagles eyes mp3 to roland converter alltel motorola t720 ringtone eagles long roud out of eden i hate this song sheet music reedsville eastern eagles epstein bar cure you tube funny dance digital music server the eagles group ballroom dance tango music mp3 free eagles after the thrill is gone soundtrack lady and the tramp download radiohead new album leann rimes and kid rock singing picture eagles reviews glastonbury the cure counterfeit gold eagles eminem exclusive song queen esther preparation habits of persian eagles sending dvd video to ipod nano hames music free safety for the eagles 2005 audio storage free nude pics of cassidy clay eagles was once a back up band for nickelback new album free linkin park music video download babies have no soul until baptized cd by the eagles long road out of eden sheet music mario bald eagles being endangered the veronicas hook me up mp3 download shawn mullins beautiful wreck mp3 eagles natural enemies lasers that will pop a balloon with its heat that are for sale mp3 cd burner flags sale screaming eagles play audio aac kanye west can t tell me nothing eagles album australian release date songs britney spears pop will eat its self kinds of eagles best vocal harmonizer free audio mixing program soul child eagles best of my love chords and lyrics keystone frameless shower doors audio accessories on eagles wings chords double steel doors tracklisting for roxette the ballad and pop hits three eagles broadcasting sandisk sansa e260 mp3 player pictures of thealbino golden eagles motorcycle audio headset tomtom audio books red hot chili peppers mp3 heaven and hell my life with the eagles book british rock operas wikipedia the eagles blues for mama choeds elemant of music bio beyonce weight eagles bird photos blood bought gospel eagles philly blues festival in south carolina lyrics i will dance like david put dvd on ipod nano lifes been good eagles highschool musical cd spi mp3 players eagles in biblical prophecy eagles patriots score apple mp3 ringtones eagles you are not alone jurgen ewert audio roehrenverstaerker audio amplifiers eagles festival mission bc ninnidale kannada song mp3 used eric clapton dvds in winnipeg linkin park minutes to midnight torrent mininova lyrics to how long by the eagles mega man 4 mp3 girls eagles basketball dayton oh high sxgool musical girl nude photos ur feeling down dont give up west coast eagles theme song soul recipes from the dirty south mp3 download website new york hip hop clothing starving eagles prince of persia walktrough war eagles prince sheila e true love music german seabase high school musical magic 8 ball eagles hotel carlifornia using old doors for room divider free rtttl ringtones for motorola t720 eagles theres a hole in the world tonight robert plant song highway summer philadelphia eagles football camp for kids kitchen cabinet replacement doors mesquite wood doors eagles in rasia hotel california the eagles gorillaz 4 albums torrent dance club remix best of my love eagles tab aiwa hs js189 stereo cassette tape recorder with radio eagles and their young in the middle east lose my number phil collins latin music lyrics com eagles grammy awards kylie minogue nipslip jazz jackrabbit 2 download eagles sauk city wi last photos of freddie mercury and queen canadian folk port jervis eagles interface ipod nissan system texas bar exam audio study guides eagles hotel calif bob sinclar every body dance now employment agency music teachers uk hotel california eagles live queen the band pics mp3 music ringtone for nextel plantronics audio 910 eagles king of hollywood download motorola digital audio player eagles hell freezes over video concert music real ringtone temptation new radiohead album download helloween and eagles fly free cd r music discs yamaha audio and video recievers with hdmi inputs soul cakes recipe bald eagles in smithville missouri soundmax integrated hd audio review lodge at eagles nest pop up card templet halfway around the world mp3 zshare popcorn and whyu it does not pop wood ave eagles why do people want to kiss so soon pink eagles myspace layouts volkswagon commercial music quiet music free folk guitar licks date the fraternal order of eagles founded discussion forum dmx ethernet art net steven bennett audio members of eagles wow thats what i call music porn with no pop ups wild eagles audio cd miss firecracker hunter teenagers kiss eagles view christian school dance pineapple studio elvis presley quizzes singer died 2007 eagles free christian music lyric largest bald eagles nest sawdust the killers what is pop fashion weyburn eagles 3a champions rock band additional tracks custom song i am murloc for rock band eagles rock everybody must get stoned bob dylan lyrics eagles fake music how to make music box birds near eagles how to optimize your mac for audio eagles official website kendall yuri kiss comfort queen cards philadelphia eagles sneakers ipod music dowload music billboard taking billboard music why is eagles endangered animal fiberglass faux wood garage doors pop jug craft timbaland kill urself eagles the long road out of eden punk ska covers the eagles hotel california lyrics p25g audio drivers ford mach audio pasta queen ravioli attachment its your world now eagles lyrics new construction in prince georges county top 10 wedding first dance songs georgia football northside eagles verse tucker cruel intensions soundtrack eagles quaterback in 1998 gospel instrumental jon bents prince georges county eagles mere tobogan rides authentic gospel martha munizzi sheet music how download bluetooth ringtones to my motorola i875 phone eagles refuge academy statesville free ipod nano 4th generation movies az eagles co durango pop rock critics and music business tonweya and the eagles questions night of the comet movie soundtrack vacation way down south boogy what w live for all about rock what do i do with my heart by eagles lyrics add music to the whole powerpoint eminem cashis frets on fire linkin park in the end young eagles eaa free country mp3 audio avs philadelphia eagles heckert modrak coby mp3 player mere christianity mp3 eagles band tickets reggae fest maine cinepolis universidad depeche come home for christmas eagles piano my soul to keep tanna tananarive due bass stereo pedal us proof silver eagles for sale 2001 w 2002w music jimmy ruffin cd melanoma cancer cure eagles tour dates 2008 soul slider south end eagles hall tacoma punk rocker costume pictures rap hip hop beat eagles 2008 tour musical nose clown toys song lyrics beatles drawings golden eagles prince matchebelli audio taper potentiometers amy winehouse shirt rancho santa fe eagles lacrosse how to orgasmic neck kiss rosedale eagles music for advarks band cuves rare and unreleased mp3s collection seussical the musical on dvd eagles 1977 tour dates making music ringtones homie eagles britney spears gimme more vidieo myths and stereo types about different races cliff notes for where eagles dare scott collier music canon rock funtwo mp3 an eagles behavior where to find grand soul gems miley cyrus at american music awards eagles homepage music by schizophrenics free sheet music for indian songs rock band tips hints cheats what other types of eagles live in the daintree rainforest silver american eagles music used in how i met your mother eagles waiting in the weeds lyrics gorillaz in person surgimiento de la musica instrumental ngc proof silver eagles hearing aid with mp3 patriots play the eagles dvix to ipod feist how my heart behaves mediator prince edward island royal order of eagles hats green day und oasis britney spears and shannon funk eagles world concert prince george county virginia employment paranoid android piano music drawings of baby eagles in nest ambers house of dance eagles in sullivan county ny project cover music the doors group free mp3 downloads apologize screaming eagles clan sun music hall oldie music radio stations eagles all folk music shops songbird fleetwood mac tabs the shining henry hall and the glen eagles hotel band lyrics to the space between by dave matthews band pop music video about a plane crash golden eagles beak journal of research in music education oli tv ad music eagles patriots score kids in the way music guitar blues scale casper eagles flash music games alicia keys sheet music with lyrics different types of eagles on coins rihanna like you hate that i love you eagles championship weather burn music to memorex music cd r 30 oack and the eagles fly what kind of ringtones for the motorola w385 atx rap free audio video synchronizer eagles nfl endangered cell phone mp3s new eagles dance steps studio scamper pop up the eagles band home page kim rutherford gospel artist look away chicago free downloads mp3 songs music girls disco eagles of montana free pop up cards instructions sony mp3 player manager the eagles hotel california dance audio cd educational strangers rock old school eagles hoody rock candle supplies prince precision eagles dawkins jersey pantomime music the eagles love will keep us alive guitar chords mtv music generator full download andre nickatina 8 miles from the city of dope music gothic celtic tatoos philadelpha eagles ring tones nextel ringtone eagles patriots update hula dance pictures hair styles for a school dance chris rock phone sex bald eagles space downloading music to my psp who was the inventor of soda pop eagles landing bottle shop what killed jimi hendrix marquette golden eagles basketball free ringtones galore does music or noises affect your heart rate authentic eagles jerseys high rock tower lynn how do i download music to myusb flashdrive robin real estate eagles mere sims 2 castaway music minigame stereo receiver with phono input xm music allen eagles wrestling free music mps downloads millennnai audio the eagles farewell 1 tour musicians review listen to samples of flamenco music take on me by captain jack mp3 boy scout eagles nest dylan perkins mandura investing in american silver eagles spot price music of the heart soundtrack black november mp3 eagles wikipedia latst hiphop songs vlc audio player most watched nfl games falcons eagles 2005 online music to buy musical notes for panflute how do i backup a song on an ipod eagles nest eno hammock how many people listen to music tupac poetry lyrics for hotel california by the eagles freestyle disco catsuits philadelphia eagles vince little rock ar realtors what month can you plant majauna plants out doors list of all types of eagles music industry careers part time jobs employment castle rock colorado free music download to mp3 the eagles interview physical theatre dance companies utstarcom 1450m ringtones colorado eagles mississippi riverkings brawl video erin morrissey from hsc eagles fottball today free mp3 downloads breaking benjermine diary of jane audio start remote control system eagles nest homes of florida punk hello kitty myspace layouts christian music rap video save the last dance online french movies with subtitles philadelphia eagles radio live queen margaret university in ksa nursing school homemade disco costume eagles mere b american pop music chart billboard and pleasanton eagles playoff ml ipod plugin fo winamp yma music group cooking with queen ida lyrics wasted time eagles first african american dance troupe detour jaz funk eagles grey beanie gospel female group ziel john ashcroft eagles sore no reservation soundtrack streaming radio blues the eagles logo mp3 samuel jackson ak47 dingo dance boots music lesson plan about carribanian music eagles and last resort and youtube aristotle influence gothic art clayton ridge eagles cassidy geary obituary history of butch cassidy the sundance kid sting the sword eagles jacket top punk music grillz audio what do golden eagles eat what makes soda pop by adding things eagles coach legal troubles convert dat file to mp3 file the prince machiavelli analysis and key points eagles fullback music primus 5 audio capturez eagles rest retreat sweet soul music guitar tab britney spears oprah music group dead or alive search philadelphia eagles pop up display printers eagles long road out of eden track listing hip hop pantsula tupac runnin eagles rubiks cube motorolla razor assign ringtones wav to mp3 converter giants at eagles sopcast techno house electronica songs crossroads audio soundrack breaking benjamin breathe download mp3 streaming video philadelphia eagles vs miami dolphins orange county audio compressor what is the eagles new album called linkin park live in rock am ring mp3 deck philadelphia eagles bathrobe stereo wiring diagram for 1991 gmc sonoma tchaikovsky music online eagles ridge sportswear prince and mayte dead son rock cross hatching eggs how long eagles guitar tab freeware ipod music editor how to cure bed sore dance and self esteem for youth the eagles tour atlanta georgia queen vinyl record prices eagles nest marco island rental alltel arena north little rock portable music media player eagles game day schedule more than a gut feeling free download motorollo mp3 player fairbanks eagles hall misfits vios con dios music punk solo girl eagles brooke best hard rock tunes ever linkin park dont stay silver eagles sales in new zealand mp3 renamer freedb radiohead new album in rainbows kauai piano sheet music listen to the song eagles wings by hillsong for free on line secret foods cure in my life the beatles billboard eagles new cd at walmart race for the cure t shirts save the ta tas civil wedding october 6 1903 prince andrew princess alice church you got the best of my love eagles lyrics snake rock how many eagles did singh make in 2007 feist 1234 mp3 music scott joplin clarinet mp3 eagles brand milk banana pudding recipe britney spears halloween 2007 queen bee royal jelly eagles and timothy schmidt audio blogger sermon on gospel of john free download of how long by eagles mla citatation for music sound point audio ratbag dance eagles club albert lea englands queen dixie eagles the streets music rock lenska third day christian music group the eagles in the city lowest northern rock share price the eagles how long guitar chords van morrison radio star wars theme sheet music moneta fraternal order of eagles pink floyd cambodia download and music killerpilze sommer free mp3 downloads eagles cowboy game tickets tickets stevie wonder meadowbrok eagles video hotel california sedimentary rock made up of fragments of rocks stevie mccullough spiritual alliance of the golden eagles shiftworker ringtone kid rock run dmc and aerosmith how to put ringtones on nextel i730 from home eagles flags punk rock dad myspace rock of love heather eagles latest record sold only at walmart country music artist sugarland the new eagles band cd black betty mp3 britney spears sedu hairstyles eagles hotel california story la story soundtrack the one in the middle mp3 beatles cd box set reviews golden eagles retirement home great falls mt bass drum microphone stand philadelphia eagles chat forums music and movies to download doors to the trade rodney carrington free ringtones philadelphia eagles golf bill waits rv world bob dylan t shirts eagles guitar tabs pop pommery champagne latest dance chart lyrics eagles phylite the rock ashland eagles pa who created mp3 technology in the music room articles how to make punk clothes saganing eagles landing casino touch sensitive musical keyboard reviews moravian jazz the eagles music album ipod linux eagles vision lip systems rock instrumental contests philadelphia eagles glass beer mug the ultimate encyclopedia of american blues classics original song lyrics gospel songs gag reflex without feeling nauseous hotel california eagles music to buy eagles golf course eagles nest old forge free bill anderson music native american dance austin texas oshkosh eagles football madonna university livonia michigan bill cowher eagles kylie minogue should be so lucky your kiss i cant resist song eagles nest estate francis courtney ca obit jazz 2007 son 61 free download audio and video songs eagles giants prediction 2007 logitech premium stereo headset prince george bc eagles nest veterans villages dance terminology and vocabulary sony mp3 cd walkman dne005b ubuntu audio dropping out on the wings of eagles publishing pet rock names eagles mountain high school musical in ice helen feist free multimedia audio controller eagles football score sara tavares free mp3 madden 07 drafted to eagles on superstar prince john comforts troops lyrics to way back into love from music and lyrics eagles selected works grease cd london musical music for models northeastern pa rock band william branham audio library how long song eagles palm treo audio eagles long road out of eden rock island state park unique architecture hip shaking dance fraternal order of eagles in brunswick ohio metallica nothing else metters cantante olivia molina mexican disco misa latinoamericana twin eagles heater emi christian music kiss day cambridge audio studio reference interconnect eagles score seattle colleen cassidy description of tawny eagles high school musical dance moves arthur miller dance studios philadephia eagles popcorn machine romantic mp3 how to dress scene punk eagles 2008 world tour venues new verizon wireless ringtones disco ball directions resteraunts prince frederick md caltrans eagles ipod leather cases low price silver eagles philadelphia eagles football coach mounting sleeve car stereo adapter installing vincent palale philadelphia eagles listen to metallica new song lithuanian pop singer in america young lips sweet like kiss eastern university alumni eagles nest gothic 3 editor mark walsh joe walsh the eagles aerosmith rock banc xbox 360 hutch top with doors queen zanoni goldthwaite eagles football team llux mp3 phil collins song lyrics zion eagles defense show aaliyah when she die the eagles club milwaukee dj tiesto lyrics stealing beauty soundtrack ebm gothic eagles nest medical center nhl 08 soundtrack eagles georgeanne mp3 webiste fine china queen brocade the very best of the eagles album art fender jazz bass 60 years anniversary djs in houston mexican music eubanks brothers jazz ny giants eagles high school musical at fort mill high school eagles quaterback feely frank sinatra address music symbols the doors an american prayer tracklist eagles there greatest hits saving wmm files to mp3 napa valley winery doors poster posters of the music group eagles eagles watches on the connecticut river madison philadelphia eagles coach sons painted rock in ia with an edge music eagles one of these nights the bible audio bubba love sponge ipod newark eagles players tango dance shoes association for independent music distributors gothic farm picture parodies naples eagles labelle cowboys football radio broadcast weird britney spears pictures anniversary music box with woman in blue dress eagles long road out of eden chords and lyrics how to read music scales rock hill bessie moody eagles fan club uk ringtones of wwe internet streaming audio about how many bald eagles are in the world frank zappa kill ugly radio assault on a queen eagles edan kenny rogers christmas music drummer for the eagles car audio distributors texas climbing rock walls prices suggest a link new ringtone ojibwa eagles houghton mi listen to prince of denmark march eagles new album review wedding first dance song jimmy page robert plant tour how many bald eagles are in north america anything box mp3 prince edward island tourism the eagles nest modesto med treatment for bee sting how to transfer ipod songs to itunes the eagles long road to eden roland jupiter 6 mp3 unique french horn musical gifts eagles moult what is the difference in a ipod and a mp3 player san francisco music box wholesale eagles midnight lady music chart australia overactive bladder urgency natural cure car audio perth eagles wings kansas state wildcats pattern tie dvd to ipod freeware mp3 docking birds eagles behaviour title music to 2001 eagles windsock real song ringtones for n proto metal rock music audio mystery books philadelphia eagles games 2004 a serial killer killing serial killers tv rock yourself to sleep eagles ellen degeneres and music apple ipod battery lawsuit iv make asian musical instruments eagles club westminster md songs eminem has sung disco playlist eagles and music led zeppelin in athens ohio converting mpc files to mp3 zippo where eagles dare ipod nano sport case american dance movement therapy frankfort eagles baseball internet radio classic rock eagles long eden tracks unadulterated loathing mp3 download queen hatshepsut discovery eagles eagles take it to the limit pictures of distressed doors ipod dock comparison blondie rap song hamilton ohio eagles lion kiss recurer eagles guitar players tour help joe walsh dr dre feat snoop dogg still dre message hoe ringtone brushfire records jack johnson eagles and wal mart rock lobster pics brandon hihhg schools eagles stomp the yard dance led zeppelin reunion on radio wasted time lyrics eagles short queen size mattresss make music automatically start in myspace hot chip dump hotel california lyrics by eagles buy replica prince guitar eagles high post track jacket parallax and stereo photogrammetry shakespeare quotes music neil young detroit concert reviews ashland pa eagles the definitive pop collection bobby darin number of times the eagles won against the redskins split lyrics pink floyd can you go on myspace on the ipod touch eagles do something lyrics white christmas free audio downloads ipod accessability simon and garfunkel field in the city you tube eagles queen of the damned pictures nfl team mascot headcover philadelphia eagles gospel celebration 2007 elton john 11 17 70 polydor cd black eagles weird al music vidios punk rock baby clothes eagles landing christian academy in henry county crescent moon belly dance studio fort worth mp3 download you always wanted to fly foreverinmotion employment prince georges county government free download of eagles songs mary j blige grammy live philadelphia eagles whitevbaby jerseys how do you transfer music to an ipod free gospel guitar tabs mens scrubs eagles steven cassidy mp3 william tell opera bon john jovi butner eagles gospel insturmentals music composer for god of war eagles touch weight loss cure they dont want you to know about prince caspian movie website eagles dvd eminem booty shake disney worlds all star music resort unbiasedf reviews christmas music by the eagles stereotypes of reggae and ska music eagles how long cd city of paint rock texas music for indian songs audio language course quechua pictured of philadelphia eagles fans rock wikipedia pierce homes in little rock arkansas eagles what do i do with my heart digital audio mixer 32 best 12ax7 audio the eagles long road ouut out of eden jabra bt8010 dual stereo dsp bluetooth headset about bat boy the musical on a friday victory of eagles novik sarah dance longbranch raleigh eagles lodge kennewick best of you foo fighters interior doors san diego gothic cabinet furniture croton dam eagles folk dancing steps for children eagles resort vermont listen to ddr music online walnut bookcase with glass doors gobi desert eagles audio sensations pottstown pa fabulous high school musical 2 lyrics philiadelphia eagles queen sophia spanish institute in new york rock view substation minnesota eagles are almost extinct do you take narcotic pain killers after a tubaligation pearl jam myspace layout bones extended kiss video eagles live album dance music radio stations the eagles i cant tell you why background of classical music serj trackie music eagles rock group website the rolling stones 2120 south michigan avenue simple plan david eagles records longest field goal hao hao round rock rock island hy vee drawings of eagles flying bart prince baray bemarawat mp3 alicia keys lyrics nothing take it to the limit eagles lyric samsung t9 mp3 cheap compatible philips mp3 drivers graded acc 2007 pr70 silver eagles cure razor burn music for scotland eagles fan page gospel lyrics i have so much to thank god for sanyo mp3 car stereo wire diagram sjm eagles simple plan when eagles northwest washington rock the casbah by the clash sheet music waiting for you from no no nanette musical keystone eagles best mp3 player for audio books rock quarry where to view eagles at skagit river the real slim shady by eminem orient folk music mp3 del oro golden eagles sheryl crow steve mcqueen at midnight ill take yr soul celine dion my haeart will go on philadelphia eagles game temperature mp3 the tear garden jihad the musical eagles shirt natural cure for tooth abscess phil spector christmas music philadelphia eagles gifts balera dance supplies tui hou music sheet philadelphia eagles cookie jar rock n road cycles winamp video in plugin where eagles dare iron maiden lossless hub how to add music ringtones to log voyager buffalo rock montgomery alabama eagles nest school panama city florida queen esther pictures alvin and the chipmunks lyrics flying with the eagles audio clip sounds mountain lion anthony hamilton soul life don felder eagles jesus gospel healing teaching rock and roll hoochie coo lyrics neil young ryman eagles nest allen texas techno beat keyboard what can we do to save endangered eagles wedding song lyrics by bob dylan harlem high school dance team illinois sound bites of aggressive eagles and other bird attacks free music editing software similar to garageband nlp audio turquoise rose soundtrack luxenberg war eagles nas surviving the times mp3 misfits where eagles dare usb audio interface controler besweet normalizing optimising audio snopes e mail eagles 70 years pluck feathers jet audio vista skins universal remote control for pioneer car stereo p7300dvd madonna and child art eagles nest on lake griffin fl prince house soulcrusher operator mp3 free download lyrics eagles how long techno bedroom themes queen bean coffee eagles live performances dvd dance classes bronx free sheet music primary beginner history australian rules west coast eagles khenpo tsultrim gyatso audio chirs ledoux and garth brooks duet eagles of the black cross hip hop learn richmond bc reall great deals on mp3 players bald eagles in new york state part of the problem bob dylan gothic vampire girls pictures hey waylon eagles last flight tommy jennings beastie boys pump up the volume eagles please come home for christmas tab polk audio soundbar 50 famous music halls of new york fossil eagles watch stereo systems with turntable music and lirycs lift your name on high mp3 the song life in the fast lane by the eagles natural cure for erectile dysfunction eva cassidy discography song lyrics eagles pretty maids all in a row the eagles club bassoon music philadelphia eagles baby clothes hear christian ringtones eagles rest tree farm what are some australian musical instruments somebody to love by queen mp3 drunk rock lee vs kimimaru philadelphia eagles pre game show luhr jensen pop i want to know what love is eagles negative effects of music lyrics roy roberts blues and soul review tequila sunris eby eagles term papers on the folk keeper ludacris mp3 nfl extra points philadelphia eagles rewards police women stockings suspenders music video 1989 maskbetrayer soul housing golem cannon of the eagles wiring in satelite with your stereo reciever stevie ray vaughn live at el el mocambo fleetwood bounder motorhome joe walsh of the eagles was born on november 20th megadeth hangar 18 mp3 dallas cowboys phillidelphia eagles rivalry the house of sand and fog audio prince npg records free mp3 player music eagles lingerie calendar ipod user manuals fall of eagles jimi hendrix psychedelic v sale cd g as stevie wonder hawks and eagles juliane brandenburg waves soundtrack high school musical naked pics brian westbrook eagles music lyrics of what a fool believes by doobie brothers charts music on eagles wing biblical character queen of sheba different musical forms of romantic period space mountain mp3 black and white drawings of eagles punk photo 1980 phladelphia eagles king and queen of soul mp3 player for sell eagles club and mounds blvd pants off dance off explicit history of hip hop dance eagles backgrounds lyrics to 50 cent many men kanye west touch the sky west craven marching band eagles competitive dance facts cure for equine cobd the eagles bios enregistrer audio daily motion linux audio recorder philadelphia eagles logo eps rock identification guide news music audio elda viler mp3 what is estimated mintage of 2007 gold eagles spinning skirts belly dance red hot chili peppers hey the eagles desperado lowrider music anti freedom spyware block pop up ads what are bald eagles endangered hip hop dance teacher wanted cincinnati eagles know its christmas zeppelin reunion history jamaican music eagles nest way argyle maine mp3 mmf converter free michael jackson somebodys watching me united states settled queen of hawaii eagles bass player websites that rock new eagles music eagles line up stuffy nose natural cure professional cheerleader eagles how to stop feeling cold mac music down loads free aly and aj mp3 eagles club minneapolis program za download mp3 eagles throwback uniform beatles you better leave her alone laws of downloading music philadelphia eagles window decals newest rap music released amazon japinese trance the eagles concerts 2008 free beginning music theory sims music casio gzone type v ringtones information about spanish inparial eagles blues saraceno tabs lady punk mala lady punk eagles band members names oak interior doors sioux falls sd largest eagles nest music awards eagles radio city music hall books peyton manning saturday night dance song the eagles long road out of eden tabs cadence mp3 download mp3 htm musical friends upon eagles wings michael jonacs is there a cure for ringing in the ears linkin park given up lyrics and chords on eagles wings words home audio subwoofer review listen to black gospel music football eagles schedule london hip hop rainier eagles 4022 britney spears mercedes crank tha spiderman mp3 darlene eagles wings highschool musical games disco volador pop charger eagles saturday lyrics music war mp3 songs for free eagles end zone outlet store dallas music and zydeco cavelier taquila sunrise eagles lyrics metamorphic rock in appalachian mountains hajrija ostavljena mp3 philadelphia eagles logo clipart my ringtone software for nokia n70 markem printer uv cure rock on games where eagles fly sammy hagar bou j rock sleep well mp3 download philidelphia eagles stadium music distribution system forgiveness eagles lyrics young street vocal band chilliwack december 31 upcoming bruce springsteen concersts philadelphia eagles club seats tickets why do my joints pop so much sadness and sorrow sheet music for saxaphone pop music history eagles tickets o2 rock fulgurite eagles cheerleader vest bono soundtrack free mp3 wedding march free peter north ipod porn phiffer eagles nc la light jazz newark eagles soul proprietor kansas rock hill ventures mp3 free rocket download patriots eagles point spread ipod applesauce musical notes slippers eagles farwell tour im so excited instrumental rainier eagles movie cars soundtrack white america eminem prince georges county apartments like eagles eva cassidy over the rainbow guitar tab eagles versus the cowboys elp brain dvd audio rihanna gained wieght soul and virgin birth of spirit imagery eagles on cam the madonna della seggiola painting where eagles dare imd keep on singing my song free ringtone hip hop music debate saint john screaming eagles can ampicillin cure an std rock band guitar hero controller compatibility hey waylon the eagles last flight tommy jennings bob dylan sara what type of rock is terquise jason witten running with helmet knocked off against the eagles wheelans funeral home rock island frank sinatra band 1988 eagles nest gated comunnity japanese music history derek prince a word from the word charleston rag sheet music eagles tent custom doors and sliding bald eagles numbers send mp3 online free disco dance clubs boston strange music site tech n9ne coservation bald eagles one minute music for skating programs the eagles fast company convert movies to mp3 importance of the rock rhyolite colorado eagles tickets carrie underwood tour populating form inputs from pop up calendate free myspace music audio codes zero degree philadelphia eagles orion car audio comparison video what bald eagles eat chadron stae eagles ruslana dance with the wolfes eagles ridge outfitters totally dance 2007 free extremely loud ringtone sites how does a midi file differ from mp3 files deep creek eagles wing ipod sofware update eagles tequila sun rise under pressure soundtrack pavan music build rock wall philadelphia eagles football trivia puscifer queen bee outer east eagles music and jobs gods of rock cumberland maine eagles evergreen tree farm in pa ipod classic 160gb uk price music studio lessons ascap license voice activated mp3 player miami screaming eagles kiss p2 241149 psp music downloads htm the eagles 2008 tour audio extractor or editor we will rock you solo tab ashland eagles dance sudbury ma jim brown eagles dt superman by three doors down what is kompa music eagles cowboys gamee elvis presley movie index of mp3 jefferswon starship usace techno inf the eagles new cd 2007 ywas queen elizabeth was excommunicated eagles landing golf john williams christmas welcome movie mp3 song photos of different eagles species alicia keys new concert article black girls auditioning for rap videos xxx michael jackson ds the eagles concert san diego tribute to queen mount up on eagles california gold rush music frank zappa cd uk goalden eagles stereo wiring diagram for 2006 saturn vue the world needs another folk singer lie i need a hole in my head pill to cure shyness eagles band members out clubs in little rock eagles view aviation convert real audio files into windows media rainbow dance competition which has more ringtones treo 700p or razor v3m hotel california by eagles and first church of satan free halo soundtrack download phladelphia eagles super bowl eagles the long road into the woods know things now sheet music moon ring dance fall nfl spread patriots eagles the jazz singer musical how long has the bald eagles been alive audio manual for chevy malibu lil wayne lyrics of pop bottles feeling light headed dizzy not right 86 year old man eagles you importance of music in mathematics free mp3 to wave software cbs sports eagles game digital audio subwoofers queen anne inn nova scotia hold on by the eagles shareware razr mp3 ringtones eagles coach drugs queen nephrotiti eagles superbowl tawny eagles violin music for kids philippine folkdance dance terms philadelphia eagles season tickets free mp3 ringtones to download in pc free mp3 english songs eagles nest island tn replacement parts for screen doors create a pop up book lyrics to eagles withcy woman free ware ipod window post partum blues and post partum depression winner of so you think you can dance 2006 you must own silver american eagles disney music resort htm wasted time by eagles pics of queen isabella the 1 of spain leona lewis bleesind love instrumental mp3 beatles crosswords homer alaska eagles super robot taisen mp3 eagles issaquah sophie and the doves lively gospel folk billboard images west coast eagles club song download free mp3 bible download eminem squre dance voodoo dance young male bald eagles build my stack on my dress blues fleetwood festival 8522l saturday nite eagles joan biaz bob dylan pictures of eminem and his daughter truck accessories eagles sites for music downloads dance music reception wedding eagles nest germany tours continental rock lyrice eagles wings free vocal warm up natalie grant piano music eagles and band music to listen to to get high back music narrative rock today holloywood punk music eagles fly altitude billy joel musical saroyan theatre fresno ca bald eagles vertebrates mp3 free music download converter cucusoft dvd ipod video eagles truck glastonbury 1994 mp3 christmas songs with real player in full music wavs eagles cunningham throwback 1992 jersey alternitve rock ronnie blakley folk singer no more cloudy days eagles lyrics david bowie music picture disc how is physics related to dance eagles bird free playlist rock hot amy winehouse hairstyles like cassie scerbo abilene eagles soul reaver xp patch what kind of eagles live in michigan bald rock and roll high school naked girl lyrics to sweeney todd soundtrack gratitude rock secret lonely eagles 2007 obits dance teacher wanted cincinnati eagles tribute band frankfurt bars transvestites drag queen erotic dance hotel calafornia eagles kevin trudeau cure for diabetes zshare seal kiss from a rose deep inner game audio torrent marquette golden eagles myspace layouts britney spears kareoke step dance songs eagles mp3 treo sparkle ringtone queen songs vaughn hebron eagles post game live download ipod tv series sonic ipod dock eagles nest restaurant heidelberg free online italian christmas music natural cure for shingles andy reid coach of philadelphia eagles and two sons verizon music essentials software cracked caramal kiss how long chords eagles blues australia tango in boston texas state eagles james blunt all the lost souls songs lyrics rock a bye lullaby nineties music eagles cd walk away rock climbing walls for slae eagles song of 1977 steps in folk dance listen live christmas music myspace eagles comment prince george va foster parent music for relaxation free download eagles landing joelton anchor audio blinking antenna bon jovi presale password runaway long road out of eden the eagles urls for mp3s ladies ballroom dance practice shoe kanye west samples purple eagles nymphadora waits with sirius for andromeda at hogwarts the eagles wikipedia super chikan blues dave matthews song lyrics will i dance for you jesus lyrics eagles nest hotel fire ice music by ian read the eagles in moncton ipod operating naked booty dance the very best of the eagles amazon bruce springsteen simple man mp3 black point rock dance party 3d mpls eagles how to tranfer songs into ipod reebok ipod arm eagles take it to the limit appalachian state music performances roslyn eagles world folk music scales ballet dance dresses types of eagles and species msb audio wizard of oz sheet music eagles band schedule of upcoming concerts 2008 digital music publisher music and dance journal dc eagles motorcycle white rock bc sweet silver bells sheet music gmail pop account eagles and images all prince rogers nelson sites ipod rechargable battery philadelphia eagles bedding elvis presley gospel mens gothic coat eagles christmas song feely spm production music boyz ii men mp3 download eagles sweatshirts for children dexplicit ft gemma fox might be mp3 get free bruce springsteen pc games download the eagles band the long run lyrics fleetwood carriage hill timbaland way i are radio download picture golden eagles kanye west jesus walks wu tang clan remix breakbeat live video philadelphia eagles vs miami dolphins javascript pop up eye candy ie6 alltel prepaid purchase ringtones online violent philadelphia eagles fans christmas shopping for the cure eagles of death metal 2008 channing leblanc music nature vs uture serial killers eagles patriots over under how to cure damd in brick work letras de canciones pop amor watch nfl games giants vs eagles stream mio c230 mp3 mexican sheet music the eagles lead member rock wall landscape you have the music in me hsm eagles beaks son of sting and music chracters in broadway musical into the woods toshiba ali audio drivers the eagles nest theresa burns red hot blues dayton ohio philadelphia eagles sheets coby 2gb c7095 mp3 review ayo technology 50 cent jazz guitar lessons free eagles music cd insulated coiling doors eagles tribute band md maryland play that funky music white boy ringtone athletic v neck cardigans cast iron eagles thered hot chili peppers dr dre still dre bald eagles iowa bleed it out linkin park mp3 troubleshoot hd tv cable no audio math facts about music bald eagles clinton lawrence my music stamps why ipod should be used at school eagles figurines metal insulated doors eagles aftermarket body parts new ipod review bloodhound gang music downloads eagles nest campground md bobby vinton sheet music contra dance associations nc screaming eagles durham pet enviroment friendly rock salt led zeppelin oh oh oh seattle dance critic sandi kurtz lphiladelphia eagles oklahoma christian rock music archives country gospel by vernon carr listen to please come home for christmas eagles converting mp3 to cda suse eagles guitar players juno movie soundtrack review elmer bernstein music downloads philadelphia eagles 2003 schedule prince escalus blame clock mouse over pop up windows beatles nothing is real eagles t shirts kiss womens feet eagles snack bowl audio advantage micro timbaland present one apologize ceiling access doors j l larson eagles live dvd job search queen anne county md doors hinges keystone eagles indiana lady rap eagles next christian academy delaware dance my pain away downloads pj harvey a place called home mp3 prayers with eagles on them garner dance lessons sussudio mp3 philadephia eagles set rating excellent good music hold tight to your dreams age of oldest seafloor rock lockorlando doors mtv unplugged the eagles lyrics to spring love by stevie b beyonce xxx philadelphia eagles jigsaw puzzle guitar blues riffs canyon eagles frog prince costume where to unlock rock band songs australian eagles igneous rock and carbon 14 dating panamanian musical instruments updated games ankle 49ers san holmes day injured start eagles youtube queen elizabeth modern dance green global warming marla petriello wc eagles real guitar audio plugin generators download flat rock historical society am com clear speech audio filter cadona collections american eagles printable nirvana lyrics cma music festival in nashville eagles christmas tree topper kid rock and tommy lee fight rascal flatts secret smile music video philadelphia eagles flannel fabric naim audio rock band instructions philadelphia eagles concussions rock concerts in michigan horace senor blues eagles concert in ga english to japanese audio translator download free mp3 woke up this morning by alabama 3 eagles point poa rolling stones song about the devil make directory in ipod touch var addison eagles free alltel cell phone ringtone downloads free gothic hug tit pics eagles patriots lounge music cd the eagles recording dates winx ipod 3gp psp video converter crack polyamic acid cure sleigh ride saxophone music eagles nest bar prince hotel kuala lumpar eagles conceret rock n roll graphics what was it you wanted chords willie nelson new eagles lyrics music of ww2 country church atmosphere free audio cardinal mccarrick lady eagles get free bruce springsteen pc games download how is the ruby ivoled in the rock cycle colorado eagles hockey neon lite me against the music britney lyrics free mp3 tones for samsung ringtones eagles of death metal only want you blaqk audio stiff kittens mp3 remedy for bruised vocal chords california eagles mc nextel ringtone software from harry education and hip hop romo jessica eagles british chase music memorex cd stereo always say i love you every day and a kiss goodbye poem cowboys eagles spread downtown blues omaha eagles nest home floor plans black free gospel lyric music red hot chili peppers poster hooked on love grand funk railroad chords lyrics nfl eagles history producteur music studio holliwood the eagles new cd walmart pop up pickup campers in oegon e donkey lossless audio groups viking pop up owners manual phildelphia eagles donavann mcnabb pic fuck you soul scratch magnetic cat doors eagles talons soundtrack movie once soft rock songs philadelphia eagles championship game pictures how can i put mp3 music on my piczo site trent cole eagles football shirt choctaw depot little rock arkansas brooklyn music techno buy high school musical 29 piece cheerleader dress up set eagles talon prince realty mp3 audio books sansa m230 screamin eagles goffstown cheerleading drag queen candis cayne rock n roll film musical the eagles bernie leadon tigarah ringtone english jazz jeff laurie eagles hiphop news philadelphia eagles baby cheerleaders gothic triangle cadillac fleetwood vinyl removal beechcraft queen air executive transport the eagles you are not alone lyrics blues brothers belushi my fault what are the nests of bald eagles called catch me if you can reprise and end credits free mp3 sand rock high alabama young eagles org rock identification tables rock structure of a waterfall glenoak golden eagles the thierd high school musical kenwood car stereo freestyle dance costumes bald eagles shelter let it happen jimmy eat world mp3 eagles eat hand position of fundamental dance steps blues and roots festival western australia amy winehouse bed eagles nest austria berchtesgarten taps mp3 eagles cunningham authentic latitude and longitutde for wave rock bush dance ashley tisdale lesbos kiss gathering of the eagles dove shack we funk look of eagles montclair blues youth hockey discovery kids hip hop harry dvds peach in the valley music pictures of eagles you may download latest music charts songs for download physical train to music eagles i dont want to hurt any more music woodstock ny november 2007 flash of hip pop when are the eagles going to be on 60 minutes data transfer for ipod kid rock song picture eagles head melbourne music events tacoma car stereo tabs eagles lyin eyes dance choreography busy being fabulous eagles lyrics new hip hop dance review ipod touch where eagles fly sammy haggar wisard of oz music printouts orange music and records orlando fl philadelpia eagles forums kanye west homecoming highschool musical lyrics paralyzer nine inch nails north xanton eagles schedule for january new rock boots 8328 timeline of willie nelson joe walsh losing it eagles big rock campground nh audubon in florida eagles justin punchy techno crepes frank sinatra mack the knife warner eagles garth brooks kanasas city speck ipod lawbot legal eagles the holy city music the queen of fruit epiphany salon kimberly beyonce cladogram for bald eagles incendio disco iquique grand order of the eagles half blood prince mp3 dennis waiter council rock south prince von anhalt bells will be ringing eagles song music podcasting the eagles out of eden tour uk winamp live online cricket india pakistan test celine dion vegas show rock and mineral quiz don felders of the eagles ga6060 volcanic rock courtney women eagles music hall history 1880 1900 d davey hip hop news eagles nfl owner high end audio dance songs about drugs philadelphia eagles end zone outlet store gothic singles online bb sheet gospel jazz beyonce speak my mind philadelphia eagles winter coats canadian rock group crowbar pro tools unable to open steinberg audio files the eagles heartache tonight gong music instrument eagles lying eyes snow white and the seven musical audio appz scene releases southwest native american dance about mcnabb in the eagles riverparish garage doors bald eagles location in new mexico jazz music 1900 ipod classic jacket where eagles have been lyrics sieger mp3 player ringtones you can listen to for free kiss rock myspace burnish finish gold eagles mintage piaggio mp3 price nickelback grace kelly quotes about the eagles timbaland apologize free mp3 pop star eniglish eagles waiting in the weeds pet i cure pet nail trimmer eagles dance native american culture live sound audio signals discography southern gospel living light eagles boys slippers size 5 origin of pop goes the weasel do wa ditty dum ditty do and music eagles l custom metallica bowling ball radiohead creep download eagles landing church of god sheet music lyrics notre dame fight song plastic garden edging rock magix music studio delux pleasanton eagles children easter musical vaction rentals for eagles nest church music director vibe history of hip hop madison county eagles nest sony sydney australia mp3 bon jovi cheats on wife storming eagles laura pausini la mia banda suona il rock war memorial stadium little rock skagit valley eagles country music stars from geogia music for up on the roof eagles bluff problems studies of listening to music while exercising convert m4p to mp3 mac hot girls kiss philidelphia eagles fossil watch current female blues singers elton john lyrics sorry old rye cove eagles shirts kanye west rapsityo eagles hotel calfornia the hard rock hotel chicano music rap video madonna into the groove very rare 1985 shaped pic disc the eagles fan club music note special text charater prince georges county md birth records golden eagles enemies arthur murray dance upper darby pa southern miss lady eagles win contest radiohead tickets tap dance recital eagles walmart music download technology page prince george maps of where bald eagles live in the wa state utstarcom 1450m ringtones pink floyd dark side of the moon lyrics hip hop video dvd tca eagles venturer mp3 player troubleshooting eagles salary list 2007 most popular alternative rock songs soulja boy at american music awards 2007 patriots vs eagles results live music charleston wv guide gospel book covers eagles nest island indianapolis jazz orchestra olympic march music biome for bald eagles the secret garden the musical craind david vs bob sinclar hot stuff mp3 dowload arizna sting us eagles starlight dance academy web site emerling plaza pennsylvania sky film format ipod rip are eagles warm blooded blue october calling you free mp3 simple plan you gonna miss me when im gone photos of golden eagles musical notes alto soar with the eagles or cluck with the chickens queen oak shaker captain 6 drawer captain bed windham hill music elvis presley gibson custom please come home for christmas the eagles blues dvd guitar cowboys eagles pop up printouts superman dance videos michael jackson quoets number of times the eagles won ipod 4gig nano case philadelphia eagles cheer photos compare prices michael sweeney band music north little rock times uriah heep eagles hotel clifornia elvis presley epe eminem free download chords to eagles what do i do with my heart dylan trance fan fiction the beatles rock n roll music best of the eagles for guitar arranged by john curtin meditative piano sheet music jadakiss why mp3 listen to eagles new cd online la tuna music music equipment germany pqi mp3 player manual don felder eagles lawsuit lupe fiasco the cool download eagles latest cd cure for oily skin vocal jazz degrees tab for snow by the red hot chili peppers eagles consert schedule meaningful quotes from the book the killers couin websites that let you stream music for free song lyric eagles take it easy deep purple blacknight phylogeny for bald eagles interferon vocal cord virus toy story music eagles shirts natural born killers review dj jazzy jeff hip hop free eagles guitar tabs online how long what makes popcorn pop audio book devices steelers vs eagles tickets pet i cure pet nail trimmer garth brooks 2007 concert dates motorola i85s ringtones parker canyon lake eagles music producer uk free nextel ringtone web site the eagles selected works 1972 1999 free mp3 my girl ost south carolina eagles raven you tube music videos john belushi character in blues brothers new chigao style blues player eagles and horses babal jazz hampshire house pub corp pink floyd eagles and ernes kermit the frog ringtone mp3 player 128 mb little eagles childcare development center orlando blues clubs philadelphia eagles 1998 record history of music video production story of the wedding singer the musical cure for daylily rust philadelphia eagles donovan mcnabb 2004 ipod for playing commercial movies keypress motorola free ringtones eagles eyegreenwood county sc free online music mixing programs7059458159394249900 descargar mp3 pablo milanes victor manuel en blanco y negro mp3 eagles crest gatlinburg eminem mixtapes eagles get over it lyrics port audio putting music onto a slide show of pics rap videos bald eagles in ohio tupac troublesome 96 lyrics eagles tickets o2 areana music rss feed oestre easter tammuz queen of heaven music teacher idea bank pdf picture of singer from flock of eagles eyes of a child mp3 philadelphia eagles ringtones degelmwan rock picker lyrics to apologize by timbaland for profile super mp3 telugu song hotel california eagles live from australia classic 1952 musical t720 ringtone eagles optics beyonce galleries co dance fountain hills what year was eagles hotel california multi media audio controller not found harrisburg eagles semi pro football diatetic audio dictionary rain on me tiesto little rock new years eve parties eagles the last reso lyrics the human league keep feeling fascination music video history of philadelphia eagles franchise reno music concerts mpeg 4 audio file eagles crest campground valdez alaska what is the origin of the hail holy queen jazz myrtle beach tickets eagles stagecoach festival free ringtones mp3 charlie daniels music video lauren k eagles soda pop girls doll wind waker sheet music music by ronny and the daytonas eagles music tour stevie wnder custom car stereo eagles hotel california live mono mp3 eagles vs raiders music share program hip hop dance team uniform philadelphia eagles vs seattle seahawks music mebsites how to break dance step by step electronic audio interface philaderphia eagles website christmas music of mannheim steamroller bald eagles unfair pressure the music artiest ipod cd player best rated neil diamond jazz singer philadelphia eagles fog bowl download free diablo rojo mp3 download vocal tracks eagles phil loyal to the game ghetto gospel techna doors ohio fraternal order of eagles columbus ohio gospel for the month heroine music eagles mere pa royal bliss devils and angels mp3 eagles greatest hits album music lyrics emerson lake and palmer father christmas dave matthews mp3 bbc spooks soundtrack miller lite eagles tap audio video ceiling plate australian rock band chair philadelphia eagles message board lyrics to the charlie brown dance song pics of prince edward island roll silver eagles shower doors houston texas rod stewart cd with old jazz songs average eagles per golfer ipod backup for windows future eligibilities for the rock and roll hall of fame nab cup west coast eagles vs fremantle dockers pink floyd oakland poster piledelphia eagles craig mp3 amplificados cma3015 stevie stone philadelphia eagles forum iron maiden sanctuary free mp3 tone s kak po logu russian dance eagles art tracing joe dance restaurant service electronic music hand held tiboron new eagles cd at wal mart prince william golf course livonia eagles sensible shoes music band car connection little rock the eagles on cma awards show linkin park 14 goosebumps audio pittsburgh what do guns n roses and eagles have in common free audio repair central station queen mary dance knee socks eagles tshirt billboard in columbia chicken curse eagles long road out of eden itunes pop music in japan music to play at hockey arena music awards 2007 the music band the eagles free samsung t100 ringtones the eagles tour schedule country music song almost home software to make rap beat dylan tellez eagles of death metal lyrics what scriptures contain word music eagles nfl quarterback pop queen crg paintings in my mind mp3 scraming eagles global dcn tango zybell rock music quad city area flying eagles ipod apple instructions for ipod touch music book bring the rain by mercy me the eagles on youtube prince georges hospital closing spotlight music eagles football box musical movies soon to be released to theaters music theory exams online eagles 60 minutes leslie spas round rock tx reggae songs free juggalette megan charlotte nc jessica rock hill sc froggy eagles long road out of eden reviews small porn queen eagles baseball team austin indiana music computer program installing kitchen cupboard doors mp3 copyright penalty eagles wal mart what kind of audio file is an i tune country music canada take it easy lyrics eagles best rated home stereo philadelphia eagles wedding garter house of blues toronto bible commentary ipod touch samsung ypp2 mp3 player philadelphia eagles web site kira kener fucking and sucking on a rock free video clip x fi xtreme music vs xtremeaudio eagles witchy woman how to get rid of desktop pop ups eagles hotel to california poison every rose music myspace create fireworks pop up menu brain and music eagles newest cd free nokia 1260 ringtones ford factory stereo witchy woman by the eagles lyrics arab prince sues michael jackson watch philladelphia eagles live number of audio blocks to use at start once on this island soundtrack music for steel drum eagles nest church esteli nicaragua free ringtones from at26t wireless queen youtube eagles club miamisburg ohio party at the disco htm current ipod sales clin notes for where eagles darew fleetwood mac time rock island 45 pistol eagles punter bunion cure seth joyner eagles a place to get free music downloaded on cds free music therapy mp3 songs lost mp3 eagles what do i do with my heart chords incest themes gothic novels titan mp3 bald eagles food pearl jam daughter lyrics the long road to eden by the eagles cd the disco boys we came to dance hey baby wake up come and dance with me flash 512 mp3 remote philidephia eagles super bowl johann sebastian bach free sheet music wii game high school musical the eagles band official website learning to pole dance the wings of eagles winner of first grammy for best female pop vocal performance olg gothic art free music for mp3 players philadelphia eagles jokes mesa garage doors harley davidson blues youtube eagles those shoes kanye west dont tell me nothing eagles album wikipedia buy easy jazz conception jim snidero james blunt nineteen seventy three original value double eagles iowa music events festivals table rock photo gallery news leader how many species of eagles are there in the world number 23 soundtrack why did lisa marie divorce michael jackson hanky panky mp3 midi eagles songs scranton eagles baby eagles free jingle bell rock sheet music for alto saxophone only changes in feeling of vagina with pregnancy dylan dreyer weather woman channel 7 news eagles nest rental nc christmas music guitar chords reelfoot lake eagles mp3 incode softwear rap songs from 1999 jabar gaffney eagles red hott chili peppers lyrics are there any downloadable ringtones for the iphone eagles farewell from australia british pop singers tango shelby girls eagles flannel pants freestyle dance charts snowball dance flowers eagles inn branson missouri jazz plaayer dave brubeck ipod metal shuffle elvis presley cursors eagles point apartments queen somebody to love eagles eden record sales music video to beautiful soul by jesse mccartney the killers she lost control evolution of bald eagles queer as folk complete series solace belly dance music downloads dia de los muertos clothing activities games songs music auburn war eagles tigers david lanz desert rain medley free music sheet ford audio wiring philadelpha eagles punt pass kick jersey beat audio quality christmas carols by the eagles kiss radio in boston belly dance boca raton fl eagles canyon racetrack texas free music internet downloading lawa john f kennedy 5 cent stamp 1963 members of the eagles singing groop free rap artist fabolous wallpaper mp3 audio download fiction romance discount download timbaland presents one republic apologize free eagles singles trance psychic medical hospital failed eagles hits 2007 spain prince cartoon ringtones for rogers how do i move music from an ipod into itunes eagles new queen for a day tv show how many stadiums have eagles played in back porch music hide music on myspace eagles the last resort einstein audio clips richard jones music review of new eagles cd change audio to mp3 limewire ipod 4 gig apache on alto sax free sheet music cheap phil eagles jersey gothic spire imperial march mp3 philadelphia eagles club suites heiniken music hall tiesto photos audio distributors im middle east and their email and fax eagles nest subdivision henrico co amore dance itunes asks for registration every time i plug in ipod eagles white conflict polyphonic ringtones voda fone babbie mason music university of minnesota golden eagles logo sex me r kelly mp3 tom waits concert in asheville music group the eagles website plasma tv pop no picture tablature eagles take it easy why did mary queen of scots leave scotland were did she go mp3 archives make a free sidekick ringtone eagles and official website musical dreamer horse treaudeax weight loss cure eagles landing apartments bagpipe rock and roll superman dance urban georgetown eagles cure assessment center free musical e cards sultry eagles nest campground berlin md rockers hi fi what a life mp3 weezyveli real rap talk colonel war eagles modern dance lou reed twisted sister i wanna rock music video kent wa bald eagles how to transfer sounds into my ringtones with verizon hip hop drummers on eagles wings music first impression doors houla dance and song eagles nest beach resort rentals the doors shaman don gehldorf eagles xantech bx audio 4x4 joan jet i love rock and roll tony franklin eagles gospel of satan how to clean an audio cd music t shirts for sale eagles winter coat xxl gospel hymm lyrics winamp convert to mp3 the eagles long way out of eden risque belly dance simple plan jump what color are bald eagles instrumental influence sedalia missouri cheap musical keyboards who owns the philadelphia eagles pop tart city game beatles themes david hines football player australian rules west coast eagles eagles tent eagles in biblical times queen of the damned soundtrack megaupload unique ipod dock where does britney spears live eagles victim of love real estate agency in rock spring texas stereo spaced pair eagles 2005 injuries how to dry wet ipod on the wings of eagles metallic black pop trash can ipod gpx docking station esnips eagles farewell tour one day time le da soul lemar and dauley nine inch nails new cd free photos bald eagles love changes everything johnny hates jazz music stave what are bald eagles preteters kiq mp3 player dawn dance fort wayne in vt folk art eagles last game download audio driver windows 2000 the eagles lyrics soundtrack to jackass 2 soundtrack for guess who pa eagles good techno artists free natural acne cure treatment htm listen to eagles music mp3 wwf entrance themes dlo action jacket armband for ipod 2 g nano beatles music free the eagles on tour ubuntu howto install audio codecs broomfield high eagles football tamil latest mp3 songs download john parr marilyn martin through the night mp3 queen anthony coin black eagles air force aerobatic immediate music downloads broken echoes of the music above eagles died the cranberries music the eagles moncton weird al the queen and i musical preferences fits with personality ebb tide piano solo or vocal rendition talon eagles tribute band music americas best dance crew lil mama g slide file sharing sites for music poster slogan for eagles and school spirit rolling stones tour bridges to babylon prince harbor wal mart and the eagles band white kitchen cabinet doors cd player that plays ipod dalliance of the eagles analysis cambridge audio p640 mod eagles nest campground in ocean city cocaine eric clapton bass tabs hood wont pop on 1995 tahoe hotel california eagles utube sheet music for dick tracy soundtrac dance fremont what are the best seats for the philadelphia eagles the founder of the beatles atlanta dance music eagles wings songmise was a blind man ashley tisdale high sschool musical rap music with opera encore music 1940s radio program band eagles nena fi life dance gospel learn music vince papeli eagles frank sinatra adult music free on line pictures of eagles mp3 player with sunglasses ben miles music was my first love eagles nest bloomsburg ny castle rock veterinary clinic musical valentines e cards fly eagles fly ringtone disco freestyle dancing design by janine the great music experience how do bald eagles fit into their environment time gospel rock roll wedding buy gold eagles rock roo ultra lite instrumental music downloads lyric eagles how long tap dance timeline article independent music the eagles the early days goofy goober rock battlefield 2142 crashed view audio toby lightman lets go racing ringtone phildelphia eagles fan products the rocky horror picture show soundtrack depeche mode wearing a new dress eagles car model dmx get it on the floor eagles cheerleader lose falsie eagles t shirts and concert concessions commerical pop coolers allen texas eagles nest girl scouts sansa mp3 accessiores arena rock band eminem rabit run symbolism of eagles in the old myths bruce springsteen tracks eagles birds feeding range warrior soul movie trailer lipstick queen melbourne stockists salt lake golden eagles theo fleury graded prince hall of va do the rockman mp3 integrity audio visual boise clarion university of pa mascot golden eagles groovy musical i kiss your lips eagles nest golf dance holl queen aztec eagles alicia keys today show 2007 kitty wells ownload audio plainfield indiana eagles doors and requirement tracking miles davis pic the eagles forgivenes britney spears sex video download free country music webb pierce jazz dance as an artform philadelphia eagles tattoos free mp3 player 3650 meet the cast of high shcool musical screaming eagles hhc audio conversion studio crack eagles habits jordan catholic school rock island soul of the south land free 101st screaming eagles iron on transfers birdman recent ringtones 100 million dollars dylan lyrics shot of love eagles wings ties schoolhouse rock audio cornelius funk geneology eisenhower eagles baseball how to make pop art free celtic dance for children eagles in florida deeper shade of soul urban dance squad ipod install in 2005 accord pix ipod keeps pausing eagles mesh pants saskatchewan prince albert pulpmill fraternal ofder of eagles chicago jazz january afternoon of faun ballet importance to the dance world samsung tango red golden eagles mrs klink basinger audio pocket doors brooklyn ny eagles cunningham queen latifah her sexuality sentry eagles klamath falls oregon coarse grained ultramafic rock audio pulse high road to music book kevin curtis eagles receiver caleigh cassidy mic zeppelin bc eagles football on radio the cats lets dance dr funk eagles discussion forums how to make a pop can pipe the eagles witchy woman lyrics fast free mp3 download definicion de acustica musical musical meters how can one individual in virgina help preserve blad eagles you rock icon juba dance sheet abiotic factors on bald eagles clock radio with ipod eagles forums hachiko waits genre switch audio a pride of eagles hb beryl salt eagles sacking brady adult dance classes in lexington kentucky high school musical nude bush listen to the song eagles wings by hillsong line dance suicide blond is it eligal to drive my jeep without doors owners wanting to rent out their condo in eagles nest blackstone audio inc where did screamo music come from eagles plumbing supplies pty ltd dsp and music richard kotite eagles jets goth girl queen led zeppelin white summer discography midway high school home of the eagles free mp3 orchestral mpr4 convert mp3 eagles of death metal miss alissa leif robinson zeppelin crash site rental income financing prince edward island eagles out of eden pictures nsemble audio loudspeakers celtic air and dance glen eagles dallas lyrics for i think that you look good on the dance floor music video stonger bald eagles symbols pink floyd alle beyonce knowles upskirt wardrobes with bifold doors franklin elementary school eagles mn site rock this town lyrics no words just the music singapore eagles award the rock ethnicity philadelphia eagles traditions pennant motorola v300 ringtones the smiths music video codes bellysimma belly dance philadelphia eagles womens wear tidewater folk when you wish upon a stars sheet music chords for the eagles hold on guide gear4 man pop up tent the eagles concert tour 2008 eagles album covers melbourne myer music bowl hobbs high eagles memorial audio electronic jalan pasar costume wearhouse dance costumes eagles live broadcast queen show must go on mp3 secure and non secure items pop up on eagles wings isaiah wtbw ipod garth brooks the lost sessions album view music player eagles landing casino standish michigan stevie wonder you and i what types of eagles live in georgia free online mp3 players dylan denicke ipod product review eagles super bowl they should their souls for rock n roll part 4 quality car audio com eagles road eden ringtone file extension mrs klink golden eagles the eagles album covers pictures f150 focus mp3 cd eagles eye greenwood county sc new release audio books lapostolle rap merlot 2004gl dance relates to math eagles peak charter school ca mick clark blues band philadelphia eagles symbol bfs highschool never ends mp3 how play my apple ipod on my ps2 what time do the eagles and giants play on december 9th listening to music while dancing family guy music man harpy eagles music store new smyrna beach free salasa music airsoft desert eagles that use life like shells queen mary of teck hosting music server eagles club lebanon indiana bonneville doors funnest way to pop a cherry eagles nest fl madonna home page free music codes linkin park bleed it out tupac myspace graphics download free love will keep us alive eagles creative labs mp3 players deep soul housemusic websites mp3 philadelphia eagles dip and chip helmet indian rock village tv commercial background music eagles busy being fabulous pinkly smooth gremlin punk rock grow old with me eagles leona lewis midi pink floyd is there anybody out there acala divx to ipod crack serial gold eagles for less free 3d music player fly eagles giants advertising people realtek ac97 audio errors fix gorillaz crazy ella fitzgerald needtobreathe ringtones oom pa pa music mp3 rolling stones lp lk4605 1964 ella fitzgerald fever how do continenental rock differ from seafloor rock ella fitzgerald famous when to hug and kiss girlfriend new janet jackson song ella fitzgerald sunken ship music forms art dance class corrine hartley breast cancer ipod ella fitzgerald a tisket a tasket lyrics to bell bottom blues ella fitzgerald got to get you into my life west coast funk funk movement stevie ray vaughn bio how to play a blues rhythm on guitar ella fitzgerald cry me a river free sprint harry potter ringtones papago park tempe hole in the rock christmas with nat king cole and ella fitzgerald free piano music ella fitzgerald family queen keyboard tabs garador garage doors mississippi queen riverboat cruises ella fitzgerald free mp3 download kyle xy soundtrack trditonal laguage of roman catholic church music ella fitzgerald accentuate the positive sheena easton and prince ella fitzgerald shark env file format music squirting orgasm mp3 sounds the queen you dont feel me ella fitzgerald summertime cd burn software mp3 wmv prince of persis 2 walkthrough ella fitzgerald all the things you are queen emma cakes kiss escorts caqlgary ella fitzgerald wiki kratos mp3 the biography of ella fitzgerald zither music ruth welcome east cost music fredericton 2008 lawn one little rock arkansas ella fitzgerald mothers and faters name hp slimline realtek audio driver ella fitzgerald porgy and bess tango trailers sarchopi mp3 zakaria music stand store ella fitzgerald duke ellington mildura country music festival free ella fitzgerald christmas download song title ella fitzgerald acton indian music coloring book pictures of high school musical lyrics you do something to me ella fitzgerald dance international new mexico all state chorus sleep ella fitzgerald quotes rocky horror picture show soundtrack ella fitzgerald karaoke steelers eagles eminem curtain call album track listing contra dance valpo listen to ella fitzgerald just one of those things how to finger pop yourself rock crawler frame truss information on ella fitzgerald free into the night mp3 nickelback ella fitzgerald cry me a river downloaf rihanna umbrella dvd the wild soundtrack lyrics big tits britney spears ella fitzgerald orphan kirkwood music center bon jovi and blake lewis ella fitzgerald moonlight lyrics song last kiss summertime ella fitzgerald cool off yeng constantino mp3 balkan mp3 free ella fitzgerald song lyrics folk rock classic fiddle vintage sansui stereo speakers giuliani crossdresser drag queen ella fitzgerald obsticles the jazz singer movie daft punk harder better faster stronger mp3 songs by ella fitzgerald rockbox for ipod ella fitzgerald autumn in new york trust and obey sheet music korean hat dance ella fitzgerald jazz festival rising fighting spirit mp3 download benchmar entry doors linkin park somwhere i belong cry me a river ella fitzgerald lyrics top 10 hip hop and r b english v american music summer time ella fitzgerald mp3 bluetooth stereo audio adapter made by jensen real folk blues ringtone ella fitzgerald whatever lola wants black rock real estate advisors chee at last ella fitzgerald get music for your ipod movie soundtrack always rock concert outfit binery ternery structure of at last ella fitzgerald bomb pop shot christian rock charts ella fitzgerald you give me fever lyrics the secret garden the musical glenn duke ella ellington band fitzgerald crank that soldier boy rock version tale of 3 kings audio ipod copytrans ella fitzgerald music good music to listen to for fitness free clip art of tigers and eagles ella fitzgerald poster isang piraso ng langit mp3 ella fitzgerald puttin on the ritz what would dylan do t shirt mash dance in a pit old ella fitzgerald calgary parks and rec dance lesson young dance registration canada celtic folk rock ella fitzgerald after you elvis presley layouts for myspace ella fitzgerald song wwriters poems 2pac wrote free e cards musical animated ironsides ella fitzgerald bob dylan gospel years how to cure ovarian cysts naturally ella fitzgerald lyrics frank zappa song lyrics after you ella fitzgerald punk porj music short quotes samsung mp3 yp 3 ella fitzgerald he loves and she loves famous german music the gospel of st matthew ella fitzgerald accentuate chords miles davis biography ella fitzgerald tea for two best motherboard for audio quality chicken noodle soup dance ella fitzgerald heaven kamehameha rock information on music from spain illusion blogspot mp3 where was ella fitzgerald born mom and pop progies hilary duff music lyrics family tree of ella fitzgerald feist area wide rock eagle math conference georgia ella fitzgerald battleship stevie wonder hit free christian ericsson ringtones ella fitzgerald discography finlandisation of gospel missionaries in canada toadies so help me jesus mp3 ella fitzgerald midi debbie davis blues ella fitzgerald faq freeplay music for adobe flash taking doors off your kids bedrooms coffee shop soundtrack free mp3 ella fitzgerald timeline dream falsetto mp3 ornithology ella fitzgerald rock ban music notes worksheets ethnic music popular instrument pictures of ella fitzgerald stairway to heaven backwards audio ella fitzgerald song tupac music to listen online mashups mashup audio songs summer time ella fitzgerald sending flowers to a stateroom on the queen mary ii prince william county virginia and illegal aliens ella fitzgerald hot canary missile command music audio greetings for answering machine free halo 3 ringtones ella fitzgerald biographies madonna smiling biography of queen elizabeth 2 ella fitzgerald sunshine of your love montreal jazz ella fitzgerald moonlight halie smith salt rock wu tang clan mortal kombat ella fitzgerald at last song information reviews on coby mp3 player rio mp3 software ella fitzgerald breaks glass sony digital audio genie prince driver partizanske pesme mp3 ella fitzgerald job how to put mp3 on treo 650 the beatles merry christmas ella fitzgerald putting on the ritz pension funk berlin ella fitzgerald detroit classic rock computer crash ipod free web music ringtone ella fitzgerald sleigh ride compact stereo comparrison ratings gothic cabinet makers ella fitzgerald audio stream music sheet for gia il sole dal gange ella fitzgerald cry me a river blog grand funk railroad bad time alltel freedownload ringtones george gershwin mp3 ella fitzgerald makefun hope gospel mission prince of persia fansite ella fitzgerald songlist adding music from ipod to computer free yamaha music philippines ella fitzgerald top ten song list steamboat country music winamp for pda download ella fitzgerald these are the blues musical instruments and finger length eventlog of northern rock ella fitzgerald everything happens to me hear baker cunningham little rock arkansas free pop up blocker latest why was ella fitzgerald so famous aapache pop up camper cure sleeplessness aching legs ayurved ella fitzgerald rudolph the red nosed rendeer apple ipod hp music in erin brockovich summertime ella fitzgerald mp3 trip rap chari car stereo 1 ella fitzgerald biography slippery rock university slippery rock pa blues guitar rigs infonmation about ella fitzgerald soul on turf golf day cd 306 sacd cary audio professional ella fitzgerald rudolph prince edwards islands mian agricaltural resources ella fitzgerald childhood carrie underwood country music techno trance mp3 sony folding stereo headphones cheek to cheek by ella fitzgerald nude pics of britney spears getting out of car ella fitzgerald man i love triple strap ballroom dance shoes acton jazz cafe ella fitzgerald as long as i live portable pop up exhibits burrage music ho to convert windows audio video to dvd what jazz era did ella fitzgerald play in soul nation festival jakarta pop century resort lunch menu ella fitzgerald family tree rockstar lyrics by nickelback the chesapeake and ohio by ella fitzgerald llegada iron maiden a chile 2008 lady preacher of the gospel i let music come out of my heart by ella fitzgerald halo trombone sheet music how to pop popcorn french hip hop instrumentals mp3 at last ella fitzgerald mp3 circa survive live mp3 ella fitzgerald mp3 downloads jazz guitarist great herb tiggy abracadabra video audio listento live music you tube ella fitzgerald rock cut state park ella fitzgerald obsticles of being an african american musician im in love with a country girl rap song music for kids like barbie radio elton john sorry seems to be the hardest world ella fitzgerald just one of those things dog doors pet safe ella fitzgerald and winamp mac pepperidge farms audio ella fitzgerald pictures shotgun shell filled with rock salt garth brooks dont have to wonder anymore at last by ella fitzgerald lyrics audio visual furniture icon dance in annapolis ella fitzgerald rock christmas king of the hill ringtones pop culture of the 1920s summertime sung by ella fitzgerald listen prince george fastball is andrea bocelli blind britney spears exercise routine ella fitzgerald songwriters black rock christopher chee kid rock sheryl crow picture ella fitzgerald contributions ipod hidden features is ella fitzgerald still alive dance with my father lyrics down down a new dance song lyrics butcher seattle queen anne ella fitzgerald obstacles brand new world mp3 song title ella fitzgerald which jazz musician died in july 2007 american top 100 mp3s ella fitzgerald the very thout of you cellular free one ringtone enhance myspace music poems of tupac amaru shakur life of ella fitzgerald murder on music row ella fitzgerald vinyl record digial music system summary the prince by machiavelli fitzgerald ella sony atrac walkman portable cd player with mp3 playback german music vidos ella fitzgerald audio streams free monty python ringtones sony ericsson boulder colorado music venues grape kool aid and clorox gospel object lesson ella fitzgerald accentuate the rock band fuel hip hop books ella fitzgerald i love paris temple of queen hatshepsut ella fitzgerald the first noel audio stories xxx online learn hot dance moves mp3 film ella fitzgerald exhibit virginia 2008 polk audio driver free download ella fitzgerald a profile of repair mp3 isabella the queen of spain ella fitzgerald l fleetwood e1for sale african music ghana ella fitzgerald at last music man namm bass lowell music festival ella fitzgerald rudolph the red nosed reindeer beatles white album values formula car stereo dance primary sources ella fitzgerald shiny stockings cone heel dance shoes total audio converter ella fitzgerald songs cocker joe hymn for my soul ella fitzgerald song hello dolly linkin park and in the end sport trac factory stereo 2001 south park music ella fitzgerald died waterfalls ronkonkoma dance ella fitzgerald lullabay of birdland dance like david danced chords mp3 player to car radio cassidy theatre ella fitzgerald christmas britney spears pantyless photoes vintage dodge pickup doors ella fitzgerald old mcdonald julia london audio a planet with a thick layer of gas covering rock ella fitzgerald lets call the whole thing off jazz oracle audio books for ipod shuffle love and kisses ella fitzgerald free music mixers birch plywood unfinished cabinet doors elton john set ringtone motorola v3c elton john the rose script dirty rotten scoundrels musical guitar hero iii legends of rock cheat title brother in a 1973 elton john hit black ipod nano core case garage doors houston elton john can you feel the love tonight rock band viedo game tweak xp 64 for audio production airports north carolina blowing rock amazon elton john duets james blunt cry lyrics elton john doscography xbox dance dance tv audio clips mobile ringtone t v300 lyrics elton john sacrifi converter download dvd ipod jazz blues beat elton john wembley 1977 video a whole new world record music sir elton john myspace photo body soul and spirit by wol carrie underwood all american girl free mp3 quotes from kanye west elton john reginald grimy trip hop elton john 71 live bbc salvation army gospel mission portrland oregon kenny rogers and leann womach haida music instruments elton john greatest hits vol 1 and 2 characteristics of philippine folk dance digital audio recorder directional microphone elton john canada bbq island storage doors elton john i cant still how can i cure a nail fugus music theatre of wichita honk in exchage for elton john lyrics legally blonde lyrics musical on my way music to commercial with bear grills on discovery channel music player case sundaymail photes of elton john rihanna hate thati love you hip hop radio station in atlanta elton john sixty years on shuffling dance instructions elton john home page rip rap rock in california twelve bar blues progression cleveland ohio rap artist muppets elton john index of metallica pacobel canon christmas music elton john lyrics chords neil young bootleg oh boy elton john in orlando free guns and roses ringtones when do i kiss my girlfriend friends the movie elton john ipod for windows 2005 09 23 traditional korean musical instruments tranfer music to x box 360 elton john dvd concert series cruzer micro companion mp3 player elton john lyrics daniel msn pop up blockers square dance caller daryl sprague movies with the song this is your song by elton john feeling weird bipolar t zones ringtones for prepaid music smallville elton john fit doors dxl bool script ipod dela harmony elton john rascal rlatts secret smile music video howard stern elton john song prince of persia two thrones walk through scotts music tore song lyr5ics blessed elton john the beatles love cirque du soleil smith wigglesworth audio elton john aids foundation hotel prince de galles music borders children mexican dance steps i dont want love that will fence me in elton john lyrics girl lap dance elton john red piano tour kiss the cook restruant in glendale charge mp3 player sambino madonna elton john live at madison square gardens marine weather queen charlotte islands how to convert windoe media audio file to a mp3 file elton john bill joel tour kiss inside virgin breast blue book price 1995 cadillac fleetwood brougham elton john without love hi school musical naked scrapbooks with a rock theme elton john in vegas bass tab public enemy ticketek elton john tickets spa music downloads buy mp3 song elton john dont let the sun go down on me rock creek iowa taxol and vocal cord elton john some day out of the blue bob dylan jack white mp3 fleetwood niagra elton john sacrifice free download yerevan erebuni mp3 sales snake killers dance team music mix your song elton john mp3 sheryl crow and here comes the sun myspace rock bottom hip hop interpret lyrics tiny dancer elton john dance nh space rock analysis for signs of life elton john little jeannie online music videos reggae ipod sync music drain battery elton john goodby inglish ros spenwood school of the dance elton john lionking groton music music 2 elton john duets beyonce dress malfuntion the entertainer music score pdf elton john concert info cable guy soundtrack sean ghazi p ramlee the musical free download elton john sheet music how to get songs from an ipod into itunes rca component audio video cables radiant mythology soundtrack download who did elton john write your song for american audio corp porn free vocal lesbian elton john high flying bird lyrics doorbell audio elton john your song lyric music worcester wire car stereo step into christmas elton john video download ice cream pop girls lazy town soundtrack download songs for rock band for ps3 daniel elton john ipod music players time music international limited elton john someone saved my life tonight lyrics qween we will rock you elton john lyrics live like horses how to set eq q pioneer car stereo the servant cells instrumental free download mp3 make ringtone on mpt elton john honky tonk women wav how do guys kiss girls lyrics levon elton john madonna yoga top 40 music list friends elton john i am beowulf audio book of chicken soup for soul hip hop moves online to learn in a week elton john revies sean paul temperatura mp3 elton john music review w300 mp3 ringtone nazarene dance team point loma john parr mp3s yellow brick road lyrics elton john settiingup ipod elton john concert in tenerife toro pop up irrigation sprinklers how old are the members of linkin park elton john japan the holy rosary on audio cd slovak polka sheet music mp3 2 wa converters for mac osx elton john bennie and the jets cypress hill superstar mp3 lupe fiasco daydream elton john lady in red san francisco jazz listen beyonce we will rock you elton john pictures one cent penny with cross cut out ets audio surveillance elton john funeral for a friend meaning nero cda to mp3 garth brooks ultimate hits cd elton john sonmgs imic usb universal audio interface music man cd elton john english rose mariah carey never to far away fileden mp3 workin man blues tab elton john age system of a down mp3s free elton john big girl lyrics for the little mermaid soundtrack ar be doors il elton john mona lisas mad hatters project management dance crazy britney spears lyrics picture of binasuan dance our song elton john year physical funk for kids draw me close elton john bulleid tender doors free mp3 audio websites hip hop dance class in nyc listen elton john artek smooth fiberglass entry doors lyrics elton john punjabi music jind mahi oh chaleyo self and prince albert diagnostics on ipod elton john song lyrics music editing software sound forge elton john pinball machines animated queen bee spongebob dance wikipedia buy disney dance leotards elton john tantrum ti get loose instrumental video arkansas performance sports little rock elton john lyrics can you feel the love tonight garth brooks zat you santa elton john hamilton tickets soccer for tots round rock tx west little rock storage prince georges county maryland ymca elton john blessed on the go insurance in little rock arkansas elton john der koenig der loewen upm mp3 theme download prince william county fairgrounds nan goldlin elton john zune marketplace makes me buy music eventhough i have zune pass stevie ray vaughn helicopter crash reggae national tickets elton john discography tiny dancer free silent movies music elton john dance naval battle ipod torrent zune music festival hard rock hotel cam elton john best seller igneous rock biotite granite sheryl crow leaving ii sole meaning of elton john philadelphis freedom exotic men dance customes john elton the rose vocal cord cancer images nickelback rock star lyrics jazz emotions elton john hollywood walk of fame temperature to cook rock cornish hens elton john ktickets itchener free mp3 jakatta american dream afterlife remix bruce springsteen latin jazz music rock bote elton john song this song has no animated musical halloween cards elton john goodbye english rose soul maps sheet music for the gospel song lead me to the rock elton john tickets pullman jimmy snyder music bob dylan newport folk festival song for guy lyric chords by elton john polyphonic free ringtones for nokia 3200 ghost sightings on the queen mary elton john sydney au sweep over my soul how do you cure urinary tract infections the wooden prince elton john club at the the end of the street holy grail mp3 elton john love cd mp3 player portable new years dance posters they be on a nigga lil boosie mp3 elton john candle inn the wind genero musical samba elvis cd rock back the clock elton john set list portland maine quakia dance in hartford elton john screamo queer as folk sex scenes watch online slash and eric clapton playing downloads kiss crazy crazy song for guy elton john mp3 you tube alicia keys no one atlanta billboard ads elton john donald duck new rap release for 2005 elton john tickets portland maine download birdman pop bottles tango anrgentino online albanian lessons mp3 lyrics daniel elton john halo dance party elton john happy birthday robert plant and krauss and raising sand and audio free full mp3 off my cell phones web cure all chicken soup elton john sudbury arena reviews razor and tie music buzz laptop audio tumbleweed connection elton john radio stations in charlotte playing christmas music elton john holiday record led zeppelin rock and roll wiki foo fighters philip william prince of orange elton john height honda of rock hill sc can feel love tonight lyrics elton john mp3 voice recording freeware best pop up ad blocker readers digest and music almost famous elton john blackberry audio adapters free download jv naybahood queen elton john skiline pigeon queen killer queen mp3 elton john candel portable dance floor in san angelo texas low self esteem feeling ugly mp3 sd card players australia sudbury elton john concert reviews lyrics maharaji premie music songs elton john in charleston sc dire straits and 50 cent online encyclopedia of important music producers music of elton john and bernie taupin smallest zeppelin triumph vs bon jovi angry indian ringtones elton john 2008 rock raking equipment mp3 free rocket download elton john sudbury arena bob dylan biograhy elton john concert new plymouth nz cure plantar warts ms prince abbas roooms on fire stevie nicks elton john o2 concert start time actung juden mp3 the devil and elton john six panel entry doors mp3 editing freeware sending free ringtones for motorola v60t elton john versace dinner jacket mp3 splicer freeware realistic apm 500 audio power meter elton john vor lord flashpoint music library elton john something jazz dance atlanta cause and cure high white blood cell count concerto verona virginia gospel the one video by elton john specifications 2001 fleetwood expedition elton john zero free nextel voice ringtone ubuntu mp3 ripper elton john at kansas city dolemite audio clips new musical express frank zappa interviews pictures of elton john rock collection in holland brandi from rock of love girls naked elton john at the hunter valley stinger sp1000 power2 dry cell car audio battery 28405 free ringtones for embarq cell freecingular ringtones elton john hits hip hop down load music free ghetto gospel elton john ft tupac fleetwood mobile cabinet mount madonna can i play any music on an ipod elton john 1973 tour vintage kenwood stereo receivers commercial that uses we want to funk elton john canadian concert tour pack pink floyd elton john at orlando windows media player free mp3 encoder pioneer stereo 1987 chevrolet elton john savannah georgia arms race remix kanye west lupe travi lyrics buy lcd monitor audio out hdmi free real music ringtones elton john rocketman ipod upgrades elton john management tom waits dates uk 2007 maclean death notices in prince edward island naked couple in elton john video hottest pop songs nirvana collin myspace cobain dance fever mania kids toy fame elton john football club map queen anne cherry hill nj song for guy by elton john medication to cure abscesses in mouth free spanish music elton john im still standing dance moves to get right jennifer lopez lowest price for eagles cd stanley exterior metal doors elton john electricity mp3 daft punk harder better faster stronger mp3 kansas city star elton john myspace lois jim daft punk gay marriage retro swing dance dress r kelly ft kid rock and ludacris elton john tickets dark shadows theme music on cd lyrics to sorry seems to the hardest word elton john paint rock chip repair california pop ups in internet explorer scene from almost famous elton john song hhh entry music saudi arabia portable music players elton john for you linkin park what i ve done frozen car doors elton john tabs black gospel songlyrics and chords billboard tarps elton john club at the end of the street tom pettylast dance jazz holes omaha specialty glass doors apr 24 2005 elton john rock crusher trail rack steel horse lyrics by james blunt blue feat elton john sorry seems to be the hardest world miles davis the essential miles davis elton john live bootleg recordings bon jovi faith who carries fanta lemon pop lyrics elton john goodbye road free gospel music southern musical instruments in irelard sum 41 under class heros free mp3 downlodes elton john pilot christina agulara song candyman music video craig david featuring sting rise and fall mp3 download elton john and ray charles dominator stereo fuckin finance it rolling stones digital magazine elton john and grandiose soundtrack from juno blues down load elton john true love soul by soul review elton john sacrafice dylan reid queen mattress pad cannon little jeannie elton john lyrics filthy audio stories listen to cumbia dance jimi hendrix redwood a song for guy elton john saints u2 greenday mp3 elton john salt lake city thai music blues and biscuits superman audio clip elton john birthdate hand clap rap music mountain ct elton john seems to be the hardest word list of all led zeppelin songs elton john back stage passtickets post card with 3 cent liberty stamp printed on it audio radio excerpts of pearl harbor attack elton john mp3 mtv music awards britney spears prince albert weather elton john blog mp3 audio webcasting software airship graf zeppelin easy elton john piano copy photo from ipod to mac standard abstract little rock kesbian kiss elton john song list denver dance clubs elton john lestat recording enrique do you feel mp3 download piano music for had a bad day music hall at fairpark dallas tx elton john greatest hits 3 init arm band for insignia sport mp3 players prince 2 in microsoft project template elton john midi files aaliyah one in a illion satisfaction music video elton john wav songs gothic garden robert king music elton john sorry music is energy advent children ringtone elton john lyrics sacrifice document accival audio date elton john band arrangement free ringtones for samsung e600 chords to jingle bell rock movie elton john your song download big ban music publisher audio books elton john someone saved my life tonight james wood jazz michigan free itunes music lyrics to elton john your song mitch albom audio book energy cure horse ocular tumor can you feel the love tonight elton john pop century tips walleye rock river elton john sad songs tyra b givin me a rush mp3 techno geek music reveiws elton john box set to be continued teaneck mexicali blues elton john what a difference a day makes cosmos bottling corp pop cola installing knob on bi fold doors elton john tiny dancer dance bands on the outer banks n c best audio systems ceasars palace elton john rock star son scream avenged sevenfold free ringtone archaeological finds of erasure of queen hatshetsups name john elton rose disney evil queen items song lyrics bennie and the jets elton john best of the seventies music everything by michael buble free chistmas music sheets for flute elton john someone saved my life lyrics the 12 pains of christmas myspace music code rear view mirror pearl jam elton john tumbleweed prince kent football recruit norcross why do veins pop elton john lyrics sorry linkin park concerts info your song elton john you tube queen election in china mugen mp3 elton john she macon georgia rock bands we are here to rock your world elton john in charleston sc at colosseum kanye west music sheets for trumpets musical group tool blue featuring elton john sorry seems to be the hardest word viet rap music usher musical chairs audio files elton john golden ballads new audio books rapidshare wireless music adapter elton john outfits music and lyrics to happy birthday jesus atx rap fourms elton john your song lyrics audio books twilight by stephenie meyer tertris for ipod nano for free elton john word in spanish dance talent contests top ten rap videos steely dan lyrics deacon blues elton john in the end horror movie mp3 soundtrack theme mp3 downloads hindi songs elton john back in montana traditional mexican music mp3 high fidelity movie soundtrack elton john tou rockit miles davis in osaka elton john marilyn monroe princess diana soldier boy music notes free vx3200 ringtones listen to underground rap music elton john home southern hip hop website listenning to music while studying nikitha lyrics from elton john polk audio rm302 elton john homepage fighter music from pride fc gospel medley sheet music destinys child elton ft ghetto gospel john shakur tupac rca pearl mp3 player download review audio technica a55 headphones jazz musicians cleveland elton john yellowbrick road black gospel ministry sreaming music stations elton john portland oregon cure for excessive underarm sweat elton john pohto nude girls ipod music conversion mp3 rock you like a hurricane scorpions download youtube records elton john victim ginuwine pony download mp3 free classic rock audio spider pig ringtone elton john michael buble discoteche trance greatest hits elton john superman by eminem personlise your e card with your music elton john banned guitar chords classical music download fat babe music video ticketmaster bruce springsteen elton john banned art zenith audio products clock radio seneca rock wva elton john firing dee murray description of pop music alice lyrics elton john rap and hip hop impact on the world hip hop radio stations free how to back up files on ipod for new computer artists influencing elton john the 2007 mtv europe music awards upcoming airtimes eminem vocals kiki dee elton john feeling like you have bruises frank sinatra ididitmyway elton john concert baku machspeed mp3 player reviews pay per song mp3 sites lyrics madman across the water elton john the song mississippi queen heartburn cause and cure elton john tribute rock island illinois seminary rockford history best indie rock songs elton john goodbye yellow brick road apple ipod centers blues for breakfast elton john george michaels call to the post ringtone elton john outing teen clubs with dance floors close to roseville california high school musical wall decals rock polish jewelry elton john info rolling stones wallet elton john biography video jimi hendrix myspace layouts mp3 player for baby elton john someone saved my life tonight story free michelle branch sheet music bleach dark of the bleeding moon musical music elton john ticket ephesus video talk the rock mdf interior doors reston virginia car audio elton john in sudbury ordassity audio coppier cure perleche elton john rose of england hip hop illutrations gallery elton john princesa diana pc based karaoke mp3 g toyota stereo when we die bowling for soup free mp3 free elton john sheet music music education webquest free streaming audio elton john brandi rock of love mp3 player to car radio elton john spanish spoiler alert rock of love where dose leona lewis live multiroom audio sysytemsa elton john complete list of songs zeppelin reunion video ghetto gospel 2 pac and elton john luminary dark eyes mp3 ipod construction cost elton john colers madonna little star mp3 link radiohead idiotequ lyrics download mp3 kinky friedman whitman elton john club in the end of the street themed audio aim buddy icons elton john candle in the wind eric clapton use of his fingers bobby jones gospel show elton john images semi formal punk dresses smallville olliver queen elton john concert reviews new ipod nano review third generation goodnight my angel sheet music the coolest lupe fiasco elton john tenerife parking guitar tab neil young rockin in the free world elton john how pencostal church of god gospel cd free capture streaming audio beatles record labels pics elton john goodbye yellow brick where did mary j blige start off from the blues elton john lyrics miller meteor hearse suicide doors soundtrack of lion king 2 elton john song titles audio visual and media rock finicial show place elton john and mel gibson in savannah red china blues granite and rock for sale in davenport iowa elton john a word in spanish tiesto australia dave matthews image copyright infringement elton john honky tonk women real lyrics to it started with a kiss stuck center button on my ipod meaning in bob dylan lyrics elton john duets madison square gardens philippine pre colonial dance queen mary trailer if the river could bend elton john mp3 split rock dam level elton john concert washington dc lap dance position hairspray musical learn dance steps drip sweat rap song explain harmony elton john eagles nest resort at indian point austin power ringtone elton john believe airport cassidy bc urban blues piano lyrics for the candle in the wind by elton john envious feeling elton john white house photo clapping song mp3 smile empty soul finding myself goodbye norma jean elton john reasons for punk songs elton john crocodile rock mastercraft doors reviers your song download elton john van andel carrie underwood ukeline and musical instruments elton john piano music katie cassidy pictures power ranger super villain pop quiz elton john and princess diana eric queen keating ss fallschirmjager cure for sweaty feet elton john art exhibition at the high museum of art in atlanta vern goodsin country music popular elton john songs radio city music hall stage door tour tickets importance of dance in culture elton john the red piano bon jovi hit songs colors of the heart mp3 download musical dirty dancing in toronto elton john rocketman definitive hits nerovision 5 menu audio elton john live in australia disk 2 introduction of original ipod advertising prince philip quotes elton john concert at o2 centre village music indianapolis stevie wondersky motorizr ringtones elton john cold as christmas soul shots vol 2 how many number one hits has elton john had jazz with no lyrics german rock sewing patterns for elton john outfit cadillac fleetwood broughm fos sale hifi audio in westlakeoh male female vocal duets elton john instrumental chords dance group central asia life of elton john queen elizabeth ll knowledge elvis presley chords and lyrics prince matchabelli wind song someone saved my life tonight and elton john free music psp downloads elton john photograph exhibit italo disco balla balla radja free mp3 elton john your songs multiroom audio sysyems sony stereo systems little boy elton john at the piano photo rock hill bessie moody hdmi audio xbox eric clapton in concert elton john mikida digimon soda pop elton john picture banned prince calvert house dance afreaka john elton waltz dance count pink floyd dark side off the moon elton john music movie lion king first cuts the deepest lyrics sheryl crow mp3 reliability allen funk cary nc elton john movie lion king miserlou tunells klezmerband sheet music elton john tour led zeppelin free mp3 download crystal waters destination unknown mp3 definition of a gothic tale elton john feel the love tonight speedwire audio elton john saturday night low cure powder book ipod spanish rap music eminem elton john funk a650 free ringtone samsung sch elton john good bye yellow brick road at youtube rock 4 link suspension best friend reggae song elton john 11 17 70 polydor cd piracy effect on music industry who was nuban queen elton john right from the start i gave you my heart feist 1234 chords and words basic jazz technique elton john greatest hits packages music stores in braintree massachusetts music schools in los angeles your song by elton john fame de musical daphne flint logic problem nc punk band gothic fairies myspace backgrounds elton john russian bullet 1979 newsgroups iron maiden wallpapers for cellphones rainbow rock history elton john blue eys queen elizabeth the fisrt elton john beautiful bruce springsteen the crossing guard filmmusic disney princess sheets queen size free mp3 download tony rich project nobody knows music lyrics elton john download latest bollywood mp3 tones leona lewis beeling love goodbye song by elton john little rock ar zoo nickelback elton john pop culture music of ipod nano discussion recent music awards on tv elton john guy astm e283 doors elton john crocodile rock les miserables musical dvd have you ever seen rain cover mp3 elton john king leon ipod multicharger type of source rock elton john 60 dvd mozarts music kid rock allum guitar tab from oklahoma musical elton john the circle of life chakushin ari ringtone thief soundtrack lyricist of tiny dancer by elton john angie stone music elton john your song feeling words for writing in the 6 traits remove pop up drain how did janet jackson lose weight friends and elton john jazz and blues transcriptions elton john this train radio shack apple ipod battery myths and folk tales perth sales bon jovi tickets las vegas elton john james bond music britney spears shaved pussy elton john candles rock singer web wilder fleetwood slicer parts elton john piano book memorex music cd r 30 pack elton john tickest columbia mo contest linux on ipod touch best free program to download free music kazoo circle of life by elton john mp3 ringtones rock and roll hotel cadillac don j money peanut butter jelly instrumental video bob dylan biography primary source elton john contact fairlington doors and windows elton john single man in russia torrent eagles nokia set list sheet music to he little drummer boy its all over now rolling stones mp3 elton john red piano schedule westchester belly dance elton john goodbye yellowbrick road hip hop transfered to jazz how to isolate drummers vocal mic apple ipod nano 4gb transmitter funeral for a friend elton john who ladies techno master heart shaped watch elton john lion king erratic rock fergie mp3 downloads belly dance teacher blanca carelia ghetto gospel 2 pac featuring elton john plush prince 1st birthday crown i river mp3 player lyrics for daniel by elton john blues playing drummers dan dare tv show elton john kiss and tell blog listen to complete mp3 present the gospel friends movie elton john divine liturgy audio elton john feather in your hat effects of rap music twas the night before christmas musical rotating house free insane clown posse music downloads elton john sacrifice mp3 download natalie feist songs by elton john mainstay music group shift mp3 video player music for sex elton john and kiki dee dont go breaking my heart calvary full gospel scriptures for the soul elton john tour schedule athena ivoice stereo speaker system for apple ipod ulm football 2007 billboard elton john fireside fragrance oil define the great line mp3 megaupload megarotic elton john birthday rock abs delta queen mississippi river cruises pearl jam evenflow mp3 download elton john early years flu cure elton john pullman wa hypothyroid cure doors apocalypse now elton john chairman watford football prince of tennis episode 118 how to write christian rock and rap songs elton john cold herbs to cure gout mp3 pay as you go how to give a powerful kiss sacrifice video by elton john christianity in classic rock music white screen doors elton john music plus size punk cloathes sing de chorus noel dexter elton john photos with kiki dee johnny cash cocaine blues elton john sun go down on me lyrics beyonce and shakira nude disco born lyrics elton john island girl rapidshare sport video music female blues guitar ipod touch or iphone elton john they call it the blues lord of the dance pics elton john party sunglasses celebration church round rock jazz music on lincoln car commerical elton john guitar tabs listen to hip hop beats soul calibur personality elton john concert ucf arena orlando elvis presley first record rock group mountain elton john michael bubble kookaburra ringtones the beatles ob la di elton john live at wembley 1977 double barreled pop gun urban jazz in minneapolis downloads for ipod touch games elton john rocket man rap lyrics drunk crunk so faded free music for nokia 3220 elton john pack gospel wicked video musical multi stereo inputs speaker output elton john march 2 tickets icarus led zeppelin pictures grundig music boy 71 elton john kiki dee carlsen center overland parkmorsey dance black prince tomato growing zone elton john roses motorola razor ringtone softwear elton john love songs the gospel of judas simon mawer showtime dance studio altamonte elton john guitar chords beyonce house of dereon ad billboard music techno music records elton john song tabs internet radio christmas music disco inferno 50 cent uncensored lindsay vannoy elton john gsm school of music james galway elton john the ultimate collection kanye west ft chris martin lyrics celine dion sings god bless us everyone lyrics across the universe beatles elton john crocodilerock queen play the game lyrics neil young rockin free world elton john hakuna matata banfield rock hill sc elton john the devil went down to georgia onboard audio drivers cats musical characters list all of elton john songs warners safe liver and kidney cure listen to rap music online for free empty garden elton john this christmas raven symone mp3 hip hop dance studios utah elton john comes to america ella fitzgerald famous the rex jazz hotel elton john little bit funny prince hall masons grand lodge of new york elton john discography torrent natchel blues docuntery one hand blues butter knife elton john north charleston free music maker euphonium solo sheet music elton john and john lennon free rock music lyrics bonnie tyler how does music fit into music unique things about elton john pop jeans ipod compatible audio ebooks carver audio repair parts elton john goodbye norma jean chanel dance tickets for neil young concert your song elton john youtube clear lifestyle queen nickel cap platform bedrom how to pit dance elton john concert in charleston south carolina teachng science through music elton john rubber dubber blues brothers hats pop singers of 1960s elton john lyrics sorry listen audio commandline utilities win32 chemni rock nc rock band for the wii utube elton john disco in america hrh prince hassan rocket man by elton john jazz clubs in puerto rico how to install ipg games ipod elton john and alessandro safina even flow pearl jam jazz blues elton john video were a couple are naked in the beach crystal hip honeys hop knight elton john healing hands beatles cd boxset kobitone audio company elton john robert downey jnr film clip mp3 toys gothic statue eisenhower park east meadow new york elton john and jerry lee lewis music mixers for free download folk art jumping bunny hard rock cafe rome italy elton john grammy awards how to export music from a ipod hard case for ipod touch elton john kann es wirklich liebe sein the twelve days of christmas sheet music elton john foundation an enduring vision benefit kiss berry stealing cinderella country music lyrics ipod copy registration number what year was elton john born words to soul man by the blues brothers blowing rock horse trails elton john skid marks richard harvey mp3 plastic musical flower elton john can you rock spray paint dashboard experiment how to shrink a pop can in water elton john goodby jazz trumpeters chronological dictionary elton john lyrics god is dead trance scberian orcratra eagles long road home phantom blues band elton john tupac 2pac warrior without the sound of guns cure for sticky eye in the morning first impression doors enchantment passing through elton john queen of niger beastin th harlot mp3 elton john concerts robbery in little rock arkansas library jazz dance and jazz music elton john ticking ladies techno master heart shaped watch rock county tax base music videos by elton john black lyrics pearl jam korg ms 10 mp3s clipart dance splits new age of the beatles lp elton john daywind gospel lyric song southern piano fake book elton john journey blues rock music the rolling stones love sacred body touch feast heart mind soul spirit lyrics the bridge elton john mp3 adapter how to add songs to ipod acrtess elton john aids susan wood panels for refrigerator doors equation of hydrogen pop test free mp3 from google lyrics to your song by elton john palooza music concert elton john saturday nights alright tab ipod auto docking traditional costa rican dance elton john i want love lyrics oh night divine sheet music black gospel contemporary music church adelaide elton john tickets in vegas lyrics to everyday high school musical 2 audio source sw380 compact stereo with ipod connection elton john names of songs he wrote code free motorola ringtone v60i lounge reggae sunday ny elton john builds house in caledon ontario q9m ringtones guitar chords elton john sad songs britney spears residence coldfusion mp3 lowes french doors elton john candles in the wind impact of music on the jamaican economy elton john friends never say goodbye the rock pizzaria red hot chili peppers the uplift mofo party plan download links soul calibur 3 selling elton john tickets bob carpenter center ipod video formats frank sinatra influence on popular culture blue jean baby lyrics elton john how to transfer music files from limeware to itunes rolling stones alternative vinyl im still standing lyrics elton john syncronize audio with video files elton john the one clopay doors cincinnati queen of peace az pianists gospel rocket man elton john lyrics hoyts montage music free stadium music lyrics to tiny dancer by elton john black gospel christmas skits listen to cotton eyed joe folk song elton john i want love rap cat website coffee prince recap elton john can you feel the love tonight remix track 14 music pop tards crismmas free download mp3 u2 joshua tree honky cat and elton john clip art musical notes contact elton john how to downlaod music to an mp3 dance studios peterborough ontario billie jean king and elton john at villanova punk buster doors tab what is the shortest rock and roll song elton john blues rough soul meaning of the song daniel by elton john hip hop mixed cd s porno graffiti music downloads elton john lyrica in bew york city startrek voyager soundtrack making piano music more interesting elton john i still standing vocal polyp surgery guitar notes for my friends the red hot chili peppers elton john apparel free dance membership learn dance les paul blues elton john las vegas package rock stores mick martin and the blues rockers download elton john russia 1979 2 cd best 50 cent slots in vegas gospel reggae elton john piano songs top 100 alternative rock songs chapter summary of prince caspian wild arms 3 soundtrack download elton john island girl when the queen of hearts met the jack of all trades music video elton john king of lion nicaragua music worship mp3 original sin elton john chords daddy pop charlotte nc musical instruments rentals elton john bio how to download music with out paying anything at all cheap music comliationd download legal kem heaven marlon d mp3 adrian harris elton john pachelbel in modern music i wanna kiss the bride elton john sheryl crow feel like hell smooth jazz mp3 montreal rock climbing repelling elton john lady backyardigans piano music elton john norma jean digital books for ipod hard rock and casino tub doors and bypass elton john rush hour 3 gothic 2 join water mages mercenary mobile windows media player plays what type of music disney elton john song you tube queen broadcast elton john billy joel face to face dvd rip music from game roms ringtones zz top elton john young girl photo aerobics dance children caught in store doors elton john chords hutt river povince prince leonard steve harvey chubb rock elton john nude exhibition dance instruction waltz sanyo xacti dmx hd1000 tupac be the realist daniel lyrics elton john adele stevens kellie marie lesbian video i think that i shall never see a billboard lovely as a tree spirit in the sky by elton john meaning of aaliyah john williams potter elton john belt buckle converting limewire movies on video ipod elton john in las vegas listen to new song by eminem homers music elton john burning through the sky god made rock and roll for high street music burlington nj elton john tried to commit suicide marie osmand dance dvd tango 200 trike caribbean soundtrack elton john lyrics fox trot dance david frazier music elton john schedule 2008 mp3 player software elton john the rose of sharpe music gothic fiction for teens gardenridge round rock elton john sorry seems to be the hardest world peaceful easy feeling guitar tab strait music austin texas elton john benny and the jets album classical music time line just plays music website circle of life elton john dance music charts 2007 elton john is a pervert best oldies music download cassidy from ifriends how can i tell if i am an old soul bullet in the gun elton john song lyrics digimon the movie ost mp3s discount elton john tickets music match jukeox couture cover ipod juicy audio capture simple loopback sample elton john songs in movies rap songs free download times square movie soundtrack elton john can you feel the love tonight remix track 14 live music in cambridge stereo equiptment elton john and cirque de soleil in las vegas alot sax sheet music performance arts dance company the devil vs elton john madame butterfly rock elton john sudbury free mp3 christmaskaraoke songs cuban music ringtones for cell phone cent refrig net ser inc elton john gay fog bound pirates of the caribbean soundtrack african dance clipart elton john sebastian how to watch movies from ipod elton john circle of life urban dance project asr x pro pop goes the weasel wave naruto clash of ninja revolution character unlockables elton john singing crocodile for sale what the name of the queen of egypt was download rap cds free elton john dont go breakin my heart kanye west emotional breakdown death of his mother elton john music videos jack johnson guitar tablature home brokedown melodies jessica trance inseparable by jonas brothers free real music ringtone elton john live video anxiety and feeling on edge lyrics to levon elton john sexual seduction mp3 rapidshare link italian music top ten what a lovely night for a moon dance lyrics elton john song chords lyrics i said to the hip hip hop cortex hdc 1000 dj mp3 controller sad situation elton john lyrics to in this world by linkin park zeppelin z278 le travel trailer elton john mca discography apple ipod usb device drivers for win xp elton john dont delay audio crokadile rock midi love song elton john lyric soul finger revealing photo of sacramento kings dance girls elton john almost famous the streets mp3 torrent dallas sting soccer club elton john management company fripp discography god save the queen hip hop origin sftencdd stereo left right channel command line elton john free sheet music dance shoe liquidation elton john your song mp3 music schools pennsylvania children bouncy virtual lap dance umd dogs cancer cure someday out of the blue elton john when did ronnie wood become a full member of the rolling stones cowboy bebop for ipod elton john you tube wireless rock guitar ii controller for ps2 elton john can you feel thelove tonight john cena and eminem battle in springfield sound of music orchestration score listen to mali music the best of elton john galveston county ranchers dance billy joel elton john face to face tokyo serial killers who love the media ncaa fotball music free piano sheet music by elton john flas drive mp3 player dave matthews world ends tabs elton john foundations online soul radio centon beatbox mp3 player prince of tennis ova 16 elton john bob carpenter center rock your stars elton john merry christmas timbaland the way i are mp3 ipod to home stereo history of ska music elton john portland maine concert review storm doors 4 pets chlamydia and cure elton john las vegas who built the led zeppelin roller coaster lyrics elton john tender youg alice fender jazz bass mij yoko kanno adieu sheet music kiss song lyricsbeth elton john universal award pop n taco moves scullers jazz club boston daniel lyric by elton john music basketball joe fat albert free elton john mp3 prince valves remove music at startup xp elton john and larger than life and amish blue martini dance classes cons of elementary music education elton john lyrics levi kanye west searh engine communities schopper rock county eagles guitar tabs elton john american career how can i make a flash player mp3 free professional development guide audio mp3 elton john only names of songs he wrote apple ipod outlet elton john and tim rice aida rock case studies lynryd mogwai auto rock elton john website rave music books on tape for mp3 song lyrics blessed elton john sheet music chelsea hotel office space soundtrack billboard 200 pink floyd trackback this post closed elton john web site audio video switcher with 2 outputs famous lines of elton john nirvana in bloom mp3 tag editor free best elton john sorry seems to be fleetwood mac guitar tabs wee on a jellyfish sting rich soul elton john fireside dance conferences elton john photos race for the cure indianapolis christmas music torrents how to slow dance for teens elton john rocket negative effects of heavy metal music mona lisa and mad hatters elton john tight rock anchor concrete swizz beats cassidy elton john guess thats why they call it the blues indie rock songs about sirens stereo headphone amp wireless rf biography of elton john music video mc donalds rap windows send message to pop up king queen virginia properties george michael elton john audio technica at433e beatles 1965 tour starlight orchestra elton john rca mp3 player software spider pig mp3 elton john feat blue sorry seems to be the hardest world switchfoot stars music video the spaids rock band elton john music download free white girls music soundtrack elvis presley birth someone saved my life today and elton john welcome to my life music video elton john concert datea music file formats sab music label elton john rarities amy winehouse 08 wake up alone bike route rock creek park acrtess elton john aids diet eat edinburgh cent cuddle mp3 echeck elton john concert tickets music hit the road cabaret mp3 elton john rose how to make a music photo cd using m audio black box bootlegged elton john night with music hazel mp3 saiyuki elton john pigeon b hip hop music r philadelphia eagles web site audio tape cabinets in the uk elton john new york rock chaulk killers when you were young acoustic elton john the three doors down tabliture tom petty elton john christmas all over again free hip hop sheet music for flute nirvana my girl the watelnad elton john dead can dance mp3 audio sync when burned audio referenzanlagen elton john stip into christmas how to preach the gospel to a child exeter music shop the last song elton john beach boys i can heart music summer dance mania 2006 elton john goodbye yellow brick road tab anime mp3 song theme elton john made in england hack ipod classic 80g stevie nicks the night bird soft ipod video case elton john siezed photos beyonce interview elton john danial cost to cure fred fisher atlanta audio book downloads whats the best cure for jock itch elton john live bbc 71 carrie underwood dating who rihanna hate that i love you elton john ucf arena david young general hospital music elton john tour setlist hip hop instrumental radio kanye where do you get the squooshy pop tart pillow step into christmas elton john video frogs on a rock misunderstood mp3 elton john religion victoria christmas music queen we will rock you download johnson mountian music elton john doll elvis presley rubberneckin elton john you gotta love someone can you start feeling nausea 2 days after conception us navy audio tapes on sinking of japanese submarine i52 prince hotel bhuj reviews elton john honky tonk woman mp3 man heim steamroller christmas music cajun dance waltz the very best of elton john granite rip rap georgia top rock 100 1988 elton john on tour what is a rock outcropping elton john i dont wanna australian rock guitarist darren maccormack le ann womack i hope you dance perth daft punk elton john perth iron patio storm doors sacrifice lyrics elton john ipod nano frozen collective soul all theses times contagious elton john color songs neil young release bert kaemfert that happy feeling free ringtones for cingular phones real tones elton john can you feel free downloads mp3 songs music academy of dance arts brookfield folk art wall paper border elton john tour dates australia windows xp audio device britney spears new nude pics elton john promotes art biloxi hard rock casino elton john boxed set nipple clip music rock our lady queen of peace school airdrie stores that sell pink ipod nanos elton john tickets november 3 2007 dog fashion disco insanity lyrics elton john george michael dont let the sun scottish rock legal music down loading sites elton john your song sheet music entry doors cheap completly free music downloads htm ghetto gospel feat elton john is jack johnson the singer married sports mp3 and blood pressure written lyrics ot some of kirk franklins music elton john foundation picture of a chili peppers mp3 players songs elton john discogphy arguable research topic on music elton john billboard hits jimmy buffet barometer soup mp3 rock shop rock hound riverside ca rock chord progressions elton john pinball machine allow pop ups sir elton john myspace profile bruce springsteen hungry hart woodlands pavilion radiohead national music fraternity university of massachusetts at amherst elton john life facts crocodile rock allentown elton john mp3 download queen ann county maryland marina amazing grace words and music elton john myspace eagles eastward red night barbary coast britney spears flashing on stairs life story of elton john best selling rock albums of all time e890 audio test default dance stripping music youtube elton john victim of love stevie streams christian folk music elton john simple life free online christmas music in portuguese billie jean king and elton john rap music free at last by ella fitzgerald lyrics gothic sterling jewelry elton john tickets kitchener pavrotti and queen eyres rock caesar palace elton john concert black gospel lyric web site ziegenbock music fest houston tx elton john video saint louis blues jewelry pilgrims chorus elton john lucy in the sky with diamonds linkin park carousel elton john tim rice eagles punter fergie music albums rock bon fire pit my song by elton john sheet music farmers blues hip hop instrumenal elton john live at maddison square polk audio marine speakers ringtone history john reid elton john manager jazz pictures elton john can you feel island queen cruises mannys music listen to hip hop instrumental elton john daniel iron maiden music elton john betty and the jets when i capture video with nero i have no audio im about to break linkin park hyperventilation hunger feeling elton john candle in the wind free downloads mp3 songs music lili marlin dance elton john complete discography celine dion may hardt wil go on acar audio html contry music codes elton john writes words rock band cheat code elton john christmas in the middle of the year jazz scales for bass no one alicia keys taco bill resturant black rock elton john madonna rihanna dj nvader remix sos elton john video were acouples are naked in the beach mel brooks hitler rap lyric john williams starwars rip off of symphony tupac shoes blessed by elton john long walk home by bruce springsteen vocal polyp elton john publicist virtual new years kiss where can i find the game american idol double dance showdown music elton john your song what it is about causes of feeling like stomach flip elton john this is your song my redeemer lives piano music music nass alghiwan good belly dancing music does elton john have siblings semens free ringtones elton john newest songs music to listen classic rock the beatles falling lyrics elton john george michael dont let the sun go down on me world music preppy rock afrocentric beat download free gospel lyrics to elton john songs theweatherchannelsmooth jazz cd florida gulf folk elton john accountant explanation of the degradation of language and music the poison bullet for my valentine mp3 elton john victim of love michael wendler disco itunes does not show my ipod stereo power amplifier elton john red piano tickets motorola melody ringtone composer elton john fan mail phil collins anti semitism samson rock crusher elton john concert dates creative ipod uk rock island 45 acp mark olson harvard jazz elton john bernie taupin tribute concert carnegie hall free mp3 movie downloads elton john tickets queensland music in egypt on this rock audio centron mp600 elton john crocodile rock lyics eagles what do i do with my heart elvis presley track5 elton john impersonator stereo leads elton john columbia mo user manual for kenwood shelf audio system hd 7 kiss kiss fazer learn to dance free the next great american band and john elton mc queen race car slippers elton john honkey cat puscifer mp3 queen b export mp3 from itunes indamay child tom waits bullrt in the gun elton john song lyrics what do different hindus think is a soul chevy colorado truck audio specs elton john sheet music sorry the american dream vs the gospel of wealth elton john beautiful in my eyes drivers for intel pocket concert audio player version 1 digital audio output on xbox360 should downloading music be legalized elton john candle in the wind 1997 lyrics dance alive gainesville florida eye trance circle of life video by elton john feist arkansas elton john goodbye yellowbrick road lyrics making your own indoor wood doors mary queen of scot candle in the wind elton john abc good morning america carrie underwood i wanna grow old with you mp3 elton john discoghy disney soul train dvd minor league baseball slippery rock pa jl audio m650 ccx speakers elton john honky cat lyrics new hip hop artist elton john midi take it easy eagles bob dylan thunder onthe montain cosmik debris frank zappa guitar tabs elton john voor lord brian moore rock paper scissors tournament elton john 2 pack gospel audio controller driver mozart requiem mp3 hairspray musical learn dance steps coregraphy empty sky elton john 1969 upc sony dmx r100 madi card how to do a french kiss mike deasy elton john uninvited freemasons radio mix mp3 elton john singles punk rock ringtones depeche mode autobahn rap racionais elton john wind online rap beat library benny and the jets elton john twiglet morris dance m audio quattro users manual your song elton john gothic mansion floor plans renville county west dance team photos national jazz awards elton john part time ella fitzgerald family tree elton john facts rip off records punk label carmelo bene manfred mp3 elton john the fox mpd24 m audio 49es top disco songs t j de queen tiny dancer lyrics elton john music technology equipment reggae artist killed in south africa kiki dee und elton john lyrics to everyday in high school musical elton john costume carnival queen trinidad 2008 miles davis agharta elton john mp3 downlaod water street music hall rochester ny prince ali rescue elton john burn down cure for human warts ghana highlife music amy wineha amy winehouse elton john figurines carrie underwood at the 2005 cma song lyrics for elton john stevie ray vaughan vido mp3 burners with cd text boston music 1971 still standing by elton john music keyboard intervention elton john kiss from a rose arsenal emirates stadium matchday music medieval music notation houses of blues atlantic city elton john cds john cena and eminem rap off music from six feet under elton john new album audio key changers elton john can you feel the love to night nikki techno house john lee hooker the blues us 7725 altec lansing new ipod nano adapter elton john 1970s photos general audio calgary celine dion en concert lyrics emily elton john latino chanson guerilla elton john tickets in canada how to convert mp3 to ringtone video nirvana blue ft elton john past songs by amy winehouse kiki dee i got the music in me information on ipod nano goodbye yellow brick road elton john words to song shuffle dance elton john friends mp3 the history of punk music how to put songs on ipod shuffle sad broadway musical elton john candle in the wind 1997 creative music synth download vidal dre music chopard elton john littleton killers cd to ipod elton john child pornography view picture potato head blues chords elton john elton john aaliyah s coffin cat dance video elton john candle pop pommery champagne right foot one time dance song butterfly elton john lyrics mp3 players that work with audio books free pop out of coke machines elton john photograph real rock 104 popular music in france thunder robert johnsons tombstone mp3 elton john and kiki dee cassidy pornstar wi fi and connecting ipod elton john missoula mt concert turntable convert lp to mp3 what is the longest song elton john ever recorded reggae dance uk famous 80s rock music elton john ronald reagan photo cave in rock eric clapton official website kanye west stronger censored version elton john lyricist is there a cure for tourettes history of the horah dance elton john marriage how to read drum music elton john burn down the mission hummingbirds have vocal chords learn how to build doors pocket pc music synthesis software elton john missoula buy mp3 players meaning of elton john lyrics the bitch is back aaliyah song lyrics musical blog sorry seems to be the hardest word elton john want to break free queen manhaset and music and stand elton john porn great gilly hopkins audio german classical music george michael faet elton john crown prince rudolf hip hop kids justin timberlake shania twain and elton john musical instrument valve by jean vivien b 52 music natasha soul elton john concert savannah ga jerome arizona music festival dave matthews band some devil complete list of elton john songs queen myspace icons elton john picture seized queen sized futon frames soundtrack for blow elton john good bye white rose otr mp3 timbaland featuring lyrics to elton john song heart of my heart sheet music fleetwood rialto elton john sunglasses cure for uti beyonce knowles shows pussy lord of the rings online abc music files funeral for a friend elton john who is woman youtube kiss queens feet monsoon camaro stereo ipod plug in aux elton john 1975 iowas state rock billy joel and elton john goljan audio and slides swaziland music elton john levon rap metaphors kenny rogers eye surgery elton john concert 2007 aze nerd rap britney spears facts rock with you lyrics mishka song for guy lyrics by elton john lyrics for good charlotte dance floor anthem mplayer use 6 ch audio elton john t shirt 70s free e musical cards recognizing twin soul elton john still standing repairing ipod franklin warrior might mights pop warner ghetto gospel 2pac elton john blank music cds stereo speaker lyrics rocket man elton john cimmany rock my song by elton john delk folk art adele chasing pavement cuartetos de jazz elton john band dee free download music chill out albumn caribou album by elton john sharp 5cd changer mp3 xl mp130 component system dita von teese martini dance elton john album track listing kids rock collecting rogue river doors free ipod minis elton john british tour 1973 untitled the only thing we have to fear is fear itself mp3 funny country music songs elton john imitator sheffield kidney stone cure music calender round rock elton john tour reviews eminem re up elton john tickets in las vegas rock prospecting north carolina inside the rock at prudential rock n rick kansas city elton john factsz the condemned music video by nickelback pop ball game can you feel the love tonight elton john lyrics pink ft redman get the party started elton john song for buffie the body lap dance video bob dylan song joey based on what crime roger whittaker mp3 musik what is song daniel about by elton john eminem madonna bonnie and clyde elton john yellow brick road michael buble cuando cuando free christian music to listen to something about the way you look tonight elton john why the sun shines mp3 load mp3 on ipod elton john rocket man mp3 coby clip mp3 player reset apple ipod elton john brian forbes video led zeppelin candy store rock big band jazz vocal music to play halo to ticketmaster elton john portland maine are ciara and 50 cent going out leadsinger karaoke digital music system elton john high school musical wii review elton john began playing united states where can i listen to erotic audio straight story soundtrack all celine dion songs and lyrics elton john at bob carpenter center mold my life chinese music sheet between god and gangsta rap download the road to el dorado elton john how to write a musical elton john englands rose amy winehouse drug life of queen guinevere elton john kikidee dont go breaking my heart it goes on and on disco lyrics teenage girls hip hop dance article elton john ipod commercial snow patrol signal fire mp3 download bomchicawahwah instrumental elton john george michael dance of the dragon movie chill navajo music music catalogue horoscope of elton john audio innovative 100i dj mixer divx mp3 elton john blue eyes ipod file tranfer elton john lucy in the sky with diamonds mp3 htm new york city center 2006 dance festival soft dance clarinet bad day at black rock elton john back in bozeman composers of the musical the sound of music elton john friend the baby dance free kid sister ringtones elton john taupin tribute carnegie hall how to make mp3 ringtones on a nextel i880 kevin l ringtone elton john volume iii free metallica tribute angels of music elton john sheet music bayfront blues spanish britney spears parodies elton john crocodile youtube candee jay lose this feeling paramore free mp3 download beautiful lie mp3 pin ball wizard song elton john rank audio edting software words to rocket man by elton john top hip hop albumns downloads ringtone verizon elton john sun going down on me mp3 elton john and john lennon best audio settings for an avr 240 elton john the captain and the kid summer love mp3 innate musical intelligience effects on blood pressure with music elton john 1971 mp3 file beep sound elton john greatest hits what audio interface is for you eric clapton solo acting music index of mp3 elton john albums using mp3 with car cd player elton john the way you look tonight purple ribbon all stars make yo body rock video swing blues taylor swift mp3 elton john photo nude girls uk music download stores free downloadable hseet music elton john musical score birthright of prince william county jessie paint a picture lyrics elton john no download mp3 lg vx3200 ringtones tommy elton john filmore music center revolution design audio transfer dvd from laptop to ipod elton john sorry seems to be the hardes word top 50 rock download realtek hd audio manager elton john glasses sabbath music elton john versace chain dinner jacket dramatic musical composition audio book mp3 audio design and recording superdynamic 601 candle in the wind by elton john britney spears christmas song cataracts cure elton john levon lyrics realtek high definition audio latency alc268 elton john yellow brick road lyrics josh and music and bhangra yellowjackets sting elton john satuday nights alright tab hold me like that celine dion realtek alc 883 audio driver listen to roman music chris benton elton john nz high school musical 2 lyrics to the songs elton john concert schedule missoula rap hip hop beats free download mp3 indo gothic jewal cross elton john the greatest discovery where to buy 32 by 80 exzterior doors speed jazz elton john concert the music goes round and round elton john ghetto gospel ipod nano 1 introduction to musical theory elton john kiki dee dont go breaking my heart which is mobile audio format rock candy uk elton john something about the way you look tonight audio wiring harness diagram 1996 mazda 626 frank sinatra when i was 17 long time elton john recording label prince precision 690 make your own musical word search sprint center kansas city mo elton john handyman craig prince george va mp3 for 1000 years by kang eun soo elton john feat blue motorola v60i ringtones free vista music license music effects elton john pensacola tickets linkin park wake mp3 how do sound waves travel through music t rex elton john apple ipod chat room lyrics to the way you look tonight by elton john manmade ayers rock river dance live from new york city elton john sing us a song lyrics the movie music and lyrics prince planet episodes why is the prince important elton john tiny dancer meaning male dance strip elton john song names denon dn s5000 forum how to store mp3 psycho verizon ringtone dance with me talking boombox elton john photo audio cd players influence rock roll elton john high school musical on ice raliegh copy cds to mp3 player tango origins lyrics bennie and the jets elton john american pie brady bunch mp3 elton john rob video absolutely download free mp3 music washington ofisial rock song alicia keyes frank sinatra elton john influence on rock and roll southern gospel radio web elton john i stll standing learn to dance duranguense britney spears gains 50 pounds daniel elton john lyrics britney lyric only spears this wish year ipod cell phone providers elton john t shirt new rap and hiphop pigskin dance clothes ideas artist influenced by elton john ipod fitness kit academic psy trance elton john friends lyrics igor dance lyrics rolling stones aftermath elton john texas love song what are eagles prey jobs in little rock elton john song for you lyrics dance hair accessories how to put music on your ipod with winamp list of musicians who have played with elton john dance with me rock city losing it mp3 stereo phile elton john feat blue sorry kansas musical group ipod touch photos in seperate folders elton john skyline pigeon full doors for yamaha rhino bitch back elton john free videos for an ipod smoke on the water music goodbye yellow brick road elton john lyrics lil wayne pop bottles video a list of hip hop music elton john mp3s powerpoint templates free music different techno social system shop godfather ringtones rocket ticket elton john code buzzy multimedia audio delta blues style guitar elton john tenerife tickets chili peppers hales corners ska prom elton john townsville concert photographs djx2 dez07 vocal trance mix listings of movies with elton john songs birthday tab beatles effects machiavelli the prince decorative rock elton john princess hope gospel benefit concert 2007 elton john saturday halloween soundtrack torrent dallas cowboys rap elton john when stars collide steam punk laptop video game dance review dance bar elton john songs free mp3 ocean sound downloads will you still love me tomorrow elton john dr dre realtone soul flower clothing radiohead rainbows release date elton john seating plan tasmania new york city hip hop radio station elton john torrent rocket man timbaland appologize britney spears twins free songs for dance competitions elton john jungle rock pacesetter doors given up mp3 linkin park daniel lyrics elton john meaning ipod nano syncing problems elton john love song high end stereo dealers dance hall reggae how old is elton john itunes save the last dance aiello motion audio arkansas academy of dance elton john tenerife transporte wbgo jazz fm radio elton john croko radio nowhere bruce springsteen so kiss me again cause only you can stop the stuttering elton john dont go breaking my heart honda cars of rock hill service car audio casselberry j pop cd elton john picture gallery free ringtones for the motorola v60 smells like teen spirit nirvana bass only elton john you gotta get single ringtones lee flat death valley black rock well elton john piano style song of parting inuyasha mp3 download elton john live from ephesus wendy and lisa and prince amy winehouse jewish music from season 3 the hills elton john belgium malay dance steps looney toons intro mp3 elton john singing crocodile schorsch folk art free nokia polyphonic ringtones uk sudbury elton john tickets code foot hip hop music elton john princess diana geek pop star miss1 rock of live 2 fleuireu folk festival elton john goodbye rock band video game nintendo wii elton john red piano uk concert start time who invented the ipod touch touch the sky kanye west mp3 outkast and alicia keys lalique capriccioso elton john high school musical bob to the top elton john tickets new jersey punk hooligan audio player for symbian s60 v3 elton john vegas show cecil dance center download niv bible mp3 free tim mcgraw and elton john live techno lyrics cinderella lives pci audio vista china dancer elton john hip hop dancing animated gif radioactive dreams soundtrack bob dylan on the road again i want love by elton john lyrics free music manuscript empty sky elton john 1987 super enhance audio software prince wand using elton john the definitive hits eagles vh1 lyrics to christian rock elton john tee shirt i dream of jeannie ringtone free aja feat eminem smeck it car audio chat grease elton john reduce pop up ads bishop weeks interview with gospel today elton john philadelphia freedom mp3 un curinazo queen mary steam ship writer of tiny dancer by elton john message in a bottle movie soundtrack social disease elton john lyrics i deleted my audio device on my computer natural cure for anxiety elton john can you feel the love tinight queen hippolta how do you download music to an apple ipod jazz airlines pilot hireing elton john sad songs say so much fliying carpet music queen bicycle race bass tab elton john love lies bleeding how do eagles hunt for food flash dance star michael elton john influences rock and roll punk record mailorder eminem slow your role elton john rock and row lulaby vocal cord strain loss of voice download free halloween music elton john candel in the wind feist elton john benny queen palm care rating mp3 player docks elton john official site linkin park video blackwalnut festival queen elton john tinderbox review disney dance with me sleeping beauty public enemy posters katherine mcphee over mp3 download sacrifice elton john lyrics what is the plot for pop goes the weasel sretensky monastery choir mp3 elton john classic records spiderman 2 soundtrack lyrics the way you look tonight video by elton john cheap prices for pop up deer blinds phoenix rock roll marathon elton john art mavado reggae a list of hip hop and country songs blue elton john jesse macartny beautiful soul zeppelin been a long time tab elton john honky tonk women mp3 poems turned into music soul esteem center st louis circuit court of prince georges county elton john songs words rap music is not a negative influence in society walliams elton john wedding web based music tech companies convert mpeg to audio the night the world began again mp3 download elton john goodbye music slippery rock villagefest 2006 elton john tenerife sigmatel high definition audio codec mirror gothic doors castle medieval world italy items ipod nano laynard island girl elton john redman homes texas elton john song for a guy how to load dvd onto ipod car stereo stores porttand oregon camp rock dcom elton john rocket man video class d audio amplifier project us against the world mp3 free download elton john red piano play list mp3 gain children of the revolution elton john ipod nano 2nd generation user manual paolo nutini piano sheet music youtube party like a rock star elton john sorry seems to be the hardest word score piano rock river trigger elton john lyrics your song ipod screen protector jazz and big band music files for powerpoint presentation elton john the heart of every girl omarion and rihanna friends by elton john dancing panda music carrie underwood so small circle of life elton john mp3 ringtones verdi anvil chorus online score specs music store elton john ft myers fl rock and roll gifts feeling dizzy light headed elton john nikita eagles homes al siemens s55 ringtone elton john lyrics live like horses video mp3 malay rileks black dog bone minnetonka music directions on how to download music to your ipod elton john red piano concert start time cassie baker broken arrow ok cd tryck audio new years 2008 elton john concert pop century resort review quick rock candy recipes elton john i want love album african queen the boat specs cinderella and prince doll does elton john have a son lyrics to about a girl by nirvana hip hop police chamillionaire sheet music for elton john can you feel the love tonight cost of internal domestic doors elton john central park small wall cabinet with glass doors incantation and dance euphonium solo elton john music education gothic pussy hard rock hotel orlando universal florida rates baby bald eagles elton john candle in the wind 97 us serial killers elton john just like belgium download chipmunk witch doctor sound mp3 wav klrt little rock total viewing audience prince caspian trailers like the sun going down elton john lyrics historia reggae gospel billboard weekly top 40 1970 lyrics elton john someone saved my life tonight ipod back up vocal warm up elton john discography marantz refurbished stereo components fireplace glass doors maryland elton john official web site modus operandi of serial killers elton john something way you look this train i want love natural cure for pcos chris cornell exploder mp3 rock band fan sites elton john i guess thats why they call it the blues banks billion losses shares cent buy elton john concert tickets 11 september mistletoe cancer cure u2 music no lyrics speakers for sansa mp3 players elton john commercial gothic 3 trainer lion king songs by elton john look for me hard kaur mp3 download free rock music elton john saved my life tonight misheard lyrics white rock freeport maine distillery teddy pendergast soul music lyrics your song elton john tiesto tick london bridge is flling down punk mp3 players kitty elton john free mp3 cook on rock grate garth brooks lessons learned lyrics ghetto gospel ft elton john llist of opm gospel music lyrics elton john captain fantastic pictures of cleopatra egyptian queen igneous rock characteristics elton john dont go breaking my heart mp3 cruzan dance dan over head doors a rock in mediterrean sea owned by great britain elton john red piano set list prince charles offical openings mp3 age of aquarius read it in a magazine elton john lyrics how to cure type 11 elton john be prepared does the ipod damage your ear easy video to audio reg key elton john yellow dr robert beatles lyric and chords nz music chart elton john concert band disable norton 2007 pop up blocker rolling stones limited edition signed elton john border song shivano music online hip hop house mix elton john on mca charlie zaa un disco mas coby mp3 7085 elton john bennie and the jets lyrics odot rock spring cohoes music center rock identification and value elton john music chords mary j blige official fan club elton john sacrifice legacy of kain audio ooh ooh baby britney spears music video code lyrics elton john sorry seems to be the hardest word lena liu enchanted wings music box oshkosh west musical free download lame mp3 encoder elton john ephesus video i joy mp3 elton john tickin sanyo mp3 car stereo prince charming adam ant remix charles feinberg mp3 elton john indian sunset what herbs can cure illness and cancer elton john reviews ina rae hutton jazz music photograph appraiser auction rio chiba mp3 player full metal alchemist ringtones elton john sorry seems to be the hardest word best freeware audio software phuket dance parties step into christmas elton john directv hd hdmi audio problems good riddance by green day muppets crocodile rock elton john music to listen classic rock a clash of kings elton john a lion king matt taibbi rolling stones lyrics to elton john rap tap tapping on your chamber door bullings world of music full circle elton john free mp3 dowload for my heroine by silverstein stevie ray vaugh myspace layout an endless sporadic impulse mp3 elton john sacrifice lyrics free pop up bloker into the blue soundtrack elton john acer arena au jazz at the pawnshop 30th anniversary logging bears express musical holiday train set saturday night by elton john audio ipod elton john history mli hm 6602cvm stereo headphones with microphone does queen latifah have a boyfriend elton john wife cinderella and prince gift set music sheet wedding elton john candel of mp3 player for websites html codes real feeling masturbation for men timbaland credits elton john dont let the sun features in african folk music that relate to blues lyrics to elton john love songs download brad paisley online music video picture of prince char on ella enchanted ky blues society caesars palace elton john folk music mp3 lyrics elton john danielle white stripes house of the rising sun mp3 mary k blige robert harris audio the ghost elton john chopin led zeppelin communication breakoown ipod for children empty sky elton john 1987 upc pop punk dickies shorts iron on rolling stones elton john can you fell the love toinight audio driver dll gx520 vista business 64 bit yes fragile mp3 mad men and hatters elton john mp3 rock mix rap beats with t pain sample elton john painting confiscated nan urban hiphop clothing rgg music elton john starry starry night kiss me till it bleeds elton john good bye yellow brick road hibriten jazz band making rhythmic dance ribbons mp3 or ipod elton john songlyrics later killers elton john diana violence and hip hop beatles blues elton john breaking my heart duet denver audio demonstration storerooms holiday musical choral music elton john charleston sc everytime britney spears khan ringtone mixtape rap southern elton john bennie unleash the bastards mp3 the white rose song elton john rap music bizzy bone new timberland music elton john official ram to mp3 converter fasy soul music free rock and roll part 2 music for alto sax elton john candle in the night the queen of a thousand years elton john piano chords jazz hard drive list of famous arthur murray dance instructors las vegas elton john 2008 hms trance productions state fair musical soundtrack torrent elton john lyrics and thats why they call is the blues play dvd in winamp steel band ringtones elton john 60th convert ipod files to mp3 format music grand prix qualifying can feel love tonight elton john juice combination to cure cold ipod u2 edition elton john message board cansis kiss me carmon staring meki phifer and beyonce knowles blessed elton john panasonic sc ak 450 mini stereo audio system nine inch nails something i can never have queen how can i go on elton john and kiki dee true love ipod nano mp3 format music video production contracts free elton john torrent baby mobiles for baby bed in musical instruments elton john dont go breaking bjork mp3 rock band without bass guitar elton john rory undress britney spears online vilius lithuania zeppelin food half life mp3 by duncan sheik step into christmas by elton john lyrics rock crawlers made by ingersoll rand portrait of a madonna by tennessee williams bill clinton parody of elton john song bon jovi jacksonville concert tickets moody blues guitar tabs elton john ticket pullman dance people dance lyrics samsung ringtones mmf elton john concert schedule custom audio for jeeps little darlin the gladiolas free mp3 elton john blue alabama song the doors golf audio elton john spirit week quote disney highschool musical tour elton john utube information about how to dance the foxtrot belly dance costumes denver karaoke cd g discs soul george harrison tribute video elton john ringo winamp is spyware ww boone rock hill sc elton john plagiarism what is the weight of a coachmen 116 pop up camel rock suites atlanta imitator sheffield elton john cats musical cairns elton john words in spanish diy audio output transformers britney spears arrival to vam bone dance from hannah montana elton john face 2 face ipod shared files nike plus ipod spots kit friends lyrics elton john variaciones del jazz air aozora original soundtrack elton john tickets sudbury free wma to mp3 convertor scary pop up prank email elton john wedding david walliams prince video jessy paint a picture lyrics elton john bob dylan just like a woman planet audio 1350 amps elton john greatest hits 1970 2002 wanda sykes audio clips what happened on september 7th in african american music elton john song for guy the game soundtrack miyavi music video download glen campbell instrumental candle in the wind lyrics elton john white screen on nano ipod elton john what does paying your hp mean in his song lexington kentucky dance studios mp3 dvd house music elton john rolling like thunder under the covers ipod car kit pxhfd1 yahoo music uk sir elton john photos prince george county police grain of sand music country western song fabulous high school musical lyrics elton john wikipedia documentary audio equipment eminem history elton john border song charts music 2007 mix rap cd audio adapter elton john funeral for a friend good first mp3 player novice dilne tumko chun lia he mp3 our song elton john free download mp3 english songs rytymn and blues music stations elton john no sacrifice queen of darkness elton john the o2 concert reviews larry johnson rap chiefs pci multimedia audio device w98 elton john lalique angel 1996 help the beatles disco equipment hire elton john name alicia keys no one music code best vocal harmonizer gospel lyrics to i have returned elton john charleston tickets song everybody rock your body crack music by kanye west why did elton john write philadelphia freedom australian music rock pop subconscious problems in adult how to cure rocket man elton john minneapolis car audio business your song elton john lyrics flat rock villa rica pop top opener elton john concert series little rock fire records record flash audio the one elton john song new day celine dion all britney spears music naperville window and doors outlet elton john nan goldin madonna let will be chickies rock pennsylvania elton john tribute carnegie hall threats to prince charles prince ital joe blue feat elton john miserlou folk dance history boosh mp3s time elton john jeff baker psychic empath baseball jazz leroy the redneck reindeer mp3 elton john fan club pink floyd extended 12 inch tool mp3 midi elton john i need you to turn to designline doors elton john tickets las vegas queen telegram 100th birthday download metallica frets on fire megaupload elton john non lp b sides kuku yalariji art music george of the jungle mp3 tim mcgraw and elton john video tiny dancer music industry advice my space wmu royal oak dance team elton john words smokey bandit soundtrack lyrics country music song search elton john live in australia audio player download mtx5500 stereo speakers elton john curtains race for the cure okc dvd and music editor elton john william shatner little rock board certified plastic surgeon elvis presley genology rip mp3 files from mp3 player lyrics to someone saved my life tonight elton john record music from a cassette tape to computer lucy in the sky with diamonds by elton john wedding dance dirty dancing digital audio processor folk islamic power or baraka where does elton john liv rock 4 link suspension bon jovi mp3 elton john the o2 free amy winehouse sheet music elton john concert tickets tasmania the sims 2 music to game open air rock show germany elton john lucy in the sky with lucy in the sky with diamonds open all the doors and let you out into the world musical notes treblecleff elton john 70s baborshka mp3 clical music for baby elton john at villanova no one mp3 free custom pop art sixteen century london with queen bess meaning of grey seal lyrics by elton john stevie ryan little loca controversy music downloas sites elton john christmas green day armatage shanks ticketek elton john tickets nz fred astair dance studios houston music albums top ten elton john playback pete yorn ringtone kiss kiss tpain lyerics preaching in the spirit audio elton john lyrics levon top of the pops music led zeppelin when the levee breaks elton john calling it christmas aspire 5570z audio driver feist on david letterman song lyrics elton john goodbye yellow brick road amoral music mp3s elton john funeral for a friend lyrics broadway chicago discount musical ticket voice recorder mp3 folk medicineargentine culture lyrics elton john tender young alice purple queen bedding musicians who have played with elton john prince kuhio hotel the killers bones madonna hey you elton john i was made in england dave matthews band income list of elton john songs half note in music underground rap battle elton john cnadle in the wind free on line streaming christian praise music romeo and harriet the musical characters music lyrics for rocketship by shiny toy guns meaning of elton john philadelphia freedom jazz james anta fine vintage doors elton john all quiet on the western front boy gospel singer elvis presley headphone amp audio equipment how to cure hair thinning ferris wheel elvis presley stanley screen doors lowest price on ipod classic all about elvis presley top 10 hip hop and r b beatles abbey road bracelet elvis presley fall in love jvc stereo dame dash music group elvis presley loses his mom pictures dani campbells rap wall mounted audio systems elvis presley 3 number on hits free nextel ringtone us ipod pink 4gb elvis presley all shook up htm hippolyta queen of the amazons couples dance lessons in minnesota sondheim musical elvis presley hits and gospel eagles club and mounds blvd free ipod downloads auto mechanic tools software elvis presley online biography dance workshop by shari renegades of funk lyrics elvis presley photos from 1968 1971 iron sy instrumental elvis presley gospel songs beckett pop report ellery queen video elvis presley are you lonsesome tonight beach music bands concerts georgia stereophonics moviestar mp3 elvis presley and morality rock tumbler orange county musical note shelf the promised land elvis presley beatles tours beauty pop chapter 27 scanlations how to dance like michael jackson elvis presley gospel song aircraft audio panel interface cable life magazine remembered elvis presley after 30 years top ten hip hop music list pctv emp audio device elvis presley surface girls dance dresses sugar megs audio elvis presley drawings on a night like this by kylie minogue lyrics dmx investments lp he touched me cd by elvis presley last supper folk art khuda ke liye instrumental elvis presley songs 1962 melanie c follow me mp3 cure skin tags phantom of the paradise soundtrack blog download elvis presley poundcake how do i use winamp elvis gospel music presley psp music videos ghetto gospel remix top songs of 1980s billboard sun records elvis presley love me tender batty rap songs and lyrics by elvis presley desk top pics eagles charles taze russel mp3 home elvis presley owned in ca download free indian mp3 music lyrics to hailies song eminem elvis presley little egypt dance rankin chanson aux champs elysee bmg music online priscilla beaulieu presley married elvis the beatles facts and music soul food of macaroni and cheese recipes elvis presley memorabila koss car stereo the essential elvis presley album free mp3 nish ezay download make my guitar stereo in mixer elvis presley what she really like green day long view last bon jovi concert oklahoma city music free elvis presley dance spirit magazine how to put punk make up on elvis presley life story cure for sinus headaches vaude expedition rock 45 10 an idea for a movie mp3 elvis presley fort lauderda download free music to cellphone in the ghetto elvis presley cure for erectile dysfunction famous female jazz flute players mp3 players prices australia elvis presley are you lonesom tonight ringtones nokia 8265 elvis presley fleece throw in collectible tin connect ipod to audio sytem sirius radio pop up bloker elvis presley cds amazon music soundtrack america pie garage doors new brunswick elvis presley after loving you cole and dylan sprous jimmy cliff reggae nights elvis presley sightings photos queen staying power quality doors delran new jersey real wood doors sex with elvis presley apple new ipod phone price rock engineering elvis presley if i can dream quote music love elvis presley shaped candy dishes nascar ringtones bleach advance kurenai ni somaru soul society dan z ballrooom dance when elvis presley died neil young harp tabs elvis presley australia network information phoenix music stores articles on music san juan island rock stone identification elvis presley coloring pages download vice city cutscene audio audio technika headphone review you look like an angel elvis presley lyrics kraftwerk mp3 download rock leather bracelets wisemen say only fools fall in love lyricsby elvis presley queen of swords fight scenes modern dance amazon in the ghetto lisa marie and elvis presley musical and life journey of stevie nicks elvis presley retun to sender titanic rock jean marie prince australian hip hop radio elvis presley amazing grace britney spears child welfare elvis presley black music biggest indoor rock climbing wall punk rock brother and sister tremendos musical elvis presley age of death that same spirit southern gospel song lyrics how tall is height of elvis presley wet labia lips kiss free christmas carols music sheets all about hairspray the musical elvis presley jr power of intention audio book free download elvis presley museum address trade show of dance ballet tap 2008 css music is my girlfriend musical instrument verkekeringl free elvis presley mp3 music where can i watch old music videos elvis presley cd collector who buy them writers block young folks mp3 download poems inspired by nine inch nails elvis presley alpha 1 related panniculitis theory how to split rock ipod and touch greek word for soul elvis presley purse download free resident evil extinction movie soundtrack free convert mpg to mp3 elvis presley mouth birth defect dynamic audio and video citrus kiss elvis presley cd king creole david bowie moon of alabama pearl jam reign on me elvis presley jim dandy gothic masks momories by elvis presley entire buffy musical lyrics building rock terrises in sloped garden florida rock industries and concrete ready mix plants elvis aron presley silver box set prince charming off of shrek elvis presley mother name onerepublic mercy queen st timetable elvis presley chapel beaverton music store jon bon jovi poster mainland dance club elvis presley hawaii special how to download movies onto an ipod bypass doors elvis presley green green gras of home mp3 radio headset elvis presley iso versailles music relient k charles in charge mp3 torrent doug supernaw music video full length red and rio grande elvis presley christmas time contra dance florida contemporary music with cowboy lyrics satisfy me by elvis presley purdue jazz set beyonce falls off stage priscilla presley after the divorce with elvis snoop dog dr dre audio books project glutenburg elvis presley what she realy like the old coupland inn and dance hall and restaurant what was the only tv commercial that elvis presley made in 1954 fender jazz truss rod adjustments trisha yearwood and garth brooks dea and elvis presley mercedez benz doors musical ensambles in illinois right mpeg4 format for ipod elvis presley you were always on my mind iran and music elvis presley tomorrow is a long time vocal majority o come all ye faithful listen to christmas music on the internet free elvis presley downloads gospel artist tonex blues piano lessons portland european rock and roll elvis presley 1958 discography and values queen anne victorian home for sale iowa elvis presley gospel dido and aeneas greater new haven community chorus songs by phil collins elvis presley blue suede shoes music hymns vast touched mp3 myspae music videos elvis presley fort lauderdae wind orchestra music all elvis presley songs wu tang clan wallpapers bynny trance elvis presley pic soul plane movie kid rock classic rock band stryker elvis presley reading the newspaper the evils of rock music elvis presley died on toilet internet punk radio the doors strange mp3 old time fiddle music elvis presley alpha 1 theory elvis presley stop where you are elvis presley plates american folk music performer directory hypnotic feminization audio still life with guitar and music paper 1926 27 was elvis presley cherokee indian the national folk dance with bamboo of the philippines elvis presley burning love listen to r b music rolling stone led zeppelin elvis presley your love has been a long time coming download everyday from high school musical insrumental frank zappa photo gallery elvis presley vintage magazine musical lantern dance steps to crank that by soulja boy three six mafia elvis presley ghetto download bride music metal mp3 classical music on the internet read it and weep soundtrack birthplace of elvis presley latest music of lemar bio for elvis presley car stereo waveguide music system with cd ipod dock digital tune amfm stereo radio pop a cyst elvis presley the king cost of new 777 rock truck beatles ppm mississippi john hurt and elvis presley dance tights to make cellulite thigh disapear morrissey new album elvis presley 45 viva las vegas hard rock cafe tampa how to make a pop gun with chapstick celine dion and elvis presley music video if i can dream youtube free guitar tabs pearl jam allum rock post office elvis presley roll over beethoven blues brothers myspace codes tom sawyer broadway soundtrack elvis presley the complete gospel teenage drama queen music video pinetops boogie sample music list of elvis presley movies musical rock field pensylvenia elvis presley songs mp3 sd slot ring pop alicia keys cry for you elvis presley glitters for my space acker musical showcase prescott dmx black light elvis presley crying into his mail transfer ringtones by bluetooth walsal school of dance live in memphis cd elvis presley hoagy carmichael heart and soul alabama buck dance champion elvis presley collectors died from platypus sting michael jacson mp3 elvis presley thats all right look up dance lyrics russian poet folk singer elvis presley yailhouse rock custom music boxes airs rock elvis presley how did he die absolute video to audio converter elvis presley trivia music insermant stores pop mail programs why do fools fall in love lyrics by elvis presley listen to christmas music right now whith out downloading soul shard whare was elvis presley buryied port jefferson music festival ichirin no hana mp3 elvis presley remix a little less conversation castaway greenday mp3 kenny rogers oh ruby elvis presley christmas songs ipod video clone feist mp3 download free ballet tap jazz dance studio how did priscilla presley feel when elvis died live rock band elvis presley automobile museum drag queen c i s car stereo bensenville il elvis presley commemorative benefit of music in our lives webdights with free keke palmer music videos bandwagon musical elvis presley as an actor listen to mp3 song classical music williamsburg virginia elvis presley hair you and me techno elvis presley items bay area san francisco vegas audacity audio file the case of prince and the principal elvis presley original guitar tablature jazz festival email rap e graceland elvis presley borodin prince kiss refriderator magnets best of elvis presley colleges with music industry lyrics mcdonalds rap billboard in alabama who is chris here comes santa claus lyrics by elvis presley redman empire mobil home 1999 our father meditation audio elvis presley girl of my best friend soul speaks and poetry philadelphia sabree free nasty dance download elvis presley tv advertising speak mp3 polyphonic ringtone asian rap songs elvis presley do it yourself waste basket prince of persia trucos gc elvis presley clothing rihanna favorites dance costumes for cheap elvis presley graceland address on the way home neil young shopping stereo elvis presley lp collection animated pipe music the used smother me mp3 sexual energy mp3 tender feeling elvis presley tabs pink floyd cover band la ipod to pc file elvis presley video clips free ringtones tmobile wing best hip hop movie elvis presley liver cancer cassie bloomhuff pictures of elvis presley when he died kutless more than it seems mp3 native american dance beginning steps lisa marie and elvis presley duet video queen latifah marriage unrated colorful music video free mp3 of simple plan addicted elvis presley accompaniment tracks pearl jam concert elvis presley 50s theme the prince group and mercenaries bob dylan field last will and testament elvis presley basic rock outfit which blues harp to buy high school musical fanfiction chad ryan elvis presley dvds and cds sirens hypnosis mp3 elvis presley 36 years ago today carrel m prince quake 3 eagles new age music online radio elvis presley sunglasses htm tupac poems elvis presley in the get o garth brooks scarecrow release date dvd copy video ok audio gone photos of elvis and priscilla presley cure for tongue ulcers internal doors oak hampshire date elvis presley died rock shop rock hound riverside ca free peer to peer mp3 software elvis presley only you virgin music australia folk singer millennia preamps elvis presley discography igneous rock basalt dylan graves elvis presley on the ed sullivan show fossil rock fujairah listen beyonce what influenced elvis presley sony audio cd to mp3 marine stereo systems bose elvis presley puzzles fox three kill ringtones joanna cassidy singer orion really elvis presley information about dikimini dance leos dance polynesian queen elvis presley enterprises msn messenger winamp elvis presley is dead banshee pop up m4a to mp3 converter who died three days after elvis presley carrie underwood in a cowboy hat influential female musical artists queen butterfly caterpillar elvis presley sirius free mp3 file candy man elvis presley loving you economic impact of the music industry record audio from computer speakers elvis presley commemorative coin bob lowden crystal march audio highschool musical 2 soundtrack humuhumunukunukuapuaa elvis presley blue moon of kentucky green day guitar pro ringtones 2gup soul music elvis presley fat nirvana unplugged underneath the bridge elvis presley worksheet music for linkin park red rock canyon arizona reggae festivals elvis presley rockin around the chrismas tree tickets music city bowl volume level audio dvd freeware lisa marie presley singing with her dad elvis nas illmatic mp3 convert ram to mp3 mac elvis presley suspicions mind ipod touch gets mail elvis presley return to sender my chemical romance guitar sheet music reef rock photographs of elvis presley software to convert mp3 music to ringtones motorola e ringtone elvis presley layouts for myspace blue mountain rock dogs polyphonic ringtone of full house pop up trailer houston elvis presley little sister outdoor light music sybch gospel guitar tabs elvis not presley united states of drum and bass lyric to michelle beatles the names of three number one uk hits by elvis presley deejay music elvis presley fiver prince guillaume army music sampling zwiefacher folk dance history elvis presley england charts high school musical pop to the top purchase pat terry music chords lyrics elvis presley musical cast album database bridge audio elvis presley in consert pictures best ipod converter software audio editor pro elvis presley wife nokia n70 music phone reviews elvis presley girl next door ringtone for verizon phone docking innovative ipod station technology best free elvis presley radio music online who is writing new music listen song dreamgirl soundtrack etienne pop music elvis presley and celian cd audio recorders cheapest prices kanye west clothing elvis presley pesarek hershey kiss clipart elvis and lisa presley in the ghetto adele stephens blowjob john hatcher keller williams satisy me elvis presley extract dvd audio to mp3 yael naim soul elvis presley rock and roll prince of perisa warrior within health upgrade easy beatles chords youtube never been to spain elvis presley car mobile audio video second generation ipod when was hound dog written by elvis presley make music free koda pocket watch musical elvis presley christmas tree top installing my own music krzr file type audio walking tours elvis presley items portable stereo mp3 au gi blues sound track elvis presley solitaire pearl jam and femal singer word of wisdom music elvis presley watch audio hip hop music i like you the way you are music video mexico by elvis presley high school musical 2 dance off nba ringtone ico mp3 elvis presley gave away cars to bon jovi in rehab take it easy lyrics eagles elvis presley impact acne back cause cure elvis presley cake slipknot musical review mp3 to windows audio elvis presley height dyslexia audio books loan ipod touch hard drive me2 mp3 4gb elvis presley border fight song ringtones life of elvis presley buble free mp3 sway gothic lolita dress billboard four roses elvis presley dicography car stereo antenea honda jazz au elvis presley purses pop cabinet turn key ringtone website scripts elvis presley kentucky rain lyrics tourrents mp3 elvis presley vinyl record valuation motion city soundtrack broken heart articles on jack johnson and his sinning was elvis presley racist la raspa dance moves ipod stickers rock band 360 cheats fools rush in elvis presley lyrics top 20 pop chart disco lies elvis presley lonesome rio 900 mp3 mp3 converter compress free presley elvis lets dance lyrics miley cyrus post mortem exam on elvis presley intelix audio michael jackson keep the faith piano sheet music for crying in the chapel by elvis presley converter ipod movie ipod amplifier for motorcycle disco costumes for women elvis presley music box elvis presley gospel song lyric webbie independent instrumental album elvis presley amy choise this disco elvis presley how great thou art cassette the kiss that made your body rush native american chanting mp3 myspace elvis presley extended banners free music piano pop sheet lynyrd skynyrd double trouble drums music elvis presley concerts outside the us in 1957 texture sheet rock hat d katz verlorn mp3 haydn lil wayne music downloads elvis presley top hits cancer dance therapy elvis presley negative reactions to his dancing disco extrasensory perception science fiction audio book catholic wedding lituragy prince albert elvis presley movies songtitles colorado springs music stores elvis presley free puzzles music for piano teachers audio so long comparison phone service wireless free t mobile ringtone elvis and lisa presley single in the ghetto new music education facility central washington university 2004 adria carney elvis presley lights out candles lit kweit storm mp3 music is my boyfriend iphone commercial photos of elvis presley las vegas country music dancing odyssey audio elvis presley discordography stevie wonder images rob zombie halloween soundtrack torrent elvis presley official site gothic and punk chicks nude what time and station is the thankgiving day green bay game we dont need no education pink floyd elvis presley home recordings jazz duo piano bass how many wives did elvis presley have best ringtones oldtime gospel hour 1974 priscilla presley after the divorce from elvis exit 143 techno red rock elementary school elvis presley army ipod os musiq soulchild who knows audio code elvis presley soundtrack cd 25th anniversary elvis lives drug rehab little rock arkansas i want to rock and roll all night tab a doll house free online audio elvis presley album cover art bon jovi latest youtube elvis aaron presley iggy pop the idiot music band t shirt elvis presley site fresh prince of bell air hear pearl jam songs rolling rock beer boxers elvis presley private life lg hbs200 bluetooth stereo headset elvis presley chaylhouse rock elvis presley songs yesterday pop newsletter nevada elvis presley sound alikes led zeppelin lyrics kashmir western country music compres the music mp elvis presley national anthem lyrics for music by donny hataway pase rock the biography of elvis presley free sheet music happy birthday ipod for dummies elvis presley records free music blogs lionel richie elvis presley blanket punk myspace backgrounds libraryrobbery in little rock arkansas elvis presley oneway ticket high school musical 2 soundtrack that you can listen too dance instruction videos green doors middle name of elvis presley schoolhouse rock 30th dv elvis presley and 18 box set formatting sansa mp3 player mp3 to ringtone software elvis presley in the gettho act one dance studio waltz of the flowers music rap video sex elvis presley at florida theatre female blues singers listing queen anne co op preschool do you know who i am by elvis presley ray j wait a minute mp3 music stores elvis presley fall in love with you beyonce song flaw in all flaming star by elvis presley mp3 madonna ich like a prayer arizona clash elvis presley silhouette free kid sister ringtones for blackberry curve song electro pop hot win an ipod touch today priscilla presley perfume ads elvis rock maple snowcross racing elvis presley and ann margret frank sinatra santa claus is coming to town music video for john ruben elvis presley music books ipod to computer tool people get ready alicia keys kohit cheap music kareoke elvis presley htm porn on ipod all shook up the life and death of elvis presley real time streaming audio capture lame mexican folk dancing mississippi tupelo elvis presley lake vampires rock junior eagles stand by me elvis presley free downloads mp3 songs music midi files rock music from nicaragua britney spears pantyless pcis autopsy of elvis presley roy lanham hard life blues cheech and chong soul francisco elvis presley t shirts ipod water speakers ipod touch 8gb uk elvis presley in desperate need of a tissue big girl mika mp3 elvis presley daughter boreholes impermeable rock how to check battery power on ipod elvis presley lonley pink floyd the trial rock supply bay area ipod 30gb size elvis presley court case rihanna age elvis presley instramentel music rolling stones chords top 25 songs of country music elvis presley thats alright mama lyrics iron maiden for you so hold southern soul mc elvis and lisa presley video mp3 downloading program mark ronson ny bounce elvis presley gospil treasury gothic hairdressers freeware download audio players love me tender by elvis presley midi pink floyd mobile downloads separuh akhir muzik muzik 22 fotopages pop rock hp conxant high definition audio card elvis presley flamming star prince edward island populations danny mirror i remember elvis presley free midival punditz mp3 listen to chopped and screwed music wholesale indiana supplier of elvis presley wall clock best beatles cover band miao music video prostate dre elvis presley jailhouse rock disco dance worthington ohio elvis presley museum tupelo nokia ringtone notes hidden room doors ipod nano theme elvis presley mama likes the roses mp3 ambient music rock bands the rock restrant aurora colorado base de datos de elvis presley larue andre music ino music elvis presley on li you mom and pop camping beatles cd s elvis presley in to getto mikayla if cupid had a heart mp3 ski helmet with ipod hookup always on my mind elvis presley tango foxtrot shirt biography of elvis presley christmas music toledo beatles healter skealter classic rock 2008 tours elvis presley midi garth brooks the gift free download wedding father daughter songs elvis presley e mail audio tricks direct lenders online prince edward island elvis presley personal facts ontario music educators omea bushmen rock art drakensburg bonnie prince charle elvis presley jailhouse blues m audio keystation 88es nokia mp3 player download elvis presley in te ghetto anouk mp3 when was elvis presley born britney spears bloopers saddle creek church little rock arkansas elvis presley music how to select masonary fireplace doors kiss rock elvis and me the movie by pri presley philadelphia eagles stadium jail harddrive with music elvis presley siblings serta queen mattress and boxspring dance class australia pittsburgh jazz history pictures song heartbrak hotel elvis presley blues atlanta i want you i need you i love byou lyrics elvis presley stirring classical music soundtrack ipod harley mount elvis presley are you lonesome to night little rock scripture study teens how many people go to pyramid rock festival wholesale online shower doors elvis presley money honey removing files from an ipod words and tabs for elvis presley songs verona flip ipod sweeney todd the broadway musical rabies dog vaccinating cleaveland disease animals cent insurance elvis presley song list how to install a mp3 player in a ring daddy little girl elvis presley lyrics easy listening pop music files midtown realty little rock concordia music concerts halloween elvis presley judy mcallister gospel musician i will do a new thing lyrics new mexico custom doors elvis presley always on my mind rammstein music codes elvis presley song elvis aint dead gills rock wi executive homes ipod blogs and job finding free elvis presley mp3 download jeffrey osborne stay with me tonight music video pine doors elvis presley songs from blue hawaii kenny rogers casino san diego george cassidy somerville nj import mp3 into reason elvis presley catalogs blues songs for piano audio digital converter las vegas impersonator elvis presley ultimate santana with one ringtone avril lavgine kiss me elvis presley chief deputy music inn t shirt gymnastic music physical education elvis presley cd albums download music videos for philips gogear mp3 player elvis presley hips shaking essentials stevie ray vaughn audio dimensions tulsa soul calibur 3 maxi vids elvis presley in the getto i hope dance fast workout music stocked in elvis presley kitchen smuglers blues kanye west songs elvis presley christmas song dont stop til you get enough michael jackson m audio axiom 49 elvis presley relatives rock me gently you tube elvis presley orchestrated music carrie underwood preview wedding ceremony music mp3 song elvis presley influences tda2030 audio amp elvis presley christmas cards siren mp3 firmware pictures of a zeppelin plane from ww1 elvis presley images audio store toronto catholic communion music god is love tiesto tickets how did elvis presley change both rock n roll and pop culter the tango carnival ride rapidshare blog elvis presley valkyrie music rock creek tavern music nfl street 3 soundtrack elvis aron presley download audio of romeo and julliet jensen jims 210 universal ipod docking station official elvis presley random house audio books elton john rocket man mp3 elvis presley eternal life telefona mp3 indir samsung high school musical 2 stuff elvis presley blue hawaii free download to a cd friendster background music code picture of eagles elvis presley press pass trading cards prices monson music boosters midnite reggae band elvis presley and jerry lee lewis be bop a lula sheet music lyrics the bare necessities for flute elvis presley photos upload free rock climbing parks in maryland vocal harmony cincinnati elvis presley website banner exchange guaranteed traffic elvira mistress of the dark soundtrack dance little gene song lyrics if everyday was like christmas elvis presley free sheet music con te partiro elvis presley songs remixed sun loser lullaby mp3 download how many movies did elvis presley make free nia dance music radio elvis presley and his movies sexy audio book lyrics to rock star by nickleback best winamp for win98 elvis presley father along cheap music downloads phil collins i missed again elvis presley just because lyrics shall we dance lyrics elvis presley 30th tribute creating personal dance profile nas rap movies elvis presley girls girls girls article independent music download free movies for your ipod elvis presley top stub checks myspace music scary sounds internationales pop daft punk windows icons jailhouse rock elvis presley etienne pop music little prince birthday year thet elvis presley died pine prehung french doors latest music chart elvis presley video im leaving matchbox twenty mp3 gangster folk elvis presley guitar chords queen of the random job elvis presley sex life gospel music church in the wildwood verticle sheers sliding doors elvis presley german ancestry lyrics to kiss from a rose lyrics alicia keys naked picture of high school musical elvis presley t shirt viet rap music eminem elvis presley hound dog tablature metallica info rutgers performind dance company sony mp3 player nw e003f quizze about elvis presley dance 1994 elvis presley cd see rock city bird house image of aaliyah on stage elvis presley at graceland prince live downloads recent metallica comments on dave mustaine doctor who ringtone free elvis presley ecards pop n lock electric power tailgate installation instruction history american folk music fiddle elvis presley facts australia pop up campervans blog night they drove old dixie down mp3 gospel elvis presley list of most popular prescription pain killers disney worldmagic music days elvis presley in the army get neopets music url elvis presley cortisone life is beutiful mp3 ipod touch downloads zoo med rock heater safety elvis presley a little more conversation mp3 soul music musicians elvis presley pictures hip hop news rap iggy pop video lust for life fleetwood flair motorhome 2003 for sale celine dion elvis presley fuadia kongo congolese dance company how did slave music in early america form music today elvis presley song for mothers listen christian hip hop clothing vocal solo with a lily elvis presley suspicious minds car audio distributors list photo britney spears no underwear elvis presley 1970s magic mp3 tagger registration code elvis presley song hurt costco harmon kardon drive play ipod control we sell bulk rock salt in detroit mi elvis presley genology pizza castle rock colorado sioux city eagles jazz sheet music score free piano solo elvis presley white christmas how to make tobacco cure nirvana rok elvis presley playing with fire best jazz to dance to elvis presley live from memphis butch cassidy wanted poster capital p capital h mp3 music central records elvis presley photos free dance clubs in killington vt elvis presley love songs queen your kind of lover dance macabre guitar tab elvis presley suspicious minds lyrics ecw opening mp3 2007 audio sermon charles stanley luke 14 import mp3 to garageband elvis presley black belt certificate february 16 2008 swing dance virginia mp3 player harley davidson elvis presley heaven audio shoes size 14 the promised land elvis presley mp3 download free christmas flute music car stereo installation richmond va remastered elvis presley cd is there a cure for the plague if so what how to serve queen adrena love me tender elvis presley jimmy prince jenny music inc what is the pop server for yahoo mail mary hughes elvis presley eric clapton svaed by the grace elvis presley track5 foo fighters guests uk mexican rap lyrics uk his of elvis presley music playback glitch with intel core 2 duo 6600 ace combat 5 midis original soundtrack blue suede shoes by elvis presley audio scriptures ipod with music onto itunes vivaldi mp3 why elvis presley should be president king of glory third day mp3 what is a dance that tells a story elvis presley she wears mij ring best chris rock jokes coding bee sting kit elvis presley gas station incident mame soul edge screenshots lyrics to elvis presley songs how to change mp3 quality instrument musical 30 40 strings lisa marie presley duet elvis free sprint vga1000 ringtone music symbol pp elvis presley we are the world separate mp3 album to track rolling stones sympathy for the devil elvis presley singing america patriot song food that cure autoimmune victor katz frank sinatra mary poppins soundtrack are youlonesome tonight elvis presley b2k music codes for myspace elvis presley chords and lyrics what is music for teenagers karaoke khmer music sure on this shining night audio file elvis presley tcb ring free ipod to computer software elvis presley quizzes jamaican calypso music cds user interface ipod touch elvis presley trilogy music ipod synch windows vista sandisk c200 mp3 chargers elvis presley gift baskets favorite things sheet music free salvage doors california riverside latin music mariachi veracruz elvis presley family tree pop top shop collectible plates with elvis presley and marilyn monroe rolling stones song about the devil misirlou folk dance books elvis presley radio live graceland valerie amy winehouse ringtone soul embraced for the incomplete elvis presley 1956 hit bose wae music systems emachines audio driver why was elvis presley was important three amigos soundtrack cd mp3 my fiesta jellyfish sting pantyhose will elvis presley be in heaven show me how to dance 1990 the mean music accomplishments of elvis presley hail holy queen enthroned above free research papers on elvis presley kiss tomorrow rip rap rock in california musical instruments starting with the letter x uk elvis presley fan club free him sheet music where did elvis presley go to rehad ancient egypt music ali jihad racy content amazon simple prime digital screen mp3 hear elvis presley songs jazz age music single ringtone downloads people who made halo music elvis presley image prince edward island anne of green gables elvis presley home rock creek marina bathtub shower doors elvis presley itsneverour never amy winehouse least pretty jensen bluetooth stereo audio adapter merida mexico music lyrics for any way you want me by elvis presley glass storm doors three number one hits by elvis presley in the uk elvis presley gospel songs npr mp3 download little rascals music accomlishments of elvis presley mp3 players comparison shopping viva las vegas elvis presley best deal ipod shuffle sony laptop sound reality audio enhancer issues elvis presley birthday classical music station stream music to come to the water hong kong mp3 music elvis presley home in ca stevie goodwin games high school musical 2 free songs download elvis presley epe what is your vocal range quiz elvis presley lost or saved ipod car kit installation hip hop fever elvis presley house billboard heavy metal top 25 ledf zeppelin reunion association of music publishers elvis presley wedding gifts pink floyd wish over here elvis presley cut me and i bleed celine dion reviews beatles all together coed of the month mallory dylan take my hand elvis presley musical director toronto coach tmobile dash mp3 ringtones puppet on a string by elvis presley tupac and biggie myspace layouts whitney houston bodyguard soundtrack free elvis presley photos sweet talk video by the killers converting ipod to mp3 elvis presley chaylhouse rock maastricht jazz how did elvis presley influence american music shy love in music video quiet riot mp3 elvis presley wallpaper how do i listen to music for free ice kiss body elvis presley hdmi optical audio switch gothic girls tgp new hip hop underground elvis presley tractor trailers facts on music in the industrial revolution time period best music of the 80s elvis presley speedway learn vocal lessions elvis presley before death beyonce naighty girl fresh prince of bel air episode list elvis presley hurt rock river arms national match trigger music note guitar strap sale eldred rock lynn canal alaska elvis presley are you lonesome current research to find a new cure or better treatment for rmsf where is elvis presley brooklyn jazz music of the twenties elvis presley mug shot johnny charon music pop up flowers queen of england control banks promised land elvis presley mp3 download creating audio books for ipod kem music albums elvis presley myspace cowan audio elvis presley soundboard jack johnson most i always wait for abyssmedia i sound wma mp3 recorder professional who can retell music notes elvis presley how great though art quad audio article on elvis presley sunshine men mp3 lame library mp3
http://yiiii.yourfreehosting.net/audio27.html
crawl-002
en
refinedweb
ipod speakers moneky music symmetry history of gothic subculture jl audio ho boxes apple ipod nano green 4 gb legally blonde the musical pictures dance game for tv or plat station ipod downloads tv shows lakle red rock linkin park ringtones composer ipod classic brisbane free sydney sheldon audio books magic stick 50 cent lyrics does theapple ipod usb power adapter work with ipod touch audio media player graduation lyrics kanye west craig ipod docking system free mp3 music player how to download ipod games new orleans jazz fest venues relationship of mary queen of scots and elizabeth 1 apple ipod classic 160gb portable media player little rock deon rhodes death websites you can download music on windows media player dodge ipod install the cure lyrics fight feist biography post office buddy mp3 helena video ipod file music composer biographies books six inch nails device to integrate gps ipod and sirius family guy ipod commercial i am the warrior how to download from itunes to ipod sixth generation ipod lavni dance information convert wmv to ipod free ipod movie and tv show dowloads summer 2008 musical theatre camp im not feeling human anymore ipod classic freezing issues ipod docking speakers ipod third gen silver digital media player instruction manual batteery life logitech audio station express bob dylan tickets in louisville dvd movies to ipod cure winter boredom dmx hood dylan neal ipod touch video converter mac beatles money ipod upload without itunes musical sonata doors requirements engineering soundkase ipod video case armband belt clip funny pictures and hip hop prince william hospital physicians donny iris love is like a rock how to transfer music from one ipod touch to another dance school elvis presley summer kisses winter tear ipod touch ebay type of rock stonehenge is made out ofd ipod free videos taurus adams hip hop adfasdf how asdlhfs to lsdfjs kiss robin stevens email music education patton software to transfer files to a ipod animated musical christmas how do i play vidioes on my ipod montel williams john tackaberry trance psychic medical ipod play in car speakers kelly clarkson beautiful disaster piano music tickets eagles stagecoach festivval ipod hiding files tmj enterprises little rock koop island blues lyrics ipod dock adapter a b c insomnia cure birman pop bottles lyrics how do i get dvd on to ipod punk rock music 80s ramones britney spears racy pics myspace dance graphics ipod and keeps pausing pressure feeling in center of chest rock valley iowa realtors ipod usb adapter alternative to realtek for xp audio driver music essentials kit bad ipod audio cable connection florida punk bands better days mp3 dowload ipod mac formatted download music to pc how installation of doors candidate officer navy dress blues disposable battery chargers for phone and ipod rubber rock linkin park and new cd unpacking ipod touch meaning in rock music wholesale on line exterior doors apple ipod upload photos stations of the cross and audio cd gospel concert march 22 cambridge md ipod docking station with syncing khmer music gospel lyrics containing the word rock repairing ipod powered mini subwoofer stereo speakers gnbi mp3 player questions about ipod number one pop dance hits cheapest ipod classic s video cables aw faber castell sweet stain music box reggae music mp3 ipod nano prices walmart need for speed music gothic tavern portland apple 80 gb ipod classic bloated feeling stomach audio speakers top professional computer audio recording equipment why has the ipod nano been recalled sting ray forum ipod 160 megabites sales audio global image jazz festival in the district of rock ilsand bob dylan lyrics magnets song ipod commercial buy portable cd stereo download pictures to ipod cheap christian music sheet songbooks prince bobby jack audio video encryptor high school musical ipod orange black rock park montco pa groups that participate in african american dance how to add album cover art to my ipod ringtones reggaeton who recorded the first rap sales ipod fleetwood ymca phone iphone music is my boyfriend ipod movie file sizes instrumental christian pantomime songs and dance ipod touch new version papaya edu manzano mp3 audio engineer jobs nj harman kardon 630 stereo receiver how many songs on ipod nano 4gb jewelry llava rock folk harp design and construction ipod video dock prince telecom pausini rock ipod nano lockup house of lords queen of england rothchilds protest song bob dylan ipod t ouch instrumental site ipod disk utilities rock band ps2 walmart audio creation freeware shareware vst downloads create mp3 ringtones htm ipod touch video format lyrics and music to chirtmas songs plastic piece with ipod nano irish dance music downloads precious moments musical cake topper everytime by simple plan video when was the ipod created ape winamp pligin how do you put photos on a ipod classic music and videos on a nintendo ds charles manson beatles celine dion born cheapest price for an video ipod nano loop music using ipod photo information boda mp3 apple ipod mini ipod mini gospel keynotes lyrics ipod house intercom dylan newport abraham lincoln said that hip hop beat mp3 ipod video transfer musical video tour ipod touch use as hard disk high school musical 2 scandal kenny rogers turkey james apple ipod sound delayed prince william county parks and recreation employment miniture audio recording device undercover heuey pop lock drop ipod touch video resolution free ringtones and wallpapers for lg audio two what more can i say ipod video 1 2 3 4 not a second to waste rocket to the moon download mp3 what ipod should i get tampa bay continuous christmas music homemade musical instruments age 9 or kids hip hop abs2 ipod classic for sale hotels rock springs wyoming case music studio tea south dakota where can i find porn for ipod the chorus ipod instruction little rock arkansas jobs pop up mail box flag one nation under 2pac walkmen ipod compatable council of trent impact on music little mermaid soundtrack ipod cbl doking spy kids soundtrack how do i download free music on my ipod greenwiich blues nas illmatic mp3 cure insurance accessing ipod touch hard disk ringtone software for nextel the imperials christian vocal music free youtube to ipod nano vocal games red hot chili peppers troublekids in funk heaven clear out ipod america the beautiful music lesson plans classic rock and love songs gadgets ipod vibrator st lucia jazz 2007 pics linux capture audio out dsp remove photos from ipod olympic queen beds apple ipod nano 160gb black price mp3 player my first pyle audio musical service rue des martyrs put on case for ipod nano mp3 download rap storm doors boston cross buck ipod touch vnc bohemian rhapsody music video ipod touch upgrade crossdress kiss music mixing softwatre ipod nano touch junk tank rock disco dots sorbet jolly roger and the pirate queen new pc ipod tranfer hannah montana tickets for little rock arkansas how to turn off ipod when it freezes free mp3 of umbrella by marie digby recuperacion de datos de disco duro htm adding files to ipod touch fleetwood mac live 1969 when soul meets bdoy apple ipod classic hard drive format capacity kiss type missing you miss meyer allemande dance code lyoko music mary j blige ipod commercial ipod shuffle song order ipod nano software installation greed mp3 lloyd banks audio ipod downloading instructions feeling lethargic weight gain female ocean queen rc how many songs does an ipod nano hold radio music technology former illuminati john todd of 33 degree expose rock music google scholar lutheran gospel of matthew ipod partial import free music xmas songs marware sportsuit convertible for 3rd generation ipod nano download free music videos to my mp3 cindy sheehan central park gathering of eagles video ipod lion power punk stimulators loud fast rules most sentimental rock songs ipod for seven year old what year was simple plan how could this happen to me music keyboard rankings free full length dvd to ipod converter fleetwood stone creek model 4704s online audio spelling games top rock pop songs vaja cases ipod mobile games 2c mobile java games 2c mobile 2c ringtones round rock refuse zooming ipod touch internet fast and the furious music acala divx to ipod crack serial the effect of gospel music on societies youth race for the cure t shirts save second base cheapest bose ipod docking station mihimaru gt music downloads the powerful feeling as he cums charles daft punk costume ipod shuffle internal ipod troubleshooting white screen typical file sizes for ipod videos purchase mp3 music sites jazz age and social behavior volume too low in ipod touch information society instrumental metallica lyics daisy rock of love down loading ipod music adele roberts death notice rocky music for ipod billboard music conference christian kid music site britney spears pictures reviews of ihome ih36s under cabinet ipod stereo player lillian by plus 44 mp3 website charleston rag sheet music ipod convenience upgrade rock tumbler natural science industries ministry death and destruction mp3 lennon legend ipod touch free nokia ringtones 3587i alltel htm brooklyn school of music and theatre free ipod streaming porn videos add podcast to winamp find ftp music ipod touch protective covers madonna push cucusoft dvd to ipod crashes jungle queen cruise sydney hip hop dance songs for son and mother how to put movies on ipod leagons of soul free ibeer download for ipod touch hot longy long clash lyric rock band wardrobe upgrade concert band music ipod earmuffs jimmy pop ali and popsmear ipod to radio cable bmw free emery music downloads disscusions on rap music nano problem installing ipod bet hip hop awards 2007 pictures common music diamonds and rust peter browne dance with me squid ipod touch grand country music hall this is the day gospel chorus difference between ipod mini and ipod shuffle rock city morgue aerobed queen size best price ipod nano will not see music reggae info julia lyrics lennon mccartney beatles how to download dvds onto your ipod john wayne audio sound files dice ipod interface ipod nano model a1236 manual rock experiments how to convert wme to ipod jlo flash dance kim and eminem in superman videos stereo dock ipod actors on the fresh prince of bel air in the mood swing music orgasm audio stories ipod touch book mp3 super tagging software soundgarden rage against the machine pearl jam ipod nano completely dead interior doors houston brown county indiana music flip ipod touch cases hate kanye west charging an ipod shuffle spanish gypsy dance piano music jazz drums best for the money who is the leading seller in pop ipod adaptors reformating ipod collegiate ipod covers goldfrapp mp3 kanye west sound clips now music shure ipod speaker system eagles long road out of eden album free video downloads ipod canadien rap music my love paul mccartney mp3 samsung mp3 accessories uk ipod shuffle acceseries brown sting ray christian music top 20 ipod game reviews find appropriate songs for a father daughter dance at a wedding who is the first rock group to recive russian royalties install ipod connector mazda miata radion 2002 royal garden blues jazz band ipod nano deal harlem gospel churches a fera do rock how to get on an ipod touch apple ipod student discount free mobile downloads mp3 and applications orlandi dance school upper darby rip ipod to itunes mac blues guitarist of the year free dowloads for ipod intergrated audio drivers album new rap unreleased ipod trobleshooting rolling stones start me up cml music photography bath uk how to download limewire to my ipod 3rd gen oak doors sheffield best way to kiss kanye west sunglasses stripey how to instal itunes for new ipod nano word for in music ihome ih36s under cabinet ipod stereo player rock clmbing fire in rock falls illinois reliant fastener native american music samples free downloads ipod ssh all time best pop dance albums atlanta audio society lowest price cd player and ipod dock free fiddle sheet music access hard drive of ipod touch australisian music supplies ballroom dance classes monroe matthews nc email program for ipod touch linkin park head like a hole andover dance schools ma garth brooks at walmart free video for ipod free ringtones by goo goo dolls belkin ipod stereo dock universal noir collection the killers cure for deaf dog ipod nano cables wires rip dvd to ipod google mp3 search how to put pictures on ipod nano evans music houston malayalam chocolate songs mp3 download iedefender pop up ipod nano model number a1236 porter wagoner music album titles how to format a ipod nano pro video audio metallica music ipod accessory ratings adele teutonico contest for led zeppelin tickets political music best free dvd to ipod converter for mac free ringtones with voices car audio which way to place subwoofers ipod nano 4th generation with video for ihome2go popples pop n giggle audio and video cables for an ipod egyptian dance boogie pop phantom pictures weight difference ipod touch 8gb 16gb gospel group appointed mobile video and audio splitters whose album sold more kanye west or fifty cent lyrics for ipod land of the dead voltaire mp3 bose ipod sound dock speakers transferring ipod music to different computer tomb of jimi hendrix matchbox pop up adventure set construction zone free download youtube to ipod bill waits rv world ipod classic does not show up in itunes mp3 music from barbados free song lyric christian music phil collins trazan song ipod tough case kiss tears are falling ipod building toy cassette adapter ipod jimi hendrix burial site celine dion sous le vent microsoft ipod simple plan i do anything lyrics how to hook up a ipod to a receiver where is high school musical 2 showing grimfist music samples timex watches for ipod jazz industries disco partizani how do audio visual companies advertise beatles las vegas hack ipod win 98 cheap ipod price what shows can you download to your ipod pictures of punk hair total audio converter cd rom pioneer ipod fifth generation 60gb ipod red is the rose sheet music how do i get my music from my ipod onto my computer ipod firmware download prince party up ipod touch free games folk music lyrics for christmas audio visual aids for teaching english will zune plug into a ipod speaker told you so dj tiesto music video rock and roll ties how to play your ipod on tv ipod access code britney spears wet pussy ipod and mp3 songs miracle run for a cure autism cdt audio es gold 643 beat free music rap problems with copying music from itunes tou the ipod ipod shuffle in stores songs that everyone should have on ipod musical youth competitions devon old downloaded napster music free downlaod mp3 beyonce listen insten retractable av cable for ipod video and zune bob seger old time rock and roll recorder year ipod hard drive repair bob dylan dob simpsons rolling stones see ipod menu on tv sufjan stevens holiday music johnny rodriguez music dance lyrics cause im falling in love mary j blige ipod video mpg ipod pc vista how to e books on your ipod herbies audio lab ferret little rock arkansas does queen elizabeth smoke apple ipod uk online order bachmann pop funk device manager ipod nano model a1199 first second generation katy and count basie and audio how to locate a lost ipod nano wap sites to download monophonic ringtones in south africa free dance revolution xbox 360 herbal add cure restore ipod without loosing music the villiage in little rock ar registering a stolen ipod dance schools in andover massachusetts kiss beteenwe the legs rock music poster manual yahoo answers ipod summary of killers wake free music for my ipod biography of metallica infinity g37 audio system adjust wheel on ipod nano mastering classical music favorites book 3 jazz music bucks county green day wallpaper best ipod dock with rca old harry rock formation monster ipod remote lazytown dance nirvana box set popular ipod touch applications doxa audio beatles she came through dj tiesto in search of sunrise dvd to ipod conversion unlock pop gear cover art for ipod music how to soldier boy dance immortality pearl jam instrumental free belly dancing music for ipod free music lyrics to ipod free sidekick lx ringtones compare ipod and walkman musical treat grabbers od 128 mp3 new computer ipod tim barnes music minister flanders swan hippopotamus mp3 graffiti ipod theme mischael techno the new doors samba ipod emarald queen casino jobs instyle magazine madonna swept away free tunes for ipod copywrite free soundtrack music downloads queen ataia bose ipod dock review tap dance supply top hat audio cassettes florida sweet gs mp3 download ipod fwid parody mp3 instruction guide for ipod josh groban believe mp3 download eagles nfl national football league zune ipod adapter madonna nude photos irish lord of the dance ipod nano mp3 players dvd o ipod rentals sound lighting eaw crest audio download dragon ball z budokai 3 ending mp3 transfere windows media to ipod new music releases in october ipod does not connect usb dance first song wedding kinkade crystal court queen comforter set add photos to ipod bishop lynch 2007 homecoming queen history of queen anne queen ahhotep ipod touch more memory in the future scary faces that pop out at you ipod boombox cd rap it up dance workshop salt lake city 2007 bikes blues and barbeque fayetteville hipcase for ipod wirelogic audio cables audio interferance filter ours music ipod windows 2000 support queen of the dawmned ipod nano musica descargar gothic clothes online party pop dresses video size limit upload ipod ipod mini successor toyota landcruiser 40 series doors dance school narooma how to put a movie on your ipod top shelf aquacultured rock how to get songs from an ipod into itunes beatles fans 1963 record off youtube audio how do you change the battery simble on the ipod touch free five minutes to midnight boys like girls mp3 blogspot what types of eagles live in georgia download ipod bootloader santa pole dance swf ancient roman music how to transfer youtube video to ipod gospel music for free ipod nano instuctions ipod fm brodcast lyrics stardust music sounds better with you on q audio interrupt module ipod wristband best recommended rock tumbler to buy online gotta dance retail store apple ipod nano owners manual we on lupe pooh bear lupe fiasco prince edward island hot runner molding how to put photos on my ipod decorative bathroom river rock earth magnetic shift music cant load switchfoot songs on ipod gliese 581 is near third rock dance masters santa clara county rock river trigger ideal ipod for audio books baby boy soundtrack new pop ipod nano first generation 2 gig pretzel with hershey kiss merchandising and security doors lexuscare ipod dock paper planes clash sample internal high definition audio bus windows xp centrios ipod tape electric guitar rock and roll history a free downloadable pop up protector ipod pal for car free song with lyric for gospel choir ipod nano 4gb 3rd generation apple 30 gb ipod video prince dead son ipod movie format dma music removal cheats for gothic 3 free download and covert youtube to ipod kyser musical products rock tumbler polish best price on jbl loudspeaker dock for ipod presbyterian churches in casle rock serial killers and anima killing stone lyrics my little rock n roll silver ipod shuffle music charts from the 70s soundtrack ratatouille medical and ipod free music sharing file transfere ipod music to windows media download audio news clips mp3 download nbc ryder cup theme music transfer jpeg photos to ipod little rock ar blues festival victorian era folk medicine ipod universal adapter ipod contacts langton hughes wearz blues and lenox midnight cell free pcs phone ringtone sprint how do you transefer music to an ipod swahili gospel song ipod video tv connector molly blues radio audio component wracks ipod and itouch and reviews gospel music online throat killers porn hiding files on ipod david bowie song in a commercial hawaiian pop singers 1989 upgrade ipod touch ram gospel guitar music palm coast escort sting free music notation software download download games for ipod nano free sheet chord music ipod unofficial webapps ipod froze on do not disconnect screen emphysema cure how dp i sync ipod games vocal remover video files gothic castle hills like white elephants audio how many songs does the 4gb ipod nano hold josh grovan audio clips lyric app for ipod touch how to get the feeling of someone licking your clit rock music influence free songs of bandit queen by nusrat fateh ali khan convert dvd to play on ipod music business legal agreements christmas kiss pos ipod accessories cure for androphobia roundin up a cure for cancer t shirts apple 3rd gen ipod nano silver 4gb model ma978lla punk soul car ipod drive and play interface best freeware audio software michael buble mp3 prison break pop tv typical file sizes for ipod nano videos melissa kiss pictures kensington fm radio transmitters for ipod reviews linear power car audio algebra related to dance how to get rid of msn explorer pop up habitat skateboard ipod case so far away nirvana nirvana cartoons how to turn on an ipod filter queen vacuum cleaner labyrinth within you mp3 ipod downloads for free whirling dervishes dance california fst turbo pop off valve how many songs can you put on a 80 gigabyte ipod queen elizabeth 2 retirement boot linux from ipod mini sunrise in rock springs wyoming deep purple smoke on the water not live ipod hook ups to car stereos mp3 blind jazz james free mp3 of queen ipod universaladapter dance magic david bowie ipod clock alarm jazz pedagogy willie hill around the world in 80 days the musical prince edward bust 1863 firewire cable for ipod pink floyd another break in the wall list of queen songs ipod 3rd gen forest creek round rock texas blogs music at proctors gala free dvd to ipod mp4 yer blues free ipod copy programs ipod touch features guide music note tattoos mac and pc rap sync meaningin ipod aztec dance tango dance description repair apple ipod video 30gb latin musiclatin music free full dvd to ipod converter daft punk remix gospel tract jews ipod shufflle how many songs record power point audio convert mp3 to audio cd free drivers for jazz digital camera how to open an ipod nano transfer voxpro audio files to new machine nfl football game audio ipod to do thomas kincaid musical lantern school dance ipod and best price or sale rock band cheat codes ipod dock altec pop eye the sailor man vegas red rock re format ipod nano caffeine content of all brands of soda pop musical group red breathe your life into me ipod stereo link cable by nyko are the body soul separate entities audio visual hire farnborough ipod download convert media player windows media player audio output belkin f8z085 protective overlays for ipod video best built inc uses kk doors zune versus ipod nano helio ringtones discount ipod touch accessories information about the fashion of country music eminem curtain call track listing fight of the conchords ipod download punk rock tecumseh good vocal exercises ipod touch wifi hack leona lewis bleedin in love milton okun compleat beatles how to sync tv shows to ipod bob dylan lyrics all i really wanna do free medieval music cambodian pop songs online extract you tube video for ipod hi tor the musical issac watts and early church music ipod nano wireless fm transmitter lowest price bose wave music system ipod format disk utilities fans club pearl jam christmas music radion station chicago prince george vintage motorcycle club ipod classic games white rock apartments ikea billboard home is the most important place in the world ways to earn money for an ipod shower ipod radio all american rejects move along mp3 docking a non docking ipod free christian music downloads about being baptised donkey kong country music convert music file to ipod format music pajamas state fair music waterproof case and headphones for ipod nano timbaland onerepuplic download hey there delilah mp3 zune and ipod touch ska or reggae christmas songs deleting files from a ipod pink floyd wish you where here virginia gospel choir hotel casina palace write your own music for free couleur de ipod nano amy winehouse you sent me flying music lyrics ipod alarm clock lansing altec the neden game mp3 gackt mp3 downloads ipod maintance tough rock by georgia pacific egyptian dance dress linkin park new somgs how to load music onto ipod music lyrics gosple youtube free ipod music downloads kurt cobain music polynesian queen the new ipod nano redemption song mp3 music class and children and alexandria sara bareilles vegas lyrics ipod suffle driver drugged kiss jensen ipod radio music la macarena beatles lucy in the sky with diamonds free mp3 download amateur musical recording devices ipod 16mb depeche mode new wave cd vaughn williams english folk song ipod winxp elton john skyline pigeon ipod video stopped working mp3 downloads for free pro wrestler sting singlet nano ipod set up double old fashioned rock glass graphic of dance steps mytunes ipod case manic street preachers gold against the soul rules and regulation of dance sports ipod acceries no audio digital ps3 eminem go to sleep how to use an 80 gb ipod queen anne christmas celebration seattle parade the broadway musical dialogue apple ipod battery repair streaming audio m3u lists elvis presley liver cancer ultrasonic music ipod video software what does medicine made from donkeys cure how to download dvd to ipod prince of prince jeremiah johnson mp3 high school musical songs ipod touch customize icon disappered zoom audio dealers ipod display pixel defect king of glory mp3 headphones ipod wireless sam cooke a change gonna come mp3 ipod nano transferring music timbaland ft one republic apoligise reviews ipod docking stations fleetwood mack the dance rock 106 benefit learning music itunes manuel ipod nano instructions connecting for a cure pro am music needed for movie encrypted dvd to ipod conversion software are store cameras audio and visual ipod touch standard dock mp3 editing freeware the music from target long live happy commercial queen victorian homes tennessee free ipod online walking tours new york city caving swimming rock climbing camp home sterio system ipod ready dj mix playlist hip hop ipod tricks bose ipod connections cpac 2008 audio of mitt romney scrubs my fifteen minutes music credits december 2007 new urban music audio releases ipod nano downloads the darkness bald mp3 cd music to ipod transfer back music narrative rock today weekend film fortune set service rock art archives troubleshoot ipod shuffle apple ipod touch refund alex heim castle rock school rock pasta puyallup washington ipod touch guid theater costumes dance wma to mp3 converter ipod weight loss cure protocol espn music theme kabarka mp3 how to copy files to an ipod treesha defrance music listen to trance music for free ipod transfer music to computer latest released music nickelback checks cheapest ipod clasic caribbean reggae songs prince albert inn prince albert sk apple ipod nano green 4 gb 3rd generation limelight disco elton john band dee how to install music on ipod congreso internacional charro internacional queen royal music center new york how do convert dvd to ipod karaoke music ipod nano 3rd generation drivers 98se does guitar hero 3 with rock band toots thileman dolphin dance ipod shuffle crack super c ipod video settings classical gas free mp3 take five jazz top 40 ipod workout dale earnhardt music video video game music chrono ipod shuffle battry free ringtones an adaware pop up blocker block pop up ad gen 3 ipod free moonlight piano music sheets vitus audio apple ipod how to future of the ipod and mp3 player ipod memory review listen to music free online verdi otello ave maria words musical score album art for free ipod nano dance of the vampires carpe noctem lost boys soundtrack people are strange apple ipod anao 8gb purple frank sinatra misty index of mp3 show your bones ipod shuffle 2nd waterproof xp choppy audio during bootup rock tumbler natural science industries lolliy pop how to take mp3 files from ipod queen size headboard ipod music tranfer how to french kiss someone for the first time old time rock and role ipod sympohony dukes hazzard ringtones cb4 movie chris rock rapidshare copy music off ipod music city sheraton unr reviews miles davis its about that time ipod cradle how to put contacts on your ipod music note drawer knobs heath ledger bob dylan ipod classic dimensions tupac rose that grew concrete poem mp3 cd will not play in 2006 ford expidition transfering music from ipod to another computer rock music launcher taylor swift music lyrics no ipod allowed clipart the nutcracker prince ipod shuffle users manual the doors lite my fire game show mp3s ipod with windows media player prince 7 meaning boston hard rock cafe ipod touch game soundmax integrated digital hd audio ipod verses mp3 ipod nano video reviews download of temptations song lady soul anime sheet music virgnia folk lorist how to download music videos on ipod nanos michael buble stay ipod nano 4 gig instuctions jake owen music list eric clapton midi inxs music lyrics what is the difference between a ipod and a mp3 player dave matthews everyday lyrics everybody clap your hands song gospel operating instructions for ipod yngwie blues green rock peru ipod imode surround keypress motorola free ringtones jvc ux 100 shelf stereo ipod nano manual doc hummelstown chorus dj mix trance ipod start up funk eugene oregon pop up shelf ipod songs got erased by mistake extraordinary events of northern rock convert files to ipod format nirvana half the man kiss cold gin cassie granger ipod car charger holder stereo alarm clocks for mp3 players music video compatibility for ipod rock island jamaica bmw 540i stereo photos user manual for classic apple ipod teaching music concepts to kindergarten house of pain jump around mp3 cates music johnson city tn how to install ipod games from os 10 myspace comments pearl jam free ipod download of the matrix queen size air matresses jazz radio station las vegas ipod downlodes threads of fate soundtrack top reggae artists ipod touch charging symbols herbal cure for shingles study of the gospel of luke where do you get music for the ipod james blunt all the lost souls surname queen elizabeth how do i watch movies i downloaded online on my ipod punk girls sex clips dance electronic games print music stave paper transfer songs from cd to ipod eskimo joe mp3 collegiate ipod skellig mp3 free square dance music lyrics how to turn off ipod mini kanye west vs president busch torrents heavy music vicini mp3 player configuration ipod touch give a way feist lyrics to 1234 norther rock deleting photos on ipod gospel music by angels in charge of me imaingo ipod titan mp3 player colorado eagles hockey windows 98 ipod nano driver jesse stone soundtrack jeff beal macon jazz can you download recorded tv shows from dvr to an ipod amy winehouse tears dry on trere own stevie ray vaghn helicoptor crash ipod vista windows downloads christian dance team videos dish network blues network the devil went down to georgia mp3 apple 1gb ipod nano black speck toughskil ipod case kathys dance company jean jacket fake ipod nano original artist wrote the rock n roll song tossing and turning best ipod case itunes aac to mp3 free violin christmas music boost for ipod touch trojan war will friedle soundtrack choclate rain mp3 download ipod movie help kenny sidle fiddle music downtown north little rock homes kohler tub shower doors how to conver movies for an ipod lyrics for more than a memory by garth brooks how to put a dvd on ipod ipod touch jail break download possible effects dj whoo kid this ones for my bitches 50 cent musical from producers of saw ipod looks like when open slide show music words for presbyterian church service photos ipod nano gospel choir dubuque toilet paper holder music ipod and xm radio receivers kenwood mini audio hi fi stereo system jazz drumming ipod for vision impared music and orchestration dictionary history queen creek arizona ipod manual yahoo answers martin brashear michael jackson 2003 hidup hidup dibakar mp3 ipod charger base fm transmitter hip hop and pop from 90s audio research d200 reviews nature music relaxer ipod touch safari plugin download talk to me talk to me are you feeling alright how many ipod versions storm shelter doors kinky boots soundtrack aretha franklin mp3 ipod touch emulators new lil wayne music bootleg home remedies for a bee sting ipod classic 80 sale david wilcock ra mp3 consumer reports ipod speakers convert audio books to mp3 home made tap dance pad free download ipod games bouddha rock i would walk 500 miles mp3 pop flare how to download music on to my ipod nano day and night horses music generation 4 ipod video loading cure for asbestosis foo fighters 2007 setlists ipod shuffle covers vb source for mp3 converter carmaro doors 1976 changing battery in ipod high school musical 2 country club cruiser u2 music download ipod access registration sweeny todd musical music in 1400s simple ira plan limits download music on ipod music distribution companies with inittials cf songs from movie sound of music die ipod cradle classic rock ringtones motorola z35 jesse mccartney beautiful soul concert download torrent how to get installer on your ipod touch rock me off in harlem florida billboard ads apple leather case for ipod classic flower of scotland ringtone s pop hurray song download ipod nano does not see my music canadian military music video bulger killers ipod nano videoad fun indie rock free itunes and videos for ipod nano punk rock leather jackets instructions i pod nano to play music ipod alarms cd player food that can cure protein c deficiency upload to mp3 player problem restore ipod gospel music amazing love the russian dance song ipod nano video pack kitchens and doors crest audio 7001 yamaha ipod docking satation full hamster dance song south rock grill hendersonville nc stevie ray vaugn cardock for ipod wiggles pirate dance upload movies ipod free wire car stereo value of used cd changer stereo component surface mount pocket doors free stuff for ipod piranna rock climbing screen protector for ipod pure imagination gene wilder mp3 download swingtown instrumental mp3 mike and the mechanics silent running how to run an ipod on windows 98 new troy mi music barbie ipod on eagles wings isiah dinosaur stamp 37 cent how to use my ppc 6700 as a ipod jazz sax players equipment furniture litle rock university ave reggae international dvd ipod classic usb recharge mc marcinho dance wireless ipod fm radio transmitter your possible pasts pink floyd top commentators closed neil young tickets nyc united palace all i got is music by the mccarters timbuk2 ipod flip case 5th generation soul porject new orleans how to download music from ipod to computer thanksgiving doors and porches decor iron maiden shirts hoodie bread if mp3 ideal ipod rock and roll triva ipod music binders ipod helper ipod logo london bridge is falling down sheet music foe deaf people cheapest ipod sounddock top 10 uk music singles ipod ear phone attachments radiohead beds are burning cellulite natural cure ipod g3 the american cheer and dance nationals atlanta ga stereo preamp schematic gospel wedding instrumental how to use the ipod touch fleetwood mac the dance washington dc area dance events yamaha reciever rx v461 ipod video reel to reel audio tape how do i get free music downloads for my ipod song meanings bob dylan audio quotes from movies truth in rap google maps ipod touch best free mobile ringtone real audio converter to mp3 sosche usb ipod charger liberace music apple ipod touch start penny whistle sheet music ford stereo programmer tool stevie vanzant photos how to download ipod touch games phil collins dance into the light how do you put a photo on your ipod refurbished apple ipod science car pop bottle balloon ipod orange skins make pop up anima cards dwts music ipod earbud connector size moonlight music speaking rock casino indian traditional musical instruments how to sync music to ipod from itunes library reggae got soul ipod and free and dvd and converter michael jackson dirty diana story prince wand amy winehouse drunk ipod nano 80gb usb cables ipod mini ipod adapter bmw rock bass giga samples you align doors on a car how to sync music to an ipod from limewire ipod mp3 30gb metallica wives buy and ipod mp3 auto adapter rap tv show on vh1 reset ipod touch password old dance movies nude highschool musical stars ipod mini stuck on apple beyonce crotch slip plus size queen of hearts halloween costumes twilight garden the cure ipod conversion to zune music group the eagles website luxury home walk in showers with no doors ipod sox willy wonka sheet music salem oregon jazz ipod instructions in spanish ringtone rock me amadeus canada applescripts for 3rd generation nano ipod rock 90 how to install multimedia audio controller p4m80 m4 mp3 codec freeware ipod cassette player adapter oceans in prince edward island kayak ipod billboard companies in simpsonville sc free legal mp3 music downloads that is not p2p welcome to the jungle mp3 sale sony car stereo ipod bird cock of the rock hymn sheet music ipod classic case ratings local rock bands massachusetts marisol lopez 2pac essay add notes in ipod mp3 music search engines ipod music videosdownloads free casing doors with drywall how much is rock climbing amsterdam jazz ipod shuffke kanye west stronger sample paradise kiss opening mp3 charging ipod nano 3g rain kiss background green day wonderwall bolevard ipod versus mp4 video madonna orgasm pop up snow globe cards record streaming you tube os x ipod reset ipod nano awesome dre ipod wifi connections ipod accessires clear ipod how to install cabinet doors adult dance classes ocean city maryland audio editor ipod does not work with hp 7700 officejet reggae broadcast connect ipod to the car by fm two babe kiss game video barber summer music radio adapter ipod car ipod compatible download big mouthfuls cassie venmar broan jazz range hood canada can you download recorded tv shows to an ipod lei electronics universal mp3 player essentials kit handbrake ipod touch iron maiden paschendale el charro flamenco dance online russian pointe led zeppelin rock music speaker ipod creative craemmoil audio usb thumb ipod radiohead ringtones freestyle rap contest london community gospel choir ipod reset utilitie ddr music mp3s ipod nano 3g battery life types of musical slurs accessory child dance deer calls audio can you put songs from limewire on an ipod wacky pop itunes ipod nano hula dance lessons in il bohemian rap city lyric ipod technical support how to register a new ipod nano nirvana foot pedals how to shut down ipod albanian music mp3 led zeppelin cd art old town music turnersville nj ipod touch flash player the crimson kiss joyce ellis dance best protection case for ipod nano kylie minogue its no secret mp3 ipod touch applaction downloads storm hawks mp3 hip hop design t shirts led zeppelin bring it on home mp3 ipod queen quilt teal page jimmy and robert plant concerts logitech pure fi eite ipod open mp3 in efw file image file to ipod converter free printable christmas music tela twisted instrumental ipod chess round rock tx volvo repair berlin band argentine tango erotic audio for women free addtional ipod itunes wizzard christmas mp3 griffins ipod accessories lambeg mp3 dance of the tiger yamaha reciever rx v461 ipod video no video display ipod nano new cases the cure the kiss lambo doors for lexus sc400 land rover lr3 and ipod interface louisville ky adult dance clubs ipod mp3 download who sings the song in the ipod commercial dr dre pictures free ipod movie ripper buffy sacrifice sheet music rap and r b music lyric turn off wifi rf on ipod amazon japinese trance zone 2 audio video receivers music straight to your ipod free high school musical 2 background pictures queen adelaide croydon itunes not responding for ipod 80gb classic disturbo ossessivo compulsivo cure a world of blues boot dance ipod pc vista ipod auto assesaries folk art blanket chest ipod classic video out fix audio equilizer tips reset ipod battery cost ofnew windows and doors funky house music london dj mix download mp3 speakers and radio for ipod paper dolls kiss htm shorter college in north little rock feeling different ipod touch video out iron maiden for you so hold rca mp3 lycra player teen sexy video ipod queen victoria personal apple 8gb ipod video nano black mrs brown movie queen victoria public domain music for flute and piano apple ipod 2g 2nd generation crave music les zeppelin rolling stones temporary tattoos ipod shuffle compatable songs expandable pop up travel trailers gadgets ipod dance classes for kids st petersburg fleetwood manufactured ho ipod alternatives to itunes david bowie lyrics china girl file extraction cyclical redundancy check error cure how do you strip your cds and put them on your ipod austin wednesday music live prince george coop virgin music xiph ipod touch portland basalt rock ipod in other devices on win xp song written in memory of eric clapton elvis presley free audio ipod excersize starved rock lodge packages in illinois great rock cc wading river away by nickelback ipod 5th 30 gb review steve and barrys music chamber music musicians ukiah ca ipod multiple connections to pc switching doors on duel dryers ipod replacement screen kit dylan track list soul caliber legends howto apple tech support for nano ipod mandolin missouri arrow rock kenny rogers twenty years ago ipod portable stereo dolphine music line dance step terminology characteristics of old school dance maris miller ipod download flo rida mp3 for free rock of love porno brandi ipod nano generation3 xtrememac incharge auto charger eminem toy soulja how to remove ipod case dance illinois john cena rap lyric replacement ipod itunes neil young four dead in ohio mp3 frank lloyd wright house on the rock ipod cd player best rated ipod voltage what is your soul adapter for ipod in car can i put someone elses ipod into my computer why did machiavelli wirte the prince software ipod touch belair screen doors bscelebsbeth cordingly pole dance dance exercise dvd australia converting dvd to ipod related soundtrack imtoo ipod computer transfer nlp hypnosis mp3 new free phoenix az stevie wonder concert country gospel song lyrics chords transfer copy protected dvd to ipod how to install closet doors madonna not susan ipod jailbreak wolf fording dance costumes reviews ipod nano accepted formats for ipod free on line gospel bass lessson convert sony music files to ipod how to set up a music server on linux spb tamil mp3 songs desktop audio display ipod touch wifi trouble prince edward island god farm ipod docking clock radio syncing cd super mario 64 original soundtrack mp3 us large one cent pieces listening to ipod in car hp apple ipod 20gb mp3 player queen anne properties supported ipod headsets soul hall of fame twin cities adult dance classes halloween streaming music usb sync cable for ipod naked girls kiss boys ipod adapter for 2006 nissan altima bose system delphone music video cheerleaders radio city music hall christmas show the class notes in the summertime mp3 dougs ipod scripts jazz dance classes wilmington north carolina birdman pop bottle remiz mp3 silicone ipod nano case advancements in german rock music myspace dylan alfonzo southpark seasons 1 11 ipod torrent strip dance videos ipod touch wrist strap mp3 macarena music center mesquite texas misty edwards cristian music free ipod download timeline of prince vladimir lyrics stevie nicks dreams free latin dance lessons toronto cd to ipod robinson funeral home in little rock beyonce woman like me download download dvds to ipod itunes kelio mp3 player accessories free audio for novels and plays download ipod to convert to mp3 files rap artists the new kkk rem drive funk version live how do you open an ipod vote for the top soul food restaurant in north carolina jump shot music how to copy files off an ipod download free hip hop albums blog most common musical instruments free no ipod use sign clipart itunes ipod nano windows 2000 value of 1959 1 cent canadian penny coin incase ipod cases mp3 cell phone bad quality kid rock what i learned on the road listen linux os ipod racist billboard ipod access serial twist line dance garth brooks texas stadium converting audio from cube media player determining which generation ipod nano i have kevin bloody wilson music video rap harrisburg ipod touch notes audio 3 milk shower docking station for ipod list of lincoln cent dates and mint marks wikipedia rock band song list athena ipod speaker rap news chris rock atheist psy trance 2008 ipod repair in south carolina uganda tribal music evanescence bring me to life free downloads mp3 songs music free ipod videos xxx hopi indian rain dance best portable ipod speakers nature living mp3 download music stores in chesterfield va cheap apple nano ipod audio theatre proper bass tabs linkin park bleed it out book about the msking of the ipod audio video companies in queens dance routine for the devil went down in georgia ipod platinum cover a list of jazz dance term radio rap transfer ipod to new itunes ozzy osbourne free music queen of the forest pictures ipod videos and zune samsung a920 camera phone hacks for mp3s free sanford and son ringtone drivers ipod nano billboard list of top songs mp3 music sites review dance little gene song lyrics best prices for ipod classic libbey rock sharpe collectors jungle mp3 how much battery time is in my 2gb ipod learn rap dance videos videos for my ipod dance bag supplies how to enable record fuction in mp3 songs jandora chapter 3 the nubian queen ipod shuffle use ice age 2 the meltdown soundtrack free ipod clipart phil collins genesis albums dj tiesto win converting avi to ipod chaka khan funk this seiko audio ind ipod nano acessories billy elliott musical australia free prince of persia download chicken dance song free download wifi ipod touch modem elton john tupac 2pac warrior without the sound of guns folk art acrylic paint how to set up wifi on ipod touch photos of queen elizabeth so many tears music video by 2pac how to put e books on you ipod polip on vocal cord linkin park carausel my ipod wont update mp3 compression utilities hannah montana ipod skin feather river entry doors high school musical queen bed sheets balloon pop game belkin ipod dock britney spears latest melt down copenhagen disco converting cds to ipod files convert to ringtones freeware dodge city motors ipod clickwheel cd of musical multiplication facts natural cure for a sore throat using winamp for ipod free windows media player music downloads eminem download winamp player usa spec ipod pa11 vet interface gold rock log homes kid rock waffle house the grinch soundtrack midi ipod touch wifi icon state fair musical soundtrack torrent apple ipod skin gothic sims the other side of amy winehouse i need an ipod various artists dancing queen kiss 107 fm des moines ia directions installing stereo for 96 98 civic playing videos ipod stephen hawley music apple ipod plays video soundtrack the big chill kiss short video high school musical fabric available wi fi networks for touch ipod nirvana unplugged underneath the bridge audio hissing remover ipod bodybuilding rap musicand its affects movies to your tv from ipod van morrison tupelo honey lyrics rolling stones moon is up arm ipod m2n audio drivers will not load armstrong jazz pianist american ballet dance history java download for ipod penelope and prince charming ipod mini dosnt work on vista how to open ipod case gilligans island music seussical the musical order score how to use ipod transfers audio dampening material how to watch movies from your ipod rain dance car wax nathan lam vocal coach i can make it down here gospel convert wmv to ipod download audio bible free mp3 download of reason by ub 40 mirrorfilm ipod classic exclusive wood doors nerima daikon brothers music belkin leather cases ipod classic drum trigger using the audio stereo input of your computer tangled up in blues lyrics ipod acceseries new relesed music transfer music to new computer ipod brought electronic music ipod nano crystal case free mp3 of shawty remix connect ipod to usb audio translation greek to english beatles universe movie movie encoder compatibe for itunes ipod record dvd audio to cd ipod touch accessory earthworm sting message board pop art ipod touch msn messenger fugi labs mp3 player sir mix a lot mp3 final fantasy instrumental soundtrack ipod touch youtube jazz solar price on an ipod 80 gig prince o2 start time lyrics for numb by linkin park ipod nano 4 gig instuctions on videos lush music wagner c55 free ringtone siemens hard rock themepark job fair connect ipod shuffle to digital media port learn dance hip hop ipod pearl headphone adapter berkeley school of music alumni indian queen root beer concentrate chapple kiiling them softly for ipod basco white vinyl coated neo angle shower doors upload mp3 to internet music new release charts ipod connected to lexus lyrics to the pretenter by foo fighters help with the ipod touch disco bowling rabbit semiconductor dmx light music and lyric ipod protective carrying case music icon myspace transfer video to iphone from ipod tournmen mp3 my way mp3 refurbished 30 gb ipod mood music jazz trumpeter composer jones gothic car club ipod nano 4 gig manual high school musical tooth brush soul ful reflections ipod touch sip voip newspaper rock how to download music into your ipod conan the destroyer soundtrack renaissance feist jazz guitar tabs download software for ipod classic 40 gb okoker audio factory download what to do when ipod doesnt play music luna fine music clubsan antonio yung wun cassidy one more day newset rap albums 2007 icat for ipod instrumental music free downloads gift certificates download music for ipod high school musical binder partition pop ttbb galactica razor ipod download genuine hip hop jewelry feeling safe in an apartment how to reset an ipod passcode turn a picture into an ipod ad alan parsons music lyrics waterproof ipod boom box pitt jazz seminar 37 download metallica frets on fire megaupload showing ipod movies on television rock band controler compatibility go tell it on the mountain notation jazz style mp3 downloads jay z blogspot ipod integration into car stereo through cigerette lighter freewheelin bob dylan rare album mp3 downloading programs ipod nano will not download ymca jacksonville rock climbing ipod phase download mp3 music service lyrics to summer time by the foo fighters orange peel cure what to watch on ipod nano hsm2 gotta go my own way music code download youtube put on ipod jazz exhaust life expectancy free mp3 music downloads from kohit beyonce knowles porn cool tricks with my ipod rock music releases nude dance vids ipod nano commercial feist attire for country music concert yahoo answers zune ipod creative zen jazz song chandelier vh1 classic music videos how to put songs in order on ipod american folk lyrics audio cable irrigation wire australian outback ayers rock super c ipod best settings blackwood music gastineau sack dance ipod skin designs britney spears fake nudes how to remove files from ipod scrooge the musical review lyrics of jingal bell rock winamp free music downloads eminem ipod corrept always restore musikk mp3 big drumb dance saraka ipod running program the rock tame a triple h because kane and big show video imgburn audio cd sega master system emulator for ipod mp3 player transfer songs florida dance association info on a 60 gb ipod natural cure female bladder infections snap hip hop means ipod nano 3rd generation cover eagles aerobatic flight team leon der profi soundtrack how can i transfer music from ipod to itunes metallica wav files pop suave art ipod computer internet download free motorola cellphone ringtones htm i believe in music i believe in love jail break ipod touch nextar mp3 player review best software for ipod dalek ringtone free gospel and christian sheet music satellite radio ipod adapter downloading songs to your ipod foods to cure cold sores top 20 hip hop october 13 2007 ipod touch remote control free phase game download for ipod be thou my vision midi instrumental ipod how to add gb to ipod ipod shuffle troubleshooting stereo cables for ipod musical postscript name for at some point you go beyond audio copy ipod music trenchtown rock and lyrics red hot chili peppers pictures flea ipod quiz maker high school musical controversie american history x soundtrack sending p3 files to ipod eagles coach family trouble rock and roll lessons how do you get dvds on your ipod free mp3 conversion software african folk stories ipod purple how to dance ipod quizpack soundtrack departed free music lesson plan template natalie cole i live for your love music video my ipod wont charge whitney houston my love is your love ipod rs300 vw chicken soup for soul county gospel artists where to buy the cheapest ipod aztec dance steps prince william police mary blige top 3 ipod pat harris school of dance round rock nissan ipod touch sync to entourage kid rock rock n roll how to transfer your ipod to a new computer beatles acrosstheuniverse eye color soul ipod classic volume derestricted download sheet music cornflake girl free southern gospel song lyric britney spears get nacked flash for ipod adult actress stevie gospel music for classical guitar how to register an ipod video saving ringtones on samsung hue cassidy take a trip buy ipod touch 16 divx avi remove mp3 audio copying cable dvr to ipod samsung a870 ringtones fuquay varina dance lessons cure smelly feet ipod dockingn station with remote bikers blues and bbq in fayetteville arkansas villa zeppelin klotzsche sync ipod with windows media to love somebody by the beatles protective case ipod touch pre echo on audible books and ipod audio visual bid september ca 2007 timbaland song ipod classic games download free cincinnati conservatory of music ipod nano 1 red rock theatre concord nh rc dance and gymnastics top 20 ipod touch apps bambi music soundtrack hellogoodbye ringtone sync ipod with xp hidden audio monitoring device when you love a woman journey free downloads mp3 songs music ipod touch programming used pioneer car stereo g unit musical group not records not books not dictionary ipod tools free downloads canadian institute of mining in prince george streaming office music system gospel music old rockbox loaded ipod usb device not recognized beatles monologue ipod earphone amplifier ballroom dance tango music mp3 free kanya west and fifty cent techno union army what to do when ipod shuffle gets wet porn mp3 downloads ipod dvd converters compared queen mother swiming variety of hip hop music articles motorola mp3 ringtone v600 rf remote ipod dock lionel richie love will conquer all music video teens influenced by rap music ipod trade in program australia army music video movie purpose soundtrack my ipod has deleted everything christmas play musical sunday school kathie hill convert wma files to mp3 free branded hp ipod broadway musical trekkie monster naric music teacher incase ipod touch black bon jovi italy history music box of the world how to download cds to ipod dvd to ipod bad public movie atom how to copy songs from ipod to ipod gentle savior words and music echosof my soul t68 ringtones migrate ipod from windows to mac britney spears wears diapers how to take apart ipod shuffle 2nd crystalize soda pop prince william baby doll how does the ipod shuffle work when is david cassidy performing at the bergen pac express burn mp3 cd battery change ipod ipod stereos for dodge intrepid mv queen victoria smart groups night before christmas interactive musical mice ipod touch accessories wireless blutoth bob dylan review civic auckland jbl radial speaker dock for ipod white christmas sheet music how to create iphone ringtone ipod touch 8gb discount collectables hobo musical figures firefly music port number gall force mp3 free illegal music for ipod mp3 to url ella fitzgerald l moving files from ipod to windows elton john goodbye yellow brick road tab the blues brothers hand tatoos synching music ipod multimedia audio controller download ipod green saudi prince faisal al shalan the pros and cons of downloading illegal music off the internet songs on eric clapton albem slow hand ipod shuffle fm trans flannel dance pants free pron for your ipod lupe fiasco the coolest jack johnson belle tab pink ipod classic cases free music your ipod hammer skin nation music mp3 ipod ripping softwar billboard charts of 1970 mp3 car audio ipod crashes and freezes how to turn off cherokee gospel singer music rock sharp i elegance ipod docking system with cd westlife mp3 called i wanna go home free download howto convert aac audio clever sayings to engrave on ipod garth brooks video rain four seasons music group ipod service mumbai compilation dvd big band music ipod downloads how to get wireless internet on the ipod touch eminem soldier mp3 po boy blues sony net md to ipod my jazz network detroit wheels rock and roll free music video uploader ipod warehouses quickin loans rock financial pop ins maid service jailbreak ipod ipod invisible shield review latin pop billboarrs exporting photos from your ipod queen starring hally berry how to hook an ipod to a car rock musicians sell there souls to the devil margerettes music tupac death date ipod phone number matthew kenyon and garrett rap accident ipod homework rolling stones cheap cds fame the movie soundtrack prince fridrik foundation how to put divx movie on an ipod fiting car audio lpg tank prince hamed win an apple ipod rock hill south carolina apartments white knight mp3 cheapest 80 gb ipod kiss band list ibest dvd ipod converter forget about it mp3 donnie brasco christmas rock music my ipod touch time is fast simon langham mp3 peter tork and shoe suede blues rock video dimensions for ipod nano dance of the gnomes rock bridge community church ipod touch audio quality review hack ipod classic victoria rock new zealand rod stewart do you want my body mp3 how to copy ipod files to hard drive music tv logos making musical chips easy instructions on how to sync ipod touch to ford fusion prince of persia t2t how to upgrade music on ipod nano the holiday soundtrack just for now mp3s mastroianni music josh groben and celine dion in 2000 remove songs from ipod nano xp hone snakes in round rock texas accessories for musical instruments ipod 2007 saloon piano music customize ipod kid friendly pictures of britney spears rythmic illusions gospel drums middle school dance themes what if my ipod is stolen fast cure for cold sores kid rock music videos actual cost for 80gb ipod classic street corner symphony little funk machine ipod shuffle how to load mp3 dvd to mp3 converter torrent ambient space music a cheaper version of an ipod anime otakus prince of tennis ova common jazz guitar chords free ipod file downloads blues brothers music download bolero trumpet sheet music free gospel song lyrics to tell it porn sites for ipod touch eza jazz wendy cartwright royal conservatory of music transfer music from ipod to another candice cassidy dice ipod putting pictures on an ipod neil young documentary ipod nano 2nd generation dock adapter melancholy of haruhi suzumiya character vocal collection mp3s flat rock grill best radio sound with ipod pahes for ipod where to put ringtones on sch u740 closing doors lyrics ipod january update wihout manual sync bittorrent music files ipod nano memory articles on pop art european music videos amplifyer for ipod music from world war i redman da goodness ipod connect cable for tomtom go 720 cavana dance cleveland american jazz guitarists porsche ipod integration tranposing music download avs ringtone maker for aac format glowing pet rock pioneer stero deh p360 ipod adapter a kiss on the lips what does it mean ipod software synch music country 1980 build a castle free on line piano music sheet for beginners copy cd to ipod klipsch ipod dock violent femmes lyrics and music african dance in los angeles ca satellite radio ipod adapter required room size for a queen bed prince of homestead inn mini ipod shuffel happy days mp3 natural cure for bronchitis when was the ipod first introduce to the public music and neurobiology ipod porn trailers royal crystal rock red hot rock cd refurbished ipod 160 gb music stores general sony ericsson z500 ringtones ipod nano 4gb 1024 queen size matress kiss iii winners ipod connection to vista napster and samsung mp3 problems 2007 catalina storm doors discount ipod nano 3g accessories making rap beat eminem make me sick ot my stomach download from ipod to macbook elvis presley fairy tale aaliyah myspace layouts i want a hippo for christmas sheet music transfering songs from your ipod tupac lyrics behind the doors online game faqs how do i connect my ipod to my surround sound gibran khalil gibran song of the soul griffin ipod wireless tranmitter and charger pacific dance center bellevue why queen elizabeth so powerful intel loses value missing numbers by one cent ipod nano technology fir doors canada stevie ray vaughan fender stratocaster replacement pickguard ipod nano 3rd generation battery mp3 kondorjev let audio books club when was the ipod first introduced to the public queen elizabeth ship california videos on ipod touch omaha free mp3 free audio music program loading ipod avatar the last airbender book 3 chapter 14 the boiling rock old gospel song words raising sands robert plant ipod waterproofing accesories watch out for falling rock legend story who was the person who invented the ipod van morrison brown eyed girl lyrics crown dock edition ipod mp3 portable speaker station ilive ib7 ipod accessories audio sensitivity sound loud beatles new cd ipod not found in itunes good in my shirt keith urban mp3 the gospel comedy all stars 2006 david letterman world music extend ipod touch internet music theme party favors funk wagnalls buy an apple ipod dancing with the stars kiss dlo 009 9764 homedock for ipod rock room round rock tx nationalism and music top rap hip hop songs charts upgrade ipod touch freeware mp3 online shops sound bie for ipod musical notes layout ballad of a teenage queen how to fix ipod classic mac audio editor associationeducation music ohio eweek ipod 25 january 2008 bon jovi any other day serj tankien free mp3 transfer music from my ipod to my husbands ipod hard rock cafe texas stop and stare onerepublic lyrics add folders to ipod library without changing song order bob dylan greatest hits poster by milton glaser linux ipod touch learn spanish downloads for ipod download windows xp audio codec long island jewish singles dance ipod shuffle update philadelphia eagles picture download music fia ai kickin it ipod asics tru life snoop dogg watch me fall mp3 download matthews piano music play avi on ipod gaong dance janet jackson if lyrics apple ipod battery free online musical albums and lyrics english classifications filipino folk dances michael flately music playing leather cases for 3rd gen ipod nano manor house doors reviews complaints no doubt music lyrics gps ipod touch sunbeam pop up toaster chubb rock ipod repair pdf movie quotes ipod copying from cd to ipod download for take me to your heart for ipod demon named hip hop gothic farm picture parodies ipod nano previous generation free beatles guitar music lonley soul ipod forum freezes randomly new ipod model why ipod not playing through dra 397 lift every voice and sing instrumental cork pop gun plans philledelphia eagles ipod models video classic exterior doors fiberglass alternative audio planar craig ferguson ipod free audio orgasms ipod troubleshoting billboard top 10 20007 types of doors architecture gps for ipod touch toolbar radio audio free music on audio of janice kapp perry tansee ipod transfer crack mario theme sheet music for alto saxophones character jamie on 30 rock rap singles albums by eminem apple ipod fm receiver razr music sd micro how to britney spears backmasking trade in old ipod stillwater ballroom dance hacked ipod porn sites kenny rogers canfield fair emi music group ilegal music downloads how do i replace ipod battery find duplicate music files wma mp3 review rave music data types on ipod jazz round midnight joe williams sunday jazz brunch custom ipod touch case dj tiesto in my memory convert napster to ipod the fabulous life of britney spears video baby blues comic strip national geographic music peripheral ipod aux kiss t shirt wheel of kiss doors revival free ipod recovery software hip hop dance classes in oklahoma city for adults ipod components and functions bad killers blood minutes watch min closer cure death high nextel blackberry ringtone music in buddhism how to get games for an ipod touch swing dance lessons upper valley free ipod downloads language normandy by project 86 mp3 download pirate queen the musical world premier poster southeast michigan audio society ipod organizer software audio wireless headphones dvddecrypter all episodes ipod videora loreena mckennit mummers dance pocket mp3 amplifier music artist woodie vieo tp ipod rock against bush audio towers use of ipod allestimenti pop samsung ringtones for sgh a737 phone ipod acessories uk sheryl crow see through top where to buy a black ipod nanos streaming video philadelphia eagles vs miami dolphins yamaha cp33 music stand new ipod nano first generation picture of a musical note rock climb nh punk rocker adult womens costume free hack transfer ipod just like heaven soundtrack kenny chesney ring tone for ipod bone dance brooks study guide lost in love air supply free downloads mp3 songs music ipod nano usb driver jazz south beach fourth generation ipod supported by ipodlinux largest amount of people in rock band mstation ipod dock pc to stereo cable nike plus and ipod video naxa mp3 player fix online radio stations playing gospel music linkin park free downloads download camera to ipod touch how many milliliter does a 2 liter pop bottle hold how to add videos to ipod touch dance print pajama style pants how to make sliding doors heat efficient musiq soulchild html audio codes dvd with chapters on ipod sylvania mp3 players free ringtones for motorola metro pcs music systems for ipod with remote sandra brewers dance studio soul searching seminars ipod touch car sell my music cd cover conexant high definition audio driver transfer music from ipod without using itunes free downloads 1960 rock downloadable aerobics music for instructors free asian porn videos for ipod elvis presley falling in love free for your ipod viola sheet music for mountain springs kenwood car stereo apple ipod new zealand eagles pointe paint it black rolling stones cd used black ipod stevie ray vaughan dies helicopter the rock radio stachen how to break an ipod mini rock climbing australia snake cow red hot chili peppers lyrics walkabout kanye west lyrics champion why does it take so long to download movies in your ipod its saturday night and im feeling alright throwin dice unregister ipod fredy vs jason soundtrack printed music for bands glam rock remote control for ipod 5g whirlpool queen of clean download from ipod to pc convulsive cough natural cure the kiss film necrophelia ipod nano in vehicle adapter honda accord what games can you get on your ipod philippe soul wynne ipod media monkey nude photo of vanessa from high school musical naki dance pad how to send music to my sidekick ipod mini battery replacement instructions how to capture audio from mic imap setting for aol ipod touch lionel train billboard images scanned dance center and school of performing arts reset apple ipod rolling stones music chart this is your hometown by bruce springsteen free shareware dvd ripper for ipod best rooms at pop century fruity loops audio free movies to put on ipod dance advertisments toshiba satellite 105 no audio sheet music jeremy camp my desire ipod usability russian mp3 download sites ipod nano 3rd face plate mp3 download mccreary battlestar season 3 janet jackson orange jacket michael ball clothing rock and republic ipod cable to plug into car stereo christ the rock cooper city fl itunes cannot see ipod download from radio to ipod vocal cord cure running mp3 audio crazy train how to get better sound from an ipod nutria rock music ipod car mouont tango skane dance indian kid ipod touch upgrades planned for 2008 michael jackson instrumental crawdaddies music ipod drum manufacturer hk audio reviews hold me thrill me kiss me ipod toilet paper holder history ofafrican american dance james blunt 1972 emulators for ipod video dmx specifications fuck me heels lyrics amy winehouse hip hop urban youth photos royalty free wireless remote for ipod video icetech mp3 player hip hop harry dvds mpeg video on ipod depeche mode lyrics rain dragula mp3 how do i backup a song on an ipod phila eagles cut list lordi rock hal cant use ipod windows 2000 copy cd to ipod without adding to itunes library ipod genre madonna ringtones gospel comedy stmp3500 ipod software punk music mp3 pastry queen hip hop acappella wirless earphones for ipod free jazz piano scale chart highest quality music format ipod richest rock stars hydraulic cylinder prince free ipod touch software get playlists off ipod lyrics to the gospel song i can pray by the dove brothers ipod mixer classic rock photos pearl jam mexico city 2003 cd ipod compatible video types so you think you can dance season three finale black rock north carolina cover free ipod installation software female friends kiss luxurious insides 1989 cadillac fleetwood brougham how many fire extinguishers need to be in a dance studio free gay porn videos for ipod touch shock and terror audio for mp3 chamillionaire ringtones eject ipod nano convert mp3 to midi uk ipod song advert rock financial knoxville queens ball sting dance steps to high school musical 2 songs ipod touch hacking forum get lower chris rock ipod nano extras sting ray fatcs and information easy listening music online british broadcasting corporation and ecology folk song contest ipod uk compare prices plate glass panel entry doors music venues in ontario portable ipod jukebox t pain music guys kiss video ipod shuffles in the wash free aiden full album mp3s compare ipod walkman microsoft crawling in my skin this feeling gospel samaritan woman catholic davis musical theater how to use ipod for teachers ipod rich people drawn together the lemon aids walk download for ipod dmx data enabler the best of bob dylan up tempo instrumental windows ipod music transfer ivy queen sentimiento lyrics rap music that influences teens to commit crimes or suicide ipod hacks for third generation ipod nano nickelback wallpapers ipod nano hard case ringtones sound effects sheet music piano chord easy new age instrumental christmas music get the most out of ipod comparisons of prince henry and zheng he where to go to get a broken ipod fixed folk implosion irish music free downloads connecting multiple ipod shuffle to a computer who da funk shiny disco balls ministry of sound gorilla zoe hood figga free mp3 download the blues of flatts brown totaly free learning russian programs for your ipod soul searching quotes music lyricsgoodbye dixie how do you download music onto an ipod websites pertaining to dance in early childhood education free games ipod blues singing workshops tasmania everywhere i go janet jackson free christmas vocal sheet music ipod party shuffle fiddle christmas music queen sotrage bed ipod frozen reset musical auditions charleston music hall a106 ipod frank sinatra snl jeopardy my ipod has a folder and an exclamation point c jam blues los angeles rock stations playlist timeline of ipod beastie boys ch check it out free downloads mp3 songs music music torrent download madonna take a baw ipod nano does not show up in itunes or desktop elton john outing do you want to funk copycoders for ipod touch tango search engine bocinas para ipod mm32 logitech negro what tejano music is high school musical karyoke reggae oh cherry oh baby will limetwire songs on a ipod play on a zune soul circle 2008 itazura na kiss tabs ipod wall plug music psychosocial well being flac music downloads free videos downloads for ipod copy protected music access web gallery ipod touch planet rock ann arbor mp3 download of huan huan aiost back music narrative rock today apple ipod power adaptor hero spiderman soundtrack tango mp3 free download cheap apple ipod nanos 80g usa country music awards festival 2008 feeling its pistures on ipod kiss lyrics ipod video wont load whera aro you christmas mp3 rap music for kids earphones ipod best basic box audio building information tutorial best verizon music phone internet connection for ipod touch eric clapton change the world the sky is crying by gary moore free mp3 dance wear richmond va ipod game text billboard frame prints fixing a corrupted ipod beatles help discography hip hop listen song wedding bell blues gilmore girls pictures my ipod froze how do i fix it what is best buy price on a 16gb ipod touch supernatural music discussion board how can i play my ipod in my car tickets 2007 hip hop honors october 4th ipod sale discount definitions of thinking vs feeling fleetwood vizion kalamazoo rock station iwave ipod speakers music theatre international shuffle ipod pelican case wonderful life mp3 kill tupac dodge ipod accessorries barber summer music emi off brand ipod ted and sheri gospel singers apple ipod movies rock violinist gneiss rock is made ipod nano battery change gothic 3 spawn cheats beyonce album release restoring songs from ipod rock and roll tatoos how do you unlock the volume limit on the ipod nano sidewinder avenged sevenfold mp3 ohp 6000 on hold mp3 dig audio name of the song on so you think you can dance war protest hook up ipod deh p360 lyrics to songs by garth brooks top 50 rock songs panda ipod piranha music ipod memory card berlioz symphonie fantastique mp3 majesty music how to watch wmv split audio how to ipod usb connect rolling stones magazine wikipedia ipod wholesalers directions for ipod suffel how to get rock smash pokemon silver ishould i jail brake my ipod touch beatles ab road up skirt dance pussy batmobile put on your big toe shoes dance all night lyrics copying videos to my ipod white white horses rolling stones tabs rosati windows exterior doors apple ipod user guide the song space symphony 2000 musical instrument parts how to copy dvds to my ipod free nightmare christmas flute music sheet america musical concepts screen door cat doors ipod warez tom waits piano shirt techno tetris gpx clock radio system made for ipod music agents australia can the toshiba hd a35 send audio over hdmi ipod ideals for principals types of indian music shed guys wyoming rock springs zip extractor ipod touch mojo nixon music elton john tupac 2pac warrior without the sound of guns ipod repair in wv how gospel music effect societies youth free adult movies on the go ipod treat her like a lady celine dion audio note neiro ipod nano car audio accessories ipod docking station that also hooks to tv where can i listen to shrek soundtrack irreplaceble flute sheet music dice electronics ipod used blues nickelback feeling way too damn good ipod hacks for third generaion ipod nano eric clapton dominos charge ipod with onions angatorade x24k musical fidelity biography of janet jackson ipod nano protective case red dirt music radio grab it music symbian ipod mimic baptist bight full gospel greater morning star todays music hits audiovox cell phone ringtones ipod for prius french music venus watch videos on ipod free better days mp3 download reborn baby doll shop art and soul ipod todo file size connecting ion metal dance pad to ps2 rock school grade 3 bass book when was the first ipod dance new york free websites for your band that let you sell mp3 ipod philippines tupac james sabatino basic dance hip hop move lady kenny rogers free downloads mp3 songs music how to add music to ipod touch using itunes rock dj video unblocked swing music ipod not recognized in itunes alicia keys bra size ipod artist listing last name first sting and lemon tree audio editing sofware rock santa female ipod cable mattrach cannon rock britney spears fansite axxess ipod adapter ipod forumn erinside ipod touch speaker into the ocean mp3 mediafire queen of the big time adriana trigiani fabric high school musical download itunes for my ipod polskie techno free sonic the hedgehog game for ipod download pop lock and grind it audio preamplifier microsoft vista ipod issues blue tooth ringtones jazz icons series 2 wow factor dance floors using media play er to put songs on ipod music from the nightmare before christmas solo vocal worship songs for lent ipod repair and free shipping offbeat music durham music dance all night with me h ow to download munsic from hd to ipod steps dance and banquet center arizona drag queen shoes podmaxx ipod itouch innovative audio solutions eminem smack that remix ipod wipe drive little rock phone directory tigi catwalk curls rock leave in moisturizer review transfer music and videos from ipod to pc arman van helden i want your soul free mp3 dpwnload nickelback techno remix upload ipod music to itunes diabeties cure red ipod shuffle vocal harmony uc musical keyboard comparison ipod bible free kjv exit music australia saliva ladies and gentlemen music video how to get songs from ipod to itunes library chicano gangster rap belly dance in raleigh weighing of the soul of ani genuine ipod open box scratched pink floyd tv music hear it play it no music nike running shoes with ipod connection fall out boy the take over the breaks over mp3 download copying songs from ipod to pc musical theatre resumes how to download ringtones drowning pool tear away music battery external ipod car stereo constant hot the perfect drug nine inch nails lyrics free vidieo to ipod converter no water mark shinagawa prince hotel tokyo kamilah allen music ipod hack software gustav klimt the kiss biography university of nortrhern iowa music dept ipod peggle record audio from video free pop up campers hard sides ipod nano skins in tampa pink floyd early flights how to get music off ipod free audio convertor avant music my first love reviews of software to convert ipod to mp3 audio ltd polaris range soft doors free vpn for ipod touch rock and engraving queen anne religion how to get movies onto an ipod universal audio next to you mp3 amazon downloads music scan disk ipod fun facts of ahercules beatles bon jovi till we creation of ipod the way i are rock remix lyrics timbaland music audiovox thomson rp5500i clock radio for ipod sheryl crow songs how to copy ipod videos to pc jo jo beautiful girl mp3 dance dimension free movie downloads for apple ipod mp3 chapters the start of dance timeline audio pre amp ipod sound effects queen of the castration knife stories kanye west good mornin ipod retailers free rap polyphonic ringtone anarcic punk vibrator that attaches to your ipod prince william for example adele cianfarra ipod wireless headphhones gospel of shawn i wanna rock twisted sister dos command to pop up alert box insten ipod cradle sicily folk dance nene valley audio transfer music to ipod from different computer how to burn a cd viseos for your ipod nokia 6555 loading ringtones getting album art into your ipod cellular nextel ringtone free mp3 downloads legally no fees headphone amplifier ipod dispatch and music ipod for windows help music band decals for your car readers digest music lyrics to clear by professional murder music ipod female to male connector les feuilles mortes yves montand mp3 speakers for original ipod zune 80 ghz vs ipod voltaire soul enlightened ipod nano 8gb storage capacity roman inc pine musical ivan funk convert dvd for ipod chicken noodle soup for the teenage soul on love and friendship linkin park bleed it out song download michael jackson on motown tv ipod 2nd genration games colinde de craciun mp3 britney everytime spears wma used ipod help what does a falling rock and a cannon ball firing have in common ipod car dock with no interference bonanza theme ringtone maryland and producing and music drawn together the lemon aids walk for ipod bon jovi music videos local weather little rock beatles statistics how to delete songs from ipod nano3 what makes downloading music illegal fm ipod transmitter xxasdf audio capture of web broadcast kiss the girl listen now apple ipod best price your so last summer mp3 queen angel resort ipod daq neursoscience music neil young guitar strap ipod to pc transfer utility mr rap t video you tube ipod belkin ipod classic folio gates of tunis dance cascada music lyrics carrie underwood i aint in checotah anymore lyrics gba on ipod car stereo delray beach sheet music of blink 182 songs sony ipod speakers marilyn manson0 heart shaped glasses music video cd game rap soundstream ipod direct connect cable whistler music festival software for the ipod nano rock band drum kit elton john aids council ipod models video specs best ever blues harp an introduction to human emotiona and feeling free program to change mp3 bit rate portable lcd tv with ipod dock star spangled banner audio covers for ipod touch real player parameters to auto play audio trance crunch music band cowboys from hell music clip download transfer music ipod waifs music guitar chord top southern rock bands playing an apple ipod thru home stereo free ocarina sheet music to print techno wav ilive ipod accessories soothing native american music rev21 music hitsugaya ipod touch backgrounds listen to free rap instrumental hip hop writing harman kardon the bridge docking station for ipod over and over three days grace mp3 best jazz albums recommendations how to load quicktime audio to ipod new dance dance revolution ddr game and pad for nintendo wii compair charging dock for ipod polyphonic ringtones verizon splash zone queen creek az the tube music channel pricing used 30 gb ipod ministry of sound dec 22nd music therapy in louisville kentucky new ipod classic clash of the choir free ipod touch games on the web fantasy britney spears audio books gods little acre by erskin caldwell program convert movies for ipod bordini music audio sub woofers communal dance apple ipod types vocal folds from infancy through adulthood lotos jazz festival poland ipod says trouble can not be found ecouter music rap gratuit ipod off position have a little faith in me lyrics kenny rogers download sites mp3 ipod in ear headphones blinded by the light mp3 free downloads native american music singers cure for trapped nerves easiest way to downgrade ipod touch beatles my bonnie dance schedules ipod swivel belt clip 80g song lyrics and music chipmunks ringtone how to copy songs from a cd to my ipod front doors stained glass songs off ipod electronic musical instruments jaws and winamp pro ipod tvs david bowie rare vinyl stone age music what makes the turkey timer pop up burn music from ipod to dvd download hinder lips of an angel mp3 fleetwood 4039 ipod nano pink price rock caricatures ithunder boombox ipod do it jungle music audio equipment rack space inches adapter cable from ipod to usb croft metal doors audio database product comparisons birthday rap lyrics mc chris zip extractor app ipod touch pictures of punk people ipod touch volume city music rap celine dion singing technique key generator super dvd to ipod converter rock bottom brewery bellevue wa kiss me kate dvd ipod shuffle 2008 bmw drive for the cure chicago avril lavigne complicated ultimix free downloads mp3 songs music wings of a dove free sheet music best ipod in ear headphones chris pontius party boy music play video on ipod color ipod suspense music characteristics of japanese rock ipod classic problem signs haha ringtone nelson free music downloads mp3 htm compare prices on ipod nano easy worship guitar sheet music free download brother bear soundtrack copy music from ipod to cd having a party at top of the rock new york city fool of me by meshell ndegeocello ringtones users guide for ipod beginners storm center ringtones for bleach free acne cure prevention mp3 converter compress free how do i delete music from ipod with itunes michael buble concert norfolk va which roman leader married eqyptian queen aeoparta ipod 2 pc premature ejaculation cure techniques how do you clear the songs off of the ipod hustler music lyrics lil wayne michael jackson remember iron maiden eddi t shirt ipod earphone reviews jimi hendrix wild man of pop plays vol 1 motorola 120e ringtones get a free ipod touch the beatles pennylane skype on ipod touch diabetic rock star shadow of the day music video webradio alternative rock ipod tech support phone number napa 1 gig mp3 player ipod video file compression mp3 tracker ipod touch phone or iphone rockbox ipod usb device not recognized pictures of madonna the material girl sing singer singing music magazine cover audrey bitoni free videos for ipod keep songs in order when you add folders to ipod library elvis jingle bell rock what is the song from the ipod commercial alicia keys myspace queen street oxford stream videos on ipod touch screaming eagles mc best source dance music free harmon kardon ipod adapter hide porn on ipod cool and dre scratch mag carlton banks dance gif gpx si1807 foldable speaker with ipod dock newport music hall columbus blocker internet pop up block pop up ad free ipod games downloads black music form 1974 fattburger spice jazz megaupload how to unlock my volume on my ipod a kiss is a wonderful how to add a movie to ipod castle rock retaining block musical director horace height pic bio dlo homedock deluxe for ipod with remote how high 2 soundtrack depeche mode agent orange fiddler on the roof sunrise sunset music flute ipod classic in reboot loop pop up paper engineering cassidy big bra essentialpim ipod cord to allow ipod to show on tv elton john volume iii ipod look alike cassidy hustlas home 2 how does the media portray punk girls bird ipod reviews draft punk lyrics greenland national anthem mp3 my ipod has gone into diagnosics mode rock and roll hoochie koo lyrics copyright music industry how to download ipod music to itunes liberary pictures of the philadelphia eagles elvis presley mouth birth defect how to put pdf on ipod pop up kitchen drawer ipod nano in vehicle adapter honda accord brosnan sting belbin ice dance dresses free software for ipod films david carbone drum and bass masterclass torrent genuine hip hop jewelry christmas violen sheet music for free online ipod tipos use of santa in elementary school music programs ipod batteries edmonton alberta edmonton love kills the musical marisa chopi and music ipod nano target market car stereo installation guides history of chamber music 1820 ipod nano second gen help roll the rock up the hill wilde kiss how to put fanily show on ipod cassie johnson and curling sound doors for recording studios oklahoma the musical set design photos add album art to ipod the beatles rain apple ipod ear phones small speaker stereo my precious pets rock hill sc denom desktop stereo mp3 files for ipod the vocal majority with strings ii how to name itunes for ipod funk christmas poem the dance dance flare lugarno print skins for ipod touch scotch weld 1300 l cure times ipod ear phone harrod and funk castle rock farm pa music labels in ipod is there going to be a 40 cent increase in gas block spam pop ups forgot ipod screen password ort download mp3 is there a difference in feeling in penis sizes control ipod with jaw beethoven music notes words i love thee because piano score beatles ringtones or wav file for boomchickawahwow software to convert dvds to ipod tort midi mp3 ringtones world class steak resturants little rock free audio books for ipod the weight loss cure blues grammy ipod how to turn off when freeze sound clips of wedding processional music ipod activities natalia oreiro music traffic site rap hip hop pop culture in india free full downloadable porn movies for ipod dave matthews band official website an evening with the legends of latin rock undercabinet radio for ipod country music radio station using ipod with mac and windows audio torrent finder hot chip out at the pictures al denson youth chorus kit free psp and ipod games gospel hynm blessed assurance iwash iphone ipod touch zip african music and customs alicia keys pre game show video ipod compatible videos how do you remove songs from your ipod soul caliber 3 cheats for ps2 ipod clothes accessories eagles jersey schedule hip hop picture on clothing album image ipod how motorola i85s ringtones wireless audio transmitter spy seminole hard rock hotel and casino jobs apple ipod digital player on sale stereo turntable belts radio jazz station in green bay inuyasha ipod videos create a pop up message when you open excel import limewire music to ipod within temptation the truth beneath the rose mp3 download sandisk c140 1gb mp3 player what is a mp3 player far away ipod download music oldies music innivations ipod transmitter for car free motorola t721 ringtones kiss the best of the solo album copying dvr to ipod jenna jameson moaning ringtone old timey instrumental how to fix ipod chargers the dance mp3 ipod service center washington state ipod shuffle used dance lyrics open up your eyes debonaire mp3 fixing a corrupted ipod shuffle gorillaz cint eastwood transferring songs from ipod to itunes music news articles all singing groups rock music cat5 conversion for vga and audio apple refurbished ipod 160gb classic los rabanes mp3 download free direction an audio cd is read bluetooth app for ipod touch queen elisabeth offizielle reden decapo music does my ipod need to be connected to my computer to play video beach music by pat conroy te vaka music how to play mp3 on ipod replacement hall doors ipod fm receiver for bath stevie wonder website kylie minogue breast cancer images return rock band guitar ipod interface for suzuki sx4 alicia keys girl friend man without past kaurismaki soundtrack apple ipod 20 gr list of rock music ipod file management how to rewritable audio cd how to apply ringtones motorola v3xx piano sheet music for human abstract ipod rds roll up and sliding barn doors download magapai by angela di mp3 how to jailbreak my ipod touch dylan wade marrawuddi bell peckham radio that stores songs to download to ipod increase my network of music friends nj hip hop dance schools megatone ringtone ipod touch softwhere when you tell me i love you soundtrack how to unfreeze the ipod michael jackson lyrics gonna make a change what does a falling rock and a cannon ball firing have in common atmospere hip hop how to charge ipod shuffle focused audio adult ringtones for nextel infiniti fx35 ipod interface ipod touch dock accessories download get rich or die tryin mp3s for free a1136 bbatery ipod high school musical halloween grants for music schools ipod vortex nig analog chorus ny giants eagles windows media to ipod lark musical instruments china ipod touch native vnc application super man dance how does rose of sharon convert from a misfit to a madonna backup my ipod playlists pants off dance off tv show lyrics happy birthday stevie wonder skipping ipod nano internet sting canton ct attwireless com ringtone ipod repair illinois live audio wrestling david bowie wild like the wind copy movies from dvd to ipod anthology folk music audio cassette deck home lordy hard rock how do i change ipod click wheel hip hop since 1978 free quicktime ipod porn coleman cape cod 1993 pop up camper silent night mp3 piano ipod touch ethernet wifi mac address kings dance team sexy photos catronixplus audio hip hop cartoon picture ispa ipod troubleshoot apple 1gb ipod shuffle how to use can i put a book on my ipod mp3 stereo audio system differences between jazz and blues art lesson on pop art blog ipod ipod asseories free psp and ipod porn eagles in spaces high all i ever wanted mariah mp3 pacific design ipod nano cover how to copy mp3 format on ipod kimmy pop high school musical 1gb mp3 player ipod touch slow wifi monadnock music queen mary ii cruise ship watch ipod movies on tv beginner read music download ipod video procast gospel of mark outline san diego rock climbing holiday swing dance dvd to ipod touch converter mac legendary blues revue riding down the highway mp3 car ipod receiver musical nursery lamps online porn videos for ipod touch white boots stevie ray vaughn sheet music tran siberian orcastra for clairnet solidworks and ipod soul winners zondervan read tropical kiss ipod nano videos play but no sound ipod shuffle froze pc rock learn division rap members of eagles how to put movies into your ipod iron maiden live after death soundtrack die hard ipod not recognized by pc windows xp all avril lavigne music video how to add music to an apple ipod u2 special edition onion booty hip hop forum diary queen at park royal shopping centre clarkson long as we believe siedah garret mp3 free download backup ipod music to harddrive social events in little rock arkansas lighted folk art stocking hangers ipod classic leather brown case premium stereo microphones car audio accessories movies for my ipod kanye west mixtapes mp3 free mp3 ost downloads hacking ipod hard drive jazz 625 modern jazz quartet world gospel mission how to use the ipod with windows2000 cranberry sauce best ever soul food jennifer nettles and bon jovi free ipod firmware puff daddy all about the benjamins remix mp3 my gilr nirvana latest ipod updates hair salon rock hill daydreamin lupe fiasco jill scott ipod nano 3rd generation hacking music od mama cass bluetooth ipod adapter desert rose mp3 acid music programs itunes to ipod converter no audio musical houses how manny liks dos it take to eat a lolli pop transfer songs cd to ipod map otter rock or britney spears magazine ringtone for cingular cell phone how to download limewire on ipod touch free gospel songs e cards selling a ipod touch bubba love sponge ipod effect of music on children gothic fashion htm ipod 30gig australia discount apple ipod nano mp3 players ipod nano 3rd generation screen size chicago pop group finding soul shard free music clipart ipod skins and covers japan dance idol compare ipod video formats john lennon beatles god solid rock bible camp keyboard music repair put regular mp3 on ipod wireless speaker system with ipod laser music how to copy from ipod to pc sheet music for iron man how to hack into ipod what did miles davis do for music cell phone music ringtone frankie j music download loading mp3 ipod frank zappa children sexy ipod movies the pillows music upload ringtones to nokia apple ipod mini sale south east asian musical instruments sansa mp3 uk cheapest litle rock and black student and centeral high school iclear ipod cases click to stop background music ipod nano stuck on menu help the model solution movie soundtrack prince george bc american dance festival acheter ipod quicktime mp3 player free mp3 ipod music to download michael jackson they dont care dont about us the dance of the little plum fairies song sierra manufacturing rock crushers shareware ripper for ipod white canopy queen bed how to put music on an ipod with real player cocanie is it in a rock form or power form pictures of the box step dance flooding of river rock campground pa apple ipod generation bass hunter trance up can i download from my itouch ipod what a girl wants soundtrack lyrics rock creek restaurant arasa techno ipod nano computer monty python how about a kiss boy ipod not nano tla audio lyrics to british rock songs samuel prince deleting songs from a used ipod rocky horror music show movie skin para winamp de sonata arctica ipod clacic 160gb o little town of bethlehem sheet music why am i not authorized to play itunes on my ipod handsome boy modellig rock and roll alice nine mp3 ipod touch leater cases every rose has its thorns mp3 only lyrics mp3 ringtonia com real music ringtones gothic fairies with wings ipod file copy fields of gold sting guitar chords free praise gospel downloads keyboard with ipod dock pictures of little rock nine name of an eagles nest ipod touch backgrounds of hitsugaya kim rap ipod wireless daq example of hip hop music installing stanley mirror doors mazda ipod integration module state pop music affecting teens attitudes miami hurricanes 1gb mp3 player ipod stereo seen on tv nextar digital mp3 player user guide zip it ipod made for me mp3 rock and roll catering apple repair center ipod service center washington state neil young trashure myspace music player free ipod software download paranoid android piano music rock band guitar broken imtoo dvd to ipod converter download zvox home theater tv audio system mac ipod nano advert music starbound dance ipod shuffle cannot sync required file cannot be found mp3 music downloads ipod itunes how stream video on ipod touch robin thicke can you believe mp3 music millenium biography the beatles collecting histories through an ipod rock out lyrics kiss hello by kenneth reaction ipod a1137 charge time billboard chart or top music free movie sheet music sweepstakes to win an ipod touch doors lyrics wish bone our love is beautiful back where i came don lazar music store canton ohio recharging my ipod light rock jazz knights ipod touch porn videos im back lyrics eminem suck my kiss red hot chili peppers lyrics ipod miuo phil spector artists christmas music can i sinc my ipod touch with ps3 play to win a ipod freetone musical instrument gospel thai youtube tertris for ipod nano for free intrigue heart mind and soul mp3 how to convert a wma to a mp3 ipod nano second gen lyrics to modern love by david bowie ipod 3rd generation nano leather cases seagull artist series mahogany folk embedded mp3 player page tutorial imtoo dvd to ipod converter lip sync problems cassidy bentley free music players with tempo control listen all the lonely people beatles elementary classroom ipod free sheet music movies patio french doors devil ipod oesting music best earphones ipod shuffle peter tork and shoe suede blues rock cleveland smooth jazz radio will ipod play xvid hip hop video vixens pearl jam music lyrics better man ipod touch slider themes nickelback we will rock you leftover cabinet doors houston craiglist how to get porn onto ipod dance music steam how to cure premature ejaculation problem color cure car polish free download ipod 2008 software all in all lyircs in ringtones glasba nalaganje mp3 ipod dock adapter digital audio music streaming effects of gangsta rap ipod touch cloce hip hop dance in orlando queen 7 piece comforter ensemble can i watch ipod videos i download from itunes on my computer breaking benjamin mp3 jim cooper techno music reset 3rd gen ipod to english launguage music from dancing with the stars on abc what does jailbreaking your ipod do song kiss her good by blackstreet deep mp3 ipod engraved sayings music mix sounds new dance technology good charlotte mp3s intructions apple ipod nano uk ringtones stay with me tonight mp3 where to buy a black ipod nano pink floyd pink floyd 01 fix 30 gb ipod dylan staal netvista 6350 audio driver ipod convert higher bit rate songs to 128 kbps aac halo music sound of music without lyrics rock of ages taking apart ipod nano 3rd gen rock crevises ethnic trance dancing inuyasha videos for ipod go rv doors or defender doors serial killers and child abuse find an ipod radio city music pop sickle stick bridge experiment video formats for ipod nano how do you read music ipod headphone jack tike redman willard neil young tinnitus music notes sheets for alto saxaphone for song jingle bells dvd decrypter ipod french rap singers depeche mode kingdom ipod nano menu button problems trance formation of america what is about invalid ipod service version shuffle ipod underwater queen ann homes sympathy for the music industry axim ipod adapter rap music controversy pirates of the caribbean online band music pq dvd to ipod software nirvana seahorse tshirt how to turn off a ipod eagles lyrics how long public enemy discography suggest your link ringtone ipod controller acrylic windows and doors for screen porches ipod video procast sonic impact for ipod the last town chorus artist ipod touch software updates hard rock casino boat pics of britney spears home amc st ipod e3210 earphones monolque for high school musical download free malayalam mp3 song prince of tennis games lego ipod lead male role in music man playing musical instruments dvd iphone to ipod touch hack the coffee prince 1st shop crossroads featuring britney spears ipod text file haruka kanata instrumental ipod forum 4th generation freezes error message free audio mp3 converter omaha music hall running apparel for ipod music credits untamed heart types of music they listen to in poland listent to eminem recycle your ipod for cash rap pump up songs targus ipod case merge techno ringtones on costa rica macbook cinema display and audio itunes rental movies on ipod finis underwater music walk workout disco cd ipod 1394 connector kontronik jazz 55 10 32 brushless esc black gospel music artist free ipod games for 30g prince beautiful girl mp3 ipod parties madonna dont go for second best nirvana unplugged dvd apple ipod price what is the best music downlaod california choir gospel walking shoe store little rock how to fix an ipod that will not turn on audtions for high school the musical on stage ipod zune comparisons zune marketplace queen hecuba lyrics for come to me mary j blige ipod touch jailbreak forum rebbie jackson centipede music video jazz poster gerry krupa the cure letras download free ipod touch gmes treo ringtone software ipod touch aps blues brothers wav kiss my boo boo tee shirt real player to ipod freeware everyday joel houston sheet music winona public schools musical hedi schoop queen cookie jar ipod mini reformat rock cave in arkansas foo fighters lyrics the predender skin it ipod covers spanish music lyrics for te mando flores hip hop dance classes in oklahoma city copying files to ipod the great escape music desert rose cd sting software to convert movies for ipod envy on the coast music videos vinyl to ipod american founding fathers and music flash audio wizard product review apple ipod 4th generation spare parts dance cd union city recordings ucr colours legung dance indonesia devotions for the brokenhearted robin prince monroe ipod program skin mary poppins musical tour jazz ballett dance techniques ipod cd docking stereo receiver super pop and drop game apple ipod operating instructions belly dance posters janet jackson if infiniti ipod insallation lupe fiasco ft put quicktime videos on ipod convert ipod m4a to mp3 samsonite pop up usa ipod shuffle price ringgit download and buy games from itunes for my ipod queen bee lifespand free bearshare music d mississippi delta city blues indiana jones ipod trailer soundtrack of my life by deemi how to put family guy episodes on ipod creative zen wav 4gb mp3 video player format correlation between music and act lenogo ipod to pc transfer appalachian folk remedies dance and fitness center northfield the first ever ipod sound waves of music ipod volume limit password reset faust ipod commercial sky hooks rock band timbaland apolodise ipod touch dock accessories rock enroll city of rockville what does music do to your mind christmas brass quartet music ipod apple tv format rihanna cry mp3 ipod elite team free actual song ringtones ipod battery charger las vegas blues clubs ipod in restore sky blues old name gospel lyrics sheet music how to clear black area on my ipod screen rock crusher denver colorado ipod compatable computers queen crest in the evening led zeppelin music video codes com site myspace com dvddecrypter episodes ipod dance mixes hacking frostwire and itunes and ipod music videos dance music photo martin johnson queen high school musical mix clip ipod touch tl punk christmas mp3 free comedy mp3 lcd tv with ipod dock how to download music to cellphone jansport ipod power softshell jacket download mc breed mp3 michael jackson baby oil another drink for mik punk band seattle how to unlock your ipod if you forget the unlock code roxy ollie pop snowboard vista usb ipod cent o meter grazed music knees synovial lumbar cyst cure cases for your ipod accessories missing from rock and roll hall of fame apple ipod repair prices deleted audio mixer in my life the beatles how to rip a dvd for ipod ollow gothic fonts hot water music vinyl controlador de bus hd audio why arent my apps coming up on my ipod touch elvis presley influences audio masterbation ipod classic hints eric clapton 24 nights mp3 audio fix how to have radio on ipod touch tom petty last dance for mary jane add videos to ipod high school musical flipper dolphine mp3 alice in chains gretchen wilson ipod latin dance classes new york memories are made of this mp3 queen wall sign how to install the new software 80gb ipod on the rock thailand blues bars orlando florida how to get moer nes games on the ipod touch life of miles davis kryptonite 3 doors down belkin ipod nano armband pop operas touareg ipod adapter high school musical live little rock arkansas walkman mp3 player sync program how to cure panic attacks naturally easey free ipod hardcore punk rock free downloadable mp3 player songs fm receiver for 5th generation ipod freeware make ipod talk how to convert videos to your ipod bajar musica a mp3 nj irish dance soul man by blues brothers new ipod games warez hot new rap songs music recital ideas how to take apart ipod shuffle black rock chili distributor hdmi ipod dock johnson jack if i had eyes att cingular ringtones ipod compatible download christmas musical alarm dock ipod ipod phase free raintree county soundtrack tommy the musical how to put free games on a ipod download free mp3 music history of contemporary christian music ipod yoga listen to new hip hop music when did pop art begin converter file free mp3 downloading music to my ipod my ipod got wet is it ruined peter white jazz apple ipod 5g 80gb used fitzgerald lime rock park ipod calendar folders paint removal windows and doors cd hip hop mix music without lyrics for high school musical 2 usb port will not recognize ipod jail break your ipod touch ipod processor specs naruto clash of ninja revolution character unlocks whitney houston latest news sheet music transcriptions oliver nelson cascades ipod nano transmitter for car laurel school music good new country music how do download music from itunes to ipod dance technique salsa vista usb ipod support beach music songs pop bottles lyrics lil wayne blues dancing lessons in the quad cities elctronics in ipod rihanna umbrella song ipod touch browser download somebody to love queen who is dating eminem artek fiberglass exterior doors tune tools for ipod torrent sega master system music opening ipod case hip hop music publishers why did pink floyd break up gtr rock group shut off ipod touch screen the effect of the piano on classical music ipod music dowloads new years eve prince live government prince edward island how do i make the video larger on my video ipod poem slow dance still got the blues sheet music garry moore mayor john williams ipod touch office software song lyrics to motion city soundtrack cheap accessories for ipod 3rd generation yiddish music rock lyrics search engines ipod sync outlook calendar rock museum atlanta georgia stereo leads audio speaker stores maryland creation of ipod sell buy eagles band concert dates fraggle rock dvd box set au jailbreak program for ipod jewish dance musiq mp3 ipod classic tricks and tips phil collins in theair dance elite milton how to copy mp3 files from ipod even if it kills me motioncity soundtrack ipod energy transformations this property is condemned soundtrack highschool musical birthday card bleach opening 2 mp3 free music downloads ipod tina mcbride ipod fulmer rock star ipod vehicle interface 2008 volkswagen golf download ringtones to lg8350 beckys dance academy strafe instrumental uploading from ipod to pc tap rap repairs audio frequency information ipod nano radio remote chilliwack my girl music video peggle ipod warez eminem just lose it ringtone download impaled nazarene armaggedon death squad mp3 ipod 2008 house of rock cartoon bee sting symbolism native american feeling on the birth of brother and sister belkin car holder ipod tunedok mp3 graphical front end rock and roll half marathon arizona coupon discount svc ipod 9090 x box rock band denison ipod uk sandisk sansa view 8gb mp3 player cure my slice ipod 80gb sales hear morrissey yes i am blind free audio bible software download american creative dance ipod connector 2 cable schematic bon jovi sydney concert of jon and richie jes chicago rock of love ipod features organizer david bowie lets dance prison known as the rock apple ipod problems oy punk iphone apps ipod touch apps connect your playstation to your home stereo dj tiesto power nutone ipod dock mp3 player error codes rolling stones please to meet you phil collins tarzan lyrics ipod touch info new 2008 downloading hip hop rap mixtapes beatles jude e zsoft keygen ipod push it to the limit mp3 by corbin bleu free download how to take music off your ipod bob dylan stone how to cut down large mp3 files furstenberg joseph prince 1783 1796 i nique avente ipod classic toughglove folk art copper wire pictures man on fire soundtrack 2004 ipod tips and cracks queen hearts crown turbo diabolous v8 ipod dock lineout cable gay gospel singers punk anniversary transfer from ipod to mac much music dance 90s spanish music in the spanish culture rock and roll and sex ipod charging cord mp3 format versus ipod format prisx msi my pop my ipod nanos sound wont work lene marlin kiss me cleaning tips for ez up pop up tents how to get guitar hero for an ipod touch soundtrack torent sites who won the rock of love ipod shufle dock rose rock bank bringing back to life ipod gps and mp3 the christmas post musical dance groups ipod rs300 rap and the music industry how big will ipod armband stretch bar kays soul finger prince emmanuel bobo shanti where can i buy movies for my ipod rock n ride chair bokke mp3 apple support ipod rolling rock bicycle effects on music chili music ipod ncase little ones by phil keggy mp3 ipod and mp3 files panasonic polyphonic ringtones queen mary 2 trumpet player ipod touch movie converter free download lyrics to fame by david bowie original beatles best sut moviemaker add audio and playback in background ipod shuffle technology ephpod ipod free download ipod software polish dance costumes cecil redman car ipod radio free ringtones upload pepper music indianapolis ok go ringtones apple ipod nano 4gb manual gospel preaching dvd bigger ipod touch windows media audio to mp3 britney spears albums ipod touch windows lvista sheryl crow and kid rock news download mp3 anuar elina change your backround on ipod using ssh mp3 hanya padamu ten2five ipod most random all rip music from mac ipod to windows itunes how to remove a car audio system red tango dress aggie guerard rodgers transformers movie music ipod 2nd generation games the history of the japanese fan dance ipod full movie download composite doors soul jams where did kanye west grow up ipod radio coneector free jaimaican reggae mp3 download no battery power remains on ipod curtains for closet doors my old kentucky home hip hop rap ipod nano zippered case for mp3 and accessories audio lectures professoe walter j veith get music from ipod to computer apple 1gb ipod shuffle silver best cure for staph infection robert nance music laura taylor ipod cover pouch cheap multimedia audio controller driver for win xp mp3 punjabi songs viking queen undercounter tv ipod blip music music panama city beach fl sling box for ipod music and dance 1920 music videos on my space ipod classic volume derestricts monte negro rock reviews ipod covers for early versions easy rock fm free mp3 world drum transfer songs on ipod to itunes why do veins pop kenneth eagles how to hook up speakers to technics stereo reciever manual sub playlist in ipod scary movie 1 soundtrack sweet music ipod spare parts australia blow up soundtrack wireless audio device where to buy a 8gb black ipod nano dawn treader music hip hop dance team austin texas ipod not recognized vista pop art pacages apple ipod usb driver music and technology high power audio tivoli vs bose for ipod newton faulkner sheet music ipod ohmibod download audio scripture verses to ipod wellington prince edward county ipod wireless earphones ipod touch screen protector uk dance club studios hip hop music video women leo laporte music metallica 2007 mp3 getting songs from your ipod to your computer what the best amp for 1 jl audio 10w3 old style ipod nano iridium jazz club ray stevens mp3s tamil bible mp3 ipod shuffle car national dance academy association natural cure carpal tunnel ipod amp charger headphone visul music ipod dock headphone out funeral home north little rock ar the queen vic pattaya ipod dying high pitch noise softie audio mexico tango dance beyonce knowles songs volume limit ipod classic amy winehouse you know ivmno good how to use cover flow on ipod apple ipod troublshooting audio book player mp3 high school musical gabriela ipod link bass tab one of these nights by the eagles mobile audio in illinois porn css feed for ipod tom t bone wolk celtic music h ow to download munsic from hard disc to ipod azlyrics i want you i want you so bad beatles castle rock co physicians life of tony fadell before invention of ipod how old is willie nelson prince henry boigraphy the killers keyboard equipment ipod touch users guide sand dance wav ipod touch lanyard hip hop version of 12 days of christmas the time to love ara is now stevie wonde down loading music to ipod valerie amy winehouse gothic fairy agenda books revolverheld generation rock lyrics ipod sharing device on line jazz red how to put a virus on your ipod free ipod 3rd gen games bluebook fleetwood moble homes ipod diy hard drive music management washington dc jennette queen accessories to play video on ipod to tv karas soundtrack campamerica closes its doors how to put songs into ipod nano music on dancing with the stars nov 5 convert mp4 audio music file to mp3 format ja umesto nje mp3 ipod 4 gen repair guides history of american jazz music ipod fm tuner for 5th generation west coast eagles club song download wave rock how has the invention of ipod change the world how do i send audio files to a memory stick pic of amy winehouse smoking crack doors au put ipod in disk mode soul saving station ipod battery 20 tool country music awards nashville 2007 dr d pop singer 70s 80s free bible for ipod classic hatsune miku leaven polka mp3 ipod downloads spanish christian music for free acura ipod music link lupe fiasco the instrumental best music box company what is an ipod nano podcast jailhouse rock hornchurch xmas 2007 natural cure for sinuses mp3 songs hinid audio free download search web on ipod history on the hula dance ipod to dock cable weight loss cure free music librarys det high with music phase ipod download home theater audio equipment sales seattle washington ipod vs sony ipod nano extended warranty mp3 players explained sync ipod with wmp11 hudgson nude high school musical james blunt you are bautiful nasb bible in mp3 format for your mp3 and ipod cd audio covers where eagles dare event free ipod rip for macs new york percussion music festivals caisse pop access d proxy on the ipod touch music parodies john ralston gone gone gone mp3 porn ipod touch no woman no cry bob marley free downloads mp3 songs music cd cover insert of living gospel why my ipod will not turn off music that i can listen t mp3 downloads azra ipod audiophile preformance leagons of soul the wedding singer musical cast ipod touch sync test failed free music file sharing gospel music lyrics walk around me jesus music degrees from bard college how to reset ipod video how to determine rock porosity speck ipod ipod clone purchase cor rock how to break apart an ipod shuffle no subscription ringtone dance recital music andover school of dance ma ipod in iraq rock polishing compounds musical instrument sales in minneapolis handbrake dvd 2 ipod ikea dalselv queen size bed frame threads of fate soundtrack refurbished 30gb color ipod with video black connect audio buddy to computer ipod nano duo marc bolan free mp3s dylan music if i can dream elvis presley wifi radar for ipod touch malvina leshock musical works compositions ipod nano car accessories car charger digable planets mp3 virginia beach stereo one step ipod converter for tv series disney christmas theme park music crypt tonight mp3 ipod auto adapters beyonce underwear reed jazz ipod connection in auto banana pancakes instrumental factory girl bob dylan ipod for cash french double doors for a audio equipment home theater transferring dvd to ipod free free karaoke music downloads how can i tell if my ipod shiffle is charged how do i get music from my ipod onto my computer jl audio stealthbox hopalong cassidy collectibles streaming jazz free ipod manufacture use basic applied research soul food recipe websites let there be funk philips ipod dock tickets for neil young concert case ipod leather xxasdf ipod touch usb protocol record audio and video from the internet ipod nano emulattors the boxer simon and garfunkel apple ipod classic mp3 player with 80 gb description of ipod video tc electric scf stereo chorus white gold hip hop jewelry lyrics for the mc donalds rap avex ipod registration key my heart mp3 irwan free download rock band sweet ipod docking station view screen large boston college eagles football rank ipod manage automatic exterior panel doors dock ipod nano radio summerland bay rock platform phylip island how to turn on your ipod studies on the gospel of john learn guitar ipod vibrations dance jazmin and boutte and jazz acura ipod cable gaither music company accompaniment tapes penguin punk stay or leave dave matthews cant use ipod with windows 2000 all music free downloads ipod and cadillac cts lyrics for say goodbye i killed the prom queen free music files for presentations coventry health care tampa queen palm apple ipod nano 4gb silver she want that lovey dovey dovey kiss kiss teton mountain stomp dance steps new ipod touch review public enemy fight the power case ipod waterproof cuban schuffle line dance audio video paranormal video conversion for ipod rock radio stations behind the scenes footage of a teen people photoshoot of aaliyah installing ipod nano free ipod to pc software polk audio rm 6750 review audio clips irish singers pricing strategy apple ipod red rock shopping center redmond oregon ipod adapter ford explorer 2005 susie luchsinger music jazz poster dizzy g third party applications fo ipod touch punk rock quotes music industry market research how to get referrals for ipod news press castle rock bring it on in it to win it soundtrack gerald jr morrissey adding bluetooth to the ipod what does nick larocca have to do with jazz logon dance add free artwork ipod the lyrics of kiss kiss ipod photo 60g battery mah hershey kiss photo geoff more music shelton ipod emma so you think you can dance disco sound of music costumes dennis cassidy uninstall my ipod driver x fi xtreme music flash for ipod touch sketches of dave matthews band myspace layouts jazz running linux on ipod av mp3 player morpher queen of hip hop cassie eason ipod touch sound quality john mayer free mp3 queen isabel portugal dodge ram ipod integration timbaland apologize music now thats what we call music external ipod battery pack what does a scorpion sting look like refurfished ipod twilight zone movie theme ringtones dance studios chandler az gospel of luke quiz flashcard software for ipod video pics of suicid doors ipod vido good gospel choirs in chicago piano music for all in the family what to bring when buying an ipod kiss your mama flycell ringtones stars of hih school musical how to restore a ipod touch car audio wiring harnesses ipod rip downloads for mac shielded audio wire bulk ends katrina award function dance video how to get off kiss ipod itunes order apple make polynesian dance affecting america rock the boat hues corporation ipod freezing free piano sheet music mary did you know stomp the yard soundtrack soundtrack mac recognizing ipod cico xaviaer soul of the world ipod car charger australia folk culture of french drum and bass mp3 downloads ipod reset instructions create music programs too short rap lyrics delete contact from my ipod nano chris rock beat beat hip hop music apple ipod classic firmware download bleach music black gospel lyric ministry jackson haines dance style ipod 5g phase game hack all rap beefs free download movies for ipod free downloadable game music westglow spa blowing rock best place to purchase ipod touch yamaha stereo repair nc gorillaz video teletubbies theme mp3 latest ipod models whispering and the vocal folds ipod poket holdr garth brooks simulcast tickets linkin park lies you tell me ipod graphic love me two times the doors women of ireland sheet music dancing musical santa claus hat ipod touch live tv shows gospel of nicodemus audio cassette players ipod trouble on pcg frv25 ipod 80gb cheap new dangers of playing your ipod too loud stuff that the queen of england used free ayreon mp3 downloads apple ipod mp3 player xxasdf unlock stereo 1996 chevy cavalier north carolina jazz fest ipod shuffle not loading music wood case for ipod touch puchunga dance prince cor from narnia and his appearance clock radio with nano ipod dock metallica one amputee free ipod music programs jerry mcguire movie soundtrack hershey kiss card homeade ipod cases uk fisher stereo systems halloween fye music movie about beatles ipod message battery with exclamation point real coin belly dance belt clash of ninja revoultion download pics from ipod cardcaptors cd mp3 lyrics to gospel song the old landmard ipod itunes order apple make iphone buy microsoft office card wow gospel 2007 ipod tools software gothic photots scrooge the musical director how long does it take for fiberglass cure ipod nanos shuffles pearl jam tab ledbetted free doors for less who created ipod buy sell gothic spanking download driver for pc to recognize ipod drive chandler kitchen cabinet doors ipod 80gb video white i lost my ipod dial up compatable music streaming pop up fatigue cis phil collins vinyl records ipod video doug supernaw prestige press n little rock ar ipod 1 gen shuffle moms 30plus gothic great hall center queen st webstie when did apple release the ipod nano gratis mp3 cutter joiner easy rock songs for guitar tiesto love comes again ipod touch game install prince the work track list how to download windows music media to ipod plaxo share mp3s instant cure low blood pressure buffalo punk folk band corrupted ipod nano usher dance on the floor motorola usa ringtones for v60i how to wire ipod outlander 2007 lady rock stars what software do i need to change the images in my ipod ipod touch third party applications amateur 21 prom queen grayvee baby one more time music vidio belt carrying case clip ipod crea un disco mp3 the cast of the fresh prince of belair ipod metal case lion king dance costumes the list of models for apple ipod strafe set it off dance fainting feeling generation numbers for ipod classic frank sinatra memorabilia oxford audio consultants stronger kanye west best free ipod video convert stereo microscopes part record ipod gatlin brothers music roller skating prince william county va at26t download ringtones hacking ipod transfer cult killers in kirtland dress up a kiss doll how to open the back of an ipod video 30gb wisconsin adult dance clubs apple ipod usb power adaptor eagles tim brown soul food diner music fun facts kids referbished ipod pop ups in explorer 7 otterbox ipod touch defender series case paperless sheet rock music and dance of punjab in india magazine article on ipod music copyright laws downloading michael jackson chords ipod loudspeaker dock how to convert dvds to my ipod how to decrypt mp3 files down down do ya dance ipod touch mac hard rock podcast wwf music music numark ipod mixer soul ll soul ipod logic boards china jazz cd duo callanwolde preschool dance classes atlanta install application ipod touch which gospel used the old testament chinese free ringtones ipod video converter video freckle cure natural recycling center little rock music or producer improve the sound quality of your ipod rc rock crawler arizona how to add bookmarks to ipod the best of jazz free music download powerpuff girls ending theme song painting cello saxaphone music ipod instruction manuals hunters and collectors mp3 music format for lg phone ipod video 30 gb audio jack replacement belt carrying case clip ipod turn off ipod nano ipod serial changer songbird soul of france nylon sting jazz guitar ipod skin 160gb lupe instrumental prince george fishing reports can you watch tv thru your ipod touch pop culture shift 7 myspace music converting dvds to ipod how to become a rap artist ipod music store sabicas rock encounter what type of rock is basalt latest country music news how to get home dvd videos on to your ipod firewire card for ipod copying tivo to ipod music shoptunbridge wells great hall gabrel off of high school musical porn houston lyric music whitney htm ipod bible free indian music culture rock climb free ipod touch firmware mosquito ringtone mp3 how to load movies to a ipod princeton jazz festival best small stereo systems ipod customer service number land for sale talking rock creek georgia tango monks risborough free style rap ipod and laptop computer wholesalers hong kong thailand bear share music she reached around and felt my rock hard cock xilisoft dvd to ipod licence code so you think you can dance shane sparks illest sickest halloween music online free ipod full length porn listen to music on line snow falling on cedars mp3 porn movies for ipod mp3 player pause says error genesis i can dance ipod storage colorado audio book sample jim dale facts of alternative music how to restart ipod nano led zeppelin touring how do you erase all songs onan apple ipod salt rock rifle loggins and messina band rock group stretch pants roll bounce mp3 emma ipod guru the red hot blues sisters native apps for ipod dance music halloween always and forever luther mp3 ipod cozy change current location ipod itouch download free and legal music purchase ipod second generation free disco biscuits mp3 miss you rolling stones song how many hours can i use my ipod unable play audio files from net the sting 1973 film ringtone search engine the self sustaining ipod music soulchild feeling of pressure in solar plexis ipod touch hax rock hallof fame marilyns school of dance ipod s cassidy clay copyright video law notices news prince abc home youtube company ipod sports armband high school musical sing with troy start of something new fines for downloading music software for two way ipod sync hurrican shutters for doors ergess cover art finder ipod freeware silver queen of the foothills schneewittchen soundtrack priscilla queen of the desert soundtrack ipod encoder dance your clothes off apple ipod mumbai britannia music ltd audio software for mac chadron stae eagles ipod click wheel non responsive ipod nano tv ad happyhead mp3 how to reset a ipod touch music artists from berfore 1950 ipod nano diagnostics screen the founder of the beatles cure for daylily rust how to seperate songs from books on a ipod listen to new hip hop music 20 musical wind instruments music timeline classical romantic how to move on from the ipod license agreement screen web tech prince sports mobridge ipod compared to navtv interface take me out to the ballgame audio alicia keys womans worth britney spears family tree ipod ac dock coronation queen elizabeth 2nd add ipod to vehicle free disco biscuits mp3 aspire 5102wlmi download realtek audio driver public domain music charge ipod pc controller ossining music soundtrack listing meet the spartans comfortable ipod earbuds megan mccaulet free mp3 download how can i tell if my ipod is charged pictures of capital music hall wheeling west va up and now pop song down load music to phil collins on my way brother bear ipod interface porsche boxter walmir alencar gospel what is the meaning of ipod clear channels personal department in little rock arkansas free music downloads to mp3 player unlock passcode for ipod touch christian music rock goulding school of dance touareg ipod adapter 2008 avalanch audio conquest ghetto gospel mp3 add movie to ipod little chute pop mountain chorus frog free ringtones for motorola 710 mp3 players ipod chances for a cure for albinism hip hop top 10 convert video for my ipod audio mp3 hidden underground military base natalie cole the christmas song music video ipod please try to find this file elsewhere palm mp3 reviews music tigerbombs bab just bought an ipod need the ipod cd software internet gospel radio download ipod to convert mp3 files infiniti fx and ipod stream house music where to get a free video to ipod conveter no water mark time tom waits lyrics ipod hack menu dvd to ipod full michael buble everyday through the fire and flames mp3 how do you get limewire tracks on your ipod rock sliders most attachment points high school musical 2 cd download google videos to ipod kensington gospel hall soul train cd giving ipod as gift free one missed call death ringtone cheap audio for cars can you go on myspace on the ipod touch black music simple red music therapy concentration piano music chop sticks free ipod nano porn ipod shuffle compatable songs hugely influential people to rock music logitech ipod docks old school dancehall reggae high school musical piano music nude women ipod touch videos trailer park boys theme michael jackson and jeff laser engraving ipod and store still tipping instrumental sylvania stereo hi fi gerrard turntable can you sync your ipod with more than one itunes library celine dion discount tickets pocket rock it jenson car audio put the periodic table on your ipod down load music mp3 lyrics to beth by kiss earbud rating ipod music from newport harbor how do i take files off my ipod feloni rap lesbian musical motion clock itunes software for ipod transfer photos from ipod touch to comuputer noami kiss popular nz music ipod shuffle sync software classic rock mirrors edge are there games to downloads for ipod touch rattatoui ipod download ferret war dance watch music videos on ipod les zeppelin reunion concert m audio key rig software free fm transmitter able to use without removing ipod from case pcm audio transmission house of the rising son rolling stones lil wayn duffle bag boy music code ipod rippers how to turn off an ipod nano portable dvd player ipod lyrics for the birthday song by the beatles elvis presley because of love ipod stores in he mall to get your broke ipod fixed kylie your disco needs you art deco design jazz the best dvd to ipod software music on the saturn vue commercial london schoold of dance how do you put music on nyour ipod hibernia school irish dance california audio labs cl 2500mca corrupt ipod firmware partituras the beatles suppressing your true feeling ipod touch software upgrade new found glory i dont want to miss a thing mp3 audio filter for shortwave little rock ar pet store soundmaster ipod dock apple blossom queen frank sinatra movie navy ships am on ipod installing barrell hinges on a saloon doors freeware copy ipod touch slacker player mp3 wu tang clan cream music sharewares how to change ipod nano 3 background rising star dance competition bruce springsteen gypsy biker mp3 how to download windows media to ipod htc touch audio accessories feeling faces worksheet how to reset ipod volume limit if i forgot password ringtones sound effects apple ipod prices spy blizzard pop music twelve pains of christmas mp3 bmw 3 2000 ipod adaptor the jealous kind reggae style florida all state chorus audio reastoration software alice in chains barracuda ipod order pop up books ipod touch quicktime porn drinking country music celine dion i surrender copy music files from ipod to itunes led zeppelin and o2 nextar ma933a mp3 review stevie wonder concert rehn ipod chorus of the bells how to fix error 69 on an ipod beginner blues riffs metallica ride the lightning wallpaper ipod book reader philidelpha eagles head coach neil nautical shopes prince edward island ipod nano battery dead by gospel in song sonny hooking ps3 to stereo classic rock radio virgin vob and ifo to ipod multiple speakers stereo high low frequency ipod portable screen popular music and youth culture k2000 mp3 sound download ipod car converters music bell kit alicia keys wreckless love fleetwood scorpion s3 for sale orona ontario ipod touch hold charge nirvana lake calypso music ringtones energy packs for ipod rechargable hi mountain jerky cure and seasoning apple ipod shuffle 1 gb and directions free composer ringtones for a nokia 1100 azis free mp3 security doors philadelphia pa download movies in ipod format free water aerobics mp3s clarion 125 cenet ipod interface international perceptions of us music ringtones for nokia cell phones new york radio city music hall ipod shuffle sync cord you are a beautiful soul john edward ipod third generation manual lyrics i do the rock techno neon del reeves homemade love music ipod nano 3rd generation pictures rock back the clock wtbw ipod now 26 music cd eagle rock air force recruiters ford truck stereo mp3 add manual for ipod touch unfinished oak bi fold closet doors ipod sync songs software multiple santa rosa music together moody blues nice to be here copying files from ipod nano to computer lemmy caution strikes back mp3 featuring eminem country music t shirt ipod fetaures organizer kids pop up tent neopets music codes sara bareilles love song ipod cover dance dance revolution home game at amazon how to charge an ipod thats dead as a doornail free german audio sites hot rock roadhouse daft punk body ipod nano 3rd generation specifications types of rock in lafayette alabama cannon in d sheet music alto saxophone free ipod do learn to play acoustic blues ipod nano troubleshooting kanye west graduation lyrics top shelf aquacultured rock breakbeat torrent how do i put a movie onto my ipod fractional currency 1863 ten cent note apple ipod 30gb mp4 player soundtrack belly zavitson music group and nashville tn mp3 mp4 players reviews ipod nano 2nd generation secrets rap music videos demoralize african american women kanye west tpain how to crack open an ipod case ipod nano 4gb pink rap video tryouts panasonic micro stereo system with ipod dock julia music school dictionary for ipod how do you count bars in rap who sang rhe soul song moments in time serpentine dance mabel stuart delete games ipod mp3 zvonenje nokia how to put dvds on ipod american idol dance mat review contagious blues band in panama fl pictures apple 30gb ipod sites music arabe new york city hip hop club free tablature music mountain dulcimer ipod creation linear power car audio little rock arkansas school uniforms runtime revolution application for ipod touch thottbot soul eater flashing musical christmas lights ipod xs elton john lyrics sacrifice ipod charging station electrically conductive pop rivets paramore crushcrushcrush mp3 measuring sugar in pop ipod nano 2nd generation cases flat rock play house rip movies to ipod siren iv mp3 player trouble with files accounting software music business crazy for you music free download new apple ipod nano palm treo 700 vbr mp3 ipod fea transatlanticism piano sheet music cassie sims el paso ballroom dance academy free ipod movie part time jobs little rock webcast clash of the choirs how do you transfer a video to your ipod queen size matrice new york dance cheap 30 gig ipod timex ipod clock radio apple new ipod nano silver 2gb sting moment of truth queen chevis ipod trouble shooting change ipod nano screen drama tape mix gangsta grillz rap young career helped lil gospel in the old testament calvinist trancoding movies for ipod best web hosting solution free music website salon vista and ipod mcafee security center pop up weirton madonna high school religious islamic music apple 160 gb ipod gen 6 jazz piano midi file folk indian music bengali mp3 free ipod itunes ipod2pc windows 1click download mobile mr music store phoenix az prince of persia fansite ipod buttons queen palm tree fertilizer moving ipod shuffle music to itunes red white and blue dance costume audio pier ipod does not show in windows britney spears diet full metal alchemist soundtrack 3 info prince and appolonia klipsch ipod speaker stereo for my teenager va tech online audio games earphones for ipod shuffle twisted metal 2 soundtrack how to organize ipod photos apple ipod 160gb rock of ages bluegrass gaither gospel hour ivano fossati la mia banda suona il rock no screen on ipod treat bee sting complaints about ringtone magic ipod nano generation three the queen scandal nba live 2005 music tracks add owner info to ipod doors and windows ipod repair westchester ny beatles drums make hands younger cure ipod blue front panel michael jackson concert tickets sheet music accordion duo sexey back mp3 black ipod shuffle missouri mille is one cent karen pop brookfield ohio ipod griffin fm transmitters va cemetery on rock island arsenal prevention and cure of hemmeroids ipod playlist to excel pink floyd us concert cut rock cottage new south wales australia ipod sync problems pocket mirror joshikosei deep kiss installing vertical doors on a z32 best price on ipod classic pop music facts christian rap song lyric ipod video 60 gig case disco dancing you tube apple ipod commercials tbm to mp3 converter ddr supernova 2 soundtrack austin area booth sell craft round rock transfer ipod to windows list of types of music how to convert dvd for video ipod disappering doors on mercedes dixieland ringtones feeling 286 review apple ipod sales ivri lyder mp3 lyrics to fresh prince show completely delete ipod the hollies pop how to convert dvd to ipod gombay dance b biloxi hard rock cafe audio driver for intel t2500 connect an ipod to a yukon denali khaled mp3 belkin av cable ipod mp3 zen 4 gb rock xp4 ipod holder for boat console music methods class on line rolling stones carol music studio 9 convert dvds for the ipod touch kalgoorlie dance schools dream theatre music ipod customable equiliser nudity prince of persia ipod nano 3rd silicon renee hip hop masturbation feeling like oral sex elvis presley just because ipod purse files audio chat software mp3 freeware utilities manage crm free eclipse ipod with sirius fourth floor rock band soundtrack to movie fear replacement wardrobe doors replacing ipod battery panasonic cq c7103 burning mp3 what is ipod classic jazz marijuana attitude dance studio cheapest ipod touch apple store ipod nano russian national anthem rock ipod docks vocal chord spasms mainge cure key stage music ipod genres fever fuzzy feeling in mouth little rock hall high school arkansas ipod nano song beyonce childhood picture how to download youtube video for ipod free nokia 6360 ringtones sony w 300 ringtones mp3 audio player instructions ipod classic quirks pure pop bulington vermont soundtrack to the invisibles ipod nano and nike reviews michael jackson vertiligo cover art not showing ipod 6g sheffield jazz people pain killers for pets ipod accessing os layer mother and son wedding dance lion dance championships dylan jelsma apple ipod 80gb mp4 specs beyonce myspace exposure indoor rock climbing mount ipod in car lordi hard rock halleluja the unusual suspect music csi rename an ipod when did rap music start ipod classic clear case soul calibur henati the music band the eagles baby music radio ipod advertising bee girl music video av music morpher gold key serial connecting ipod to pc instrumental christian new releases howell pop warner transferring ipod music to different computer mississipi queen mountain how to remove a car stereo system accessory discount ipod realtek alc880 8 channel high definition audio codec scream by timbaland free music downloads for ipod audio bullyz wire a stereo jack importing video files to ipod dr dre nuthin but a g thang soundtrack to bring it on in it to win it ipod classic australia the queen palm nut tree wine ipod stay on the docking station elvis presley suspissesmind i730 nextel vocal ringtones ipod tune for working out shockwave audio library who wrote the novel brighton rock south african gospel singers washed ipod deep purple t shirts recent music release ipod nano 8gb black buy free moental audio chemstry ethnic music globes apple ipod talk freeware freeware ipod to ipod ipod radio remote discontinued unavailable availabe pearl jam last kiss pc or mac for recording music christmas music on local radio newport news va ipod copy movie metallica tab jasper fforde first among sequels audio ipod nano help restore with itunes free music video downloads eminem custom ipod nano cases britney spears wet pussy ghetto gospel lyrics old school hiphop music ipod not recognized xp ruskie disco polo wszystko freeware make ipod talk bob dylan version hallelujah cohen mp3 russian dance nutcraker ipod nano 3gen linux anthony stewart head music q92 rock in timmins one click dvd to ipod dvd 43 pocket pc ipod interface kids sexy punk costume blues travelers unlokcing apple ipod nano mysql for audio ta horng musical instrument ipod classic case electrical plug in roach killers free ipod stuff free motorola c139 ringtones realtek hd audio driver failure clear ipod front panel music box craft project for kids pop hits 1920s ipod touch connecting to itunes store problems doc brown audio back to the future sound clips fleetwood farms ipod sound docks convert mp3 m4a bruce springsteen and the east street band tickets revo iskin ipod touch case music station free wu tang clan 3gp for series 60 phones cheap punk clothes ipod touch screen anycall boa anyband mp3 download hack the iphone ringtones windows ipod touch network id and password im so hood remix mp3 phil collins true colors lyrics p2p mp4 ipod cooledit pro plugins mp3 dancing feats dance centre ipod 160gb sound review women blues singers of the 1950 ipod nano silicon lyrics beatles revolution psychopathic rydas mp3 the official eagles band website breast cancer ipod audio signal flow diagram ipod how to list all free and safe sites for free mp3 download in the dark dj tiesto mp3 download how do you transfer videos from limewire to your ipod song lyrics be like that nickelback mp3 to itunes invisible shield for ipod huey heart and soul lyrics james blunt sim ipod lesson plans pictures of rock bands multi loop music mixing free mathematics and music correlation ipod easter egg blues dress up day oxo pop top roxy ipod speaker rock music metallica something on the inside gospel song ipod nano 8gb battery change chaffey christmas doors video converter ipod for mac free ipod cover cases mp3 for windows me ipod cannot be synced rss feed floorfiller mp3 midi to audio kazaa free music downloads eminem how do i get my music off of my ipod onto my itunes beastie boys you gotta fight bedazzled dance competition zune and ipod video queen its a beautiful day ipod boat console pop cop games wikced musical and arizona how young is too young for ipod ohio state rap songs belle prince picture beauty and the beast metallica unforgiven lyrics tivo shows on ipod stevie ray vaughn helicopter ntsb report feeling on the jewish people belkin ipod nano transfer music from ipod free best ipod engraving frets on fire jerry c canon rock downloads dance summer camps in ohio ipod music ripper cheap car stereo equipment how long do notes in music last in choral singing gothic revival home plans car cassette to ipod adapter virginia hampton jazz festival hip hop instrumental radio kanye ipod nano with video reviews krasilovsky this buisness of music good charlotte ghost of you download mp3 ipod touch application requirements rock bands 1990 la ban dance studio how to transfer songs from ipod to the computer square dance callers south florida queen we will rock you free download ipod kanye west vs 50 cent album sales adolescents and music therapy windows audio codecs ipod shuffle gen 2 download hip hop and rap music soul cafe bernard flash on safari on ipod touch iphone christmas vocal trio acapella formatting an ipod celine dion o holy night lose weight playing rock band song lyrics for keep on rockin in a free world by neil young download videos for ipod picture of harry fox creator of the fox trot dance ipod shuffle reviews chronic cough water cure apple ipod battery lawsuit strong does the ipod record new music downloads high school musical live performance apple macbook ipod rebate leona lewis bleeding love date of release guitar chords jazz standards music and hope shorter ipod connect to power icon lyrics to mockingbird by eminem ipod and best price used concord car audio good charlett dance floor anthem ford radio stereo wiring ipod probleme naruto music videos canteen jazz club london 1982 1983 apple 60 gb ipod the godfather ringtones ipod video 30gb elvis presley its now or never reggae philadelphia komen race for the cure photos chip for nano ipod for workout eric clapton cocaine mp3 player celebrity trainer on ipod on lifetime channel aerosol enamel paint for aluminum doors led zeppelin concert date free ericson t28 ringtones htm installing device software ipod audio katrina banks apple ipod website bollywood dance classes create soundtrack for burnout paradise he aint gotta know by bow wow and omarion audio code for myspace inner parts of ipod free kingdom hearts music downloads run damn small linux ipod shuffle ina from rock of love puss n boots these boots are made for walking music nightmare from soul calibur halloween costume apple support manual ipod central house audio penumbra game music ipod integration chrysler 2005 garth brooks pieces ipod file transfer freeware inuyasha english mp3s rock of ages quary ipod nano open case celf repair another pop song kracker convert mp3 files to audio tracks podzilla on ipod nano musical strings and things beyonce biograpghy i am legend soundtrack ipod tv out not working literature on abakua dance for afro cuban martina mcbride when god fearing women get the blues ipod classic downloads west coast eagles fan club dvd ipod conversion software comparison vu meter for winamp beyonce knowles clothing in malaysia britney spears down the drain apollo dvd to ipod why dance salsa what kind of eagles live in michigan bald ipod mp4 to wmv converter free download fisher price popons pop on gay english rock bands view photo on simulated ipod screen myspace mp3 url lyrics katie melua when you taught me how to dance copy itunes from ipod pop up displays myspace layouts dance ipod ready movies britney spears images poppin bottles mp3 download unlocking ipod nano cyber acoustics audio traveler ca mp301 portable speaker system ipod nano system requirements ipod touch price rock corner gas installing knob on bi fold doors ipod nano 8gb instructions synching music ipod unter den rock schen video convertors ipod in wall audio racks famous drag queen expand ipod nano hardrive capacity turn off spybot pop up used audio sunfire price guide how to put videos on and old ipod video final fantasy x sheet music zanarkand ipod nano 3g pouch audio dojo kun music to play on the trumpet exodus study verse by verse mp3 ipod stations alan jackson pop a top susan prince tropic sun instructions for an apple ipod pictures pop stars entertainment kelsee cassie child ipod hacker free instrumental beats rap ipod touch webapps ipod audiophile line out jacks and specs mp3 audio book torrents how do i connect my ipod to my car with an aux port nude pic amy winehouse download morrowind sheet music piano change ipod battery queen city contra dancers delta moon mp3 classic rock rhythm tracks ipod administration sliding doors film bad boys blues flashing white screen on nano ipod hatton audio stream reset ipod nano michael sweeney mystic dance led zeppelin 02 arena 10 dec 2007 rock star energy drink sweatshirt apple itunes ipod micro star ms 7238 realtec hd audio computer apple 80 gb ipod gen 6 european style doors nad 314 stereo integrated amp instructions harley ipod interface queen of the nile lyrics prince gallitzin state park and camping and woodall ipod touch skin downloads this is why im hot reggae remix rock concerts in ohio free ipod touch ella malaysian rock queen lyrics the musical group from canada scrap art 2007 billy elliot musical in sydney creditcard with ipod gift offer history of rock and roll music ipod socks jazz girls the game find mp3s using google cheapest ipod how to burn digital audio felice navidad music kiss merchandise apple ipod download billy elliott musical melbourne ipod 120gb equiliser the eagles christmas lyrics for prince tui teka ipod classic emulator winamp 3 count down timer rock cover song rap turkish beatles free ipod commentary flush solid core doors credit card with ipod gift offer the way i am eminem free downloads mp3 songs music a1 dance castro valley blues aint no mockingbird characters ipod nano menu botton repair codes for exit doors ipod playlist preview mp3 sdhc eden rock rock ipod library synch stray cats rock this town queen mattress no box spring vaja ipod cases tina turner eric clapton tearing us apart savannah music ipod video protective case the stroke is this it mp3 free download local music venues iranian music mp3 ipod screen repair apple rare 5 cent a bottle pepsi machines sandra perrin and benjamin feist wedding ipod unigraphics space 1999 eagles apple ipod swot audio technica athm2x afican american jazz musiciain peripheral ipod adapter les mieux quebec music celtic music dulaman ht p38 ipod help rapture idol instrumental mp3 pic of fresh prince of bel air tatyana ali i ipod video utilities sly and the family stone dance to the music queen anne house pictures tupelo music hall nh ipod nano accessory tevion elite mp3 mini player sansa vs ipod g dog music teacher dalton firewire audio schematic billboard hot 100 torrent ipod ad song belly dance gallery download ipod to itunes free larson steel doors jaheim never mp3 download sync more than one ipod without erasing convert videos for ipod touch the soda pop kids best window coverings on french doors i power ipod dead battery slippery rock dance show ipod touch downloads us phillipine copper cent wonder years musical duck made in china ipod click wheel rock dove introduction to north america quote dance like no one is watching ipod cover art wrong rock band from sweden named veins and roses a rock and a hard place by alden carter conflict in story energizer er irmini ipod instructions blues traveller the best of led zeppelin multizone audio amp ipod cover view compilation music christmas bulletin boards sesame street beatles t0shirt inside of an ipod singstar high school musical pat monahan sheet music ipod interface for honda pilot nude sarah the music teacher listen to native american music ipod dvd converter software pg music movie to ipod without quicktime fosterchild music shinhwa shooting star mp3 download how to delete music from your ipod incase neoprene sleeve for ipod itouch ipod docking station with karaoke system sj of the misfits music artist tradtional ipod designs between the devil and the cross music video charlottetown prince edward island antiques crock ipod video 6th generation water proof mp3 ipod radios rock and dirt mag rock valley combine salvage yards ipod restore songs greyed out eminem buisness types of musical slurs move ipod to windows vista peer to peer mp3 downloads free mp3 player wma convert ripper games on an ipod mini duallist bass drum pedals dunnellon jazz yamaha yds 10 universal ipod dock screentight wood screen doors ipod programming download islamic music ipod backpack rosedale eagles wins state championship ipod sales in the us high school musical playhouse theatre soul calibur 3cheating codes see how photo looks before transfer to ipod vocal cords injury free web porn for ipod ipod nano uk isaac hayes juicy fruit disco freak adele randall unique things about elton john ipod shuffle cancer ipod order of introduction birdhouse in your soul download mp3 ipod conponets disco boy what you ipod on airplane le tango du moulin rouge mariano mores monty python mary queen of scots video ipod apple travel kit rock group game adding hidden music player to myspace realistic saf 24 stereo tube ipod stuck on lock famous music conductors online hermetic audio lectures convert videos to ipod korean folk myths and legends ipod touch battery alder cabinet doors craig mp3 player cmp168c driver vista christian worship dance apple ipod classic and sale when did andrea bocelli loose his sight convert movies to ipod format jazz washington dc whole sale car audio rapid repair ipod smitybilt rock krawler rear bumper soundtrack the party animal ipod shuffle stero jack mm stevie awards 2008 hear the music before the song is over restore ipod without itunes best dance hip hop song bollywood mp3 downloads linux for ipod mini ipod speaker docking list of 60s 70s and 80s rock bands radiohead idioteque free ipod nano giveaways top hip hop site nine inch nails free mp3 download ipod games download music man set design ipod nano commercial bjork live music in the blue mountains madonna wikipedia barbie nutcracker prince eric video not showing on ipod disco not disco gilligans cd audio track new ipod nano review third generation automatic industrial sectional doors ipod lost downloads voice ringtones for i730 online chamber music reba music videos torrent ipod sites tern rock lighthouse canada music industry for teenagers lax airport ipod musical performing arts classes danbury reviews ipod stop motion video music berkshire hills music academy itrip ipod car accessories great is thy faithfulness instrumental oman national anthem with vocal ipod exttractor bon jovi tickets sydney australia britney britney picture spears spears ipod os change pop whalen ice arena download hot songs from biggie smalls and 50 cent for free what video plays on ipod proud to be an american music artists folk instruments bandoria single earbud for ipod how to remove 2002 bonneville stereo rock climbing what is it free dvd to ipod converter musical instruments in the museum philippines alabama dance workshop ipod adapter jafra vs motorola ipod conponets mp3 auxiliary input into car stereo the first ipod i860 nextel ringtone voice radiohead exit music ok computer awia car stereo stopped responding griffin 9973 clr5g iclear case for ipod video aluminum and glass doors free dvd to ipod software for mac comision aaa mp3 top easiest to play rock songs lpga tour schedule these girls rock cheap new apple ipod nano 4gb uk beatles golden slumbers pictures of dance therapists ipod touch wheel troubleshooting mp3 torrent sites ipod uses not products not products is christ alone mp3 widespread jazz swing is the thing dcremix forum music taio cruz reset my ipod classic queen size girdles ipod nano singer in commercial music store greensburg pa converting itunes music to mp3 south dakota blues festivals ipod audio downloads inexpensive storm doors dvd to ipod software how to lyrics to good feeling to know queen latifah efos cure rite convert dvd to ipod ld zeppelin download album music battery ipod german translater with audio later november 2003 amy winehouse advantages of owning an ipod track information and ayers rock beyond inventor of apple ipod loss of audio sip instrumental massiv weisst du wie es ist rap instrus ipod classic tv out christian gospel hungry lyrics reed dance ipod classic 160 gb definition of ipod stevie nicks otto earphone review ipod enrique iglesias new music video better together jack johnson kareoke ipod kelly clarkson beautiful disaster piano music ipod touch jailbreak corner of the sky mp3 free music sheet for i tried mini ipod funk aircraft what nation gave the world the beatles mopar ipod kit maxium rock and roll music hall portsmouth nh subtitles for high school musical 2 ipod color front panel feist 1234 video free download here by me and 3 doors down ipod nano help tupac so many tears prince buster album rapidshare ipod definition ps3 rock band guitar controller nextel i95 free ringtone downloads ipod nano song one two three four wikipedia music mozart music information whi is the female artist in new ipod ad free nextel ringtone for i730 male yeast infection cure discount on logic 3 universal dock for ipod varicose veins cure composable nokia ringtones ipod toch online rv sales prince edward county natures cure acne medicine ipod european sound restriction spi mp3 player instructions en espanol ipod fourth gen best linkin park remix the fortunes here comes that rainy day feeling again volvo ipod adaptor review of tom waits people take warning madonna nude gallery mp4 convert to mp3 ipod forum ipod car stereos stevie ray vaughan robert artist dance of death lyrics shana abe audio belkin tunebase fm for ipod jodix wma mp3 converter birht of jazz in the 1920s apple ipod nano registration soundtrack to movie love actually one love loveholic mp3 ipod phono plug schematic pearl jam jeremy bridal chorus lohengrin richard wagner mp3 changiing language setting in ipod nano hallelujah chorus wikipedia toyota ipod integration kit eagles twenty one music to switch sequencer ipod generations rock and roll picts sweet rock group the history and evolution of hip hop ipod nano advertisments dvd pink floyd the wall ipod nano 8gb troubleshoot punk rock merchandise cadence music ministry ipod touch users manual the ultimate sales machine audio clash of the choirs bumblebee katie rees kiss andrea tiede ipod nano adding songs meanings to nirvana songs clearance 30 gig ipod personal profile examples dance hanna montanna rock star dance mat ipod nano trade in gear one music free ipod video converter flv ipod security linux audio format peavy amp and blues michelle marsh i dont do music video ipod import symptoms of bad ipod battery winmx isnt going to my ipod limewire free music downloading ipod itouch accessories cheap ipod 3gen gospel my fathers house convert format ipod movie free ipod travel guides how to move music from ipod to itunes james blunt beautiful video behind the scenes video ipod share deflower download anasheed mp3 audio books cracker barrel freezepop get ready to rock energizer erirmini ipod instructions video nokia n73 music rupee lifetime doors hiring downloadable ipod porn cure for dog worms ipod touch wifi bt home hub prevent weather channel pop up loud music phoenix arizona ordances ipod video 80g audio appz instructional dance video ipod test drive musical roman catholic masses sda hymnal mp3 the music channel apple ipod reset mom and pop camping ipod interfaces prince maha vajiralongkorn of thailand nude video elvis presley recipes gospel of the nazaraeans candy wrapper ipod holder free gospel hymn mp3 review harddrive nlaying weight watcher cd on ipod download reggae christmas music ipod frozen on do not disconnect apostle soundtrack foo fighters from space dance studios and classes in new jersey bbc iplayer ipod acdc rock music sawyer brown christmas music ipod video accessories wild rock yaoi how to downlaod music to an ipod discounted dog doors for doors naked pictures of punk rock women treo 755 dock audio ipod nano music buckeroo square and round dance club ipod consumer review download jpop music video artificial rock quiz on prince and pauper free ipod gospel commentary latin hip hop ipod shuffle stereo jack size theme music from my name is earl ipod shuffle portable 1gb mp3 player luther barnes gospel lyrics for another blessing ipod dela nickelback if apple canada ipod how to open a ipod 30gb high wall pop up camper music lessons kennesaw ga ipod tuch john williams folk ipod nano linux installer madonna alabaster how to remove 03 ford stereo neptune 2 disco wan chai pq to dvd ipod neil young utube how old is dylan who is the singer in the ipod nano add conowingo damn eagles why are photos black ipod classic bearers of good news gospel drawing of beaverhead rock ipod sccesories national guard g rap spain prince cartoon new ipod setup party of five episode when girls kiss in pool free downloads for my mp3 player stevie ipod batteries doors music is over ritardando music ipod nano 3rd gen hacks sexy carrie underwood pictures radio transmitter for ipod nano garth brooks more than a memory video aol navy hymn free mp3 ipod touch apps download high school musical dvd player free hawaiian mp3 christmas music for tenor and bass voices free music lyrics to ipod read about britney spears ipod hang anti pop vodeo metalocalypse rock and roll clown video ipod interface range rover britney spears gimme more remix video ipod nano doom nes for ipod touch congo belle dance music games for young children beastie boys sabotoge add music files to ipod the mortuary temple of queen hatshepsut sugar plum fairy free music download windows audio griffin technology iclear custom case for 5g ipod video download music on my mp3 player copy songs from ipod to computer windows freeware unique dance outfits liebeslied schumann liszt free sheet music free ringtones television show songs ipod update error 48 classic pop music ipod touch ships in 24 hours recording an audio cd sir wallis budge and queen of sheba singer in video ad for apple ipod words to the othella rap red rock gorge error ipod 69 audio receiver serial number for ringtone media studio how to sync from ipod to itunes favorite workout music update ipod 5 times move ipod music to external drive dan morrissey christmas cantata music face soundtrack porn on ipod colleges that offer music business and marketing degrees wireless earphones for ipod gothic christian britney spears crotch shot oct 07 uncensored jamaica music ipod scratch removal loli pop video converter ipod for mac reggae roots batmam dance software cosmi pop up ad blocker windows made for ipod licencing program mp3 samsung speaker uk ipod shuffle red dance dance dance universe ipod nano 3rd generation case music from the eighties girlsschool music eisenhower 6 cent stamp value to install movie on ipod classic the clash formed in how movies to nano ipod define the doors free gospel music tapes play music website ipod nano 3g waterproodf ennio morricone a few dollars more the bunny hop mp3 ipod restposten i installed a dmx light board and my lights are blinking lyrics of rock this party ipod touch pre released christmas lights music ipod nano theme eminem brighton hospital mi overnight sensation frank zappa brian end music for airports ipod boombox easy piano music books stereo ipod dock cd player queen elizabeth junior high school calgary listenfree music lord of the rings 2 audio clips aplle ipod itunes bulgarian ortodox church music seal rock around shower computer not recognizing ipod nano colby yates music lyrics how to install ipod linux and podzilla on ipod nano rock and gem show in mississipii valley fairgrounds britney spears you want christian houston in music store tx white 80 gb ipod pop bong copy photos to ipod nano corina temptation song 1991 mp3 andrea bocelli amapola ipod unable to rejigger the loader beyonce upgrade lyrics jazz bass guitar players bon jovi on project runway how to download music to an ipod using windows melly goeslow ft kris dayanti cinta mp3 why is there one dre chair in the right field bleachers delete songs off ipod jamaican folk costume new ipod software video models itouch ipod music in charleston sc lyrics to avenged sevenfold warmness of the soul ipod classic faqs learning to read musical rhythmic patterns ipod bluetooth stero adapter scorpions rock you like a hurricane guitar tab tap dance shelby nc what is a ipod and a mp3 player folk medicine canadian jazz crooner ipod touch deals lilwayne lyrics to pop bottles sheet music for elliot yamins wait for you error syncing ipod 69 rock clues about appalachian moutains carol for advent sheet music high school musical on ice allstate arena il how to transver music from ipod to computer listen to gospel ipod and iphone war of gifts audio mary k blige wavs ipod touch due date influences of music during world war 2 howling coyote blues pioneer ipod cable techno watches for women queen rides in okoboji m audio new keyboard reset ipod video beyonce lyrics of irreplacesable ipod box case metal ringtones uk poster harry potter and the half blooded prince justin timberlake dance with me restore ipod video offline power tour guitar mp3 review mp3 free music download legal apple ipod touch update jonas 33 music love like honey mp3 download does an ipod nano work with the d 650 and the s9 de la soul all good ipod pelican case rock music metallica green day album list ninteno for ipod vandor beatles collectors mini box cases for ipod nano 3rd generation ipod shuffle 2nd gen case making beats like kanye west the jackson 5 picture of michael gym music downloading music on one ipod from differnet computers homecoming dance decorations brittany music awards performavce can ipod be kept on the docking station rock xmas free music downloads ipod christian music vocal wedding transcendentalism in music queen size split matress box instuructions for ipod nano fever bruce springsteen video feeling good australian idol ipod song ebay song collective soul song lyrics the world i know ipod cases leather music with affirmation hip hop artist chardity darjeeling soundtrack randomize folder ipod ipod post nasal drip cure ipod 3g nano accessories radiohead last flowers bonus disc listen ipod amp how to ipod without itunes dylan thomas do not go gentle into that good night analysis full metal panic novel tokyo pop pregnant stomach bruised feeling ipod nano girl singer jazz concerts chicago illinois ipod data retrieve j crew polka dot pop on classification of philippine folk dance ipod docking systems wiring in satellite with your stereo receiver musical phrases girls kiss video funky crazy ipod cozy pop art origin ipod itunes ipod2pc windows 1click download mobile smartphone rock and roll hall of fame ohio iq music toyota mpeg or ipod audio accessories ennio morricone harmonica theme the beatles apple corps ipod help desk kiss you tube flagged video skullcandy mfm mp3 integrated stereo headphones free bob wills music industrial technoligy ipod iversit4 poster queen bed altec speakers for ipod musical genre that uses a flatted fifth music teachers outer east melbourne car cruise dock i ipod mp3 wireless flv to avi mpeg wmv 3gp mp4 ipod converter keygen elvis presley movies ipod vs mp3 audio file tag 6771 fleetwood signode strapping lifter ipod nano 8 gb evening news theme music mp3 british jazz dance scene delete all songs from ipod breccia rock is used to make clay and cement album best rap selling time drivers for 30gb ipod little drummer boy mp3 brighton ipod case for 3rd generation audiobooks for ipod all she wants to dance lyrics pink floyd monee ipod nano menu button freeze repair musical lights for stereo olivet nazarene university musical program schedule christmas pop chart 2007n how to crack open an 20g ipod case free willy michael jackson youtube apple store ipod nano sharp bronchitis natural cure happy birthday high school musical myspace stereo phonics uk tour sherlock holmes collection video ipod ready disc points west sales prince albert sharp audio reveiw ipod docking cable queen anne hotel brussels belgium do eq settings in itunes carry over to ipod star wars soundtrack downloads m audio firewire 410 audio interface forums free mp3 download to computer ipod belt buckle uk articles on music piracy nike adjustable ipod armband khaled serbi serbi mp3 pop up spnges free music for ipod nano ipod toch k rock los angeles olympic safari doors ipod no audio from headphone jack microboss mp3 flamenco teach me how to dance av connector cables for ipod pictures of timbaland ipod porn pics big rock candy mountain piano sheet music buy japanese cure magazine buy cheap ipod touch music on family guy jazz dance with cinderella band music in ipod commercial feist gothic erotic art music lessons from around the world free rip dvd audio to mp3 ipod touch wifi vai dance studio elizabeth 2 queen of england free apple ipod shuffle punk marketing spanish cedar screen doors explay ipod projector stair step pop up cards turning off and on an apple ipod animated musical shadow boxes zen touch 20 gb mp3 player address of ipod head office which model ipod from 2006 neil young harvsest moon three days grace ringtones ipod nano 2nd generation 2g elvis presley hips shaking jimi hendrix 1968 ipod player sophia pussy soul free adult ipod feeds first dance songs at a wedding belly dance sword cassette music tape digicom ipod speaker set the killers somebody frog prince applique price of ipod korea how to machine interior doors metallica mamma said lyrics ipod touch cover married to britney spears pannasonic ipod adapter ipod commerical songs rock climbing fire station ipod phono plug stay lyrics pink floyd sandisk sansa music sync software vidseo ipod free mp3 music sites king and queen font photoshop ipod drive and play garth brooks sprint arena tickets uso to kiss ipod repair westchesterny smt nine soundtrack brizilian kiss method man your all i need mp3 ipod breastfeeding video download free ipod music video rapper 50 cent ipod nano 4gb price chicano rap mp3 how to prepare dvd for video ipod prince of persia scenes change music to mp3 ddrmax 2 music ipod software video best audio receiver review cheapest apple ipod nano 4gb silver nickelback rock star listen mullion cabinet doors using ipod as harddrive ipod freezes rebotos naruto vs sasuke linkin park sufucation when did ipod and dvd appear on market academy of dance hendersonville tn rihanna good girl itunes wont recognize my ipod shall we dance 1937 damien cassidy songs from youtube to ipod band members of the beatles connan morrissey christmas carol pop bootles apple 4gb ipod nano 1st generation instrumental rap beat ipod auto holder the little prince cartoon rihanna shut up and drive midi file waterproof pool speakers ipod mp3 dice ipod san francisco music box coupons rock island argus obituaries cheapest apple ipod nano 4gb milton eagles rock companies ive tried everything but my ipod is still frozen pipe rock porn ipod nano old music furniture pokemon lesbian kiss secen lord of the dance lerix free porn ipod mp4 to mp3 converter freeware iphone ipod car charger free photo effects pop art britney spears pregnancy ipod shuffle 2gb iriver clix mp3 player comments reviews debbie does dallas cassidy materials of a ipod polyphonic ringtones for nokia htm neil young boralis convert mpeg file to ipod format freeware punk teen bedding twin cities music managers transfer ipod to pc freeware iron maiden vans purchase program to answer phone and stream audio underground hip hop mp3 discount new ipod nanos land rover lr3 and ipod interface avlabs ipod alarm clock candy by iggy pop reuge music box parts andrea bocelli romantic ipod shuffle first battery charge 4 hours music room decorating ideas high school musical live ice tour winnipeg move ipod music rap hip hop beats ipod video software upgrade cover flow prince madhouse mp3 andesite rock sweetwater rock duplicates on ipod americana music venues gospel polyphonic ringtone how to get songs off youre ipod stealers wheal full track as mp3 on mobile camel toe beyonce ipod shuffle 2 docking station music and its effects of blood pressure stan eminem meaning transferring cd music to ipod mp3 ear muffs ipod toush for sale now free canadian patriotic mp3 files unlocking cars doors with power locks free ringtones us cellular nero8 recode to ipod video handcrafted gothic iron beds divx ipod saw demo audio queen victoria school hamilton location how to take songs off an ipod for pc prince the vehicle research papers about bald eagles how to hack ipod nano kohler senza bath and shower doors k 704232 bluetooth stereo head sets the beatles mr postman ipod universal docking station beyonce antropologie album nano ipod girl singing matadore entrance music cindy lauper girls just want have fun mp3 comment ouvrir un ipod live music biloxi free real ringtone 50 cent top female pop singers 2006 ipod touch compatable websites ws 311m audio codec first ipod release jock rock quad marching band music problems syncing new ipod nano with windows xp ipod shop todays gothic culture playing demux video on ipod landscape stone and rock you rock slideshows mp3 file sequence earphones ipod remote alicia keys infomation ipod image queen live wembley dvd part cell phone ringtone downloads rihanna mp3 what song is on apple ipod commercial eagles landing development project savanna il stereo ipod dock music videos country jammin golden dawn online audio lectures ipod shuffle case ipod classic wallet nelly tip drill music video12708734598254613688 tinkerbell queen set ipod commercial music lake red rock development mark bockenstedt free 4gb ipod nano russian school of music adding files to ipod touch washington dc jazz radio ipod consumer information hard rock cafe vegas music burning house ipod diagnostic menu hero by nickelback download online free jacks mannequin sheet music free the inside design of an ipod audio lines moble sound smak that ipod nano country music show north carolina kids learn to read music queen of medieval dress como programar itune en ipod gospel music lyrics my heart says yes runners shirts with pockets for ipod or cell phone ringtones for a blackberry phone pop yahoo mail ipod nano acsesories free printable alto sax music theme songs vlaksi dance national folk festival richmond when did ipod nano came out iphone mp3 ringtones download music south africa mediachest ipod digital audio output plug see how photo looks on ipod screen before transfer brethren gospel hall largest music torrent search m2 convert for ipod serial number avi extract audio rihanna umberella how to play videos on ipod nano boone grove pop warner scores remove shower doors from fiberglass tub ipod transfer photo pc freeware anti folk volume 1 various artists torrent chili peppers decor sudoku ipod game free similarity between rock hyrax and african elephant african american food recipe soul violin on a musical staff sterling silver earring how to play videos on your ipod after apple picking audio ipod nano 4gb 3rd gen clin notes for where eagles darew download music to a mp3 or ipod ipod store locator unity baptist church prince george am fm mp3 players can i use a mac ipod on windows hindi mp3 torrents real time audio recorder for mac ipod a1059 jazz age in the 1920s tupac hail mary video prince william country va general district court best buy ipod shuffle second generation price bob dylan photo gallery definition ipod how to convert music from ipod to mp3 weebee audio how can i install my ipod with out the software to my computer bon jovi run away used 80gb ipod meridien music software apple 4gb ipod nano silver compare free ringtones motorola v220 ipod jaguar musical theatre audition pieces on line inspirational country music high school musical star photo ipod nano reboot free downloadable music production software how to instal ipod linux on nano 1st gen invalid sys info smooth jazz and walla walla portland music company great lakes folk festival fish rock nsw wmv too ipod free jefferson county music prince altan australia rec ipod video recorder dock toccatina music ipod water ultraviolet movie soundtrack ashanti hiphop instrumental genuine vauxhall nova wings doors ipod rockbox counter strike eagles fast company free catholic mp3 ipod nano 1st gen video rock bands e pooh musical crib light ipod color faceplates free ipod adult vids convert mp3 to audiobooks ipod goofus mp3 was queen victoria on heroin classic rock dj jazz ipod imports hard rock casino miss audio wendy seest how to put movies in folders ipod 6g wizard of oz music printouts technics stereo receivers ipod do not disconnect how to convert itunes songs to mp3 what done linkin park the history ipod music and lyrics on dvd ipod trouble transfer audio from dvd to mp3 ballroom dance kenai alaska ipod nano 3g cases dmx wallpapers frank sinatra moon river cd cleansing wave gospel church copy from ipod electro music ipod classic armband free mobile hip hop 3gp files shocacon music converting wmv for ipod beutiful girl mp3 mastercraft exterior doors apple put ipod in disc mode sleek audio free keypress motorola ringtones 2b blink182 htm ipod nano 3rd generation info rock of love vh1 crazy rock top 100 rap song of 2005 ipod shiloetts carribean student dance chattanooga old time dance instructional dvds apple ipod shuffle second generation australia german audio mixers penumbra game music listen ipod free porn hp dv960000 audio driver ipod product review eric clapton change the world ac dc rock band russell simmons hip hop summit atlanta extracting files from ipod wooden cabinet doors video on ipod panic at the disco tickets mp3 christian free doctor who music ipod nano 1st gen open naxos music dance safe excstacy ipod touch unlock codes what color is prince edwards island soil ipod nano 3rd gen games led zeppelin earls court film neil young wiki how to trnsfer snogs from ipod to cumputer fish latin music free english tokio hotel mp3 downloads how do i get songs off my ipod hillstreet blues music by the hubcaps apple stores ipod new york audio feedback buster latina pop hits 2006 free ipod music recording audio books lupe fiasco i gotcha mp3 dance spots in montreal lachine ipod touch youtube clone punk big tits ipod shuffle docking station anita baker angel mp3 queen of the underground lyrics fcts about ipod bon jovi rock yu gi oh the eternal duellist soul rom download gothic tiaras cheapest price on ipod jolly soul snowman topiary rock you baby george mccrae ipod glitch amelie piano music score ringtones marine corp hymn tones download ipod 80 gb china jazz sessions herb alpert music book windows doesnt see ipod stereo auction sites kensington quickseek ipod fm transmitter bob dylan 30th anniversary video celine dion ne partez pas sans moi copy photos to ipod nano without itunes wii dance game what is the weight loss cure ipod cradle interface vietnamese translation audio black rock group white boy suburbs vh1 sting desert rose remix how do i erase my ipod list of devices used so humans could listen to music program to load songs from your ipod to computer georgetown texas area dance halls dance with stars burks ipod removing background hum from nano rockabilly blues mclain music little rock arkansas state fair white screenon nano ipod the streets blinded by the lights mp3 apple ipod advert music free music downloads for your ipod fuego cheetah girls mp3 dog wart cure edit ipod audio cartoon downloads for mp3 player accessory apple ipod xxasdf mp3 soundtrack spider man the movie downloads music egg roll and jazz ipod vs zune 2007 animje ringtones steven queen movies honda ipod interface cable ipod music transfer programs britney spears sex tape bittorrent see how photo looks on simulated ipod screen north washington rodeo queen kanye west grammys 2008 elvis presley autopsy pictures ipod usb hook ups rock music argumentative topics sheryl crow topless ipod technical specifications blues mp3 downloads how to load dvd onto ipod model dab stereo transfer from ipod to computer tango and cha bella restaurant savannah ga linux runnning on ipod photo ipod touch features guide robbie wiliams shes madonna linux itunes4 ipod fm radio ipod tracy l turner and shaun cassidy ipod linux installer for windows xp northstar audio books cheap ipod tocuh rap lyrics with boss elton john january web based streaming music player tune tools for ipod cabnet doors ipod toutch downloads radio controlled garage doors realistic feeling breasts cool ipod upgrades the birds and the bees patrick and eugene mp3 download britney spears schoolgirl outfit restore my soul and lead harmon kardon ipod adapter last of the mohicans rock version ipod jpg size discount car stereo installations scarborough ontario gorillaz demon days harlem chinese instrument mp3 to wave software cost ipod shuffle aud npr jazz heavy metal music history learn about ipod how to stain rock ipod touch wheel problems cassie edwards plagairism free music codes linkin park bleed it out ipod adult movie gothic model portfolio david bowie the best of benigni pinocchio mp3 ipod video color faceplates how many weight watchers points is a hershey kiss ipod auxilliary input ipod car plug in folk tales from italy ipod shuffle commercial tune dance of life midwife musical tour promoters digital books for ipod jennifer sears belly dance rap lyrics writing song music publication ipod nano blank screen fast car sample hip hop song exporting songs from ipod to computer christmas carols music flower of carnage mp3 download ipod radio remote faster than a kiss dvi and audio converted to hdmi moving ipod shuffle music cassie lasch tupac red wings rock island countyu apple ipod commercial music beatles anagrams psychadelic trance mycel forrum downloading music on one ipod from different computers decorative bathroom river rock whats a good bitrate for ipod touch led zeppelin list of singles singles sheet music for circle review compare ipod 4th 5th generation oceano music sheet old pictures of madonna nike ipod sports kit burmer music massachusettes mp3 player software free download gospel publishing house royal rangers circuit city ipod coupon dylan sprouse fan club new ipod nano commercial song timbaland air steel security entry doors bolts reggae lets make africa free again song collaboration sonic impact i fusion 5090 v55 docking station for ipod philadelphia eagles franchise record software to load ipod song wav plat that funky music white boy evolution of jukeboxes to mp3 players ipod shuffle 3rd generation christian rock compilastion cd we will rock you eastern ontario bus trips hooks for hollow doors ipod commercial chick music videos hip hop and rap ipod video linux across the universe soundtrack mp3s famous quotes by carrie underwood grunge rock origin ipod screen is blank mp3 nano docking station ipod nano system requirements the wedding singer musical tour ancient remedies and medications to cure polymoysitis the music factory effects of cold on ipod spending holidays with bing crosby and frank sinatra beatles the software to sync music from ipod to itunes discount sliding doors free dvd to ipod the black parade mcr audio super mario 64 music bob omb land theme apple ipod market segmentation ipod leather case with speakers paradoxical vocal cord motion famous last words mp3 free ipod copy programs real genius soundtrack divine soul ipod nano acessory creasy dies mp3 remove duplicates on ipod download napster mp3 frank zappa stevies spanking proclipcar ipod holder eagles concert moncton nb silver kiss fanfiction soul train downloads portable ipod speakers and radio jimi hendrix johnnyb good britney spears without panies apple ipod catch on fire audio visual rental ipod nano 8g cases video cure gout prince of persia the sands of time pc levels windows ipod update error 48 jazz festival poster hugh ricks amy winehouse dvd soul resources ipod repar disco video old time a rock and role uploading music fron ipod to itunes led zeppelin whole loyya love lyrics apple ipod nano commercial song name gabriel musical masonic funeral music lex cassidy review compare ipod 5th generation savia art crt music manage music for ipod american dance therapy association soundtrack from the spawn videogame on the dreamcast ipod locking up britney spears kissing edna prince ipod 101 gospel radio music online audio transformer using ferrite pot core house of jazz charlotte ipod nano menu button lesbian clubs chicago il hip hop ipod nano sport kit tycoons audio book wealth and the gospel line 6 beatles tone setting ipod nano tv ad ati ati function driver for high definition audio ati aa01 winamp radio stations ipod nano 3rd gen unboxing kiss signs of a stroke ipod nano menu button open case music site chiesa jazz halloween costume monotony rock the sat lyrics ipod nano one two three four petsafe training doors i fucking hate you mp3 ipod nano click wheel not working convert song to mp3 midi audio files ipod is locked thing called love tab queen what video files does ipod play mp3 ogg codec for nokia 6600 reasons to not censor music apple 4gb ipod nano queen of the damned soundtrack torrent adrian balou music eminem drips htc s620 excalibur ipod interface wrestle mania 21 soundtrack how to put music as background in email ipod nano and fm transmitter beyonce experience laudio download cocaine rock griffen ipod products rolling stones tshirts can ipod announce song titles rihanna selfish girl montlcair blues youth hockey stereo player ipod spyro the dragon soundtrack elton john can you feel free downloads mp3 songs music cotact dance resync ipod cover art under pressure david bowie queen cassidy sitton ipod ivibbe david bowie bing crosby little drummer boy cheapest apple ipod classic 80gb where to find music for freewebs dell juke box music player marketing stratergies of apple ipod troubadour music cowboys packers audio broadcast star wars gansta rap atom films ipod screen repair madonna books clipart dance splits ipod free stuff masterbation audio mlb ipod skins free music pdf piano sheet free godsmack i stand alone music video download ipod ad singer mobile punjabi abuses mp3 pagen music secret ipod commands high school musical printable pictures grassfield chorus the greater rock vcf church davenport iowa connecting ipod touch to wireless network standing rock preservation office hindustani music ipod nano settings symphony in g minor phalanx mp3 ipod nano price reiki music downloads the beatles cartoon photos ipod extension cords jazz it up window tint colorado movie quotes audio hiphop murder ipod 2 music of dance dance revolutions limp bizkit feat dmx get music off ipod rock cd releases wave to mp3 convertor mkw madcatz dvd to ipod music composition lesson units the firm body and soul ipod in car convert mp3 to audio files ipod error messages gummy bear ringtone interior doors industry statistics round rock tx tea case for ipod touch where can i buy music cds online logitech ipod speaker system hardy hard and lady waks minimal mp3 download castle rock prime outlet mall ipod error 1418 the mean kitty song mp3 download free real music ringtone how 2 sync ipod to new pc judaculla rock teach dance louisville prince albert humane society ipod windows delayed write failed verizon motorola k1m ringtones ipod dell troubleshoot mobile home interior doors audio sissy maid training convert video to ipod free critical writing on god forbid mind eraser music genre jazz tribute radiohead walmart ipod dock portable radio distinction dance anyone else but you mp3 silicon ipod video case first time lifehouse mp3 decode his kiss article by bethany heitman gay rights and modern dance expand ipod memory capacity beatles you know my name who sings the ipod commercial audio books for 3rd grade ipod photo liberator how to rip dvd to play on ipod dj entertainment with dance floor amy winehouse help yourself mp3 purchases tv commercials ebay ipod mixed dance music from the 90s elvis presely music boxes apple ipod how to replace screen music and flag marilyn hotchkiss ballroom dance and charm school nano ipod accessories fleetwood bounder trailers ipod chargi station billboard charts december 1997 jazz trax art seidio audio out adapter how to fix ipod white christmas female rap stevie nicks just like the white winged dove ipod cd to ipod transfer high school musical karoke ipod docking audio for god save the queen putumayo summer collection alicia keys music codes for msn spaces free ipod game ringtone t68i free audio mp3 files sudoku ipod game madonna ray of light lyrics plato dvd to ipod converter linkin park ring tones i believe i can fly punk rock version eagles way cucusoft ipod the prince of persia warrior within towers orgasm ipod nano elvis presley impersonaters cleveland ohio alla turk piano music can be sting cause nausea and diarrhea add songs to ipod shuffle southeast music store tn britney spears in her bedroom ipod on ds lite audio source db5 portable powered speaker system audio streaming tutorial ipod accessories ratings black hip hop model folk art museum robert e smith ipod arm band nano madonna music sealy rock creek mattress ipod wont charge battery is good ottawa jazz the sites in prince edward download ipod itunes pictures of queen makeeda spiderman 2 soundtrack artists ipod nano sound different style of rock and pop during 1990 to 2007 earphone for ipod david cassidy on rolling stone copperplate gothic font for photoshop how many songs can you download ipod phone trundle pop up rock radio listen live hyundai sonata ipod integration kit unbelieveable emf mp3 photo music cds download disney xd ipod how many seasons did fresh prince air black rock realty mike golic eagles how long can ipod play in speaker dock dove brothers gospel quartet altec lansing im3 inmotion ipod portable audio best of the eagles free my soul lyric guitar tabs the clash ipod nano 2nd gen frozen screen rock and rod new york car club buying ipod australia online mp3 player variable speed punk rock costumes ipod touch hacked where to buy a black ipod nanos john howarth prince george dylan thomas a hybird diy wooden ipod jazz ring techno peasant blog ipod panels milia homeopathic cure ipod sport armband musical instruments for sale uk bassoon rock n roll racing skins ipod touch treeshas music lewis boogie piano sheet music keyspan tvi 200c tuneview remote for ipod animal with no vocal chords bynoe myspace rap cool ipod cases american musical theater of san jose foo fighters from space foo fighters lyric s ipod touch ad hoc wifi cannot join network rock you like a hurrinceane musci for drums band music in ipod commercial listen to the soundtrack for free christian music rap video juggler beatles ipod nano comichil hatching eggs rock cross beatles alternative music ipod transfer utility downloads library audio weed ipod arm seven point empowerment dance cherokee bob dylan early morning rain problems getting music on my ipod usb wireless audio transmitter fee hindi music download queen i want you ipod 120gb photo loading problem music effecting memory recall blade techno soundtrack ipod classic tv out fix beyonce sex naked photos audio of train sounds ipod shuffle review get mp3 from ipod to mac ipod nano promo saving appointments missed nhs hospital cent punk pach for call of duty 4 remote car stereo ipod fm converter shut up and drive rihanna lyrics chicago rock wrexham ipod socks o2 b h y i just want to funk swift doors ipod nano 1st gen video idoom the gospel of mark chapters john kleis car audio ipod videos download rock critics know nothing about music tomtom ipod connect cable for go720 onerepublic all fall down disco songs 1972 how to open an ipod new computer itunes install search computer for audio files terry pratchett audio torrents panasonic camera 5 pin xlr audio ipod nano theme 1234 kylie minogue singer breast cancer music lyrics wma mp3 variable bit rate battery ipod nano 3rd gen accessories eden rock hotel youtube to ipod converter online black gospel music radio nomad mp3 players lyrics to god save the queen ephod for ipod local listings for the eagles game blues enroll ipod nano not charging il blues musical tapestry track stolen ipod melodias en pentagramas en flauta the killers free software dvd to ipod prince charles opened buildings in 1980 music for 12 string guitar top 40 80s music ipod video case dance studios in ontario solid state society soundtrack the science behind the ipod revolver rock bar ks eye of the tiger instrumental only apple ipod socks windshield rock repair fuff ipod lyrics for shut up and drive by rihanna discount christian music ipod car charger and transmitter sting ray bloody mary mix rockbottom freight rock band who is the female featured in the new ipod nano commercial eminem hailies song lyrics today 4 u rent soundtrack contemporary jazz artist ipod nano guide lace up for the cure ipod commerical 1 2 3 searchable ringtones free inventor of ipod how to convert winamp to ipod cant take y eys over you with musical notes slippery rock university graywater drain schematic ashleytisdale hesaidshesaid music video download ipod version reclaimed doors los angeles california maui prince hotel in hawaii ipod storage dance floor anthem free downloads rock experiments speck toughskin ipod case sdsu dance tango catamaran st marteen ipod 500 charges what after that bruce springsteen iam on fire six panel slab doors waterproof ipod nano case beatles norwegian wood summer dance schools apple ipod nano 4gb how to cure panic attacks naturally alicia keys sheet music no one tnas sting myspace graphics transfer music from your ipod to your pc zondervan music group britney spears 2000 vma performance changing ipod 5g text color wav to mp3 convert invention of the ipod children with tingly feeling fingers beatles photographer hamburg real voice ringtones ipod driver download old chest pop machines convert video to ipod how to decode 3 layer audio coding technology stereo electric mistress review twelve days of christmas instrumental wav ipod wall street article popular music in world war 1 john williams film music with speilberg ipod nano accesspories free music listens features ipod nano shuffle britney spears cookie auto doors for farm sincronizacion de ipod con el pc lamplighters vocal group copy audio to cd free sheet music for cows with guns ipod video nano advert robbie williams sings the blues album uk itank ipod cases kiss paul stanley solo album lyrics child choir gospel song ipod video 30g review village music patchogue ipod touch january update why dont some photos show ipod classic dance moves for soulja boy upon this rock i shall build y church how to manually restart my ipod november 12 garth brooks concert at sprint center remove soundtrack from a mov file ministry of sound 1998 colorware ipod video pop up windows off screen ipod solidworkds blues of the harlem renaissance true free ringtones for lg ipod volvo free jaws sheet music music that influences teens to commit crimes or suicide ipod keeps turning off and on when connected problem feeling that half my body is not mine pop up reminder cases for new ipod nano pettin free prices rock web heavy find search music shop hazeltine rock works ipod 4gb nano be a slave worship gothic goddess music videos for djs ipod cradel interface milwaukee and rock river canal angela dylan ipod ma428ll instructions uprising tv music return ipod nano ipod mp3 player christmas carol rap the beatles hard days night mother may i mp3 etomi downloads to ipod high school musical party cardboard cut out x type jaguar ipod interface rock and roll museum iowa polk audio pre amp processor ipod user statistics john s beverly prince george walmart download music philadelphia eagles home page griffin ipod acessories lupe fiasco the instrumental origin of the ipod delayed ejaculation cure hard rock hotels biliox ms energizer ipod mini battery used ipod shuffle britney spears mansion ipod linux 5g anderson musical refinnish move nokia music to memory card ipod touch aim free mp3 player music diy gothic bedroom itunes software for ipod classical music online radio staiton eminem reviews jappanesse pop art ipod battery replacement service download music site mp3 wav a z ipod video kelly bingham of kiss fm wil wil son hip hop ca ipod frozen vic mignogna towards the light mp3 matchbox world burning mp3 kid rock rock n roll and jesus ipod download david bowie jeweler hadouken mp3 bigginers sheet music ipod dancer free new paramore hallelujah music mp3 downloads ipod nano 2007 singer andrew strong soul man audio car custom ipod master reset high school musical live ice tour winnipeg free latest mp3 indian music downloads ayers rock permanent tents photo apple ipod touch news ipod chart memorare mp3 free downloadable ipod music soul caliber 2 cheats x box free text ringtone downloads ipod wall charger audio visual bid training ca 2007 what does ipod mean music therory terms rock a billy music ipod car cable monter arkansas heritage and blues festival the alan parsons project eye in the sky music video painc at the disco download movies to ipod john prince state pard ipod pdf reader learn freestyle dance cool things for ipod nano ipod fm tuner filipino music lyrics search easiest way to hack ipod touch forever lift your voice instrumental cheap new apple ipod nano 4gb album cena john rap ipod nano teen queen palm tree staking instructions baby mobiles for baby bed in musical instruments solde ipod nano exotic adrian street music downloads music animation machine ipod nano 4 gig kiss destroyer fleece blanket poem about cooking being good for the soul ipod touch vedio hip hop dance classes near lykens in pa hero of the day lyrics by metallica ipod chevy truck celine dion taking chances cords dj tiesto set me free sheraton nashville music city put songs from youtube on ipod music groups that tour hip hop dance how customers views on ipod betty hoops dance therapy dvd psi factor tune mp3 music leather case ipod robert plant allison krause new album the unseen rock against sony xplod ipod green day xmas mary did you know sheet music for flute how to convert disks to ipod for mac highschool musical porn movie adagio for strings mp3 ipod jukebox the drought 4 ringtones apple ipod touch forums mary prince slave given up linkin park words national competition ballroom dance ipod internet dmx raid dog cheaper shipping europe ipod linkin park in the shadows stevie wonder official site lyrics to mocking bird rap ipod nano weel not working rock band stage kit refurb ipod with a smile mp3 eminem love you more jack johnson rudolph the red nosed reindeer dvd to ipod software hoow t fun facts about queen elizabeth 1 how much do the new ipod cost celine dion my hearth will go on free music downloads public domain how to move music from my ipod to my itunes library rebates for mp3 apple 80kg stevie ray vaughan tablature lenny leblan i dance free ipod to pc download high school musical slash rock n rick kansas city buying habits of ipod customers the ipod is a piece of shit music downloads fees ipod speaker doc with a dead battery castle rock in illinois jpeg for ipod consistent change man rfp gospel who invented music nirvana boynton beach serial number of m2 convert for ipod once and future king audio book ipod cannes memphis audio visual production companies jazz bye bye transfer mp3 to ipod prices for fiberglass entry doors frozen madonna carolyn mcdade mp3 intempo white ipod speakers uk info on bass use in punk music rock solid hardwoods coby ipod lyrics to gimme more britney spears free ipod utilities chin splint cure jimmy neutron soundtrack hayley double chorus satb how to change the font color on an ipod base video mp3 to not sync ipod um cassidy smith xear 3d virtual speaker shifter karajan audio belkin tunetalk stereo for ipod with video jazz music african american is there a cure for tmj does iradio work with ipod touch rap and music videos jah cure as long as i live lyric words beatles how to paint an ipod daft punk remixed ed zeppelin ipod uses not products not product free ipod nano videos liesel sound of music bible ipod queer as folk season 1 ost list how to copy disks for mac to ipod prince of tides violin kansas city stores covert audio atransmitters and receivers copy cd to ipod without adding to itunes library how to unlock doors on ford f250 without keys queen street toronto map emerson ipod adapter free music paul shaffer mp3 bubbly by colbie caillat free downloadable music satisfy me by elvis presley restore my ipod shirley jones music man new site for ipod radio nirvana smells like ten spirit christmas decorated front doors star war gangster rap mp3 ipod itouch review stereo preamp schematic funky crazy ipod cozys break dance class youth maryland convert swf to mp3 how to kiss his neck how to use the next function on video through ipod pet rock urns piedmont obgyn rock hill south carolina free songs for ipod jerry lee lewis rock and roll enable ipod disc access top jazz hits all time instrumental ipod song singer premier wax co inc little rock ar avi to ipod rihanna under my umbrella lush club remix logitech wireless ipod adapter paul costos hip hop artist hip hop original sample simons rock at bard sony ipod fm adaptor cats the musical lyrics brighouse and rastrick brass band the floral dance how to fix an ipod screen serial killers currently operating in the us facts about ipod toby keith rock you baby mp3 enabling pop ups in internet explorer free sheet music for bethlehem wind ipod touch batteries musical score bob marley ipod messenger bag free opera music downloads soundtrack for the game plan loading music into ipod shuffle without itunes journal audio in education hot gothic girls dido thank you free mp3 ipod wallpaper all my life foo fighters commercial schwepps sound mp3 sample ipod nano car audio direct connection the fresh prince atlantic city episode how to download ipod playlist to excel slider sonic ringtone extension roger waters pink floyd trackback from your own closed autotune audio processor ipod 5th generation video auto accessories lou diamond phillips musical performances in arizona alpine cdm 9803 mp3 boot os off ipod folk art giampietro longest yard soundtrack ipod shuffle gen 1 hacks shannon baily austin music ipod equiliser sara evans ringtones lyrics jack johnson banana pancakes midtown little rock free music downloads for ipod shuffle bones tv soundtrack crochet ipod punk belt buckle free ringtone in keypress format michael jackson on fire reformatting macintosh ipod harpsichord couperin mp3 batman audio book ipod anon video 12345 free opm mp3 music downloads simple audio amplifier iluv ipod player doors llocks set australia free ipod download celine dion vegas new disco titled rap song rock island jamaica how an ipod works nirvana spa norwalk conn techno music dowanloads free ipod dock interface convert midi to mp3 free ipod hard drives lyrics to sos by rihanna ipod nano 3 gen cases juliard music enrichment ipod nano wristlet case prince i woulddie animated dance iaudio v ipod tupac ambitionsas a rider free ipod nano games nano ipod speakers silent night stevie nicks hurricane garage doors galveston texas new ipod classic review how to test if music affects the way you learn sexy punk girls stripping how to find hiden files in iphone or ipod cure for leaf curl ipod nano video format daft punk alive 2007 ringtone texas dance hall free create mp3 to ringtone hook ipod to my car verizon download ringtones free i105a iluv case ipod crow mp3 music of lil flip how do i get videos in my ipod nano eddy grant file under rock steamboat gothic house how to have a nintendo ds ipod clone nirvana smells like teen spirit lyrics music for every breath that you take trance weekend lover ipod or mp3 choosing prom dance themes feeling girly best ipod speaker rap music in spanish ipod replcement battery music homecoming soundtrack musical porcelain cat with butterfly janet jackson rolling stones magazine how much space does audiio books and e books take on a ipod what ddid people think pumpkins use to cure nickelback if everyone cared mp3 download ipod nano 2nd generation belkin cases mercury music awards dmx 512 specification usitt my ipod wizard doesnt write to my ipod zoa music ipod nana with 2000 songs cheap ipod 3gen 8gb data entry jobs home little rock arkansas free horror movie theme music free ipod porn podcasts free queer as folk videos ipod mini download songs from ipod nano commercial cure a bladder infection corega ipod shuffle purchase brutal blues forum hip hop art and artist david byrne photo billboard ebooks for ipod the last dance despelder wait for you free piano music running games on an ipod mini pittsburgh dance kiss kiss t pain lyrics free software to transfer music from ipod pop falco rock and roll hall of fame hours of operation ipod to computer freeware mp3 matrix
http://yiiii.yourfreehosting.net/music8.html
crawl-002
en
refinedweb
Thomas Lebrun Microsoft C# MVP This. Since extension methods might be complex to understand, so let’s see a traditional example first. Take a look at this simple program: Although this works fine, the code is hard to read because it calls a static method which stands in a static class. To simplify this code, we can use the Extension Methods available with C# 3. Take a look at the same application, rewritten with C# 3 and Extension Methods: If you execute this application, you will see that the result is the same (the string is returned in uppercase) but the code is more intuitive and comprehensive than the previous version. Before trying to understand how to implement an Extension Method, let’s use Reflector to take a look at the MSIL that the second example produces: As you can see, the call to the Extension Method is translated, in IL (Intermediate Language), into a call to a simple static method. What does this mean? Simply that Extension Methods are nothing more than an easier way to call static methods, allowing you to write code that is more intuitive. We can see that the code for our Extension Method has been translated during compilation into a static method with a specific attribute (ExtensionAttribute) enabling the compiler to understand that this method is, in fact, an Extension Method: As with static methods, the validity of an Extension Method is tested during compilation. If, when compiling, the Extension Method is not found, you will receive an error message like this one: “’string’ does not contain a definition for ‘StringToUpper’ and no extension method‘StringToUpper’ accepting a first argument of type ‘string’ could be found”: As we have seen, Extension Methods are used in the same way as other instance methods. So how can you differentiate an Extension Methods from a “normal” method? Well, Visual Studio 2008 will help you in this task. Indeed, Intellisense in Visual Studio 2008 has been improved to indicate to developers which kind of methods they are using. Thus, if you use Intellisense to display the list of all the methods and properties available for an object, you should be able to see something like this: An Extension Method is distinguished by: · A little blue arrow · The text of the tooltip, which contains the string “(extension)” Now that we have seen how Extension Methods work, let’s take a better look at the correct way of using this new feature in your projects. To understand how to implement an Extension Method, let’s revisit our example: An Extension Method is defined by several rules: · The method is defined in a non-generic static class that is not nested. · The method itself is static. · The first parameter of an Extension Method is preceded by the modifier this. This parameter is called an “instance parameter” and can only appear as the first parameter of the method. · No other parameter modifiers (ref, out, etc…) are allowed with the modifier this. As a result, a value type can’t be passed by reference to an Extension Method. · The instance parameter cannot be a pointer type. · The method must be public, internal or private: it's a stylistic choice to declare them public, but not a requirement! · Extension Methods are in a namespace which is in scope. If your method successfully matches all these points, you can safely say that it’s an Extension Method! If your Extension Method is in another namespace (or another DLL), you will need a using statement to import the content of this namespace and make the call of your method possible: LINQ (Language Integrated Query) is a new technology for querying objects, XML and SQL. It uses Extension Methods a lot. If you have already written LINQ code, you may have used these methods without knowing what kind of methods they were: All the methods shown in this IntelliSense window reside in the namespace “System.Linq”, which is found in the assembly “System.Core.dll”. Take a look at this listing of the System.Linq.Enumerable class created inside Visual Studio 2008 from metadata: About the author: Thomas Lebrun currently works as a consultant and trainer at Winwise (). Since July 2007, he’s a Microsoft C# MVP for his work on C# and WPF. You can find his blog at.
http://msdn.microsoft.com/en-us/vcsharp/bb905825.aspx
crawl-002
en
refinedweb
Although Visual Studio offers developers many tools and the power to accomplish almost every task, some developers require an additional or finer level of control. For example, they might have a task or series of tasks that they perform regularly and would like to automate. To address this issue, Visual Studio features a rich programming model, known as the Automation model, for extending and automating its integrated development environment (IDE). The Automation model provides the ability to automate the environment and provide extensions and new features to it. Recording and running macros Automating Repetitive Actions by Using Macros The three ways to access Visual Studio Automation The Spectrum of Visual Studio Automation Functional groups of objects in the automation object model Functional Automation Groups How to create Add-ins How to: Create an Add-in How to reference the EnvDTE namespace and obtain an instance of the DTE object Referencing Automation Assemblies and the DTE2 Object Registering an Add-in Add-In Registration How to limit access to your project's .Addin XML registration file Add-In Security Exposing Add-ins on menus and toolbars Displaying Add-Ins on Toolbars and Menus Connecting add-ins to shortcut keys Binding Add-In Commands to Keys New changes in command bar functionality CommandBar Changes for Visual Studio 2005 How to restore commands that disappear from a menu How to: Restore Add-In Commands to the Menu How to: Control Add-ins with the Add-In Manager Debugging Add-ins Walkthrough: Debugging an Add-in Project Creating a Wizard Walkthrough: Creating a Wizard Starting wizards programmatically Context Parameters for Launching Wizards Wizard (.vsz) files Configuring VSZ Files to Launch Wizards VSDir files, and how they affect the Add Item and New Project dialog boxes Adding Wizards to the Add Item and New Project Dialog Boxes Using VSDir Files How to programmatically create a new instance of Visual Studio or attach to a specific instance of Visual Studio that is already running How to: Create and Attach to Another Instance of Visual Studio How to upgrade automation projects from previous versions of Visual Studio to Visual Studio 2005. Migrating and Upgrading Add-ins from Visual Studio .NET 2003 to Visual Studio 2005
http://msdn.microsoft.com/en-us/library/5abkeks7(VS.80).aspx
crawl-002
en
refinedweb
Introduction: A major milestone for autonomic computing OASIS has just approved a new standard from the Web Services Distributed Management Technical Committee (WSDM TC) as the first step toward solving the management integration problem. OASIS has approved and published two sets of specifications: Web Services Distributed Management: Management Using Web Services (MUWS) and Web Services Distributed Management: Management of Web Services (see Resources). For a high-level article about WSDM, see the developerWorks article "A little wisdom about WSDM." The standardization of WSDM 1.0 is an important milestone for autonomic computing technology. To understand why, you need to look at the fundamental goals of autonomic computing. From the beginning, IBM's Autonomic Computing initiative recognized that autonomic computing could not rely on being a proprietary offering. The value of autonomic computing will be fully realized when autonomic managers are able to bring self-managing capabilities to much of the equipment and software in an Enterprise IT infrastructure. The paper, An Architectural Blueprint for Autonomic Computing states, "Autonomic computing systems require autonomic managers to be deployed across the IT infrastructure, managing various resources (including other autonomic managers) from a diverse range of suppliers. Therefore, these systems must be based on open industry standards.â Open standards that address the manageability capabilities of today's IT resources are essential to successfully deploying autonomic computing technologies. The WSDM standard is important in several respects: - First, every leading system management software supplier participated in this committee, along with many vendors of middleware, operating systems, and hardware, assuring broad industry support. This is critical for any standard to be useful. - Second, this standard provides a necessary management interface to a technology (Web services) that is vital to today's business. Businesses are realizing the benefit of Web services in business-critical applications, and this standard provides the way to use system management tools with those critical applications. - Finally, it allows system management platforms to take advantage of the tremendous power offered by the Service-Oriented Architecture (SOA) of Web services. The article "Management Using Web Services -- A proposed architecture and roadmap" explains how SOA technologies will significantly improve the ease in which management technologies, especially from multiple suppliers, can be integrated, just as Web services has proven for business applications. This is a very important benefit for autonomic computing architecture. With management interfaces to IT resources being exposed through Web services, autonomic managers can use standardized descriptors to understand, monitor, and interact with the management functions of those resources, without the need to have been custom designed to handle specific ranges of resources. The value of WSDM is further enhanced through contributions, by IBM and others, of new technologies that are cornerstones of autonomic computing. Key technologies such as IBM's Common Base Event, which was used as the basis for the WSDM Event Format, can improve the ability to correlate events from multiple resources, thus permitting improved turnaround and accuracy of problem diagnosis in complex computing environments. While the WSDM standard as an initial foundation provides substantial progress toward fully autonomic computing environments, additional specifications in support of autonomic environments will emerge over time. Although Web services is not the only technology on which autonomic computing platforms can be built, the advantages of using Web services certainly improve the ease in which autonomic computing can be implemented and integrated. From the Autonomic Computing Blueprint: This architecture does not prescribe a particular management protocol or instrumentation technology because the architecture needs to work with the various computing technologies and standards that exist in the industry today -- SNMP, Java Management Extensions (JMX), Distributed Management Task Force, Inc. (DMTF) -- as well as future technologies. Given the diversity of these management technologies that already exist in the IT industry, this architecture endorses Web services techniques for sensors and effectors. These techniques encourage implementers to leverage existing approaches and support multiple binding and marshalling techniques. How WSDM fits into autonomic computing implementations The autonomic computing architecture, as described in the Autonomic Computing Blueprint, consists of one or more control loops that dynamically manage various aspects of a computing infrastructure. The acronym MAPE is sometimes used to describe the autonomic control loop because of its four basic elements: Monitor, Analyze, Plan, and Execute. The autonomic control loop, with associated knowledge about the system, its policies, and internal algorithms for managing resources, is defined as an autonomic manager. The autonomic manager performs a set of self-managing tasks based on business goals established by the business. The tasks may be very broad or may be a very narrow set of management capabilities, but all are based on the requirements of the resources being managed by the autonomic manager. For example, there might be autonomic managers that are dedicated to performing self-healing functions. These autonomic managers must monitor the health of the resources they manage, analyze existing conditions, and apply changes to those resources if conditions warrant. Figure 1 shows the idealized view of the autonomic manager and its manageability interface to the resources. Figure 1. Autonomic manager and manageability interface The implementation of the manageability interfaces on resources managed by the autonomic manager is called a touchpoint. The architecture of a touchpoint is defined by the Autonomic Computing Architecture team and may be implemented in a variety of ways that are appropriate for the managed resource. The Autonomic Computing Blueprint provides this description of a touchpoint: A touchpoint is an autonomic computing system building block that implements sensor and effector behavior for one or more of a managed resource's manageability mechanisms. It also provides a standard manageability interface. Deployed manageable resources are accessed and controlled through these manageability interfaces. Manageability interfaces employ mechanisms such as log files, events, commands, application programming interfaces (APIs) and configuration files. These mechanisms provide various ways to gather details about and change the behavior of the managed resources. In the context of this blueprint, the mechanisms used to gather details are aggregated into a sensor for the managed resource and the mechanisms used to change the behavior of the managed resources are aggregated into an effector for the resource. Owing to the benefits of Web services, the preferred implementation of a touchpoint is to expose it as one or more Web service interfaces. In this case, the touchpoint should be WSDM compliant as a WSDM Manageable Resource. As you'll see in more detail shortly, WSDM does not normatively define all the capabilities that are required elements of an autonomic computing touchpoint. For example, the IBM Common Base Event requires elements that do not have a corresponding element in WSDM's Event Format. Fortunately, the extensible nature of the WSDM interface permits touchpoint implementers to provide these capabilities, through WSDM-compliant extensions, but the implementation of the extensions may not be standardized. Because the use of the extensions is not normatively defined, interoperability can be achieved only through agreement among stakeholders in the relevant resource/manager relationships. IBM is working closely with other industry leaders to agree on appropriate usage of these WSDM extensions and possible standardization of those extensions so that customers can reap maximum benefit from this important standard. As these topics develop in the industry, WSDM and the manageability interfaces to enable autonomic computing will evolve. It is understandable that WSDM 1.0 does not define all you need to implement a touchpoint; however, it certainly provides a solid base and extension points on which an autonomic computer-compliant touchpoint can be built. The remainder of this document describes how this can be done today. One important point regarding touchpoints is that, in today's complex world, resources are rarely simple, single-function entities. A database server, for example, represents an aggregate of multiple related resources such as multiple databases, database table spaces, database tables, and so on. A Web application server would, in turn, "host" a number of Web applications being managed by that server. This view, while very real, is beyond the scope of this article. Therefore, we focus on the simple case for the sake of clarity. As a result, there are additional manageability capabilities that are not discussed here, but are essential to support the model of hosted resources. Details about touchpoints The manageability interface is divided into sensors and effectors. Sensors provide the means for managers to access the state of the manageable resource, either on demand or through notifications, when state changes occur. An example of a sensor is an endpoint that exposes information about the current operational status of a manageable resource and transitions in that operational state. Effectors provide the means for a manager to affect the state and behavior of the manageable resource. An example of an effector is an endpoint that provides an operation to stop the manageable resource; that is, change its operational status to "stopped". The sensor and effector interfaces support four unique styles of interaction between the touchpoint and the autonomic manager: Request-response, Send-notification, Perform-operation, and Solicit-response. The request-response and solicit-response interaction styles are "request-response" flows that return data. For the send-notification and perform-operation interaction styles, the data flow is primarily "one-way." They do not return any data, but can return details about the success or failure of the flow. WSDM currently does not define a solicit-response interaction style, so this interaction style, if required, must be supported as an extension or viewed as a Web services request-response flow to another service. Touchpoints are not required to support all interaction styles but must support request-response (so that their identity can be retrieved). Figure 2. Sensors and effectors Manageability capabilities Autonomic computing architecture defines a set of manageability capabilities that touchpoints support. From the article "A little wisdom about WSDM:" A manageability capability is a composable set of properties, operations, events, metadata and other semantics that supports a particular management task. They capture may extend existing foundational capabilities as appropriate. Some manageability capabilities are required, some are optional, and touchpoints are likely to define their own unique capabilities essential for the management of their resources. In all cases, however, the manageability capabilities are to be expressed in a form compliant with the WSDM specification. In general, sensors are realized as having WSDM metrics, identity, and relationship capabilities. These capabilities provide both properties, accessible through the WS-Resource Properties interface, and notifications containing WSDM Event Format-compliant messages. Effectors are realized as WSDM Configuration capabilities, which define properties that can be set through the WS-Resource Properties interfaces, and other operations that change behavior. Table 1 describes the manageability capabilities that an autonomic computing touchpoint for a simple manageable resource (MR) implements. Note that in the table there are three namespaces used. The namespace prefixes used in the table indicate the source of the specification for the interface as follows: - wsdm: defined in WSDM V1.0 standard - wsrp: defined in WS-Resource Framework (WS-RF), WS-Resource Properties specification. - actp: defined in the autonomic computing architecture as extensions to published or draft standards. The interfaces indicated in this article may change before they are officially published. Capabilities are listed as Required (must be implemented by the touchpoint), Optional (may be implemented by the touchpoint), or Strongly recommended (should be implemented by the touchpoint). The Req. column indicates these requirements as "R," "O," or "S," respectively. Table 1. Touchpoint manageability capabilities actp:ResourceType: ResourceType is used to provide a classification hierarchy for manageable resources. This classification hierarchy allows autonomic managers to provide various degrees of specialized management functions, depending on the sophistication and knowledge of the manager. For example, a Microsoft Windows™ operating system might have a classification hierarchy of "Operating System," "Windows," "Win32 Operating System," and "Windows XP Professional." Using this classification hierarchy, an autonomic manager that knows how to manage only a "Win32 Operating System" could perform some degree of management, whereas another autonomic manager that knows about the unique capabilities of a "Windows XP Professional" operating system might be able to perform a greater degree of control. Both managers, however, could manage the resource to some extent. This interface has two properties: - actp:ResourceType is a set of URIs that identifies the resource types for a manageable resource. A manageable resource can have multiple types. Each type is either in the classification hierarchy of the leaf type of the resource, or it consists of an alternate classification of the manageable resource. - actp:Name contains a string that is a locally known name of the resource. The name is assigned by the resource and may be unique to each instance of the resource (different resource models may use different schemes for a combination of identification properties that uniquely identify the resource). For example, the Name of an operating system or application server resource could be the hostname of the resource's host (which could be unique for each instance of the resource), rather than the product name of the resource (which typically would not be unique for each instance of the resource). Details about touchpoints Autonomic managers use their Monitor function to sense the condition of the resources they manage, and then this information is passed on to the remainder of the control loop (analyze, plan, and execute functions) so that any changes that are necessary to achieve the autonomic manager's goals can be applied. Although implementations that continuously poll resource conditions can be implemented, these tend to be inefficient (owing to polling overhead) or unresponsive (if the polling interval is set to a long time). Event-driven response often provides the most effective balance between these two and, therefore, is likely to be the preferred method. Although virtually every management system uses events for efficient monitoring of conditions, the autonomic computing architecture recognizes that events produced by the wide variety of IT resources can be classified into a relatively small set of event categories, or situations. By doing so, not only can events be collected efficiently through event notification, but they also can be analyzed efficiently, thereby improving response time and reducing manager processing overhead. Furthermore, with the subsequent simplification of reported events from the disparate resources, the autonomic computing team recognized that correlation of events from multiple resources could be significantly improved and automated, yielding a much higher level of sophistication in the scope of problems that could be analyzed automatically. IBM's autonomic computing architecture developed the Common Base Event and submitted this work to the WSDM TC for incorporation into the WSDM standard. Although not all of the elements of the Common Base Event were incorporated into the WSDM standard, the structure and classification work significantly influenced the WSDM Event Format. The WSDM Event Format is an extensible XML format that defines a set of fundamental, consistent data elements that allow different types of management event information to be reported in a consistent manner. The WSDM Event Format enables programmatic processing, correlation, and interpretation of events from different products, platforms, and management technologies. The WSDM Event Format is organized into three categories for management event data: - The identifier of the event reporter - The identifier of the event source - Situation data Each category defines a few standard properties that are found in most management events and may be extended to add event and situation-specific data. The situation data includes situation time, situation category, situation disposition priority, severity, message, and substitutable message elements. WSDM also defines a standard set of priorities, severities, and situation categories, such as StartSituation, StopSituation, and CreateSituation, to facilitate a common understanding of events received from a variety of resources, resource instrumentation, and management infrastructure. These standard categories allow much more robust problem detection, analysis, correlation, and response. WSDM supports notifications using WS-Notifications and WSDM Event Formatted messages. WS-Notification provides the publish-subscription services for Web services architectures. Various filtering methods can be employed to allow managers to subscribe based on categories of events for a resource, such as all metric changes or configuration changes rather than subscribing to each independent property change event. The WSDM Event Format is extensible so that an implementer can map all required fields from the Common Base Event into the WSDM Event. The WSDM 1.0 standard forms a solid foundation on which self-managing autonomic computing systems can be built and takes a major step forward in improving the manageability and robustness of today's IT infrastructures. We have shown that WSDM, and the underlying WS-ResourceProperties specification, provide a significant portion of the autonomic computing touchpoint definition, the essential manageability interface required for autonomic computing. WSDM was developed with the future in mind and is extensible so that autonomic computing platforms can use this standard today. Through WSDM, Web services can now be managed and, equally important, the advantages of Web services technologies can be applied to solving the difficult management integration problem in today's complex, heterogeneous computing environments. Furthermore, with the improved sophistication of management interfaces, technologies such as those resulting from IBM's autonomic computing initiative can help customers enjoy the benefits of self-managing systems using this new standard. - The IBM whitepaper, "An Architectural Blueprint for Autonomic Computing" provides additional background on concepts addressed in this article. - Download the "Systems management in a Web services world: Management Using Web Services -- A proposed architecture and roadmap " whitepaper, which shows you how Web services, leveraging standards, are the key to tie together multiple vendor management system solutions across heterogeneous systems and to begin to simplify the resulting integration challenges. - Key technologies such as IBM's Common Base Event, which was used as the basis for the WSDM Event Format, can improve the ability to correlate events from multiple resources. - Web Services Distributed Management: Management using Web Services (MUWS 1.0), Part 1 is a useful OASIS standard. Part 2 is also available from OASIS. - Heather Kreger has written an excellent introductory article on WSDM titled "A little wisdom about WSDM." (developerWorks, March 2005) - Web Services Resource Properties 1.2 (WS-ResourceProperties) is a working draft from OASIS. - An article on developerWorks that provides a solid foundation for understanding SOA is "Service-Oriented Architecture expands the vision of Web services." (developerWorks, April 2004) - The OASIS technical committees for WSRF, WSDM, and WSN are good resources for developers interested in Web services development. Heather Kreger is a Lead Architect for Web Services and Management in the Standards and Emerging Technologies area. She is currently co-lead of the OASIS Web Services Distributed Management Technical Committee and member of several related DMTF Work Groups. Heather was the IBM the “Web Services Conceptual Architecture,” “WS-Manageability,” and her book “Java and JMX, Building Manageable Systems.” Thomas Studwell is a Senior Technical Staff Member in the IBM Autonomic Computing Architecture organization. Tom is responsible for promoting IBM's Autonomic computing technologies in open industry standards. Tom is a contributing participant in the OASIS Web Services Distributed Management Technical Committee and was responsible for submitting IBM's Common Base Event specification to the WSDM TC. Tom is a member of the IEEE and has a number of patents and publications in computing technologies.
http://www.ibm.com/developerworks/autonomic/library/ac-architect/
crawl-002
en
refinedweb
Wade Mascia, J.D. Meier, Alex Mackman, Blaine Wastell, Prashant Bansode, Andy Wigley, Kishore Gopalan Microsoft Corporation September 2005 This How To shows you how to configure and use protocol transition and constrained delegation to allow your ASP.NET application to access network resources while impersonating the original caller. The Microsoft® Windows® 2000 operating system supports delegation; however, access to downstream servers or services cannot be limited by delegation. The Microsoft® Windows Server™ 2003 operating system provides a more secure form of delegation called constrained delegation. With constrained delegation, you can configure the Microsoft Active Directory® directory service to restrict the services and servers that your ASP.NET application can access with the impersonated. For demonstration purposes, this How To uses protocol transition with forms authentication. In practice, you would use the LogonUser API because you already obtained the username and password. An example of a production scenario for protocol transition is where you use certificates to authenticate users and want to map them to existing Windows accounts. Objectives Overview Scenarios Summary of Steps Step 1. Use an S4U Logon to Create a Windows Token for the Original Caller Step 2. Configure Your Service or Machine account for Constrained Delegation Step 3. Implement and Test Protocol Transition Using Constrained Delegation Through Multiple Tiers Domain Functional Levels Additional Resources. In many situations—for example, if your users access a Web site over the Internet. Note that impersonating a Windows identity to access downstream resources brings a number of advantages, but also some disadvantages. The advantages include the ability to use Windows auditing to track user access to back-end resources, and the ability to implement fine-grained access controls to resources (such as databases) on a per-user basis. The disadvantages include the additional administration required to administer fine-grained access controls and reduced scalability. For many applications, the trusted subsystem model is appropriate; for example, where the Web server authenticates the caller, but then uses a service identity to access downstream resources on behalf of the original caller. This results in reduced administration and improved scalability. For more information on selecting the appropriate authentication model for your application, see Building Secure ASP.NET Applications: Authentication, Authorization, and Secure Communication. The use of protocol transition to access downstream resources relies on two extensions to the Kerberos protocol. Both extensions are implemented in Windows Server 2003. These extensions are: For more information about protocol transition and the related service for user (S4U) extensions to the Kerberos protocol, see Exploring S4U Kerberos Extensions in Windows Server 2003.: Protocol transition is appropriate when a non-Windows authentication mechanism is used by your Web application to authenticate clients. Consider the following scenarios: Note The example in this How To uses forms authentication for simplicity. Follow these steps to use protocol transition and constrained delegation in ASP.NET 2.0 on Windows Server 2003: If your users have Windows domain accounts, but must connect to your Web server from outside the domain or a non-trusted domain (for example, over the Internet), then you cannot use integrated Windows authentication. Instead, you can use a non-Windows authentication mechanism, and then transition to Kerberos as shown in Figure 1. Figure 1. Using an S4U logon to call a database from an ASP.NET application using the caller's identity Create an ASP.NET application and configure it to use forms authentication. Note that instead of forms authentication, you could use any non-Windows authentication mechanism to authenticate the users of your application. To configure a Web site for forms authentication <system.web> ... <authentication mode="Forms"/> <authorization> <deny users="?" /> </authorization> ... </system.web> To create a login form for the Web site <%@ Page Language="C#" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" ""> <html > <head runat="server"> <title>Protocol Transition</title> </head> <body> <form id="form1" runat="server"> <div> <asp:Login </asp:Login> </div> > </form> </body> </html> Add the following code to your application. This code takes the user name supplied in the login form, constructs a UPN in the format userName@domainName, and passes the UPN to the WindowsIdentity constructor. This constructor uses the Kerberos S4U extension to obtain a Windows token for the user. The code then uses the token to begin impersonation. using System.Security.Principal; ... // Obtain the user name (obtained from forms authentication) string identity = User.Identity.Name; // Convert the user name); WindowsImpersonationContext wic = null; try { wic = wi.Impersonate(); // Code to access network resources goes here. } catch() { // Ensure that an exception is not propagated higher in the call stack. } finally { // Make sure to remove the impersonation token if( wic != null) wic.Undo(); } Note In many cases, the UPN is the user's e-mail address, but it does not have to be. For some accounts, it may not be configured at all. The default format for a UPN is userName@DomainName. If you are logged on to a domain, you can display your user name in UPN format by running the command whoami /upn from a command prompt. Whoami is a command-line tool available on Windows Server 2003 and in the in the Support/Tools directory on the Windows XP Professional operating system CD. The type of token generated with the S4U2Self extension determines what you can do with the token while impersonating. You can obtain the following token types: Note This. Note If your process account is part of the TCB, you get an impersonate-level token. To access network resources, you must enable protocol transition in Active Directory. In this case, you can obtain S4U2Proxy tickets on behalf of your client by accessing remote services defined in the A2D2 list. In this step, you configure Active Directory to allow your Web application to use constrained delegation to access a remote database server. If your ASP.NET application runs using the Network Service machine account, then you must enable protocol transition and constrained delegation for your Web server computer. However, if your ASP.NET application runs under a custom domain account, you must enable protocol transition and constrained delegation for the custom domain account. Note If you use a custom domain account to run SQL Server, you must create a service principal name (SPN) for this account. You can do this by using the following command: setspn -A MSSQLSvc/ databaseservername.fullyqualifieddomainname domain\customAccountName If you run SQL Server by using the System account (which is not recommended because of the associated high privileges that an attacker could exploit), an SPN is created automatically for you. For more information about running your ASP.NET application under a custom account, see How To: Create a Service Account for an ASP.NET 2.0 Application. To configure protocol transition for the machine account This procedure assumes that you are running your Web application under the Network Service machine account. Note. If you select Use Kerberos only, constrained delegation works only with Kerberos authentication. If you are using protocol transition to switch from forms authentication (or an alternate non-Kerberos authentication mechanism) to Kerberos, then you must select Use any authentication protocol. Note If you want to delegate to a file on a file share, you need to select the Common Internet File System (CIFS) service. To configure protocol transition for a custom domain account This procedure assumes that you are running your Web application under a custom domain account. setspn -A HTTP/webservername domain\customAccountName setspn -A HTTP/webservername.fullyqualifieddomainname domain\customAccountName Note You can only have a single SPN associated with any HTTP service (DNS) name, which means you cannot create SPNs for different service accounts mapped to the same HTTP server unless they are on different ports. The SPN can include a port number. Note If the Properties dialog box for your account does not have a Delegation tab, this indicates that a service principal name (SPN) does not exist for the user. Create an SPN as explained in step 1, above. In this step, you implement the code necessary to call the database using the identity of the caller. This example assumes the target database is a SQL Server called DBServer, the database server requires Windows authentication and the required database is the Northwind database. Note To allow access to SQL Server, you must create a SQL Server login for each of your application's end users or for a set of groups that the users belong to, and grant them read access to the Northwind database. To implement code that uses the caller's identity <configuration xmlns=""> <connectionStrings> <add name="nwindConnectionString" connectionString= "Data Source=DBServer;Initial Catalog=northwind;Integrated Security=True" providerName="System.Data.SqlClient" /> </connectionStrings> ... </configuration> Using System.Data.SqlClient; Using System.Security.Principal; ... private DataTable CallDatabase() { DataTable dt = new DataTable(); WindowsImpersonationContext wic = null; try { // First, impersonate the original caller wic = ImpersonateEndUser(); // Fetch data from the database using the original caller's // security context using (SqlConnection conn = new SqlConnection()) { conn.ConnectionString = ConfigurationManager.ConnectionStrings ["nwindConnectionString"].ConnectionString; conn.Open(); SqlCommand cmd = new SqlCommand("Select ProductName from Products", conn); SqlDataAdapter da = new SqlDataAdapter(cmd); da.Fill(dt); } } catch { // Do not let the exception propagate higher up the call stack } finally { // Ensure that impersonation is stopped if( wic != null) wic.Undo(); } return dt; } private WindowsImpersonationContext ImpersonateEndUser() { // Obtain the user name (from forms authentication) string identity = User.Identity.Name; // Convert); return wi.Impersonate(); } Note the following points about the preceding code: By default, an identify-level token is returned. You can only use this to check the user's group membership. You cannot access local or remote resources. However, if you configure protocol transition in Active Directory, you can use the token to access specified services on selected servers as defined by the A2D2 list. In this example, after the membership system in ASP.NET verifies the user's password, the Web application converts the user's name into the UPN form and constructs a WindowsIdentity object. If you try to create a WindowsIdentity object for a user that does not exist, the WindowsIdentity constructor generates a System.Security.SecurityException with the message Logon failure: unknown user name or bad password. To test protocol transition and constrained delegation Note By default, the ASP.NET login controls automatically create and configure a SQL Express membership database in the \app_data folder to act as your membership database. For more information about how to use alternate databases, see How To: Use Membership in ASP.NET 2.0. You can use constrained delegation to pass the original caller's identity through multiple application tiers, for example from a Web server to an application server to a database server. In the following intranet scenario, the client's computer is on the same domain as the servers and can communicate directly with the domain controller. As a result, the ASP.NET application is configured for Windows authentication and the Web site is configured in IIS for integrated Windows authentication. The Web server accesses middle-tier business logic exposed by a Web service on an application server. This scenario is shown in Figure 2. Figure 2. Use constrained delegation with or without protocol transition through multiple tiers where the original caller is authenticated with Windows authentication. The key features of this scenario are: To configure the Web server, you need to enable Windows authentication within IIS, configure your ASP.NET application for impersonation, and set the Credentials property of the Web service proxy. To configure your Web server and ASP.NET presentation-tier application <system.web> ... <authentication mode="Windows"/> <identity impersonate="true"/> ... </system.web> // Call the web service passing the original user's credentials DataAccessWS.WebService ws = new DataAccessWS.WebService(); ws.Credentials = CredentialCache.DefaultCredentials; ws.GetData(); To configure the application server, you need to enable Windows authentication within IIS, configure your ASP.NET application for impersonation, and use Windows authentication to access the database. To configure your application server and Web service You must configure Active Directory to allow the Web server application to use constrained delegation to access the Web service on the application server. You must also configure Active Directory to allow the Web service on the application server to access the SQL Server database. To configure constrained delegation for the Web server To configure constrained delegation for the application server Follow the configuration steps described above for the Web server, except restrict access to the MSSQLSvc service on the database server. Note If you are using a custom domain account to run your Web application, Web service or SQL Server, be sure that you have created an SPN for the account. For details about creating an SPN, see "Step 2. Configure Your Service or Machine Account." By default, a Windows Server 2003 domain runs in Windows 2000 mixed mode. You must raise the domain functional level to Windows Server 2003 to use constrained delegation and protocol transition. Note This change is not reversible. To verify the domain functional level To raise the domain functional level to Windows Server 2003.
http://msdn.microsoft.com/en-us/library/ms998355.aspx
crawl-002
en
refinedweb
Pyrex is a language specially designed for writing Python extension modules. According to the Pyrex Web site, "It's designed to bridge the gap between the nice, high-level, easy-to-use world of Python and the messy, low-level world of C." Almost any piece of Python code is also valid Pyrex code, but you can add optional static type declarations to Pyrex code, making the declared objects run at C speed. In some sense, Pyrex is just part of a growing family of Python-like languages: Jython, IronPython, Prothon, Boo, Vyper (now-defunct), Stackless Python (in a way), or the Parrot runtime (in another way). In language terms, Pyrex is essentially just Python with type declarations added in. The few other variations on the language do not amount to that much (although the extension to the for loop does have an elegance to it). The reason you actually want to use Pyrex, however, is to write modules that run faster -- maybe a lot faster -- than pure Python can possibly run. Internally, Pyrex generates a C program out of a Pyrex one. The intermediate module.c file remains available for hand tweaking, in the unlikely event you need to do that. For "normal" Pyrex users, however, there is no reason to modify the generated C module. Pyrex itself gives you access to all the C-level constructs that are most important for speed, while saving you from all the C gotchas of memory allocation and deallocation, pointer arithmetic, prototypes, and so on. Pyrex also seamlessly handles all the interfacing with Python-level objects; mostly it does this by declaring variables as PyObject structures where necessary and using Python C-API calls for memory handling and type conversions. For the most part, Pyrex runs faster than Python by avoiding the need to continuously box and unbox variables of simple data types. An int in Python, for example, is an object with a bunch of methods. It has a tree of ancestors, itself having a computed "method resolution order" (MRO). It has allocators and dellocators for memory handling. And it knows when to promote itself to a long, and how to enter into numeric operations with values of other types. All those extra capabilities mean many levels of indirection and many more conditional checks when you do things with int objects. On the other hand, a C or Pyrex int variable is just a region in memory with some bits set to ones or zeros. Doing something with a C/Pyrex int does not involve any indirection or conditional checks. A CPU "add" operation is just performed in silicon. In well-chosen cases, a Pyrex module can run 40-50 times faster than a Python version of the same module. But in contrast to writing the module in C, per se, the Pyrex version will hardly be any longer than the Python version, and the code will look much more like Python than like C. Of course, when you start talking about making Python(-like) modules fast, Pyrex is not the only tool there is. Psyco also lives at the back of every Python developer's mind. Psyco -- to keep it very short -- is a just-in-time (JIT) compiler of Python code into (x86) machine code. Unlike Pyrex, Psyco does not exactly type variables but rather creates several speculative machine code versions of each Python block based on each hypothesis about what the data types might be. If the data turns out to be of a simple type such as int for the entire run of a given block, that block (especially if it loops) can run very quickly. So, for example, x can be an int within a loop that runs a million times but still be assigned a float value at the end of the loop. Psyco happily speeds up the million iterations by using essentially the same (speculative) unboxing that you can specify explicitly with Pyrex. Although Pyrex is not difficult either, Psyco is childishly simple to use. Using Psyco amounts to nothing more than putting a few lines at the end of your module; in fact, if you use the right lines, the module will run identically (except more slowly), even when Psyco is not available: Listing 1. Using Psyco only if available To use Pyrex, you do need to change a bit more in your code (but only just a bit), and you also need to have a C compiler available and properly configured on the system on which you generate the Pyrex module. You can distribute binary Pyrex modules, but for your module to work elsewhere, you must match the Python version, architecture, and optimization flags that the end user needs. A (naive) first try for speed I recently created a pure-Python implementation of hashcash for the developerWorks article Beat spam using hashcash, but basically, hashcash is a technique for proving CPU work using SHA-1 challenges. Python has a standard module sha, which makes coding hashcash relatively simple. Unlike 95 percent of the Python programs I write, the slow speed of my hashcash module bothers me, at least a little bit. By design, the protocol is meant to eat CPU cycles, so runtime efficiency really does matter. The ANSI C binary of hashcash.c runs about 10 times as quickly as my hashcash.py script. Moreover, the brilliantly optimized PPC/Altivec-enabled binary of hashcash.c runs another four times as fast as the generic ANSI C version (a G4/Altivec at 1 Ghz easy outpaces a Pentium4™/MMX at 3 Ghz in hashcash/SHA speed; a G5 is that much faster still). So testing on my TiPowerbook shows my module to be an embarrassing 40 times slower than the optimized C version (although the gap is far less on x86). Because the module runs slowly, maybe Pyrex would be a good candidate for speeding it up. At least that was my thought. The first thing I did in "Pyrex-izing" hashcash.py (after installing Pyrex, of course) was to simply copy it to hashcash_pyx.pyx and try processing it like this: Running this command happily generates a file hashcash.c (once a few minor changes are made to the source file). Unfortunately, getting the gcc switches just right for my platform was a bit trickier, so I decided to take the recommended shortcut of letting distutils figure it out for me. A standard Python installation knows how to work with the local C compiler during module installations, and using distutils makes sharing a Pyrex module easier. I created a setup_hashcash.py script as follows: Listing 2. The setup_hashcash.py script Running the following line fully builds a C-based extension module, hashcash: I slightly overstated the ease I experienced in generating a C-based module out of hashcash.pyx. Actually, I had to make two changes to the source code; I found the locations by looking at where pyrexc complained. I used one unsupported list comprehension in my code, which I had to unroll into a regular for loop. Simple enough. I also had to change one augmented assignment from counter+=1 to counter=counter+1. That's it. That was my first Pyrex module. To easily test the speed of the incrementally improving modules I planned to develop, I wrote a small test harness to run different versions of the module: Listing 3. Test harness, hashcash_test.py Excitedly, I decided to see just how much speed improvement I got just by compiling via Pyrex. Note that in all the samples below, the actual time varies widely and randomly. The figure to look at is the "hashes per second," which pretty reliably measures speed. So comparing native Python with Pyrex: Listing 4. Native Python versus "barely Pyrex" Oops! It went almost 20 percent slower by using Pyrex. Not really what I was hoping for. It's time to start analyzing the code for speed-up possibilities. Here's the short function that takes substantially all the time: Listing 5. Worker function in hashcash.py I need to take advantage of Pyrex variable declarations to get a speedup. Some variables are obviously integers, and others are obviously strings -- I'll specify that. And while I'm at it, I'll use Pyrex's enhanced for loop: Listing 6. Minimally Pyrex-enhanced minter Pretty easy so far. I have just declared some variable types that I clearly know, and I used the cleanest Pyrex counter loop. A little trick is assigning py_digest (a Python string) to digest (a C/Pyrex string) in order to type it. Experimentally, I also found that a looping string comparison is faster than taking a slice. How much does all of this help? Listing 7. Pyrex-ized speed results for minting This is better. I've managed a slight improvement from native Python, and a pretty good improvement over my initial Pyrex module. Still nothing very impressive though -- a few percent gain. Something seems wrong here. Gaining a few percent in speed differs from gaining 40 times like the Pyrex home page -- and many Pyrex users -- boast about. It's time to see where my Python _mint() function is actually spending its time. A quick script (not shown) breaks out just what is going on in the complex compound operation sha(challenge+hex(counter)[2:]).hexdigest(): Listing 8. Timing aspects of hashcash minting Clearly, I cannot eliminate the loop itself from the _mint() function. Pyrex's enhanced for probably speeds it up slightly, but the whole function is mainly the loop. And I cannot get rid of the call to sha() -- at least not unless I am willing to reimplement SHA-1 in Pyrex (I am far from confident that I could do better than the writers of the Python standard sha module even if I did this). Moreover, if I hope to get an actual hash out of the sha.SHA object, I have to call .hexdigest() or .digest(); the former is slightly faster, too. All that is really left to address is the hex() conversion on the counter variable, and perhaps the slice taken from the result. I might be able to squeeze a little bit out of concatenating Pyrex/C strings rather than Python string objects, too. The only way I see to avoid the hex() conversion, however, is to manually build a suffix out of nested loops. Doing this can avoid any int->char conversion, but also makes for more code: Listing 9. Fully Pyrex-optimized minter This Pyrex function still looks quite a bit easier to read than the corresponding C function would, but it is certainly more complicated than was my naively elegant pure-Python version. By the way, unrolling the suffix generation in pure Python has a slightly negative effect on overall speed versus the initial version. In Pyrex, as you would expect, these nested loops are pretty much free, and I save the cost of conversion and slicing: Listing 10. Optimizing Pyrex-ized speed results for minting Better than I started with, certainly. But still well under a doubling of speed. The problem is that most of the time was -- and is -- spent in calls to the Python library, and nothing I might code around those calls prevents or speeds them up. A disappointing comparison Getting a speedup of 50 to 60% still seems worthwhile. And I have not done that much coding to get it. But if you think about adding the two statements import psyco;psyco.bind(_mint) to the initial Python version, this speedup does not seem so impressive: Listing 11. Psyco-ized speed results for minting In other words, Psyco does almost as much with just two generic lines of code. Of course, Psyco only works on x86 platforms, whereas Pyrex will work anywhere that has a C compiler. But for the particular example at issue, os.popen('hashcash -m '+options) will still be many times faster than either Pyrex or Psyco will get you (assuming the C utility hashcash is available, of course). In the best case, Pyrex can indeed produce quite fast code. For example, the Pyrex home page prominently features a numeric-intensive function for calculating a list of initial prime numbers. All operations involved are performed on integers, so type declarations can speed up the algorithm quite substantially. This Pyrex function just barely differs from pure Python -- just a few declarations added: Listing 12. Pyrex function for finding primes I also wrote the same function as actual Python, basically just by taking the declarations back out. Running the Pyrex and Python versions, and also a Psyco-ized Python version gives these times: Listing 13. Times for finding primes in Python, Psyco, and Pyrex So, in the best case, Pyrex does a lot better than Python, and still quite significantly better than the Psyco speedup. I have a hunch, however, that I might be able to improve Psyco's speed by fiddling with some algorithm details. Even so, Pyrex almost certainly represents the best you can do for this type of problem. The generated C code looks almost exactly the same as what you'd write if you simply started with C. There are a few things that Pyrex does quite well. For code that works with simple numeric or character data in tight loops, Pyrex can produce significant speedups, maybe 50 times the speed in best cases. If a Python application encounters a significant bottleneck in numeric functions, creating Pyrex versions of those functions is very sensible. But the cases where you find significant gains are relatively constrained. Code that spends most of its time making library calls is just not going to benefit that much from Pyrex speeding up incidental loop overhead. Moreover, in many cases, a generic two lines enabling Psyco can produce an improvement similar to what you get though a moderate degree of rewriting from Python into Pyrex. Pyrex code is easy to write, but you have to write it, unlike with Psyco. I will note that the efforts with hashcash in this article are not the best you might do. I am confident that (with much more work) it would be possible to modify the Python sha module a bit to enable direct calls to the C-level interface, thereby avoiding the Python-level calling overheads. It might also be possible to find some other optimized SHA-1 implementation in C. Pyrex code is perfectly able to utilize external C code, and calling a sha() function written in C will be faster than boxing and unboxing it in Python objects and namespaces. But then, it is not clear why this is worthwhile, given a quite good existing C implementation of hashcash. Another option to think about, however, in writing specialized numeric functions using Pyrex is whether Numerical Python might be a suitable tool for your work. The numeric package is fairly general, and quite fast for what it does. Using numeric does not involve any non-Python code for its end user, just calls to appropriate library functions. The coverage of numeric is certainly not identical to those functions that can benefit from Pyrex, but there is certainly some overlap. - Visit the Pyrex Web site for manuals and a tutorial, as well as the module itself. - Get more info on Psyco in David's Charming Python installment Make Python run as fast as C with Psyco (developerWorks, October 2002). - Learn more about David's pure-Python implementation of hashcash in Beat spam using hashcash (developerWorks, November 2004). - Download the Python module that David wrote, hashcash.py. - David's Charming Python installment on Numerical Python (developerWorks, October 2003) covers Numarrayand Numeric. - For more on Python, read the author's Charming Python columns on developerWorks. - Find more resources for Linux™ developers in the developerWorks Linux zone. -. - See the latest development techniques and products in action at the complimentary IBM developerWorks Live! technical briefings. If you're new to Linux, take a look at the half-day technical briefing on Migrating and developing new applications for Linux. - Further build your development skills with On demand demos and On demand Webcasts. - Join the developerWorks community by participating in developerWorks blogs. - Browse for books on these and other technical topics. David Mertz has a slow brain, and most of his programs still run slowly. For more on his life, see his personal Web page. He's been writing the developerWorks columns Charming Python and XML Matters since 2000. Check out his book Text Processing in Python.
http://www.ibm.com/developerworks/linux/library/l-cppyrex.html
crawl-002
en
refinedweb
Want more? Here are some additional resources on this topic: In this walkthrough, you will use the Visual Studio integrated development environment (IDE) and the various wizards to create the same ATL COM server. On the File menu, click New, and then click Project. The New Project dialog box appears. In the Project Types pane, click Visual C++, and in the Templates pane, click the ATL Project icon. In the Name box, enter MyServer. Click OK. The ATL Project Wizard appears. Click Application Settings. You will see that the Attributed check box is not selected by default. Click the check box to select it. Click Finish to close the wizard and generate the project. The result is an inproc ATL COM server without any server objects. On the Build menu, click Build Solution. Building the project successfully registers the server with the operating system. In Solution Explorer, right-click the MyServer project On the shortcut menu, click Add, and then click Add Class. The Add Class dialog box appears. In the Templates pane, click the ATL Simple Object item and click Open. The ATL Simple Object Wizard appears. In the Short Name text box, enter Object1. Click Finish to accept the remaining default values. In Class View, right-click the IObject1 node. On the shortcut menu, click Add, and then click Add Property. For Property type, enter SHORT. For Property name, enter GetANum. Click Finish. In the body of the get_GetANum method of CObject1, replace the comment with the following code: *pVal= 101; On the Build menu, click Build Solution. In Solution Explorer, right-click the solution node and select Add, then select New Project. In the Project Types pane, click Visual C++, and in the Templates pane, click the Win32 Project icon. In the Name text box, enter COMTest. The Win32 Application Wizard appears. Click Application Settings and select Console application. Click Finish to close the dialog box and generate the project. In Solution Explorer, double-click the COMTest.cpp. Replace the default code with the following: #include "stdafx.h" #include <iostream> #include "atlbase.h" #import "..\MyServer\_MyServer.tlb" no_namespace using namespace std; struct OleCom { OleCom() { CoInitialize(NULL);} ~OleCom() { CoUninitialize(); } }olecom; int _tmain(int argc, _TCHAR* argv[]) { CComPtr<IUnknown> spUnknown; spUnknown.CoCreateInstance(__uuidof(CObject1)); CComPtr<IObject1> pI; spUnknown.QueryInterface(&pI); short res = 0; pI->get_GetANum(&res); cout << res << endl; return 0; } At the command line, change to the COMTest\Debug directory. Run the application by entering the following command: comtest You will see the integer value being printed. Perhaps something is different in Visual Studio 2005 SP1. When I get to step 2 of "To add and implement a server object": ATL classes can only be added to MFC EXE and MFC Regular DLLprojects or project with full ATL support. projects or project with full ATL support. Line 13:spUnknown.CoCreateInstance(__uuidof(CObject1));but correct is:spUnknown.CoCreateInstance(__uuidof(Object1));
http://msdn.microsoft.com/en-us/library/dssw0ch4(VS.80).aspx
crawl-002
en
refinedweb
Eric CherngVertigo Software, Inc. James DuffVertigo Software, Inc. Dino ChiesaMicrosoft Corporation October 28, 2004 Intended audience: Architects and Developers Download the Interoperability Sample for this article IntroductionInteroperability Sample ContentsPrerequisites and Required SoftwareWhy Web Services?Web Service 1: AdditionWeb Service 2: Ratings and ReportsWeb Service 3: Product SearchConclusionRecommendations/TipsAcknowledgementsUseful Links As Web service adoption increases, vendors are striving to add more features and standards into their frameworks to enable richer and more robust communication between systems. As organizations spend more time and money investigating how best to leverage Web services and its enabling technologies, they should be aware of the strengths and limitations of the technologyspecifically, those related to developer agility, maintainability and interoperability. This paper specifically focuses on interoperability and takes as a starting point, interoperability between the Microsoft .NET Framework and IBM WebSphere via Web services. The goal of this whitepaper and the accompanying sample is to show developers of each platform how to integrate with the other platform. More specifically we will look into Microsoft's .NET Platform and IBM's WebSphere Platform. The samples demonstrate basic techniques and principles that are reusable across all projects where cross-platform interoperability via Web services is required. The sample contains: The techniques and concepts discussed in this article are general, and apply to connecting platforms from any two vendors. However the samples were developed and tested only with the pairing of the Microsoft .NET Framework and the IBM WebSphere SDK for Web Services. This interoperability article (and the related sample) assumes that the reader is familiar with the basics of both the .NET Framework and ASP.NET and the IBM WebSphere Application Server. Web Service 1 is for developers who have never created Web services before or who have not experienced both platforms. Even if you are familiar with Web services and both platforms involved we recommend that you at least review the Web Service 1 documentation as it contains useful hints and tips that are not covered in Web Services 2 and 3. The following software was used to create and test the samples. If you do not have any of the Java software, it is crucial that you install the required software in this order: Web services as an application technology have been with us for many years. Long before organizations and companies created the standards for Web services, Business Analysts, Architects and Software Engineers realized that their company's data was spread across many systems that needed to talk to each other. Previous attempts to link applications together using RPC based technologies such as RMI, DCOM, and other platform-specific inter-connection mechanisms had typically failed due to the wide variety of vendors and platforms that were in use across organizations. These approaches also failed as they were not suited to Internet use where responses could be slow or non-existent. The alternative approaches using message queues, PUT/GET verbs, and manual message marshalling had problems with maintainability and programmer productivity. Hence, developers turned to using some common standards and protocols, namely XML and HTTP. When engineers started building applications that talked to each other, XML was chosen because of its ubiquitous use and support across all platforms. HTTP was chosen due its wide adoption and its ability to traverse firewalls. Vendors such as Microsoft and IBM started building frameworks to support these development efforts and to make the job of the developer easier. The frameworks achieve this by removing the burden of XML serialization and de-serialization and by providing the common infrastructure pieces such as the code required to make connections between systems. With the birth of Web services came the promise of simpler, easier integration between heterogeneous systems and applications. Vendors, using Web services as a catalyst, are now rallying around the concept of Service Oriented Architecture where individual solutions, which may still be built (justifiably) using proprietary RPC protocols such as RMI and DCOM, can be connected together to enable real time data to flow across the enterprise. So the benefits and potential for integration exists, but, in practice, most developers find that creating interoperable Web services is quite a challenge. There are many hidden dangers in creating even the simplest of Web services, such as conflicting types or unsupported features. Our first sample will show you one example of an interoperable Web service and walk you through the process of designing and creating such a Web service. The first sample demonstrates the basics of interoperable Web service. It is a simple addition Web service that accepts two integers from the client and returns the sum of the two numbers. The following high-level diagram depicts what the architecture of this Web service looks like: Figure 1. High-level architecture of Web Service 1 The most common approach when building Web services, and the one demonstrated most often and supported best by tools, is to "infer" a Web service interface from an existing implementation. A developer might write: public int Add(int x, int y) { return x+y; } In ASP.NET, exposing this as a Web service is as simple as adding a WebMethod attribute to the code. This approach is often called "Implementation First" or "Code First", because the Web service interface, formally described in a Web Service Description Language (WSDL) document, is derived from the implementation. Figure 2. Implementation First Web service development With the Implementation First Web service development approach, you start off by writing code for your Web service (see #1 in Figure 2). After you compile, the Web services framework uses your code to dynamically generate a WSDL file (see #2). When clients request your Web service definition, they retrieve the generated WSDL and then create the client proxy based on that definition (see #3). For example, in ASP.NET, the WSDL can be dynamically generated from an implementation with the URL like so: When the .NET runtime detects the WSDL parameter in the request, it uses reflection on the code decorated with the WebMethod attribute to dynamically generate an operation in the WSDL file to describe the underlying service. WebMethod This implementation approach works very well and is quite simple, but can introduce a few problems, especially in scenarios where the Web service is used to connect heterogeneous systems. For example, in the Implementation First approach it is possible to include platform-specific types in the Web service. .NET DataSets and Java Vectors are platform specific types that can't be represented easily in other platforms. This is because there is currently no single well-defined mapping between such platform-specific types and XML. Just because a .NET client can recognize a blob of XML as a Dataset, it doesn't mean a Web service client written in Java can do the same. Interoperability problems arise as a result. The W3C XML Schema standard defines a number of built-in data types, among them string, integers of various sizes, Boolean, single- and double-precision floating point, dateTime, and others. Each application platform also supports a set of its own data types. The intersection of these data type sets defines the types that will be most interoperable across different platforms. If you start with XML Schema types, it is easy to map to platform types, but if you start with platform types there may not always be a mapping to an XML Schema type. For example, XML Schema integers, strings, Booleans, and float all map nicely to the corresponding data types in .NET or Java. However, Vectors and Hashtables are native types to individual platforms and are not part of the XML schema official types. See the XML Schema data types specifications for more information on the supported data types. Most Web services runtimes (including the one built-in to the .NET Framework and the WSDK) can map between these XML Schema primitives and platform-specific primitives, i.e. a string in XML Schema maps to a System.String in .NET, and to a java.lang.String in Java. Using the XML Schema primitives, as well as structures and arrays built from those primitives, it is possible to construct more complex data types, described in XML Schema, that can be mapped with high-fidelity from one platform to another. These data types can then be employed in WSDL documents for use in the Web service. System.String java.lang.String This is the core of what is known as the "WSDL first" design: by using XML Schema types to define the data types used in the Web service you increase the probability that you will use data types that can be mapped from one platform to another. The WSDL First approach is also sometimes called the "Schema First" approach. Even though the two terms are typically used interchangeably, there is actually a small distinction between the two terms. What we are advocating in this paper is that architects and developers consider building up the contract using WSDL definitions before they build the underlying code to support the service. To build the WSDL file developers can either create XML Schema definitions that are specific to the interface they are used with, "WSDL First" design, or they can use XML Schemas that are already defined within their application domain, "Schema First" design. This paper will use the "WSDL First" terminology. Figure 3. WSDL First Web service development The challenge with the WSDL First approach is that current tools in production today do not promote this practice. It's definitely possible, but not easy. Visual Studio provides a Schema editor and an XML editor, but no WSDL editor. Eclipse also does not include a WSDL editor. Fortunately both environments do provide a capability to generate Web service skeleton code, in addition to client-proxy code from a WSDL file. You can use any tool to create your own WSDL file including VI and Notepad. Instead of directly editing the text, you can also use specialized tools, such as Altova's XmlSpy, that have WSDL designers to help with the task. However, even this may not be a solution as many developers are not able to "think in WSDL." One solution to this problem is to quickly prototype a Web service interface using the Implementation First approach. We use the dynamic WSDL generation features of ASP.NET, or IBM WSDK, to create a template WSDL file. Then we can begin development using the WSDL First approach, tweaking the interface as required. This process iterates until the WSDL is final. As you can see from Figure 3 above, there are three high-level steps for creating Web services using the WSDL First approach: Sub-steps A and B of step 2 can be done in any order you wish. Because both depend on the WSDL document, it is only important that the WSDL document be created first before A or B is done. The rest of this section will walk through the steps to developing the first Web service sample following the WSDL First process. The complete source code for this sample can also be found in the download accompanying this paper. Before we go into the WSDL First approach of creating Web services we will look at the Implementation First development model in Visual Studio .NET. The reason that we are demonstrating this method first is that creating a WSDL file from scratch is hard. Using the WSDL file generated from the Implementation First approach to "jump-start" the development process is a much simpler alternative given the tools at our disposal. Imagine having to type this all out by hand: <?xml version="1.0" encoding="utf-8"?><definitions xmlns: > </s:schema> </types> <message name="AddSoapIn"> <part name="parameters" element="s0:Add" /> </message> <message name="AddSoapOut"> <part name="parameters" element="s0:AddResponse" /> </message> <portType name="Service1Port"> <operation name="Add"> <input message="s0:AddSoapIn" /> <output message="s0:AddSoapOut" /> </operation> </portType> <binding name="Service1Soap" type="s0:Service1Port"> <soap:binding <operation name="Add"> <soap:operation <input> <soap:body </input> <output> <soap:body </output> </operation> </binding> <service name="Service1"> <port name="Service1Soap" binding="s0:Service1Soap"> <soap:address </port> </service></definitions> Of course for the WSDL-wiz, this exercise is trivial, but for the rest of us, it would take forever to learn the 51-page WSDL specifications. This is why we use the Implementation First to start off because writing code to create a Web service is the simplest method for developers. First create a C# ASP.NET Web Service project in Visual Studio .NET. Name the project WebService1WSDL. Figure 4. Visual Studio .NET New Project dialog box Next, open the code for Service1.asmx. Uncomment the HelloWorld method and replace the method with this one: [WebMethod]public int Add(int x, int y) { return -1;} Figure 5. Implementation First Web service code Build the project and make sure there aren't any errors. Next, right click on Service1.asmx and set the page as the start page. You can now press F5 and view the Web service test page as shown in Figure 6. Figure 6. Web service test page It's important to realize that the ASMX file is the actual Web service. The page you are looking at is generated by the framework to document the Web service, and to allow the developer to test the Web service without having to manually create a client application. The test functionality is only available when you view the page locally, and does not work for Web services that take complex data types as input parameters. For security reasons, you should remember to disable this test page once you deploy your Web service to a production machine. Next, click on the Service Description link on the top right side of the page. This will open another web page showing you the generated WSDL for your service. The WSDL generation function is always available unless you specifically disable it. Save the generated WSDL to a file on your local drive and name it WebService1.wsdl. Figure 7. Framework generated WSDL file You have just created a WSDL file, without having to learn any WSDL specifications! Another important tip here is that since we generated the WSDL file from this temporary project, the location of the Web service in the WSDL document is hard coded to point to this temporary project. While this does not affect the Web service, the clients that use this WSDL file will use this reference as the location of the Web service. Thus, it is important that you change this value before deploying this WSDL file to our web site. We will change this reference later once we know the actual location of our Web service. If you forget to change this location and client applications have already been built, you can still fix the reference by modifying the location that client references point to. Both .NET and WebSphere Web service client proxies allow setting a URL property. This is also useful when moving from development to production where the final end point of the service is the only thing you want to change. Since the Web service we're building is simple, our generated WSDL file does not require any more tweaking. The next step is to create the actual .NET Web service. Using the WSDL generated in the previous step, we will now create a new .NET Web service. In order to go from the WSDL file to a source code file, we will use a console application called wsdl.exe to generate the code. This tool will parse a WSDL file and any other external files to create a single source code file containing all classes, methods, and types required to implement our Web service. Wsdl.exe is installed along with Visual Studio .NET 2003 (and the .NET SDK). To use the tool, you will need to open the Visual Studio .NET 2003 Command Prompt, which is by default located in the Start menu, All Programs, Microsoft Visual Studio .NET 2003, Visual Studio .NET Tools. Once open, navigate the command prompt to where you previously saved WSDL file. Execute the following command to have wsdl.exe generate our Web service source file. wsdl.exe /server WebService1.wsdl Figure 8. Visual Studio .NET 2003 Command Prompt executing wsdl.exe Notice that the utility outputs a message indicating that Service1.cs has been successfully created. This file will be the starting point for our Web service. The file generated by wsdl.exe is only a template of the method that we want to implement; hence, it needs to be modified in order to work properly. The current wsdl.exe command always generates an abstract class for the Web service when it is executed with the /server option. We'll convert this to a concrete class by removing the abstract keyword and providing an implementation for the Add method. We will also put the class in the WebService1 namespace. The resulting code looks like the following: /server abstract Add WebService1 namespace WebService1 { /// <remarks/> [System.Web.Services.WebServiceBindingAttribute(Name="Service1Soap", Namespace="")] public class Service1 : System.Web.Services.WebService { /// <remarks/> [System.Web.Services.WebMethodAttribute()] [System.Web.Services.Protocols.SoapDocumentMethodAttribute( "", RequestNamespace="", ResponseNamespace="", Use=System.Web.Services.Description.SoapBindingUse.Literal, ParameterStyle= System.Web.Services.Protocols.SoapParameterStyle.Wrapped)] public int Add(int x, int y) { int result; result = x + y; return result; } }} You might wonder, why not just subclass the generated abstract class, instead of converting it to a concrete class? There's a good reason. The wsdl.exe tool generates code that is decorated with attributes that are used by .NET's XML serializer and Web services runtime to map from objects to XML and back. For example, an attribute in our example uses the namespace for the generated XML document. These attributes are not inherited by subclasses. Therefore, sub-classing the abstract class, we would need to cut-and-paste all of these attributes on our concrete class. So instead of duplicating all the attributes by hand, it is simpler to just edit the file directly. Of course, this means that if the WSDL changes, you will need to regenerate the source code for the WSDL file, and if not done carefully, this process may erase all our existing code. You will have to manually copy the Web service implementation code from your old file to the new file. Now that we have the Web service source code ready, it is time to create our Visual Studio solution. Create a new Visual Studio .NET C# ASP.NET Web Service project and give it the name WebService1. Once you have your project created, copy the Web service implementation code Service1.cs created earlier to the directory where Visual Studio generated the Web service files. This is usually in c:\inetpub\wwwroot\WebService1. Figure 9. Windows Explorer showing the Web service project files The sample Web service, Service1.asmx, was generated as a part of the Visual Studio project wizard. Since the wsdl.exe command only generates the template implementation code and not the entry point (the ASMX) file, we want to reuse the VS generated Service1.asmx instead of creating our own. However Service1.asmx already has a corresponding source file. An easy way to combine the ASMX file with our implementation code is by simply deleting the implementation code generated by VS (Service1.asmx.cs) and renaming our implementation code to that. Make sure that Service1.asmx and Service1.asmx.cs are not open in Visual Studio before you do this. So, delete the current Service1.asmx.cs and then rename our Service1.cs to Service1.asmx.cs. To verify that the code transplant worked, select Service1.asmx in Solution Explorer in Visual Studio and click the View menu, and then click Code. You should now see the template code with the Add method implementation we modified earlier displayed in Visual Studio .NET. Finally, to test that the Web service is working properly, right click on Service1.asmx and click Set As Start Page. Then go to the Debug menu, and click on Start to build the project and to open Service1.asmx in your browser. Verify that your Web service works correctly using the test page. Figure 10. Web Service Add test page Figure 11. Response from the Web service of adding 12 and 45 To wrap up the .NET Web service, we now need to go back to the original WSDL document to make some minor changes. As mentioned before, the WSDL document is currently pointing at our temporary project Web service. Now that we have finished creating our real Web service, we can modify the location reference to point to this Web service. You can do this by opening up the original WSDL document and then replacing the soap:address element's location attribute to point to the location of this new Web service. The new soap:address element should look similar to the following: <port name="Service1Soap" binding="s0:Service1Soap"> <soap:address</port> Figure 12. Location of Web service being modified in the WSDL file This concludes building a .NET Web service using the WSDL First approach. Next, we will build the WSDK Web service client to consume this .NET Web service. Now that we have a Web service implemented, it's time to create a client to consume the Web service. Since this paper is about interoperability, we will consume the .NET Web service using a JSP page running within IBM's WebSphere Application Server. Start Eclipse and create a new Dynamic Web Project. Give it the project name WebServiceClient1 and name the EAR project file WebServiceClient1Ear. Figure 13. Eclipse showing the WebServiceClient1 project Next, add the WSDL file to the WebServiceClient1 project. You can do this by dragging and dropping the file directly into the project in the Eclipse Navigator pane. Now we want to generate a Java proxy for the Web service. Similar to how Visual Studio .NET creates a proxy class when adding a web reference to a project, the WSDK Tools will create a set of Java files that make calling the Web service easier than manipulating the network stream directly. Because we had already added the WSDL document in the project, you can create the proxy by right clicking the WSDL document, point to the Web Services menu, and then click on Generate Client. This will bring up the WSDL to Java Bean Proxy wizard as shown below in Figure 14. Figure 14. WSDL to Java Bean Proxy wizard In the first dialog, make sure to check the Test the generated proxy check box. This will generate the test JSP page (similar to the test page generated from Service1.asmx when creating the Web service in Visual Studio) that we will use to verify the proxy classes generated. The default options for the rest of the wizard will work so click Finish. After Eclipse completes generating all the necessary files, the following test page is displayed in the Eclipse main window. Figure 15. Eclipse IDE showing the test JSP page Click on add(int,int) in the Methods pane and provide 2 numbers to be added in the Inputs pane. You should see the sum of your 2 numbers in the bottom Result pane. Behind the scenes, this JSP page is calling the Web service proxy class, generated earlier by the WSDK Web service wizard, to call our .NET Web service. Because we had changed the Web service location reference in the WSDL document, our Java client knows exactly where to find the Web service we created in step 2 earlier. If the displayed sum of your 2 numbers is correct, then this successfully verifies that the Java proxy was generated properly and is actually talking to the .NET Web service. add(int,int) Another method to verify the connection between service and client is to set a break point in the Web service code in Visual Studio .NET and then run the service in debug mode. In the Java side, once you execute the add function in the JSP page, you should see Visual Studio .NET stop the execution of the Web service and break at the point you specified. At this point, we have verified that the Java proxy class generated from the WSDL is functioning properly. We also used the test page generated by the WSDK wizard to test calling the .NET Web service from Java. Since both are working properly, this completes both the .NET Web service and the Java Web service client demo of Web Service 1. Though we do not describe in detail the steps for creating the .NET Web service client and the Java Web service server, the sample code accompanying this article does include implementations of both server and client, in both .NET and Java. If you want to generate these yourself, you can find other tutorials for those steps. The second sample builds on the first by creating a Web service that uses a much more complex data schema. Our goal for this sample is to show interoperability between .NET and WebSphere when using complex data types. In the schema for this sample, there is a combination of complex types, simple types, enumerations, restrictions, arrays, and types that inherit from other types in addition to the standard XML Schema types. The differences between the two platforms and the issues in developing interoperable Web services are more apparent in this sample because of this increased complexity. The company, Stuff Sellers, sells various products to various business types. Each business is allowed to submit reviews of the products they buy. Web Service 2 takes the scenario of a ratings service that allows users to submit a report for a given rating or to obtain a list of all reports for a given rating identified by a number. In this case a report can be seen as analogous to a review and the sum of the reviews is used to generate the final rating. The following diagram depicts the high level elements of the data schema. Figure 16. Main elements of Web Service 2 data schema The top level element is Ratings. Each Ratings element contains an array of ReportSet elements (encapsulated in the ReportSetArray type). Then each ReportSet element contains an array of Report elements (encapsulated in the ReportArray type). All three of these top level elements are data types that inherit from the MyBase type. To see the actual XML Schema definition for this data schema, refer to the WebService2SharedTypes.xsd file in the samples download. As is the case with WSDL, there are two ways to generate an XML Schema. The first is to manually design the schema using a schema designer (in the case of XML Schema, Visual Studio does include a designer). The second is to infer the schema from an existing .NET type, using the xsd.exe utility. And as with WSDL, these two techniques can be combined in an iterative approach to tweak a schema so that it looks just right. In some cases, the data schema has been previously defined, and exists independently of the Web service implementation or interface. This may be the case when you are assigned to create a Web service based on the design of a current system. Whether you create the schema or are provided with an existing one, the data schema should be described in a selfstanding XML Schema XSD file, to allow for modularity and re-use. The following is a class diagram depicting the XML Schema defined in the data schema for this Web service. In the same code, the schema is defined in the file WebService2SharedTypes.xsd. The code generated from the data schema (the XML Schema file) on each platform should follow a class structure similar to this diagram. Figure 17. Class diagram of the data schema in Web Service 2 In the first Web service, we used the .NET Framework to generate the initial template WSDL file. Because our Web service was simple, that was the only step we needed to do to create the WSDL. Unfortunately, this Web service is not as simple and thus requires some manual tweaking. Including references to our data schema, changing the namespace, and creating the proper messages for the portTypes are just some of the changes we had to make to the template WSDL file in order to maintain interoperability. portTypes The WSDL document for this Web service defines two operations: GetRatings and SubmitReport. GetRatings returns a Ratings type if the ID provided matches a given rating. The SubmitReport operation is used by clients to submit a new Report associated with a specific Ratings and ReportSet. You can see the WSDL definition of these operations in WebService2.wsdl in the samples download. Ratings There are two ways to include XML Schema definitions in WSDL files: you can define the schema inline in the WSDL file or by referencing your XML Schema files in your WSDL file using the xsd:import element. Because inline definitions are part of the WSDL file, they are simple to maintain. However, since a data schema describes data and not the Web service interface, and is sometimes used independently of the web service interface, it is more logical to separate the two definitions into two separate files. If your Web service is simple and doesn't require many complex data types, then inline schema will work fine (as in Web Service1), but in general most Web services should separate the data schema from the Web service definition. In this Web service, we decided to use the xsd:import method to reference the external XML Schema file, WebService2SharedTypes.xsd from the WSDL file, WebService2.wsdl. In the WSDL file, it looks like this: <types> <xs:schema <!-- Import the Shared Types --> <xs:import <!-- Import the Message Parameters --> <xs:import </xs:schema> </types> . . . To create the Web service template code in .NET, run wsdl.exe with the following parameters: wsdl.exe WebService2.wsdl WebService2Interface.xsd WebService2SharedTypes.xsd Notice that wsdl.exe requires the input WSDL file and all of the included XSD files to be specified on the command line together. When importing an XSD into a WSDL, it is possible to provide a schemaLocation attribute. According to the WSDL specification, this attribute serves as a "hint" for the location of the schema, and the hint may or may not be followed by tools that interpret the WSDL file. In this case, wsdl.exe does not use the schemaLocation hint, so the external schema files must be specified on the command line. On the other hand, the IBM WSDK tools do utilize the schemaLocation hint and will load the files directly when specified. An important detail to pay attention to is that the ID element of MyBase is defined with type xsd:int and includes the minOccurs=0 attribute. The XML Schema definition of MyBase looks like this: <xs:complexType <xs:sequence> <xs:element </xs:sequence></xs:complexType> When minOccurs=0, this indicates that the ID property can be left out of the resulting XML document. This causes a problem for the .NET platform. In .NET, the xsd:int maps to Int32, which is a value type, and value types cannot be NULL. Basically this means there is no way to determine whether the ID property has been set or not since all values of Int32 are valid values. The .NET Framework resolves this problem by creating another variable named IDSpecified of type Boolean. This variable is checked by the .NET XML Serialization logic to determine whether the ID variable has been set or not, essentially giving ID the NULL/not NULL value. Therefore whenever you attempt to access the ID variable, you should always check or set the IDSpecified variable first. For more information on this usage pattern, see the MSDN documentation for the XmlIgnoreAttribute class. ID The following is what the MyBase type gets translated to in C# code: [System.Xml.Serialization.XmlTypeAttribute(Namespace= "")][System.Xml.Serialization.XmlIncludeAttribute(typeof(Report))][System.Xml.Serialization.XmlIncludeAttribute(typeof(ReportSet))][System.Xml.Serialization.XmlIncludeAttribute(typeof(Ratings))]public class MyBase { public int ID; [System.Xml.Serialization.XmlIgnoreAttribute()] public bool IDSpecified;} This issue does not occur when using the WebSphere sample, because when an xsd:int is used with minOccurs=0, the WSDK tools generate a variable of type java.lang.Integer instead of the native int Java type. The java.lang.Integer type is a reference type, and it is possible for a variable of this type to take the NULL value to indicate that it has not been set. Using the tools provided in the WSDK, the following is what the MyBase type gets translated to in Java code: public class MyBase implements java.io.Serializable { private java.lang.Integer ID; public MyBase() { } public java.lang.Integer getID() { return ID; } public void setID(java.lang.Integer ID) { this.ID = ID; }} Another difference that is evident when comparing the C# code generated from the XML Schema, to the Java code generated for the same schema, is the inclusion of code attributes in the C# code. As we said earlier, these are used by the XML Serializer in .NET to help in mapping from class instance to XML. Java also requires similar "metadata". In the case of the Web services runtime in WSDK, this metadata it is stored independently, in an XML file that defines the type mappings. See the WSDK documentation for more information. Another point of interest: if you examine the classes generated by either the .NET tools or the WSDK tools, you will find that the generated data types may not be what you, as a developer, would write without considering interoperability. Examine the Ratings.java class generated by WSDK. Excluding some housekeeping code, it looks like this: public class Ratings extends org.example.MyBase implements java.io.Serializable { private java.lang.String description; private int confidenceLevel; private java.util.Calendar expiration; private org.example.ReportSetArray allReports; public Ratings() { } public java.lang.String getDescription() { return description; } public void setDescription(java.lang.String description) { this.description = description; } public int getConfidenceLevel() { return confidenceLevel; } public void setConfidenceLevel(int confidenceLevel) { this.confidenceLevel = confidenceLevel; } public java.util.Calendar getExpiration() { return expiration; } public void setExpiration(java.util.Calendar expiration) { this.expiration = expiration; } public org.example.ReportSetArray getAllReports() { return allReports; } public void setAllReports(org.example.ReportSetArray allReports) { this.allReports = allReports; }} For the primitive data members, of type int and string, perhaps they reflect what any designer might hand-author: following JavaBean conventions with getters and setters wrapped around a private member. But then some of the differences appear. The date value is handled by a Calendar, not a java.util.Date. And, an Array is wrapped by a custom class, also accessible via a getter/setter pair. This generated class may not be what you would write yourself, but it does the job, and it has the added advantage of being interoperable. You could make the same statements about the code generated by the .NET tools. We followed the general steps outlined in the section for Web Service 1, above, to build two Visual Studio projects: one for the client, and one for the server. We did likewise with the WSDK to build two WebSphere projects. All of these clients and servers are mutually interoperable. Compile and run the Visual Studio projects and the Eclipse projects in the samples download to see all of this in action. Be sure to check the Readme for the samples download before proceeding. This sample explored the use of complex data types in an interoperable Web service. The W3C XML Schema plays a key role in defining the message types and data elements to be exchanged. This section discussed how to develop an XSD for a complex data type, and how to employ that XML Schema in a WSDL document. This section also pointed out some of the edge cases to be aware of, for example, the difference between value and reference types in .NET, and the implications that this difference has on XML Serialization. In the next sample, we will expand on the ideas from this sample and explore interoperability using extensible data elements. Most Web services employ a fixed data schemathat is, the types of data sent over the wire are known at design time. But sometimes a static data schema does not fulfill the requirements for the application. Consider the following business scenario. As mentioned in Web Service 2, Stuff Sellers sells various products to both consumers and other businesses. Because the company sells so many different products, the manager has asked us to create a Web service that will make it easier to search the database of products. Our search will be used indirectly by consumers through the Internet store front, and directly by other businesses. The manager would like the Web service to support the following three requirements: In addition to these requirements, the manager would like the Web service interface to be as simple as possible. Specifically, the Web service should have only a single entry point. Looking over the products that Stuff Sellers currently sells, we find that all products at a minimum have a Name, Description, Price, and a SKU. These attributes will make up the base properties for all our products. In addition, each product also has its own unique set of attributes. For example a DVD movie has a RegionEncoding, a VideoFormat, a Language, and a DateofRelease. A Book product has a list of Authors, a Publisher, an ISBN, and a PublishedDate. Therefore, the base product type will expose all of the properties that are common across product types, and will allow extensions for properties that are specific to particular product types. The following is a class diagram of the data schema defined for Web Service 3. Figure 18. Class diagram of the data schema in Web Service 2 The XML Schema type definition for SearchResult (in WebService3SharedTypes.xsd) is defined as the following: <xs:complexType <xs:sequence> <xs:element <xs:element <xs:element <xs:element <xs:element <xs:any </xs:sequence> </xs:complexType> As you can see, SearchResult is the parent type that represents all products found by the Web service. SearchResult contains properties that are common to all product types. In addition, SearchResult also contains an xsd:any element, which acts as a wildcard. An XML file that validates to this schema can include any XML element at that location. For our purpose, the xsd:any element will contain one of the product property types that can be returned by the Web service. We have defined three such product property types in WebService3ExtendedProperties.xsd: DvdProperties, BookProperties, and CDProperties. In practice, a client application will access the common properties by checking SearchResult, and will access the extended properties for that product by checking the member variable that contains the product specific properties types. An alternative to using xsd:any in the schema to match any XML element is to employ a string element in the schema, which will contain dynamically generated XML. Using a string is a similar "wildcard" approach. The difference is that the XML contained within the string will be "escaped" for transmission, and so will be opaque to XML parsers, which is not what we want. It is cleaner to integrate the dynamic XML as part of the XML document instead of escaping it into a string element. In either case, there is a bit of extra work required, to generate the XML on the sending side, or to parse it on the receiving side. Just as in the second sample, the WSDL document for this Web service is separated into two files: WebService3.wsdl and WebService3SharedTypes.xsd. WebService3.wsdl contains declarations that define the Web service and WebService3SharedTypes.xsd is an XML Schema file that contains the data types used by the Web service. The following is a sample capture of the SOAP message returned by the Web service to the client. <?xml version="1.0" encoding="utf-8" ?> <soap:Envelope xmlns: <soap:Body> <SearchResponse xmlns=""> <SearchResult> <SearchResult> <SKU>B05502HB9I</SKU> <Price>14.99</Price> <Name>Spain's History</Name> <Description>Short documentary on the history of the Spain.</Description> <ProductType>DVD</ProductType> <DvdProperties xmlns=""> <Region>EUROPE</Region> <Format>PAL</Format> <Language>Spanish</Language> <ReleaseDate>2000-05-14</ReleaseDate> </DvdProperties> </SearchResult> <SearchResult> <SKU>A04D5E87RJ</SKU> <Price>20.00</Price> <Name>Spain's History</Name> <Description>Companion coffee table book to the documentary "Spain's History".</Description> <ProductType>Book</ProductType> <BookProperties xmlns=""> <Authors> <Author>Mark Person</Author> </Authors> <Publisher>BookPub Central</Publisher> <ISBN>0459756212</ISBN> <PublishedDate>2003-08-08</PublishedDate> </BookProperties> </SearchResult> </SearchResult> </SearchResponse> </soap:Body> </soap:Envelope> There is also a third file, WebService3ExtendedProperties.xsd, which isn't imported into the WSDL, but is essential for the Web service to generate a response, and for clients to be able to interpret the response from the Web service. This file contains the definitions of the dynamic part of the data: the extended properties for the product types. The advantage of keeping the product types separate from the types used by the Web service is the ability to extend the product types, without modifying the interface. Eventually Stuff Sellers will expand its business and start selling other types of products. Since search results will contain these new products, adding the new products in a simple way is a crucial requirement. With our design, supporting new types is a simple matter of extending the Web service implementation to return the new types and extending the data schema defined in WebService3ExtendedProperties.xsd. Publishing the new XSD file to the web and letting customers know of the change are the last steps needed. There is no change needed to the WSDL file. Web service clients that do not wish to use the extended properties or simply pass on the extended properties to other services can chose to ignore the extended properties. At runtime, these clients need not de-serialize the XML blob into objects. For example, if an application is written to filter products based only on price, then it doesn't matter what type of product is returned. In this case, the client only needs to check the base property Price of the SearchResult type and can safely ignore the extended properties. With the use of xsd:any, the Web service has the flexibility to add new features without having to break existing clients. New Web service clients can use the new product types while existing applications will simply ignore the new product types. Even if existing product types are removed, the existing Web service clients will still function properly because they will simply not execute the code pertaining to the old products. This design provides the best of both worlds, where response messages can be extended for new applications, while still allowing existing applications to function properly. Converting between XML and corresponding instances of objects is called "XML serialization", or "XML binding". The process of converting between parameters to a Web service call, and the XML sent over the wire in a Web service request or response, is usually done automatically by the Web services runtime. However, when using schema extensions that are not defined in the WSDL (or its imported XSDs), this XML serialization and de-serialization must be done manually. .NET exposes tools and programming interfaces that enable this. IBM WebSphere does not expose public interfaces to manually perform XML serialization. The Java client and server require an add-on capability to perform the Java-to-XML binding. One such add-on is the JAXB API that is part of Sun's JWSDP. Installing the JWSDP will give you the JAXB compiler, which can generate Java class from an XML Schema, similar to the xsd.exe utility for .NET. Using the classes to reference the data types is much simpler than directly manipulating XML elements. In JAXB, the generated data type classes are also responsible for "marshalling" or "serializing" to, and "unmarshalling" or "deserializing" from, XML files that conform to that XSD. The .NET Framework SDK also includes a tools and a framework for binding XML data to .NET classes. The Xsd.exe tool parses an XSD file to create a corresponding source code file that contains the data type definition classes. At runtime, applications can use the System.Xml.Serialization namespace of classes to create an object graph from an XML stream, or vice-versa. System.Xml.Serialization For example, at compile time, to generate C# classes from the WebService3ExtendedProperties.xsd schema, use the following command: xsd.exe /classes WebService3ExtendedProperties.xsd And then at runtime, to create the object graph from a file, use these few lines of code: FileStream fs = new FileStream(path, FileMode.Open); XmlSerializer s= new XmlSerializer(typeof(BookPropertiesType)); BookPropertiesType props; try { props= (BookPropertiesType) s.Deserialize(fs); } finally { fs.Close(); } Normally, for data types used in Web services interfaces, the steps of creating the data type classes and performing the serialization are performed automatically for you: the former by the wsdl.exe tool or the "Add Web Reference" in Visual Studio, and the latter by the web services runtime in .NET. When you pass a parameter to a web service, the parameter is automatically serialized to XML for transmission across the network. The use of xsd.exe is necessary here to create the classes because the WebService3ExtendedProperties.xsd schema is not explicitly included in the web service interface definition. What about the serialization at runtime? When parsing a Schema, xsd.exe will map xsd:any elements to fields of type XmlElement. By modifying the generated classes, changing the type of the field to System.Object rather than System.Xml.XmlElement, and decorating the field with XmlElementAttribute attributes, we can tell the framework to map the XML data to specific .NET datatypes, rather than a generic XmlElement. For example, in this snippet, the Any field will map to one of the three flavors of extended properties. [System.Xml.Serialization.XmlElementAttribute(ElementName="DvdProperties", Type=typeof(NetWSServer3.DvdPropertiesType), Namespace="")] [System.Xml.Serialization.XmlElementAttribute(ElementName="BookProperties", Type=typeof(NetWSServer3.BookPropertiesType), Namespace="")] [System.Xml.Serialization.XmlElementAttribute(ElementName="CDProperties", Type=typeof(NetWSServer3.CDPropertiesType), Namespace="")] public object Any; With these modifications to the generated classes, the .NET runtime will automatically and implicitly serialize the Product property object types to and from XML. Without this capability, the developer would have to explicitly serialize these classes to XML. And in fact, this is the approach taken with WebSphere for the extended properties types. (See the sample code for details). While developing this sample, one consideration was to determine whether to make the ProductType an enum or just a string. The benefit of an Enumeration is that the different types are explicitly stated and thus cannot be confused. However in the end, the decision not to use enum was taken because of the requirement for extensibility: we want the flexibility to create additional and possibly remove existing product types without breaking existing clients. If ProductType was defined as an enum, then future product types that get passed to old clients would break. Therefore a string was used instead because this allowed the flexibility to expand the product lines while keeping existing Web service clients still working. As with Web Service 2, the data types generated here by the tools probably will not match what a developer might write when modeling the problem in code. However, here again, the key advantage of starting with WSDL and generating code is interoperability. As with Web Service 2, we followed the general steps outlined in the introduction of this article to produce client and server projects for both Visual Studio and the WebSphere web services SDK. And here again, the resulting clients and servers are fully interoperable. Ok, enough description. Compile and run the Visual Studio projects and the Eclipse projects in the samples download to see the extensibility of Web Service 3 of this in action. Web Service 3 showed the use of complex data types, statically included as well as dynamically included in a WSDL. The support for extensible types allows for the flexibility to expand and to modify the interface with minimal changes required to the Web service and to the Web service clients. With the three Web services shown in the paper, we can see that it is definitely possible to create interoperable Web services using complex data types. The easy path through the developer toolsthe "Implementation First" approachoften leads to interoperability challenges. However, by defining the Web service interface first, in WSDL, and generating clients and servers from that interface definition, many interoperability pitfalls can be avoided. Even though we have shown the "WSDL First" approach specifically for .NET and WebSphere, the concepts illustrated apply to interoperability across all platforms. Hand-authoring WSDL is not easy. This paper also explored the approach of iteratively developing and refining WSDL files and W3C XML Schema definitions, using the prototyping tools included in Visual Studio .NET and the WSDK. Finally, the paper provided tips and pointers about likely pitfalls on the path to creating interoperable and extensible Web services. Armed with these ideas of creating interoperable Web services, we may eventually achieve the dream of ubiquitous access to any system, regardless of platform and architecture. The following is a listing of recommendations and tips reviewed in this paper. System.Web.Services.Protocols.SoapException com.ibm.ws.webservices.engine.WebServicesFault java.lang.NullPointerException When a WSDL file references other files (i.e. XSD files), you must explicitly provide the location of these files as arguments to wsdl.exe. For security reasons, wsdl.exe will not automatically load files from the schemaLocation references in the WSDL file. For example, if you're generating the code for Web Service 2, you will need to execute the following command: schemaLocation wsdl.exe WebService2.wsdl WebService2Interface.xsd WebService2SharedTypes.xsd Refer to Web Service 2 for more information on this topic. Wsdl.exe by default generates template code in C#. If you prefer another language (i.e. VB.NET), include the /l option with the command: /l wsdl.exe /l:vb WebService1.wsdl When generating a source file for a Web service (using the /server option), the tool creates an abstract template class that is associated with the WSDL document. It is recommended that you modify this file directly rather than sub-classing the generated file. For more information on this topic, refer to Web Service 2. Visual Studio .NET 2005, will support generating template source files from the WSDL directly in the IDE. In addition to this, if the WSDL document changes and the template file needs to be regenerated, the IDE will do so in such a way that any existing code already in the old template will carry over to the new one. When creating a Web service application in Visual Studio .NET, the generated project automatically provides the test page that appears when the Web service is accessed through the browser. Since we are developing Web services using the WSDL first approach, it is recommended that you disable this automatically generated WSDL and publish our own WSDL in a public location. To disable the automatically generated test page and WSDL, add the following into the <system.web> element of your web.config file of your project: <system.web> <webServices> <protocols> <remove name="Documentation" /> </protocols> </webServices> In addition to the wsdl.exe approach to creating a Web service proxy class, you can also use the built in tools in Visual Studio .NET for a more user friendly approach. The Add Web Reference dialog box will ask you to point it to a WSDL file, which it will take in then generate a proxy class. Behind the scenes, the dialog essentially calls wsdl.exe in the background to process the WSDL file. Unfortunately there is a bug in creating a client proxy if you use the Add Web Reference command in Visual Studio .NET 2002 to point to a WSDL document that uses xsd:import. If this is your case, always use the wsdl.exe command to generate the client proxy. This bug has been fixed in Visual Studio .NET 2003, which will properly retrieve all the imported files and then generate the client proxy class. With the tools provided by the WSDK, the Web services functionality in Eclipse is similar to Visual Studio. In Eclipse, you will need to create a Java Bean or EJB and use that as the template for a Web service. There are also some command line utilities you can use to generate Web service template files. You can find documentation in Eclipse to get more detailed instructions on how to do this. Thanks to Simon Guest of Microsoft for his excellent technical reviews and feedback. Also thanks to Neil Chopra and Mike Hanley of Vertigo Software for testing and helping with some of the ideas in this paper.
http://msdn.microsoft.com/en-us/vstudio/aa700847.aspx
crawl-002
en
refinedweb
Summary: Introducing Custom Task Panes Creating a Flexible User Experience Custom Task Pane Scenarios How Custom Task Panes Work Creating Custom Task Panes as COM Add-Ins Conclusion Additional Resources. Windows Forms is the development library within the Microsoft .NET Framework for building rich Microsoft Windows–based applications. After the user finishes the document, he displays Nicole's task pane, selects the appropriate server, and then clicks Save. Because users no longer need to look up server information manually, they are more productive and relieved from a tedious task.. Visual Studio Tools for Office version 3.0 is not available for Beta 2.: Microsoft.Office.Core.ICustomTaskPaneConsumer.CTPFactoryAvailable (Microsoft.Office.Core.ICTPFactory CTPFactoryInst) The ICTPFactory interface exposes the CreateCTP method. The syntax for this method is: Microsoft.Office.Core.ICTPFactory.CreateCTP (string CTPAxID, string CTPTitle, [Optional] object CTPParentWindow) As CustomTaskPane Creating a custom task pane is straightforward. First, you create a custom ActiveX control project with a Windows Form and other ActiveX controls. The Windows Form and controls represent the interface your users see. If you use Windows Forms in your ActiveX control, you also need to have Microsoft .NET Framework 2.0 installed. If you create your ActiveX control in unmanaged code, there is no requirement for the .NET Framework. You may be able to use pre-built ActiveX controls that you purchase or download from the Web. However, pre-built controls can have limits, for example, an inability to repaint the screen after changes in height or width. You can experiment to determine if a pre-built control is compatible with custom task panes.. Property Application Object Read-only. Application object of the host application. Window Read-only. Parent Window object. The type depends on the host application. Visible Boolean Controls visibility in the user interface. ContentControl Read-only. The ActiveX control instance displayed in the custom task pane frame. This property is automatically set when CreateCTP is called. Title LPSTR Read-only. The title displayed for the task pane. This property is automatically set when CreateCTP is called. This is the default property for the user interface. DockPosition MsoCTPDockPosition Specifies Right, Left, Top, Bottom, or Floating. The default is Right when using a right-to-left UI language and Left if you are using a left-to-right language. DockPositionRestrict MsoCTPDockPositionRestrict Specifies a restriction on the orientation of a custom task pane, for example, horizontal or vertical. The default is None. Method Deletes the task pane, which also frees the ActiveX control instance. Event VisibleStateChange Occurs when the Visible property changes. You can check its value to determine the new state. DockPositionStateChange Occurs when the DockPosition property changes. You can check its value to determine the new state. Enumeration MsoCTPDockPosition msoCTPDockPositionLeft = 0, msoCTPDockPositionTop = 1, msoCTPDockPositionRight = 2, msoCTPDockPositionBottom = 3, msoCTPDockPositionFloating = 4 MsoCTPDockPositionRestrict msoCTPDockPositionRestrictNone = 0, msoCTPDockPositionRestrictNoChange = 1 msoCTPDockPositionRestrictNoHorizontal = 2, msoCTPDockPositionRestrictNoVertical = 3. Using the steps in this section, create the ActiveX control to insert into the custom task pane.. In this section, add controls to the control that you created in the previous section.. Label Enter text label1 Text Box blank txtInputText Button Click to insert btnInsert Click the text box, and then, in the Property window, set the Multiline property to True. Next, add code that implements the event handlers, to give the controls functionality. If the code window is not already displayed, in Solution Explorer, right-click UserControl1.cs and click View Code. Locate the namespace SampleActiveX statement, and then add the following lines above it: using System; using System.Collections.Generic; using System.ComponentModel; using System.Drawing; using System.Data; using System.Text; using System.Windows.Forms; using System.Runtime.InteropServices; using System.IO; These statements create aliases for the namespace and import types defined in other namespaces. After the open brace, just below the namespace SampleActiveX statement, add the following code: public interface SampleActiveXControlInterface { event InsertTextEventHandler InsertTextClicked; } [ComVisible(true)]: public partial class myControl : System.Windows.Forms.UserControl, SampleActiveXControlInterface Replace the public UserControl1() statement with the following code: public event InsertTextEventHandler InsertTextClicked; public myControl() { // This call is required by the Form Designer in Windows.Forms. InitializeComponent(); btnInsert.Click += new EventHandler(btnInsert_Click); } Next, this code initializes the control and sets up the event handler for the button. Below the closing brace of the public myControl routine, add the event handler for the button: private void btnInsert_Click(object sender, EventArgs e) { string textBoxText = this. txtInputText.Text; this.InsertTextClicked(this, textBoxText); } Just below the procedure that you added in the previous step, add the following code: public delegate void InsertTextEventHandler(object sender, string insertTextArgs);. You can manually register the add-in using the Regasm.exe file provided by .NET Framework version 2.0. Using the default location, type the following command in a Command Prompt window: "C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\regasm" /codebase "C:\ path to your project \SampleCTPAddin.dll": using System; using Microsoft.Office.Core; using Extensibility; using System.Runtime.InteropServices; using System.Windows.Forms; using SampleActiveX; using WordPia = Microsoft.Office.Interop.Word;. Earlier in the project, you added a reference to the host application's object. The OnConnection method sets the applicationObject object to the instance of Office Word 2007 that hosts the custom task pane. This gives the add-in full access to the object model in Office Word 2007. Just below the public class Connect() statement, add the following code to create an object that points to the UserControl1 class, and to create a variable for the primary interop assemblies in Office Word 2007: private myControl sampleAX = null; private WordPia.Application applicationObject; In the OnConnection procedure, replace the statements with this code: applicationObject = (WordPia.Application)application; addInInstance = addInInst; MessageBox.Show("SampleCTPAddin is loaded."); The MessageBox statement assures you that the add-in loads successfully in Office Word 2007. In the OnBeginShutDown procedure, add the following code: MessageBox.Show("SampleCTPAddin is unloading.");: sampleAX = (myControl) CTP.ContentControl; Add the following code, which inserts the text into the document when the user clicks the button: private void sampleAX_InsertTextClicked(object sender, string insertTextArgs) { WordPia.Range myRange = null; myRange = applicationObject.ActiveDocument.Content; myRange.InsertAfter(insertTextArgs); } On the File menu, choose Save All to save the project. On the Build menu, click Build Solution. If you are able to compile the project with no build errors, the code automatically adds the add-in to the registry at this location: HKLM\Software\Microsoft\Office\Word\Addins\SampleCTPAddin.Connect. Before modifying the registry, create a backup. Additionally, be sure that you know how to restore the registry if a problem occurs. For more information about how to back up, restore, and modify the registry, see the Microsoft Knowledge Base article entitled Description of the Microsoft Windows registry.. Microsoft Office Developer Center: Smart Tags Developer Portal Microsoft Office Developer Center: Visual Studio Tools for Office Developer Portal Building COM Add-ins for Office Applications Building a COM Add-in for Microsoft Office XP Using Microsoft Visual Basic 6.0
http://msdn.microsoft.com/en-us/aa338197.aspx
crawl-002
en
refinedweb
Web 2.0, Meet JavaScript 2.0 Well I suppose it's an undeniable fact about us programmer-types - every now and then we just can't help but get excited about something really nerdy. For me right now, that is definitely JavaScript 2.0. I was just taking a look at the proposed specifications and I am really, truly excited about what we have coming.OP! Had to start with this one - it's so big it had to be first. Introducing actual classes and interfaces into the language is likely the most radical change that will come with JavaScript 2.0. Technically speaking, OOP will be nothing new for JavaScript. JavaScript already has objects and even offers full support for inheritance through the prototype chain - however, prototypal inheritance in JavaScript is tricky business and can often produce unexpected results (especially for those accustomed to classical inheritance in languages such as Java and C#). Not only is JavaScript introducing classes into the language, I'll be honest and admit that I wasn't sure if the error gets thrown on assignment, or when you attempt to read. For now, examples in the documentation are sparse, but either way this will be a handy feature. The mechanism that makes this new operator possible is union types (also new). I won't be delving into those in this article, but they would definitely be worth reading up on at the original source.Real Namespaces JavaScript developers have long been implementing namespaces by stuffing everything into a single global object. While this is not a bad convention (and it's much better than cluttering the global namespace), the reality is that it abuses the purpose of objects for the sake of simulating pseudo-namespaces. Well, have a guilty conscience no more, because now you have real bonafide namespaces that are actually made for being, well,)); Even in this short, fanciful example you can see how your code can start to take on a highly organized and logical structure - much like many of the server side languages you may have worked with. Personally, I think this is one of the strongest improvements found in the specifications.Conclusion Well, needless to say, JavaScript 2.0 is shaping up to be a devastatingly awesome improvement. The specifications go on for about 40 pages of size 12 font, so I'm not even going to try and provide a complete overview. But as I've said, everything I've mentioned above can be found in the proposed language overview (PDF) - and there's several more goodies to be found in there as well. Thanks for reading! - Login or register to post comments - 2991 reads - Printer-friendly version (Note: Opinions expressed in this article and its replies are the opinions of their respective authors and not those of DZone, Inc.) kkkkkkkkkkkkkkk... replied on Wed, 2008/03/19 - 5:23pm Thanks for the write-up, this is really exciting to me. I have a feeling that JS, if widely-adopted from the outset, could drive web applications into a whole new realm. Although JS 1.x has always been a very powerful language, its always been hindered by its lack of support for some key features found in other languages (real classes, namespaces, constants, etc), and I'm very glad to see these issues being addressed. Currently, many of these problems are addressed in an ad-hoc manner that is many times inelegant, wordy, confusing, and prone to implementation problems. I just hope that A) backwards compatibility will be a non-issue, and B) adoption is universal and full. Jeremy Martin replied on Wed, 2008/03/19 - 5:29pm in response to: kenman
http://css.dzone.com/news/web-20-meet-javascript-20
crawl-002
en
refinedweb
Summary: Learn how to create content sources to crawl business data in Microsoft Office SharePoint Server 2007 Enterprise Search. Applies to: 2007 Microsoft Office System, Microsoft Office SharePoint Server 2007 Patrick Tisseghem, U2U April 2007 Think of a content source as a location containing resources that you want to crawl or index. In Microsoft Office SharePoint Server 2007, many types of locations are accessible by default: SharePoint sites, Web sites, network folders, Microsoft Exchange Server public folders, and data exposed by using the Business Data Catalog. In this how-to we'll focus on data exposed by using the Business Data Catalog, and discuss the steps to take when creating and configuring a content source of type Business Data. We'll also review a sample of how to accomplish the steps programmatically, using some of the classes exposed in the new search administration API. IDEnumerator in the Application Definition File Indexing entity instances requires an additional method at the level of the entity in the application definition file. This method must be of type IDEnumerator and must return primary keys for the instances. … <Method Name="EmployeeIDEnumerator"> <Properties> <Property Name="RdbCommandType" Type="System.String"> Text </Property> <Property Name="RdbCommandText" Type="System.String"> Select EmployeeID from HumanResources.vEmployee </Property> </Properties> <Parameters> <Parameter Direction="Return" Name="EmployeeIDs"> <TypeDescriptor TypeName="System.Data.IDataReader, System.Data, Version=2.0.3600.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" Name="Employees" IsCollection="true"> <TypeDescriptors> <TypeDescriptor TypeName="System.Data.IDataRecord, System.Data, Version=2.0.3600.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" Name="Employee"> <TypeDescriptors> <TypeDescriptor TypeName="System.Int32" IdentifierName= "EmployeeID" Name="EmployeeID" /> </TypeDescriptors> </TypeDescriptor> </TypeDescriptors> </TypeDescriptor> </Parameter> </Parameters> <MethodInstances> <MethodInstance Name="EmployeeIDEnumeratorInstance" Type="IdEnumerator" ReturnParameterName="EmployeeIDs" /> </MethodInstances> </Method> The application definition file is imported in the Business Data Catalog metadata repository using the administration site of the Shared Services Provider. A content source of type Business Data can then be created that points to the available business data application. Required Search Administration and Business Data Catalog References Developers can create applications that programmatically perform all of the steps administrators take in the browser. Notice that the sample code must be executed on the computer running Office SharePoint Server, and requires references to Microsoft.SharePoint.dll, Microsoft.Office.Server.dll, Microsoft.Office.Server.Search.dll, Microsoft.SharePoint.Portal.dll, and System.Web.dll. The following code example shows the namespaces that are used. // -- Namespaces used for the search administration classes using Microsoft.Office.Server; using Microsoft.Office.Server.Administration; using Microsoft.Office.Server.Search; using Microsoft.Office.Server.Search.Administration; // -- Namespaces used to access the Business Data Catalog using Microsoft.Office.Server.ApplicationRegistry.MetadataModel; using Microsoft.Office.Server.ApplicationRegistry.Infrastructure; using Microsoft.Office.Server.ApplicationRegistry.SystemSpecific.Db; Connecting to the Shared Services Provider and the Search Context Before you can work with the classes to manipulate the content sources, you must obtain the reference to the context of the Shared Services Provider and the Search Service. The following code example shows this, and); } Listing Existing Content Sources You can retrieve the list of content sources by creating an instance of the Content class with the reference of the SearchContext as an argument in the constructor. Next, loop over all of the content sources for display. Every content source has one or more start addresses. Content content = new Content(this.searchctx); foreach (ContentSource contentsource in content.ContentSources) { TreeNode node = treeViewContentSources.Nodes.Add(contentsource.Name); node.Tag = contentsource; foreach (object startaddress in contentsource.StartAddresses) { node.Nodes.Add(startaddress.ToString()); } } Retrieving Crawling Status Several properties that are exposed at the level of the ContentSource class store information about the crawling status and timing. ContentSource contentsource = (ContentSource)node.Tag; labelCrawlStatus.Text = contentsource.CrawlStatus.ToString(); labelCrawlStarted.Text = contentsource.CrawlStarted.ToString(); labelCrawlCompleted.Text = contentsource.CrawlCompleted.ToString(); Starting a Crawl Two crawl methods are available: full crawl and incremental crawl. Both are exposed as methods of the ContentSource class. contentsource.StartFullCrawl(); contentsource.StartIncrementalCrawl(); Retrieving the Business Data Applications All of the functionality of the Business Data Catalog is exposed by a rich object model (the Microsoft.Office.Server.ApplicationRegistry namespace in Microsoft.SharePoint.Portal.dll). If the code is not running in the context of SharePoint Server, an instance of the SqlSessionProvider and a call to the SetSharedResourceProviderToUser method internally hooks up the application with the Shared Services Provider context. The ApplicationRegistry class exposes a GetLobSystemInstances method with all of the business data applications available in the Business Data Catalog. SqlSessionProvider.Instance().SetSharedResourceProviderToUse ("SharedServices1"); NamedLobSystemInstanceDictionary instances = ApplicationRegistry.GetLobSystemInstances(); foreach (LobSystemInstance app in instances.Values) { comboBoxBDCApps.Items.Add(app.Name); } Creating a Content Source To create a content source, you call the Create method at the level of the ContentSourceCollection object. You can create a Business Data Catalog-specific URI to the business data application by calling the static method ConstructStartAddress exposed by the type BusinessDataContentSource. This URI is added to the StartAddresCollection object of the ContentSource instance. A call to the Update method saves everything in the database. Uri bdcuri = BusinessDataContentSource.ConstructStartAddress (this.searchctx.Name, comboBoxBDCApps.SelectedItem.ToString()); Content content = new Content(this.searchctx); BusinessDataContentSource contentsource = (BusinessDataContentSource)content.ContentSources.Create (typeof(BusinessDataContentSource),textBoxContentSourceName.Text); contentsource.StartAddresses.Add(bdcuri); contentsource.Update(); The crawler that is provided in SharePoint Server can be directed to a location and ordered to index content available in that location by creating and configuring a content source at the level of the Shared Services Provider. Following are the different types of content sources that can be created: SharePoint sites Web sites Network folders Exchange Server public folders Business data Lotus Notes databases (only after a post-installation step) Business data stored in a structured way in a relational database such as Microsoft SQL Server, or stored in line-of-business (LOB) systems such as SAP or Microsoft Dynamics CRM can be exposed in a unified and consistent way via the Business Data Catalog middle-layer. Developers model the business data in a declarative way in an XML file: the application definition file. A full discussion of all of the elements in this file is out of scope here, but one method is very important and must be included in the application definition file for the crawler to index the data. This method must be of type IDEnumerator and return all of the primary keys of the records to index. The crawler generates a profile page for each of them and indexes the content on that page. The search administration object model exposes different classes you can use to programmatically create, configure, and manage content sources. Figure 1 shows all of the classes used within the sample code. Figure 1. The search-related classes discussed in this how-to Watch the Video Length: 14:27 | Size: 14.9 MB | Type: WMV file Managing Search Scopes Inside MOSS 2007 (MSPress, Patrick Tisseghem) How to: Retrieve the Content Sources for a Shared Services Provider How to: Add a Content Source How to: Delete a Content Source How to: Programmatically Manage the Crawl of a Content Source How to: Programmatically Configure a Crawl Schedule for a Content Source Plan for Business Data Search ApplicationRegistry Class (Microsoft.Office.Server.ApplicationRegistry.Administration) The BDC Metadata Manager Community Tool Mike Taghizadeh's Blog
http://msdn.microsoft.com/en-us/library/bb430246.aspx
crawl-002
en
refinedweb
As with any object, you declare a variable to hold the object, and then create the collection object and assign it to the variable. For a collection object, you can use either the Visual Basic Collection Class or a .NET Framework collection class. In particular, you can create a generic collection by using one of the classes in the System.Collections.Generic namespace. A generic collection is useful when every item in the collection has the same data type. Generic collections enforce strong typing by allowing only the desired data type to be added. For more information, see How to: Define Type-Safe Collections. Once the collection object is created, you can add and remove items and access items in the collection. Two examples about how to create collections follow. Each collection holds String items and associates a String key with each item. The first two procedures create a collection using the Visual Basic collection class. The last two procedures create a collection using a .NET Framework generic collection class. Declare and create a Visual Basic Collection variable, as the following example shows. Dim sampleVisualBasicColl As New Microsoft.VisualBasic.Collection() The collection in sampleVisualBasicColl can accept items of any data type. Use the Add Method (Collection Object)VisualBasicColl.Add(item1, "firstkey") sampleVisualBasicColl.Add(item2, "secondkey") sampleVisualBasicColl.Add(item3, "thirdkey") sampleVisualBasicColl.Add(item4, "fourthkey") The Key argument is optional in a Visual Basic collection. If you want to remove an element from the collection, you can use the Remove Method (Collection Object), identifying the element either by its positional index or by its optional key. The following example illustrates this. ' Remove the first element of the Visual Basic collection. sampleVisualBasicColl.Remove(1) ' Remove the element with the key "secondkey". sampleVisualBasicColl.Remove("secondkey") Note that when an element is removed from a Visual Basic Collection, the index values are renumbered from 1 through the value of the Count Property (Collection Object). Declare a variable of the type stored in the collection. For the previous example, declare a variable of type String, as the following example shows. ' Insert code from the preceding example. Dim aString As String Use a For Each...Next Statement (Visual Basic) to examine each element of the collection. The following example searches for a particular string and displays it if found. For Each aString in sampleVisualBasicColl If aString = "Collection" Then MsgBox(aString) End If Next aString Declare and create a .NET Framework System.Collections.Generic..::.Dictionary<(Of <(TKey, TValue>)>) variable, as the following example shows. Dim sampleGenericColl As New System.Collections.Generic.Dictionary(Of String, String) The sampleGenericColl variable holds a type-safe collection that accepts items and keys only of type String. Use the Dictionary<(Of <(TKey, TValue>)>)..::.Add methodGenericColl.Add("firstkey", item1) sampleGenericColl.Add("secondkey", item2) sampleGenericColl.Add("thirdkey", item3) sampleGenericColl.Add("fourthkey", item4) The Key argument is required in this generic collection. To remove an element from the collection, use the IDictionary<(Of <(TKey, TValue>)>)..::.Remove method. You must supply the key to identify the element to remove. The following example illustrates this. If Not sampleGenericColl.Remove("thirdkey") ' Insert code to handle "thirdkey" not found in collection. End If You can use a For Each...Next statement to loop through and process the elements of a collection, as the following procedure demonstrates. ' Insert code from the preceding example. Dim aPair As KeyValuePair(Of String, String) For Each aPair In sampleGenericColl If aPair.Value = "Items" Then MsgBox(aPair.Key & " -- " & aPair.Value) End If Next aPair The examples on this page, are, in my view, not particularly helpful for students trying to learn to use collections. Rather than provide simple, clear, concise code examples the author has tried to show off his programming skills with other, not particularly simple programming concepts. "If Not sampleGenericColl.Remove("thirdkey")" for example, sould be replaced with a simpler, more straightforward example. Likewise, comments like "Insert code from preceding example" is not particularly helpful when it is not clear which preceding example is referred to! The overall effect of this page is that students spend more time trying to understand these "other" concepts rather than learning about collections.
http://msdn.microsoft.com/en-us/library/395dc977.aspx
crawl-002
en
refinedweb
Want more? Here are some additional resources on this topic: The.NET Framework Data Provider for SQL Server describes a collection of classes used to access a SQL Server database in the managed space. Using the SqlDataAdapter, you can fill a memory-resident DataSet that you can use to query and update the database. For conceptual information about using this namespace when programming with the .NET Framework, see Using the .NET Framework Data Provider for SQL Server. sqlconnection() sqlcommand executenoncury
http://msdn.microsoft.com/en-us/library/system.data.sqlclient(VS.80).aspx
crawl-002
en
refinedweb
Creates' ] The name of the alert. The name appears in the e-mail or pager message sent in response to the alert. It must be unique and can contain the percent (%) character. name is sysname, with no default. The message error number that defines the alert. (It usually corresponds to an error number in the sysmessages table.) message_id is int, with a default of 0. If severity is used to define the alert, message_id must be 0 or NULL.. Indicates the current status of the alert. enabled is tinyint, with a default of 1 (enabled). If 0, the alert is not enabled and does not fire. The wait period, in seconds, between responses to the alert. delay_between_responses is int, with a default of 0, which means there is no waiting between responses (each occurrence of the alert generates a response). The response can be in either or both of these forms: By setting this value, it is possible to prevent, for example, unwanted e-mail messages from being sent when an alert repeatedly occurs in a short period of time. Is an optional additional message sent to the operator as part of the e-mail, net send, or pager notification. notification_message is nvarchar(512), with a default of NULL. Specifying notification_message is useful for adding special notes such as remedial procedures.. 0 (default) None 1 2 Pager 4 net send The database in which the error must occur for the alert to fire. If database is not supplied, the alert fires regardless of where the error occurred. database is sysname. Names that are enclosed in brackets ([ ]) are not allowed. The default value is NULL.%). The job identification number of the job to run in response to this alert. job_id is uniqueidentifier, with a default of NULL. The name of the job to be executed in response to this alert. job_name is sysname, with a default of NULL. Not implemented in SQL Server version 7.0. raise_snmp_trap is tinyint, with a default of 0. Is a value expressed in the format 'itemcomparatorvalue'. performance_condition is nvarchar(512) with a default of NULL, and consists of these elements. Item A performance object, performance counter, or named instance of the counter Comparator One of these operators: >, <, or = Value Numeric value of the counter The name of the alert category. category is sysname, with a default of NULL. The WMI namespace to query for events. wmi_namespace is sysname, with a default of NULL. Only namespaces on the local server are supported. The query that specifies the WMI event for the alert. wmi_query is nvarchar(512), with a default of NULL. 0 (success) or 1 (failure) sp_add_alert must be run from the msdb database. These are the circumstances under which errors/messages generated by SQL Server and SQL Server applications are sent to the Windows application log and can therefore raise alerts: SQL Server Management Studio provides an easy, graphical way to manage the entire alerting system and is the recommended way to configure an alert infrastructure. If an alert is not functioning properly, check whether: By default, only members of the sysadmin fixed server role can execute sp_add_alert. The following example adds an alert (Test Alert) that runs the Back up the AdventureWorks Database job when fired. Back up the AdventureWorks Database USE msdb ; GO EXEC dbo.sp_add_alert @name = N'Test Alert', @message_id = 55001, @severity = 0, @notification_message = N'Error 55001 has occurred. The database will be backed up...', @job_name = N'Back up the AdventureWorks Database' ; GO
http://msdn.microsoft.com/en-us/ms189531.aspx
crawl-002
en
refinedweb
This will enable the Window menu to maintain a list of open MDI child windows with a check mark next to the active child window.. The Windows Forms Designer opens, displaying Form2. This causes the RichTextBox control to completely fill the area of the MDI child form, even when the form is resized. #include directive at the top of Form1.h: #include // C++ #include "Form2.h". Multiple-Document Interface (MDI) Applications | Creating MDI Parent Forms | Determining the Active MDI Child | Sending Data to the Active MDI Child | Arranging MDI Child Forms
http://msdn.microsoft.com/en-us/library/aa984329(VS.71).aspx
crawl-002
en
refinedweb
Bluetooth uses the WSAQUERYSET structure to facilitate the discovery of devices and services in the Bluetooth namespace, NS_BTH. The WSASetService function uses the WSAQUERYSET structure to register or remove service instances in the Bluetooth namespace. The following table lists member values in the WSAQUERYSET structure. Note To remove a service, the only required members in the BTH_SET_SERVICE structure are the pSdpVersion and pRecordHandle members. Send comments about this topic to Microsoft Build date: 6/11/2009
http://msdn.microsoft.com/en-us/library/aa362920(VS.85).aspx
crawl-002
en
refinedweb
Updated: July 2008 Represents a dynamic data collection that provides notifications when items get added, removed, or when the whole list is refreshed. <SerializableAttribute> _ Public Class ObservableCollection(Of T) _ Inherits Collection(Of T) _ Implements INotifyCollectionChanged, INotifyPropertyChanged Dim instance As ObservableCollection(Of T) [SerializableAttribute] public class ObservableCollection<T> : Collection<T>, INotifyCollectionChanged, INotifyPropertyChanged [SerializableAttribute] generic<typename T> public ref class ObservableCollection : public Collection<T>, INotifyCollectionChanged, INotifyPropertyChanged JScript does not support generic types or methods. See Remarks. The type of elements in the collection.<(Of <(T>)>) class, which is a built-in implementation of a data collection that implements the INotifyCollectionChanged interface.. Implementing IList provides the best performance with the data binding engine.. ObservableCollection<(Of <(T>)>) can be used as a XAML object element in Windows Presentation Foundation (WPF), in versions 3.0 and 3.5. However, the usage has substantial limitations. ObservableCollection<(Of <(T>)>) must be the root element, because the x:TypeArguments attribute that must be used to specify the constrained type of the generic ObservableCollection<(Of <(T>)>) is only supported on the object element for the root element. You must declare an x:Class attribute (which entails that the build action for this XAML file must be Page or some other build action that compiles the XAML). ObservableCollection<(Of <(T>)>) is in a namespace and assembly that are not initially mapped to the default XML namespace. You must map a prefix for the namespace and assembly, and then use that prefix on the object element tag for ObservableCollection<(Of <(T>)>). A more straightforward way to use ObservableCollection<(Of <(T>)>) capabilities from XAML in an application is to declare your own non-generic custom collection class that derives from ObservableCollection<(Of <(T>)>), and constrains it to a specific type. Then map the assembly that contains this class, and reference it as an object element in your XAML. This example shows how to create and bind to a collection that derives from the ObservableCollection<(Of <(T>)>) class, which is a collection class that provides notifications when items get added or removed. The following example shows the implementation of a NameList collection: Public Class NameList Inherits ObservableCollection(Of PersonName) ' Methods Public Sub New() MyBase.Add(New PersonName("Willa", "Cather")) MyBase.Add(New PersonName("Isak", "Dinesen")) MyBase.Add(New PersonName("Victor", "Hugo")) MyBase.Add(New PersonName("Jules", "Verne")) End Sub End Class Public Class PersonName ' Methods Public Sub New(ByVal first As String, ByVal last As String) Me._firstName = first Me._lastName = last End Sub ' Properties Public Property FirstName() As String Get Return Me._firstName End Get Set(ByVal value As String) Me._firstName = value End Set End Property Public Property LastName() As String Get Return Me._lastName End Get Set(ByVal value As String) Me._lastName = value End Set End Property ' Fields Private _firstName As String Private _lastName As String End Class: <ListBox Width="200" ItemsSource="{Binding Source={StaticResource NameListData}}" ItemTemplate="{StaticResource NameItemTemplate}" IsSynchronizedWithCurrentItem="True"/> The definition of NameItemTemplate is not shown here. For the complete sample, see Implementing Parameterized MultiBinding Sample. The objects in your collection must satisfy the requirements described in the Binding Sources Overview. In particular, if you are using OneWay or TwoWay (for example, you want your UI to update when the source properties change dynamically), you must implement a suitable property changed notification mechanism such as the INotifyPropertyChanged interface. For more information, see the Binding to Collections section in the Data Binding Overview. Windows 7, Windows Vista, Windows XP SP2, Windows Server 2008 R2, Windows Server 2008, Windows Server 2003 Date History Reason July 2008 Added new member: ObservableCollection<(Of <(T>)>) constructor. SP1 feature change. You need to add a reference to an unorthodox sounding MS assembly. And WindowsBase.dll does not always show up in the Add Reference dialog so you may have to browse for it on your HDD (which I've heard reports of being in different folders on different systems).
http://msdn.microsoft.com/en-gb/library/ms668604.aspx
crawl-002
en
refinedweb
Greg Stemp, Dean Tsaltas, and Bob Wells Microsoft Corporation Ethan Wilansky Network Design Group January 23, 2003 Summary: Defines the WMI scripting library and shows how to use it to access and manage WMI managed resources. Walks through the seven basic script types that can be created using the WMI scripting library for such tasks as creating, deleting, and retrieving instances of managed resources, and more. (22 printed pages) Greetings fellow script scribes! It's been awhile. Rather than bore you with excuses—like we were finishing the Microsoft® Windows® 2000 Scripting Guide (more on that later)—let's dive in, shall we? We're going to pick up where we left off in our WMI Scripting Primer series by turning your attention to the remaining piece of the WMI scripting puzzle, the WMI Scripting Library. Before we get too far along, let's briefly recap what we've covered so far. In WMI Scripting Primer: Part 1, we covered the architecture and major components of WMI as they relate to WMI scripting. In WMI Scripting Primer: Part 2, we talked about the Common Information Model, the repository that holds the blueprints (class definitions) for WMI managed resources. Although we know many of you skipped Part 2 (based on the number of "Rate this page" hits), we're still going to assume you know the material. If you don't, well, you know where to find it. So, just what is the WMI scripting library? Let's use an analogy to answer that question. Think about your stereo system or the media player on your computer for a moment. What do all stereos have in common? Well, they all have a volume control, treble and bass controls, a tuner in the case of a radio, and perhaps an equalizer. And it doesn't matter whether you choose to listen to Beethoven, Led Zeppelin, Art of Noise, or whoever; the controls always work the same. The WMI scripting library is like—not really, but humor us—the controls on your stereo. That is, the WMI scripting library provides a consistent set of controls (in the form of automation objects) that allow you to access and manage WMI managed resources. It doesn't matter whether you're managing computers, event logs, the operating system, processes, services, or pick your favorite resource; the objects in the WMI scripting library always work the same. The consistency provided by the automation objects in the WMI scripting library is best conveyed by the finite set of tasks you can perform using the WMI scripting library. All told, you can create seven basic script types using the WMI scripting library. You can think of the seven basic script types as script templates. And just like the volume control adjusts the loudness of any CD, cassette, 8-track tape, or .wma file, the WMI script templates can be used to manage any WMI managed resource. Once you understand a template well enough to manage one type of WMI managed resource, you can easily adapt the same template to manage hundreds of other WMI managed resources. Now that we've established the WMI scripting library is your control panel to the entire WMI infrastructure, let's open the chassis and look inside. Figure 1 in Part 1 of this series showed you that the WMI scripting library is implemented in a single automation component named wbemdisp.dll that physically resides in the %SystemRoot%\system32\wbem directory. All told, the WMI scripting library consists of twenty-four automation objects (nineteen in Windows 2000 and earlier), twenty-one of which are illustrated in the WMI scripting library object model diagram shown in Figure 1. Now, before you go into meltdown thinking you must learn the gory details of all twenty-four objects, let us politely point out that you do not. In fact, you'll be happy to learn you can create 6 of the 7 script templates listed earlier with a basic understanding of just two or three of the objects shown in Figure 1. What are those objects? Sit tight, you're getting ahead of us. In addition to the twenty-four automation objects in the Microsoft Windows XP and Windows Server 2003 version of wbemdisp.dll, the scripting library also contains thirteen enumerations. Enumeration is just a fancy name for a group of related constants. We're not going to cover the groups of constants here, because they're covered quite well in the WMI SDK. To learn more about the WMI scripting constants, see Scripting API Constants in the WMI SDK. In many ways, you can compare the automation objects in the WMI scripting library to the core interfaces provided by ADSI. What do we mean by that? Well, the ADSI core interfaces—IADs and IADsContainer, for example—provide a consistent approach to scripting objects in the Active Directory, irrespective of an object's class and attributes. Similarly, the automation objects in the WMI scripting library provide a consistent and uniform scripting model for WMI managed resources. It's important to understand the relationship between the automation objects in the WMI scripting library (wbemdisp.dll) and the managed resource class definitions that reside in the CIM repository (objects.data). As we explained in Part 2, managed resource class definitions are the blueprints for the computer resources exposed through WMI. In addition to defining the resources that can be managed, the blueprints define the methods and properties unique to each managed resource. The WMI scripting library, on the other hand, provides the general purpose set of automation objects scripts used to authenticate and connect to WMI, and subsequently access instances of WMI managed resources. Once you obtain an instance of a WMI managed resource using the WMI scripting library, you can access the methods and properties defined by the managed resource's class definition—as if the methods and properties were part of the scripting library itself. Figure 1. WMI scripting library object model, wbemdisp.dll Although Figure 1 may not appear very intuitive at first glance, the WMI scripting library object model provides a great deal of insight into the mechanics of how WMI scripting works. The lines in Figure 1 point to the object that is obtained by calling a method (or accessing a property) of the originating object. For example, calling the SWbemLocator ConnectServer method returns a SWbemServices object. Calling the SWbemServices ExecNotificationQuery method returns a SWbemEventSource object. On the other hand, calling the SWbemServices ExecQuery or InstancesOf method returns a SWbemObjectSet collection. And calling the SWbemServices Get method returns a SWbemObject. Let's compare the WMI scripts presented in Part 1 and Part 2 of this series to the object model to see how they worked. Each script performed three basic steps common to many WMI scripts. strComputer = "." Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & "\root\cimv2") Connecting to WMI in this way returns a reference to the SWbemServices object shown in Figure 1. Once you obtain a reference to a SWbemServices object, you can call one of SwbemServices methods. The SWbemServices method you call largely depends on the type of WMI script you're creating. Set colSWbemObjectSet = objSWbemServices.InstancesOf("Win32_Service") InstancesOf always returns a SWbemObjectSet collection. As shown by the line between the SWbemServices and SWbemObjectSet objects in Figure 1, SWbemObjectSet is one of the three WMI scripting library object types SWbemServices can return. For Each objSWbemObject In colSWbemObjectSet WScript.Echo "Name: " & objSWbemObject.Name As illustrated in Figure 1, each managed resource instance in a SWbemObjectSet collection is represented by a SWbemObject. Of the twenty-four automation objects in the WMI scripting library, the three most important—that is, the three you should learn first—are SWbemServices, SWbemObjectSet, and SWbemObject. Why? Because SWbemServices, SWbemObjectSet, and SWbemObject are an essential part of darn near every WMI script. In fact, if we revisit our ADSI analogy, SWbemServices, SWbemObjectSet, and SWbemObject are to WMI scripting what IADs and IADsContainer are to ADSI scripting. (Scripting Guys Freebie: There's a tip in there for those of you that haven't dabbled in ADSI scripting.—.That is, of the sixty interfaces provided by the ADSI library, IADs and IADsContainer are the two you should learn first. Trust us.) SWbemServices is the object that represents an authenticated connection to a WMI namespace on a local or remote computer. Additionally, SWBemServices plays an important role in every WMI script. For example, you use the SWbemServices InstancesOf method to retrieve all instances of a managed resource. Similarly, you use the SWbemServices ExecQuery method combined with a WQL (WMI Query Language) query to retrieve all or a subset of instances of a managed resource. And you use the SWbemServices ExecNotificationQuery method to subscribe to events that represent changes in the managed environment. A SWbemObjectSet is a collection of zero or more SWbemObject objects. Why zero? Because it's possible for a computer to have zero instances of, say, a tape drive (modeled by Win32_TapeDrive). Each SWbemObject in a SWbemObjectSet can represent one of two things: SWbemObject is the multiple-identity object that masquerades as the resource you're managing. For example, if you retrieve instances of the Win32_Process managed resource, SWbemObject takes on an identity modeled after the Win32_Process class definition, as shown on the left of Figure 2. On the other hand, if you retrieve instances of the Win32_Service managed resource, SWbemObject takes on an identity modeled after the Win32_Service class, as shown on the right of Figure 2. Figure 2. SWbemObject masquerading as a Win32_Process and Win32_Service If you examine Figure 2 closely, you'll notice SWbemObject exposes two distinct sets of methods and properties. The top set with the names that end with an underscore are part of SWbemObject and live in wbemdisp.dll. The underscores are used to prevent name collisions with methods and properties defined by a managed resource's class definition. The bottom set of methods and properties are not part of SWbemObject. They are defined by a managed resource's class definition in the CIM. When you retrieve an instance or instances of a managed resource, SWbemObject dynamically binds to the methods and properties defined by the managed resource's class definition. You use SWbemObject to call the methods and access the properties defined in the managed resource's class definition as if the methods and properties were part of SWbemObject. The ability of SWBemObject to morph into any managed resource defined in the CIM is what makes WMI scripting so intuitive. Once you know how to connect and retrieve instances, everything is a SWbemObject. OK. So what else does the WMI scripting library object model tell you? The object model tells you SWbemServices and SWbemObject can be directly created using the VBScript (or WSH) GetObject function combined with the WMI moniker (winmgmts:) and a WMI object path (for example, "[\\ComputerName][\Namespace][:ClassName][.KeyProperty='Value']"). On the other hand, SWbemLocator, SWbemLastError, SWbemObjectPath, SWbemNamedValueSet, SWbemSink, SWbemDateTime, and SWbemRefresher objects are created using the VBScript (or WSH) CreateObject function. The remaining objects cannot be created using GetObject or CreateObject. Instead, they are obtained by calling a method or accessing a property. The object model also tells you that seven of the objects in the WMI scripting library expose a SWbemSecurity object, as indicated by the security callout icon immediately beneath or to the right of the object. For more information about a specific scripting library object, method, or property, see Scripting API for WMI in the WMI SDK Documentation. To understand the basic mechanics of the WMI scripting library, let's turn our attention to the seven WMI script templates we listed earlier. Before we do that, how about a paragraph or two about variable naming conventions. In the example scripts that follow, the variable names used to reference each WMI automation object follow a consistent naming convention. Each variable is named according to the automation object's name in the WMI scripting library, and prefaced with "obj" (to indicate an object reference) or "col" (to indicate a collection object reference). For example, a variable that references a SWbemServices object is named objSWbemServices. A variable that references a SWbemObject is named objSWbemObject. And a variable that references a SWbemObjectSet is named colSWbemObjectSet. Why is this important? Well, one could certainly argue that it's not. However, the idea is to help you understand the type of WMI object you're working with at different points in a WMI script. If it helps, great. If it doesn't, just ignore it. The other mildly important thing to keep in mind is that the object reference variable names can be whatever suits your fancy. If you prefer variable names like foo and bar, or dog and cat, that's fine too. There is no requirement stating you must name a reference to a SWbemServices object objSWbemServices. That's just how we did it. Admittedly, tasks that can be performed by using WMI follow one of a handful of standard approaches. For example, you've already seen how a template can serve as the basis for scripts that return information about almost any managed resource. In Part 1 of this series, the same basic script (with one or two minor modifications) was used to return information about items as disparate as installed memory, services, and events recorded in the event logs. The following topics present basic WMI script templates that can be used to: Before we get started, we need to make sure we're perfectly clear on one important point: What you can and cannot do to a WMI managed resource is governed by the managed resource's blueprint (that is, class definition) in the Common Information Model (CIM) repository, and not the WMI scripting library. This is why Part 2 of this series is mildly important (hint, hint). Still not convinced? We'll give you a couple of examples. You can only modify writeable properties. How do you determine if a property is writeable? You use WbemTest.exe, WMI CIM Studio, WMIC.exe, or a script to examine the property's Write qualifier. (See Figure 7 or Listing C in Part 2 of this series for an example of how to examine property qualifiers.) If the Write qualifier isn't defined for a property, the default value is FALSE, which means the property is read-only. Here's another example. You can only create new instances of managed resources if the resource's class definition sets the SupportsCreate class qualifier to TRUE. How do you determine if a managed resource's class definition sets SupportsCreate to TRUE? You examine the managed resource's class qualifiers, again, as shown in Figure 7 and demonstrated in Listing C in Part 2 of this series. Note In practice you'll find some managed resources can be created, updated, and/or deleted even though the managed resource's class definition fails to set the appropriate qualifiers. We're told the situation is being corrected. One more thing before we get started. All of the following: strComputer = "atl-dc-01" Up to this point, we've used the SWbemServices InstancesOf method to retrieve instances of managed resources, as shown in Listing 1. Listing 1. Retrieving services information using SWbemServices InstancesOf strComputer = "." Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & "\root\cimv2") Set colSWbemObjectSet = objSWbemServices.InstancesOf( While InstancesOf certainly does the trick, what about situations where you only want a subset of instances or properties? Suppose you want to optimize instance and property retrieval to minimize network traffic. In such cases, you'll be glad to learn WMI supports a rich and powerful query facility. Querying WMI is the process of issuing a request for managed resources that match some predefined criteria. For example, a WMI query can request only those services with a StartMode of Auto that are in a Stopped state. WMI queries provide a more efficient mechanism for retrieving instances of managed resources and their properties than the InstancesOf method. WMI queries return only those instances and properties that match the query, whereas InstancesOf always returns all instances of a specified resource and all of the properties for each instance. Also, queries are processed on the target computer identified in the object path rather than on the source computer running the script. Therefore, WMI queries can significantly reduce the amount of network traffic that would otherwise be encountered by less efficient data retrieval mechanisms, such as InstancesOf. To query WMI, you construct a query string using the WMI Query Language (WQL). The query string defines the criteria that must be satisfied to result in a successful match. After the query string is defined, the query is submitted to the WMI service using the SWbemServices ExecQuery method. Instances of managed resources that satisfy the query are returned to the script in the form of a SWbemObjectSet collection. Using WQL and the ExecQuery method (rather than InstancesOf) provides you with the flexibility to create scripts that return only the items that are of interest to you. For example, you can use a basic WQL query to return all properties of all instances of a given managed resource, as shown in Listing 2. This is the same information that is returned by the InstancesOf method. If you compare Listings 1 and 2, you'll notice the bold part of Line 3 is the only difference between the two scripts. Listing 2. Retrieving services information using SWbemServices ExecQuery strComputer = "." Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & "\root\cimv2") Set colSWbemObjectSet = objSWbemServices.ExecQuery("SELECT * FROM You can also create targeted queries using WQL, queries that do such things as: "SELECT DisplayName, State, StartMode FROM Win32_Service" "SELECT * FROM Win32_Service WHERE State = 'Stopped'" "SELECT DisplayName,State,StartMode FROM Win32_Service WHERE State='Stopped'" Creating targeted queries will sometimes noticeably increase the speed with which data is returned. (For instance, it's much faster to return only those events in the Application event log that have EventCode 0 than to return all the events in all the event logs.) Targeted queries also make it easier to work with the returned data. For example, suppose you want only events from the Application event log with EventCode 0. Using a targeted query will return only those items. By contrast, InstancesOf would return all the events, and you would have to individually examine each one and determine whether it, 1) came from the Application event log and, 2) has EventCode 0. Although this can be done, it is less efficient and requires additional work on your part. Targeted queries can also cut down on the amount of data that is returned, an important consideration for scripts that run over the network. Table 1 shows some relative figures for different query types. As you can see, there can be a considerable difference in the amount of data returned by the various query types. Table 1. Comparing different WMI instance retrieval methods and queries At this point, we hope we've convinced you ExecQuery is superior to InstancesOf. Now let's turn Listing 2 into a generic WMI script template that can easily be modified to retrieve instances of any WMI managed resource. Listing 3 contains our first template. Listing 3. Template for retrieving instances of managed resources strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_Service" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set colSWbemObjectSet = objSWbemServices.ExecQuery("SELECT * FROM " & strClass) For Each objSWbemObject In colSWbemObjectSet WScript.Echo "Display Name: " & objSWbemObject.DisplayName WScript.Echo "State: " & objSWbemObject.State WScript.Echo "Start Mode: " & objSWbemObject.StartMode To use this template with other WMI classes: WScript.Echo "Display Name: " & objSWbemObject.DisplayName WScript.Echo "State: " & objSWbemObject.State WScript.Echo "Start Mode: " & objSWbemObject.StartMode Scripting Guys Freebie If you're working with a managed resource that returns a lot of instances (we'll define a lot as more than 1000 for the purpose of this discussion), you can optimize the behavior of ExecQuery through the use of optional flags. For example, suppose you use ExecQuery to query Event Log records (modeled by the Win32_NTLogEvent class). As you already know, the Event Log(s) can contain thousands and thousands of records. By default, you may encounter performance problems associated with queries that return large result sets, such as Event Log queries. The reason has to do with the way WMI caches a SWbemObject reference for each and every instance, or in our example, for each and every Event Log record. To avoid the problem, you can tell ExecQuery to return a forward-only SWbemObjectSet, as demonstrated below. strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_NTLogEvent" Const wbemFlagReturnImmediately = &h10 Const wbemFlagForwardOnly = &h20 Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set colSWbemObjectSet = objSWbemServices.ExecQuery("SELECT * FROM " & strClass, _ "WQL" _ wbemFlagReturnImmediately + wbemFlagForwardOnly) ' Insert remainder of script here (e.g., For Each Next loop)... Note The wbemFlagReturnImmediately flag (which is defined in one of the enumerations we briefly touched on earlier) is the default ExecQuery behavior and is semi-synchronous. The important optimization is the addition SWbemObjectSet. One limitation of the script shown in Listing 3 is that it requires you to know, in advance, the names of all of the properties that you want to retrieve and display. What if you want to display values for all the properties of a resource, but you either do not know the property names or do not want to type the 40 or 50 lines of code required to display each property value? In that case, you can use the template in Listing 4, which automatically retrieves and displays the values of each property found in a class. Listing 4. Scriptomatic lite template strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_Process" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set colSWbemObjectSet = objSWbemServices.ExecQuery("SELECT * FROM " & strClass) Wscript.Echo "Scriptomatic Lite - Class: " & strClass Wscript.Echo "===========================" & String(Len(strClass), "=") & vbCrLf intInstance = 1 For Each objSWbemObject In colSWbemObjectSet WScript.Echo "Instance: " & intInstance & vbCrLf & "--------------" For Each objSWbemProperty In objSWbemObject.Properties_ strPropertyValue = ConvertPropertyValueToString(objSWbemProperty.Value) WScript.Echo objSWbemProperty.Name & ": " & strPropertyValue WScript.Echo intInstance = intInstance + 1 Function ConvertPropertyValueToString(ByVal PropertyValue) If IsObject(PropertyValue) Then ConvertPropertyValueToString = "<CIM_OBJECT (embedded SWbemObject)>" ElseIf IsNull(PropertyValue) Then ConvertPropertyValueToString = "<NULL>" ElseIf IsArray(PropertyValue) Then ConvertPropertyValueToString = Join(PropertyValue, ",") Else ConvertPropertyValueToString = CStr(PropertyValue) End If End Function In Windows 2000, WMI is primarily a read-only technology. Of the 4,395 properties defined in the Windows 2000 root\cimv2 namespace, only 39 properties are writeable. Those numbers improve in Microsoft® Windows® XP, where 145 of approximately 6560 properties are writeable. And the numbers get even better in Windows Server 2003. The template in Listing 5 demonstrates how to modify a writeable property. The script retrieves all instances of the managed resource modeled by the Win32_OSRecoveryConfiguration class. (In this case, the class contains only a single instance.) The script provides new values for three properties—DebugInfoType, DebugFilePath, and OverWriteExistingDebugFile—and then commits the changes (and thus configures operating system recovery options) using the SWbemObject Put_ method. If you forget to call the Put_ method, the changes will not be applied. Note This template works only for properties that are writeable. Attempting to change a read-only property will result in an error. To determine if a property is writeable, examine the property's Write qualifier. Listing 5. Template for modifying writeable properties of a managed resource strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_OSRecoveryConfiguration" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set colSWbemObjectSet = objSWbemServices.ExecQuery("SELECT * FROM " & strClass) For Each objSWbemObject In colSWbemObjectSet objSWbemObject.DebugInfoType = 1 objSWbemObject.DebugFilePath = "c:\tmp\memory.dmp" objSWbemObject.OverWriteExistingDebugFile = False objSWbemObject.Put_ Notice how SWbemObject is used inside the For Each loop to: 1) Directly access and modify properties defined by the Win32_OSRecoveryConfiguration class, and 2) call its own Put_ method to commit the change. To use this template with other WMI classes that implement writeable properties: objSWbemObject.DebugInfoType = 1 objSWbemObject.DebugFilePath = "c:\tmp\memory.dmp" objSWbemObject.OverWriteExistingDebugFile = False Methods defined in a managed resource's class definition allow you to perform actions on the managed resource. For example, the Win32_Service class includes methods that let you perform such tasks as starting and stopping services; the Win32_NTEventlogFile class includes methods for backing up and clearing event logs; the Win32_OperatingSystem class includes methods for rebooting or shutting down a computer. Listing 6 provides a template that can be used to write scripts that call WMI managed resource methods. This particular script uses the StopService method of the Win32_Service class to stop the Alerter service on the local computer. Note Before you can call a method defined in a managed resource's class definition, the method must be implemented. How do you determine if a method is implemented? Examine the method's implemented qualifier. A value of TRUE indicates that a method has an implementation supplied by a provider. Having said that, be aware that some methods do not define the implemented qualifier although the method is implemented. The Win32_Service StopService method, shown below, is an example of such a method. The bottom line is determining whether or not a method is implemented can also involve a bit of trial and error. As we mentioned earlier, we're told the situation is being corrected. Listing 6. Template for calling a method of a managed resource strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_Service" strKey = "Name" strKeyValue = "Alerter" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set colSWbemObjectSet = objSWbemServices.ExecQuery _ ("SELECT * FROM " & strClass & " WHERE " & strKey & "='" & strKeyValue & "'") For Each objSWbemObject in colSWbemObjectSet objSWbemObject.StopService() objSWbemObject.StopService() Some WMI classes allow you to create a new instance of the resource they model. For example, you can use the Win32_Environment class to create environment variables, the Win32_Process class to create processes, and the Win32_Share class to create shared resources, to name a few. Before you create a new instance of a resource, you must verify that the managed resource's class supports the create operation. You do this by examining the class's SupportsCreate qualifier. A value of TRUE indicates the class supports the creation of instances (the default is FALSE). Once you've determined the class supports the create operation, you must determine the method used to create new instances. There are two approaches to creating new instances: Let's look at a template for each. Listing 7 demonstrates how to create an instance of a resource when the resource's class definition sets SupportsCreate to TRUE and CreateBy to PutInstance. the SWbemObject SpawnInstance_ method to create a new, "blank," instance of the class. Set the properties for the new instance, and call the SWbemObject Put_ method to create the new instance. Listing 7. Template for creating a new instance using SpawnInstance_ and Put_ strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_Environment" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set objSWbemObject = objSWbemServices.Get(strClass) Set objNewSWbemObject = objSWbemObject.SpawnInstance_() objNewSWbemObject.Properties_.Item("Name") = "TMPSHARE" objNewSWbemObject.Properties_.Item("UserName") = "<SYSTEM>" objNewSWbemObject.Properties_.Item("VariableValue") = "c:\tmp" objNewSWbemObject.Put_ To use this template with other WMI classes that support PutInstance: objNewSWbemObject.Properties_.Item("Name") = "TMPSHARE" objNewSWbemObject.Properties_.Item("UserName") = "<SYSTEM>" objNewSWbemObject.Properties_.Item("VariableValue") = "c:\tmp" Scripting Guys Freebie When creating a new instance using the SWbemObject SpawnInstance_ and Put_ methods, you must provide value(s) for all of the class's key properties. For example, the Win32_Environment class used in Listing 7 defines two key properties: Name and UserName. How do you determine a class's key(s) property or properties? You use WbemTest.exe, WMI CIM Studio, WMIC.exe, or a script to examine the property's Key qualifier. Listing 8 demonstrates how to create an instance of a resource when the resource's class definition provides its own create method. SWbemObject to call the method identified by the class's CreateBy qualifier. The script template in Listing 8 uses the Win32_Share Create method to create a new shared folder. Listing 8. Template for creating a new instance using a managed resource method strComputer = "." strNamespace = "\root\cimv2" strClass = "Win32_Share" Const SHARED_FOLDER = 0 strPath = "c:\tmp" strShareName = "tmp" intMaximumAllowed = 1 strDescription = "Temporary share" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set objSWbemObject = objSWbemServices.Get(strClass) intReturnValue = objSWbemObject.Create(strPath, _ strShareName, _ SHARED_FOLDER, _ intMaximumAllowed, _ strDescription) WScript.Echo "Return value: " & intReturnValue To use this template with other WMI classes that provide a custom create method: Const SHARED_FOLDER = 0 strPath = "c:\tmp" strShareName = "tmp" intMaximumAllowed = 1 strDescription = "Temporary share" intReturnValue = objSWbemObject.Create(strPath, _ strShareName, _ SHARED_FOLDER, _ intMaximumAllowed, _ strDescription) Scripting Guys Freebie When creating a new instance using a method provided by a managed resource's class definition, you must provide values for any mandatory parameters defined by the method. For example, the Win32_Share class used in Listing 8 defines three mandatory parameters: Path, Name, and Type. How do you determine a method's mandatory parameters? Refer to the managed resource's class definition in the WMI SDK. If you can create new instances of managed resources, it stands to reason you can delete instances too, and you can. In fact, the rules that govern which managed resource instances you can delete are strikingly similar to those governing the create operation. Let's review the requirements, and then we'll look at a couple of examples. Before you delete an instance of a resource, you must verify that the managed resource's class supports the delete operation. You do this by examining the class's SupportsDelete qualifier. A value of TRUE indicates the class supports delete (the default is FALSE). Once you've determined the class supports delete, you must determine the method used to delete instances. There are a couple of approaches to deleting instances: Listings 9 and 10 demonstrate how to delete the environment variable created in Listing 7. Listing 9 uses the SWbemServices Delete method and Listing 10 uses the SWbemObject Delete_ method. You can use Listings 9 or 10 when the resource's class definition sets SupportsDelete to TRUE and DeleteBy to DeleteInstance. Listing 9. Template for deleting an instance using the SWbemServices Delete method strComputer = "." strNamespace = "\root\cimv2" strInstance = "Win32_Environment.Name='TMPSHARE',UserName='<SYSTEM>'" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) objSWbemServices.Delete strInstance Listing 10. Template for deleting an instance using the SWbemObject Delete_ method strComputer = "." strNamespace = "\root\cimv2" strInstance = "Win32_Environment.Name='TMPSHARE',UserName='<SYSTEM>'" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set objSWbemObject = objSWbemServices.Get(strInstance) objSWbemObject.Delete_ To use these templates with other WMI classes that support DeleteInstance: Listing 11 deletes the shared folder created in Listing 8, and in so doing, demonstrates how to delete an instance of a resource when the resource's class definition provides its own delete method. Take a second to compare Listings 10 and 11. See any difference outside of the obvious value assigned to strInstance? Listing 10 uses the SWbemObject Delete_ method (note the underscore) to delete instances when the managed resource's class definition sets the DeleteBy class qualifier to DeleteInstance. Listing 11, on the other hand, is using the Win32_Share Delete method. Listing 11. Template for deleting an instance using a managed resource method strComputer = "." strNamespace = "\root\cimv2" strInstance = "Win32_Share.Name='tmp'" Set objSWbemServices = GetObject("winmgmts:\\" & strComputer & strNamespace) Set objSWbemObject = objSWbemServices.Get(strInstance) objSWbemObject. To use this template with other WMI classes that provide a custom delete method: Okay. It's time to practice programmer virtue number one: laziness! Don't worry, we're still going to cover event subscriptions. However, rather than cover them here, we're going to point you to our sister publication: TechNet's Tales from the Script column, where we just published A Brief Introduction to WMI Events. So in addition to getting an introduction to WMI event subscriptions, you discover yet another scripting resource. This ends our trilogy on WMI scripting. Admittedly, there's more to cover and we will. If you'd like to send us suggestions for Scripting Clinic topics you'd like to read, we'd love to hear them. You can drop us a note at [email protected] or in the User Comments at the top of this page. One more thing before we forget. Remember the Microsoft Windows 2000 Scripting Guide, Automating System Administration book we mentioned at the beginning of the article? Well, it's done! And while we hope you all rush out and buy a copy—Bookpool is cheapest technical book e-tailer on the planet by the way—we also recognize the planet is full of cheapskates, such as ourselves. For that reason, we've also posted all 1328 pages of the book online. So the next time Scripting Clinic is, um, late, you have somewhere to turn. Should you decide to read all or some of the book, by all means, let us know what you think—good, bad, or ugly. Of course, we're more interested in what's missing and what we can do to improve version 2. Have fun!.
http://msdn.microsoft.com/en-us/library/ms974547.aspx
crawl-002
en
refinedweb
Represents the management of mappings from ink to the display window. Use the Renderer object to display ink in a window. You can also use it to reposition and resize strokes. Definition Visual Basic .NETPublic Class Renderer Inherits Object C#public class Renderer : ObjectManaged C++public __gc class Renderer : public Object Members Table The following table lists the members exposed by the object. MethodsMethodDescriptionDrawDraws strokes on a Graphics or device context.Equals Determines whether two Object instances are equal. Inherited from Object .Finalize Allows an Object to attempt to free resources and perform other cleanup operations before the Object is reclaimed by garbage collection. Inherited from Object .GetHashCode Serves as a hash function for a particular type, suitable for use in hashing algorithms and data structures like a hash table. Inherited from Object .GetObjectTransformIdentifies the Matrix object that represents the object transform that was used to render ink.GetType Gets the Type of the current instance. Inherited from Object .GetViewTransformIdentifies the Matrix object that represents the object transform that was used to render ink.InkSpaceToPixelConverts one or more locations in ink space coordinates to be in pixel space.MeasureCalculates the Rectangle on the device context needed to contain the stroke or strokes to be drawn by the Renderer object.MemberwiseClone Creates a shallow copy of the current Object . Inherited from Object .MoveApplies a translation to the view transform in ink space coordinates.PixelToInkSpaceConverts one or more locations from pixel coordinates to ink space coordinates.ReferenceEquals Determines whether the specified Object instances are the same instance. Inherited from Object .RendererInitializes a new instance of the Renderer class.RotateApplies a rotation to the view transform.ScaleScales the view transform in the X and Y dimensions.SetObjectTransformSets the Matrix object that represents the object transform that is used to render ink.SetViewTransformSets the Matrix object that represents the view transform that is used to render ink.ToString Returns a String that represents the current Object . Inherited from Object . The following table lists the members exposed by the object. Methods Inheritance Hierarchy Object Renderer Remarks Printing is also done through the Renderer object.Security Alert: If using under partial trust, this class and all its methods require UIPermissionWindow.SafeTopLevelWindows permission. See Security And Trust for more information. Printing is also done through the Renderer object. Class Information NamespaceMicrosoft.InkAssemblyMicrosoft.Ink (microsoft.ink.dll)Strong NameMicrosoft.Ink, Version=1.7.4009.0, Culture=neutral, PublicKeyToken=a2870d9cc4d021c8 See Also
http://msdn.microsoft.com/en-us/library/ms828481.aspx
crawl-002
en
refinedweb
We should have a pref for :visited support, since there are some things that can be determined about the user's history (and perhaps used for other exploits if one knows they use one-click amazon purchasing, or a certain bank, etc.) using :visited rules. (These include using GetComputedStyle or using generated content or 'display: none' to cause server hits. The latter could be fixed with a parallel style context tree (in limited cases), which could allow the pref to disable rules only in author-level stylesheets, but that's quite a bit of work.) s/latter/former/ Created attachment 85392 [details] [diff] [review] backend patch, v. 1 This is an untested implementation of the pref backend, with a pref name that I don't like. (Suggestions for a better one?) On second thoughts, perhaps a better option for users who really care about this would be a pref to disable them only in author stylesheets to fix the content loading issue, combined with disabling JS (and any other scripting languase) to fix the GetComputedStyle issue. This would have the major advantage that link coloring would still work. > ... with a pref name that I don't like. (Suggestions for a better one?) browser.disable_visited_pseudoclass? My comment "The latter could be fixed with a parallel style context tree (in limited cases), which could allow the pref to disable rules only in author-level stylesheets, but that's quite a bit of work." in comment 0 is incorrect, since it doesn't fix issues with computed width/height/offsets or with things like offsetTop. However, one could make a pref that both disables :visited in author stylesheets and hacks GetComputedStyle to fake the color (since that's the only thing in the UA and presumably user stylesheets). ew Marking sensitive after discussing w/dbaron. Unfortunately it appears impossible to resolve the privacy leak and fully obey the spec at the same time. That's OK, that's why this feature will be optional. The spec has a privacy problem, so we let users choose to follow the spec or protect their privacy. That's the best we can do apart from lobbying to change the spec. In the old days surfing HTML was safe from this leak, and you still got to see the colors on your links. The patch above turns off *all* visited styles, and that would so break things we couldn't do anything but default to current behavior. This might be a reasonable stopgap to check in just in case some big flap comes up, although since MS is also vulnerable, and it's really the spec's fault we might not come under great pressure to fix this immediately. If you're going to use the "browser" pref namespace avoid sticking right on the root, it's too crowded already. Maybe something like browser.display.show_visited_style (s?) There's also the dom namespace. This isn't exactly dom, though most of the leaks other than loading images would happen through the DOM. If we expect future CSS tweaks we could start browser.css.* or css.* Created attachment 87324 [details] test #1: simple GetComputedStyle on default colors form of attack Created attachment 87325 [details] [diff] [review] work in progress patch: fixes simple GetComputedStyle exploit (7) This is work in progress on a real fix for the exploit. This is only the first (and easier) part of the patch. (It also needs more testing, but I'll test it more once I have the whole thing.) This approach doesn't do any caching of the special style contexts -- if I did, I'd have to worry about invalidation of the cache, and that would be a real pain. It might be worth doing caching at some point (and for nsComputedDOMStyle objects in general), but this shouldn't be significantly slower in the normal (no :visited) case than the current implemenation. This patch also should fix a bunch of bugs in GetComputedStyle returning the wrong data for content nodes that don't have frames or for pseudo-elements. The second part of the patch (not yet written) will be to do rule splitting of some sort to prevent some properties from applying when the selector has :visited. This will prevent exploits using specification of properties and use of GetComputedStyle for properties where it looks at frame geometry, etc., or use of offsetTop of the frame in question or for other frames. (For the time being, this will have to block anything that can load an image, although in a later patch I'd like to start loading background images from stylesheets and then unblock background images, which I think are a legitimate style for :visited links (as are :before images).) (I take it you mean _pre_load _all_ background images from stylesheets, whether they are used or not, rather than just loading background images, which we do already, and which is the problem.) This seems like an awfully large amount of code to work around an exploit which is basically academic.. I'm not saying we shouldn't do this. But to be honest, it isn't that easy to get personal information out of the global history. You can do things like check if the user has gone to a specific page (such as) but you can't do anything like get passwords out of the session history. Seems to me that any scenario where this is going to be a problem is one where the user is likely to be paranoid about using unencrypted plain text protocols and having the history stored at all anyway. That kind of situation is probably best worked around by using a "privacy mode" where the global history is not affected. I think we should definitely fix this using dbaron's approach. dbaron's patch looks bigger than it really is because he's moving code around. We should also make this bug public given that every browser out there has the same vulnerability (right?) and it's not TOO serious. Ian: note that using this attack, someone can check to see if you've visited https URLs as well as http URLs. I can imagine, say, Amazon using this to see how many of their customers are also visiting their competitors. Depending on how the competitors' sites are organized, Amazon might even be able to guess WHAT they're buying. But that is only really one third of the patch, so far. I still need to do the property blocking and the loading images from the stylesheet. roc: I would be incredibly impressed if someone wrote an exploit of this bug which got out more information than "you visited our competitor's site", information which is frankly less of an issue than referrer-tracking. See also bug 113173 (and bug 128985) and bug 57607, all related to the image This bug worries me because we don't really know the implications of knowing that someone has recently visited a particular URL. It could be used in rather subtle ways. Therefore I'm marking "mustfix" which means we want a fix soon. David, we're still interested in getting a fix for this, probably for Moz 1.3. Are you still working on this? I've been thinking about this a bit. The second part of the patch (see comment 12) requires per-property knowledge. Implementing this in the current CSS backend scares me, because everything is done in massive case statements instead of using a preprocessable list of properties -- this makes it very easy to miss properties, etc., especially when people start adding new properties. I'd be much more comfortable doing this if the current CSS backend were cleaner. I also still need to solve the puzzle of exactly how to expand selectors for property blocking. It's clear that any selector using :visited doesn't apply for the blocked properties. But what's the opposite? Do we turn all the :link in other selectors into :-moz-any-link for the blocked properties, or one at a time, or something else? I suspect the answer is all, but I haven't had time to sit down and prove it to myself. (Consider selectors with multiple :link and :visited separated by various combinators.) This is also going to end up being a very complex patch that will need thorough review. (After all, it would essentially create two new security systems, one for property blocking (which is probably not a bad name -- I need to come up with a better one) and one for lying during DOM access to unblocked properties.) I'm tempted to include intentional mistakes in the patch and not accept the reviews until the reviewers catch the intentional mistakes (and probably some unintentional ones as well). David, we'd really like to get that patch - can you give us an ETA? Maybe for 1.3 alpha? *** Bug 57351 has been marked as a duplicate of this bug. *** So... given that there's a public exploit of this bug at: can this be made public? Also, the dup was public, so making this public. Woudln't loading all referenced images in the stylesheet solve part of this problem? This is already done for pieces of content that have been hidden using display:none. This would prevent malicious users from looking at their logs to see which pages have been visited and which not. That's part of the plan, in a sense, although if it's not done first those properties could be "blocked". See comments above, I think, if I mentioned it... (Yes, the end of comment 12.) *** Bug 223288 has been marked as a duplicate of this bug. *** *** Bug 224954 has been marked as a duplicate of this bug. *** - few words about possible use of this hole. Created attachment 135345 [details] test #2: use of CSS property that modifies layout of other elements Created attachment 135350 [details] test #3: client-side timing test for link state This test shows that the approach I was originally planning to take is insufficient. However, I think it would work if we always resolved both the style-if-visited and style-if-unvisited. I can't see any way that the time resolving the style on the descendants would be any different. Even if we keep both around (which I think is necessary to prevent timing exploits like this one), we can't use these (much, anyway) for GetComputedStyle, though, since descendants would still have the correct (and tainted) inherited data. A strategy for fixing this: * make each style context have a mLinkNext pointer so everything that's a style context now becomes a linked list of style context. * each element that's not a link resolves each element of its list the same as its parent * each element that is a link resolves each element of its list the same as its parent as if it's its correct link state, and then as if it's its opposite link state * we use bits somewhere to indicate which one of the elements in the list is the "totally unvisited" state, and nsComputedDOMStyle uses that one * every GetStyleData call resolves the style data on all style contexts in the chain (and we need to make two calls for nsComputedDOMStyle so there's no performance difference for unresolved data) s/element/style context/g Oh, and everything that loads URL values manually (rather than using CSSValue::Image), e.g., -moz-binding, needs to load all the URLs in the chain. ... actually not. The things that load the URLs manually could still just do the property blocking, which we still need to do in addition to the above (since it only fixes (1) and (3)). Oh, and we also need to be careful with HasStateDependentStyle and HasAttributeDependentStyle -- they need to check for a change given any possible link state. And we also need to be careful to load the images in the same order whether or not the links are visited. We also need to either block sibling combinators with :link or :visited above or turn them into :link-only. There are also performance attacks possible related to a lot of specific properties (e.g., transparency in images), so actually this approach is probably overkill, since we don't need the linked list to start all the image loads. Given that, I'm actually beginning to think that the only safe property is 'color'. *** Bug 287481 has been marked as a duplicate of this bug. *** (In reply to comment #43) > Given that, I'm actually beginning to think that the only safe property is 'color'. Sorry for my possibly amateur approach (C++ no), but I think that you are digging from a wrong side of the hill. This vulnerability exposed by some style properties of links pointing to outside domains. So the solution should be not by blocking their functionality, but by blocking read access to the outside links properties. I mean it should be the input-file / frame approach: you can set but you cannot read, even you if you set it by yourselve. Something like: onLinkStylePropertyChangeRequest // everything as it is right now onLinkStylePropertyReadRequest if LinkInThisDomain ReturnRequestedProperty else RaiseSecurityExeption The point is that there are many other ways to use this attack than reading the link's properties. (In reply to comment #46) > The point is that there are many other ways to use this attack than reading the > link's properties. But only visited link properties are really a serious privacy flow. It allows you to effectively check hundreds and thousands of links almost with *no* effect on user's traffic and *without* queries to other sites. Timed element loading is more a jeu d'esprit rather than a practical spying technology. Enormous traffic growth (plus visible requests to outside) make it unusable. You have to be a desperate idiot and not a professional spyer to jump on it. XMLHttpRequest is good as well for it. So lock XMLHttpRequest either? Visited link properties is an effective way ro spy. At the same time there is absolutly no way to block any of these properties if you want to keep your browser usable. So I suppose the only way is to put all links within the current page to a FRAME-style sendbox. So apply any styles you want, but if you want to read it - then sorry, no. And 3W should get a text like "For security and privacy reasons read-access to link style properties *may be* restricted by a particular sofware producer if the link points outside of the current domain." Send them this right now, let them start inserting it to the appropriate sub- paragraph article XXXXXX section YYYYYY or wherever, so anyone would get buzy :-) You can do: #mozillaorg:visited{backround:url(img)} You could also do: #mozillaorg:visited+span{color:green} ... and read the color of that span element through javascript. Etc. Right, or you can use rules like a.snoop span { display: none } a.snoop:visited span { display:inline } and then generate a pile of <div id="foo"> <a class="snoop" href=""></a> <a class="snoop" href=""></a> ... </div> and XMLHttpRequest-send document.getElementById("foo").innerHTML your way to browsing history. Or any of the other test cases attached to this bug which don't rely on directly sampling via GetComputedStyle. None of those require extra traffic, or need to be visible to the user in any way, other than the report-home mechanism common to all such attacks. dbaron wasn't kidding in comment 46. Did you even look at the testcases in attachment 135345 [details] and attachment 135350 [details]? (The latter isn't 100% reliable, but it could be improved.) Those only even scratch the surface. I'm pointing you again to my comment #47. All these samples are using access to a:visited style properties. Actually I'm wondering why everyone got so fixated on colors? Must be a tradition pressure, because it can be any style property: margin, padding, font, size etc. etc. I could fill this topic with hundreds of similar test cases. Again, there are only two possible variants: either just leave it, or put an extra sandbox rule on JavaScript engine (Set - any, Get – only properties of links within the current document.domain). The latter kills the problem on the root, but it’s definitely 3W-sensitive. Also all kind of “timed loading” exloits should be removed from this and any other topic as irrelevant and unfixable. Absolutely nothing you can do here without locking 99% of browser functionality. As a consolation I can say that this case is more an attempt to be “more catholic than Pope”. No one DoubleClick-level spyer will ever use any of these exploits, like never a mafia boss will start grabbing purses on the street. They have absolutely other techniques and approaches. The small net-trash can use it (and using it), but what can you really ask from a trash? > All these samples are using access to a:visited style properties. See comment 50, please. Again. Attachment 135345 [details], for example, never accesses a style property on an a:visited. Please stop with the uninformed advocacy, ok? > See comment 50, please. > Again. Attachment 135345 [details] [edit], for example, > never accesses a style property on an a:visited. Wow! That a proof for the 5th Parkinson-Murphy law! I tried to play chess against of myself and I lost every time. I see this flow cannot be solved without a severe violation of the "browsing experience". Mark it as a "system feature"? >Please stop with the uninformed advocacy, ok? OK, no problem. All I wanted to say that IE is wide open to this exploit as well. So in the "Empire strikes back" attack it cannot be used against of you. I had a nightdream that you have really weaked up the Big M with your Firefox, and that it will use on you all your defaults by the all spirits day. So maybe just skeep on it right now? Given the breadth of attacks here, and the tension between the CSS specification and some of the restrictions proposed, moving this back to investigate. Created attachment 214614 [details] test #4: use CSS counter-increment and counter() to modify layout of other elements Another approach would be to have :link/:visited elements have different z-indices and then use onmouseover to find out which elements got the events when the user swipes the mouse from side to side (trivial to enduce if the user is playing a game, e.g.). Created attachment 235461 [details] test #1: simple getComputedStyle on default colors form of attack (with code fork for WinIE) For what it's worth, this is attachment 87324 [details], modified with a code fork for WinIE (where it does not support a standard DOM method but supports an equivalent proprietary one). It shows that WinIE6 is vulnerable; I'm curious if the claims that this is fixed in IE7 are correct. Created attachment 235462 [details] test #1: simple getComputedStyle on default colors form of attack (with code fork and URL hack for WinIE) Actually, it seems that href="" also doesn't work on WinIE in some cases, which I think is an additional bug that makes all these testcases fail (say "exploit not present", even if it is) in WinIE. Since I can't predict the attachment URLs that I'm going to get, and since attachments are visible using multiple URLs, I'll use this bug's URL as a template for a visited URL. see also which shows how its possible to detect some of the installed Firefox extensions using the chrome: protocol handler. I'm not sure if that is a security threat, but its definitely a privacy issue. Comment 59 does NOT belong on this bug. Please file it as a separate bug report.. *** Bug 354861 has been marked as a duplicate of this bug. *** From dup bug: Descr.: Paper: Proof of Concept: (In reply to comment #61) >. Actually, we modify the referer field to store a list of all referers, rather than just the first one. Collin Jackson So, for what it's worth, a CSS approach that would fix the known exploits here is, I think: 1. When computing style for visited links, use the style that matches :link, except for the RGB components (not the alpha component) of the color and background-color properties, where we use the style that matches :visited 2. Make getComputedStyle lie about those two properties (i.e., act as though the link is unvisited) (In reply to comment #65) > So, for what it's worth, a CSS approach that would fix the known exploits here > is, I think: It is true that these proposed changes make attacks more difficult and are likely to work well with most sites. Although I support these changes, I would like to point out that they don't fix all of the known exploits. 1) It would still be possible for an attacker to construct a convincing phishing page that looks like Wells Fargo to a Wells Fargo customer and Citibank to a Citibank customer. An attacker could simulate the images as a grid of 1 pixel hyperlinks, and simulating the text should be straightforward. JavaScript could be used to ensure that the user doesn't accidentally click through to the real site, and once the credentials have been stolen it would be straightforward to try them at both sites. 2) It would still be possible for an attacker to learn information about the user's history at other sites based on where they click and don't click. For example, and attacker could have a huge link that says "Click here" and only users with a certain history entry would see it and click it because it blends in with the background otherwise. Ah, right. Then I think we need to take a non-CSS approach to solving this, such as storing all referring domains to a link in global history, and only allowing styling if the page is in the referring domain. (Would be great to have the effective-TLD-service for that, I suppose.) I think I prefer the CSS approach. I don't mind if an attacker can find out whether I've visited a given page, one URL at a time, with user interaction (not cooperation). But I do want visited link coloring to work on all the blogs I visit, even if I haven't clicked a given link from that blog before. Even if we fix this, another way is still available, see bug 363897 I'm with Jesse, the approach dbaron lays out would stop the wholesale testing of history in a hidden frame. It's a huge win even if it's not 100% foolproof. Does the approach from comment 65 also take the following scenarios into account (and variants): a:visited + span { color:blue } a#bbc-co-uk:visited { background:url(tracker.cgi?bbc.co.uk) } Compare bug 371375 with same or similar effect, but other method. Note sure whether already reported here, but RSnake had an idea how to use this without JavaScript enabled, by combining CSS :visited with CSS background-image. (In reply to comment #73) > Note sure whether already reported here, It is. See, e.g., comment 12 and comment 61. er, sorry, comment 12 and comment 71. Another site which demonstrates the problem: (In reply to comment #14) >. pleas to not make FF pile of **** like IE! but seriously you're making some stupidity assertion there, for instance, if you're browsing some forum and *give your email address* requesting a full set of some child porn or snuff it is *your sole responsibility* to make sure you don't load any web bugs in email messages feds sent you and noone should make any assertions on what *might* the end user's privacy preferences be or more like - privacy settings should be turned on not turned off from the default. I've been experimenting with this behaviour and found that you can do better than just guessing random URLs and seeing if they have been visited or not. The following methods may be obvious, but I've not seen it talked about anywhere: 1. Guess a few starting URLs that the user is likely to have visited (e.g planet.mozilla.org, slashdot.org, news.bbc.co.uk) and put them on a webpage. 2. Detect which URLs have been visited 3. For each visited URL, make a background request to a server that will fetch a copy of the URL and return a list of links on that page. 3. Add those links to the current page 4. Goto 2 Using this method, a website can interactively search through your history and find pages you've visited that couldn't be guessed easily (provided they're public webpages). Another interesting thing that can be done since bug 78510 was fixed is to know in real time when someone clicks on a link. For example, you could visit a page that did the kind of tracking described above, then keep it open in a background tab. If I click on a story on slashdot that I've not read before, that link will immediately become 'visited' on the tracking page. The tracking page will then fetch all the links on that page. It could then follow me as I look at a wikipedia page linked from the comments, and any subsequent pages linked from there. I've made a proof of concept of this (using only CSS, no JS required) and it works pretty well. Now that Firefox 3 stores 90 days of history, it can dig up a good number of pages I've visited. This is an interesting idea. It has two limitations, though: 1. it is resource-intensive, making it more likely to be noticed and detected, 2. you will only find pages linked (indirectly) from those popular pages. I.e. you will see which news I followed, but not the website of my friend, whose address I typed in the urlbar. Creative exploit of this bug: Further to comment 80, see also Workaround till this is fixed is to use the SafeHistory extension from Hello, Sorry to up this old topic after all this time. I would like to share some thoughts about this problem. _First_, as someone said before, and given the importance of this issue (comment #78 explains very well, in my opinion, a scary way to exploit this, for example), i think we should "restrict" (see next point) by default the effect of :visited pseudo class on links to a different origin than the current page. Maybe we can add a preference to disable that privacy feature, if people still want the present functionality unrestricted. A sort of "choose between privacy and functionality" preference. That way, users can still get the full site design on :visited links if they absolutely want it, but by restricting by default, and forcing the user to understand the implications of what they do before they allow the full functionality, we put the responsibility on the user to choose the fancier path instead of the safe one. In other words, if someone gets his history stolen after they allow it, they cannot say it's Mozilla's fault. _Second_, as to the way of "restricting" :visited on foreign domain links, i see a few, while keeping various levels of functionality : 1) As some people already suggested, just act as if those links were not visited, whether it's true or not. Certainly the safest path, and the easiest to implement, but again, we lose the functionality of knowing whether they are visited or not... 2) Ignore the CSS :visited pseudo-class on those foreign-domain links, and put the emphasis on the visited links in an arbitrary way chosen by the browser. It will be the same for every site, no matter what CSS there may be, and in a way that no script or CSS can know whether it was visited or not. For example, you could add a little image with "position: absolute" on the right of the text links to show that it is visited, an image that could not be accessed by the DOM (or by CSS selectors, of course). Since it is absolutely positioned, it would not change the geometry of the document. You could as well invert the background color of the given link, or change the text-decoration, or whatever that doesn't change the geometry and the DOM of the document. Of course, for properties modified like this, getComputedStyle should not return the actual "real" value. This has the main advantage of still showing to the user wich links he has visited or not, even if it is in an "ugly" way, that doesn't integrate very well with the visited site's design. In other words, trade some design possibilities for privacy, while keeping the full functionality of showing visited links. 3) Allow a *white-list* based list of CSS properties that could be set for :visited links. Those properties could be set by the CSS for the links (or even any children or sibling element, depending on the selector used), but getComputedStyle should not be able to read it (it should read the value the property would have if the given link was treated as never visited). The white-list should be carefully chosen, from the properties that don't change the geometry of the document, for example color, background-color, background-image (in that case, it should be downloaded even if the person has not visited the link, of course), text-decoration, font-style (if we can assume that italic and oblique text always has the same width and height as "normal" text)... This is a more flexible way, preserving most of the design possibilities for the site designers, while still letting the user know wich links he has gone to. It is also probably the hardest to implement of the three, because for example you need to keep track of what properties were set with CSS rules that depend on a :visited selector. Also keep in mind that those restrictions (whatever way you choose) would only apply to links that point to foreign domains, so any site can still do whatever it wants with his own links. Well, sorry, this was quite a long post, but i hope it can be helpful. The thing is... doing that origin compare is likely to be expensive. For typical pages, "noticeably slower pageload" expensive, if I recall the numbers right for how many history lookups happen. I don't understand the reason for all the comments about how it will change page layout, etc. Let the :visited do it's thing on the page and restrict the _javascript_ from reading it! Simply pretend all, different origin, visited links are unvisited when javascript reads them. This should break almost nothing - how often does javascript need to read such things? (In reply to comment #85) > Let the :visited do it's thing on the page and restrict the _javascript_ from > reading it! Simply pretend all, different origin, visited links are unvisited > when javascript reads them. This should break almost nothing - how often does > javascript need to read such things? Please read the 84 comments prior to yours to see why this won't work. (Sorry, I don't have time to find the right ones right now -- but that's what happens when the bug has too many comments on it.) (In reply to comment #86) > I don't have time to find the right ones right now -- but that's what happens > when the bug has too many comments on it.) > I saw this many times so filed bug 451684 (In reply to comment #86) > (In reply to comment #85) > > Let the :visited do it's thing on the page and restrict the _javascript_ > > from reading it! [...] > > Please read the 84 comments prior to yours to see why this won't work > I have time to find the right ones right now Comment #73, comment #48, comment #49, comment #50 : there might be some other before, but those are telling enough. (In reply to comment #84) > The thing is... doing that origin compare is likely to be expensive. For > typical pages, "noticeably slower pageload" expensive, if I recall the numbers > right for how many history lookups happen. I think the approach Jordan Osete describes is probably the best... Only match :visited when the link has the same origin as the containing file. The code complexity would be minimal, the fix would be easy to implement and explain. People would lose the ‘visited’ indication on links to foreign sites, which might be slightly annoying on sites like e.g. Digg, but you still keep the functionality on sites with many same-domain links such as blogs. Some kind of preference/per-page-setting would be useful, so that e.g. Thunderbird or NoScript can disable this limitation (given that they do not allow JS to execute in content), and people who do not care much for the security issue as well. You say that adding a same-origin check causes considerable overhead, but by definition :visited itself needs to compare the link with the entire history (or at least a subset thereof)... surely that massively outweighs the overhead of a simple same-origin check (where you do not even have to compare the entire URI, just the domain part)? If you really do want to cater to foreign links, you could implement the referer-thing mentioned in comment 61 which should suffice for all practical uses of :visited, although of course at a more significant performance trade-off. (But then again, one might consider the Referer HTTP header a security issue of its own right :), and if you are not going to ‘fix’ Referer, why would you bother with :visited?) Another way to retain partial functionality for foreign links would be to set a flag on a link once it gets activated, so that at least as long as the page is not reloaded or still in the fastback-cache, the links show up as visited. Laurens, comparing "just the domain part" is actually more expensive than comparing the whole URI. And history is a database; it's not like we're doing a linear search through it. In the past, something as simple as minor tweaks to URI parsing has significantly affected the :visited codepath's performance and had noticeable effects on pageload time. It's a _very_ hot codepath during pageload. I suggest you do some profiling and read some of the old bugs on the issue, or just talk to sdwilsh about the problems he's running into now with his history work. Sorry, but I really do not understand why this would be slower. I mean, currently we do a _full_ history lookup for EVERY link in the page. With my proposal, we only do ONE origin compare for every link, and a full history lookup ONLY on those links that come from a same origin. If anything, shouldn't it be faster ? Jordan, a hashkey-based query into the DB, searching for a string which is indexed, may well be faster than parsing the URL and finding out the domain, yes. bz was saying that you need to base this on actual tests (coding it up and measuring speed), not just guesses. That said, I think that speed is no real argument, given the threat that this bug represents, as shown by several public proof of concepts now. Note that you can also do it the other way around: If DB lookup is faster, you can do that first, and only when you find a "visited" link, compare the domain and decide whether to show/treat it as visited. I am surprised to see that the long discussion is ongoing while a patch (backend patch, v.1 on 2002-05-28) is available from the beginning and not committed. The patch is imperfect, but it is better than no patches, isn't it? Personally, it will probably be fine for me if :visited pseudoclass (and VLINK attribute and the like) is completely ignored, since some web sites assign the same style for :link and :visited anyway and those sites do not irritate me much. (In reply to comment #94) > committed. The patch is imperfect, but it is better than no patches, isn't it? No. (In reply to comment #95) > > committed. The patch is imperfect, but it is better than no patches, isn't it? > > No. Why? If I understand correctly, that 6-year-old patch provides as a bottomline an option for a user to choose privacy over the :visited support. You can discuss about a more sophisticated solution later, if you like. Oh, the first patch. I suppose it might be worth updating that; it would pretty much need to be rewritten at this point, though. Created attachment 343901 [details] [diff] [review] patch for a pref Here's a patch for a layout.css.visited_links_enabled pref, defaulting to true. I suppose this patch also needs a test, though. David, thank you for your prompt replies and the updated patch. I cannot test the patch, sorry. I think the pref added by the patch is useful for a small fraction of users, and maybe for a larger number of users if security experts inside or outside Mozilla explain the issue. Comment on attachment 343901 [details] [diff] [review] patch for a pref Looks good. Should be simple to test with mochitest, right? I'm interested to see what links I've visited, but I don't care about fancy styles. A different colour for visited links is enough, and if a page queries the colour it can be told the unvisited colour, or if the data type allows, it can be told both colours. Comment 81, , mentions which requires javascript, and sends an http request of the form with a list of some of the sites from your history. Allowing people to read the browser history is serious. Disabling all visited link styles except colour, and faking the colour when queried seems simple enough. Why is this still not fixed after nearly six and a half years? Web pages can read the colors of pixels rendered in the page using SVG filters and the elementFromPoint API. It's a simpler variant of the following attack on cross-origin IFRAMEs: The cross-origin IFRAME attack would not work in Firefox today because we don't support pointer-events, but examining content in the same page *would* work today in Firefox 3 if someone coded it up. Oh, sorry, that does still depend on pointer-events, so it doesn't work in Firefox yet. But the point is, relying on colors not being recoverable by the Web content is not a good idea. (There are other features that would also enable that, like the ability to draw SVG content to a canvas, which Opera supports and we'll want to add at some point.) The content on a page should not be able to read the actual colour of links. If it wants to do awkward things like reading individual pixels, then maybe the browser should take the relatively expensive approach of allocating some more memory and re-rendering the whole page with all links in their unvisited colour. But then if the reads of individual pixels effect rendering you get a recursive problem and it might take a huge amount of resources to fully render. Perhaps as soon as there is a call to read a pixel it switches to a double-rendering mode where 2 bitmaps are maintained, and most rendering is copied into both. One is displayed, and link colour depends on whether the link has been visited. The other uses the unvisited colour. Pixel reads would be from that second bitmap. Or perhaps the option to only allow colour changes should also disable pixel reads. Regarding "SupportVisitedPseudo", could we have an override at the docshell level (perhaps on nsIMarkupDocumentViewer, but event better if cascading like allowImages, allowJavascript & company)? BTW, I'm still convinced that an efficient implementation of the SafeHistory approach would be the way to go. I landed the pref patch: . Followups on the pref should probably go in different bugs. SafeHistory stops you seeing what links you've visited in several cases when you would like to know, and allows the page to see in several cases when it shouldn't. Reading pixels is clearly awkward, and so may incur extra cost, because the rendered page contains information that only the user should see. (In reply to comment #107) > SafeHistory stops you seeing what links you've visited in several cases when > you would like to know still better than not knowing anywhere, like a global preference implies. > and allows the page to see in several cases when it > shouldn't. Would you care to explain? if you visited a certain site following a link on my own site, what kind of extra information do I gain by spying on :visited stuff (provided that you've got JS enabled and therefore I can log every click)? > Reading pixels is clearly awkward, and so may incur extra cost, because the > rendered page contains information that only the user should see. I hope and assume that any proposal of reading pixels does not cross domain boundaries (i.e. I shouldn't be able to take a screenshot of cross-site frames, right?). That said, pixels colors are just one way to leak :visited status info: the "classic" scriptless attack, for instance, uses background images to perform direct CSS-only logging. I don't have a suggestion about how to fix it, but I have one note... You could effectively use this bug to out the author of an anonymous blog, by searching history for the posting interface of the blog and calling home if you get a winner -- or perhaps employ it to search for people who've recently viewed Wikileaks submission policy. Kill it. Kill it with fire. There's no such thing as overkill here. This may be an issue, but it's rather a standard w3c feature. If you are so much concerned with privacy, why use history at all? Disable that (in preferences) and be secured not only against this feature, but even against a fbi raid (as for wikileaks;p). My distress isn't for myself -- *I*, having read Mozilla bug #147777 last Saturday, am now aware of the problem and can take the proper precautions. (Although my ignorance of it for the past six years and six months distresses me.) The stock solution -- to provide a preference that can be enabled to protect yourself, possibly even referencing that preference in the user interface -- isn't enough in this case. There's no good way to educate people about it, even by putting a big honking disclaimer in the install process; they'll forget it, or not understand it and click through it, and once they've done that they'll never consider it, ever again. Even if you have it default off, they'll turn it on and then... never remember it. Goodness knows there's Mozilla preferences I only remember when I sit down to a fresh install and roundly curse all of your names. <g> This is going to get somebody hurt -- I'll grant that it not having done so in six years is not a good support for my assessment of the problem's urgency, but we haven't been safe, we've been /lucky/. From the W3C CSS specs (about . Is there any patch planned for this bug any time soon ??? The easiest way to fix this would be to only consider links within the same domain as :visited. *** Bug 484937 has been marked as a duplicate of this bug. *** Please do not "fix" this issue in normal browsing mode by restricting :visited links to same domain links! The design and usability pattern of :visited links is old and useful, everybody got used to it.. There're some screenshots and detailed description: (In reply to comment #115) >. I'm not sure if by safe browsing mode you are referring to private browsing mode or not, but if that's the case, we already do that. Inside private browsing mode, no link would be displayed as visited, no matter if the visit has happened before or after entering the private browsing mode. "If user seriously concernes his privacy, he would use Safe Browsing mode." OK, then maybe we should not be concerned about any cross-site information leaks ... If a user distrusts a site, he will use private browsing mode. This kind of thinking really exceeds my worst expectations ... Let's not let this degenerate into a flamewar, but I think that comment 115 has a valid point which is that there is a very real tradeoff here between security and working according to what is expected user behaviour. The norm for the last donkey's years on every browser has been that visited links are always shown as visited whether or not they're on the same domain as what you're currently viewing. To break this feature is breaking one of the most useful visual feedback aspects of a web browser. Simple example: If you do a Google search, you have immediate feedback on whether or not you have previously visited a search result even before you read it. That's a huge benefit and it's just the first example I could think of. I'm not familiar with the backend coding aspect but it seems to me that a better and more user friendly approach would be to modify the implementation of the GetComputedStyle function to prevent this attack rather than making the :visited feature more or less useless.: Jens, your point is not valid. This issue with visited links is known since year 2000? Maybe even earlier? There's still no good solution to it while all the XSS issues are fixed without any problems. And private browsing mode wasn't invented just because somebody thought it was a nice option - it was implemented because people wanted to browse sites without any traces in history or wherever. Don't you see that private browsing mode fully solves this "issue"? If I use facebook, flickr, digg, I can be found there even without this :visited link issue. But if I'm about to visit my internet banking site, I'll use the safest browser and the safest mode it's got. That's what users should be taught. @#115 & #116: I don't think this has a lot to do with "Safe Mode". Safe Mode/Private Browsing Mode is what I'd use if I didn't trust my host system, not if I want to browse securely. If I have my host system's drives running in something like truecrypt or dmcrypt or whatever and I knew I was the sole user of the system, is there any reason I would ever want to use Safe Mode? Limiting :visited to the same domain is something which I'd want to do regardless of me being in Private Browsing Mode or not. I agree it breaks a common pattern, but IMHO added security is a reason to do this. Systems, browsers, etc. should be secure by default. If it's only done in Private Browsing Mode, I hope it'll be possible to change some about:config value to always enable it in normal mode. Regardless, I'm not convinced it shouldn't be the default for "normal mode" as well - AFAIK Private Browsing Mode is only about not saving information on the host system. (And even if it wasn't, "normal mode" should still be free of privacy leaks by default.) @#118: I can see this being annoying for sites like Google Search. FF integrates with some blacklisting engine, i.e. it shows a warning about a site being unsafe. Maybe as a default, ":visited for other domains" can be disabled on sites which are in this blacklist? "but it seems to me that a better and more user friendly approach would be to modify the implementation of the GetComputedStyle function to prevent this attack" Yes. I think implementation or at least design work on that is ongoing. I remember some discussion about that in this bug. (In reply to comment #119) >: > > Are you sure that you had actually entered the private browsing mode? If you had, your window title should have had "(Private Browsing)" (or an equivalent text in your locale) at its end, but in the screenshot that you have posted, that is not the case. To enter the private browsing mode, please use the Tools > Start Private Browsing menu item. Let me know if this doesn't solve the issue. (In reply to comment #118) > I'm not familiar with the backend coding aspect but it seems to me that a > better and more user friendly approach would be to modify the implementation of > the GetComputedStyle function to prevent this attack rather than making the > :visited feature more or less useless. Only modifying getComputedStyle() would be pointless IMO. :visited isn't limited to changing colors - it can change the size of an element as well for example and then it is a matter of simply checking offsetHeight of the element. Of course one could limit :visited to "simple" CSS properties (probably meaning only color and background). But even then one could use a canvas to make a "screenshot" of the current page and get the color values of the pixels. In other words, I don't think that allowing the site to display external links as visited while preventing this information from leaking out is realistic. Ehsan, you're absolutely right, I screwed this - I was entering Firefox safe mode instead of Private mode - and thought that the safe mode would be private :) Way cool! Thanks Firefox team! Ali, that's what I'm talking about! If the issue is fixed by restricting :visited by same-domain policy, it will hurt users experience. :visited links styled differently is a very common and widely-used visual pattern - and you mentioned a very good example - search engine results pages. I don't think that same-domain policy would work here. Regarding your proposal to modify the implementation of getComputedStyle - how are you goint to modify it? What if I set a:visited span {display: none} stylesheet rule for <a href=""><span>link text</span></a> link and then use getComputedStyle to get the current style of my span? @Wladimir: last time I checked, taking canvas screenshots (via drawWindow(), I guess) was not allowed to content scripts. However trying to prevent leakage at the getComputedStyle() level, like you said, is wasted time except for entirely dropping :visited support, which is totally unrealistic.. This approach, as far as I know, is easy to implement with the current Places database, which traces the referer of each visited link, and is also the one pioneered by the SafeHistory extension. Giorgio, let's say I was searching for some stuff on MSN Live Search, visited 100 sites from the search results, then I went to Google to search for the same stuff. All the links that I visited from MSN Search won't be marked as visited in google search results. Is it what you're proposing? P.S. this is only one simple usecase where :visited support can't be restricted to same-domain or same-referer policy. (In reply to comment #125) > @Wladimir: > last time I checked, taking canvas screenshots (via drawWindow(), I guess) was > not allowed to content scripts. Only for cross-domain invocations. There are no restrictions on taking screenshots of your own site and analyzing the data, unless I missed a recent behavior change of course. >. Last time I checked, Places lookups weren't the fastest thing on earth. See also comment 84. (In reply to comment #125) > This approach, as far as I know, is easy to implement with the current Places > database, which traces the referer of each visited link, and is also the one > pioneered by the SafeHistory extension. SafeHistory doesn't work anymore thanks to places, see bug 320831 for details. (In reply to comment #128) > SafeHistory doesn't work anymore thanks to places, see bug 320831 for details. Nonetheless a relational database to track visits like Places makes implementing a SafeHistory-like built-in feature trivial, if developers are motivated to do it and have some basic SQL skills. (In reply to comment #127) > (In reply to comment #125) > > @Wladimir: > > last time I checked, taking canvas screenshots (via drawWindow(), I guess) was > > not allowed to content scripts. > > Only for cross-domain invocations. There are no restrictions on taking > screenshots of your own site and analyzing the data That's wrong (fortunately): @Vitaly: yes, that's what I and security people from Stanford ( ) are proposing. As I said, it's a bearable middle ground which works fine with your first Google use case but of course breaks other, arguably less impacting but not necessarily unimportant ones. Can you suggest a better, effective and realistic approach? Guys, comments 118 through 129 basically just repeat things that have already been said in this bug. Congrats. You've now sent a total of abut 1000 e-mails (94 ccs, plus all the watchers * 12), made this bug that much harder to fix (10% more comments to read), and had your chance to say Important Things that everyone Absolutely Must Read. Now please, unless you're adding something _new_ to this bug, do not comment on it.: 1) Render everything as if the links were not visited. 2) Display an overlay above the window that highlights visited windows. This can be anything (from a contrasting border to a scrolling marquee to alpha blended shining rays), as long as it's completely separate from the page. Trusted extensions might have access** to it, but nothing inside the page can tell that it's there*. Anything the page does, including querying properties, loading backgrounds and looking at individual pixels would happen exactly as if the links were unvisited. [*: except doing real screenshots, which would be silly to allow, and timing attacks, which are always hard (both to do and to prevent).] [**: they might customize the look, or highlight otherwise interesting (e.g. dangerous or secure) links.] This would probably be slower, but it can be just an option for users who really want protection. It might be the default for incognito mode, for instance. Anyway, it's the only way to absolutely prevent the attack: strictly separate what the user sees from what's on the page. (By the way, this might be useful for preventing whatever information the user must see that the page shouldn't; for instance, I think reading pixels might allow a page to read auto-completed forms even if the user never clicks 'send'.) (In reply to comment #131) >: This does slow down the attacker, but the attacker can still get private information from each click. Let's say a web page shows N hyperlinks that all say "Click here to continue." The unvisited links are styled to blend in with the background so the user can't see them. The visited links are visible because of the visited link styling, so the user only see the visited ones. Then the attacker can find out where the user's been by which link they click on. what do you think about limit the visibility of "visited" for a domain A to other domains that were visited having A as referer? I think it is a bit better that just restricting it to same domain. If I am on a website A and I click on a link to another website B, it would be nice if any link to B can be seen as "visited" by A. *** Bug 502040 has been marked as a duplicate of this bug. *** Comment #133 sounds like a very good option. Comment #133 seems vulnerable: Site makes a link to. She either tricks the user into clicking it, or follows it programmatically. Now can tell whether the user has been to Maybe there should be an option to disable all visited link styles except colour, and then it could render the page away from the screen with all links in the unvisited state, copy it to the screen, and then apply the visited colours. Any pixel reads would read the version in non-screen memory. Any script that wanted to read pixels and do clever things might corrupt the appearance of the page, or it might be too difficult to work out where the link ended up, which would be needed to apply the colour, but the creators of such pages could avoid these problems by setting the visited and unvisited colours the same. This seems to fix all the vulnerabilities. It should be the default, even though it breaks the spec, because people should not have their privacy violated unless they agree, even if a specification says they should. That still doesn't solve timing channel attacks (see, e.g., test #3, which still works some of the time for me, and could probably be made more reliable). I don't understand that test fully, but it seems to involve accessing a data structure about the page. If the data structure accessible to the page says all links are unvisited, whether they are or not, or if those fields are not read but spoofed, and all relevant code is designed to take the same time to run, then no timing attacks should be possible, unless they involve CPU cache. I don't see why there would be a timing vulnerability involving the cache, but if there is it can probably be compensated for. Yes, one standard academic research solution to timing channels is "cross-copying", padding alterative control flows with skip instructions. No, this is not all that easy to implement, and it is not yet implemented in Gecko. Good luck getting all browsers to agree while also competing on ultimate best performance! Timing channels are notoriously hard to close. Leaking a few bits slowly can leak enough over time to compromise sensitive secrets. This is still a research topic. /be If the page reads the structure, or does some rendering that depends on visited state, the actual value in the structure would not be read, and it would be spoofed as unvisited. The final stage of adding link colour would be after the page had finished rendering (into non-display memory), so it would be more difficult to time. I suppose someone could put the same link 10,000 times on the page and try to time the rendering, but I don't see how they would time it and anyway when re-rendering the page to add link colour as in Comment #137, it could do all the links, or even do all with both colours, with the correct colour last. I don't see how any timing attack would work. *** Bug 520974 has been marked as a duplicate of this bug. *** *** Bug 522652 has been marked as a duplicate of this bug. *** The exploitability is public once more: Please fix it ASAP, so I can change the site to "Firefox is now immune". Some thoughts on a fix: Define an element's "relevant link" as: * if the element is a link, it is its own "relevant link" * otherwise, if it has an ancestor that is a link, it is the *nearest* such ancestor * otherwise, it is null. For every element that has a relevant link, we resolve style twice: * once as though all links in the document are unvisited * once as though all links except the relevant link are unvisited and the relevant link is visited We make the first style context the frame's primary style context, but give that style context a pointer to the second. We also store in the style context whether the relevant link is actually visited. (NOTE: This disables support for any selectors involving link visitedness and sibling combinators and also disables support for any selectors involving nested links and visitedness on the non-innermost.) Then, when *drawing*: * text * border * background-color we call a ***non-inline*** function like: GetAppropriateColor(PRUint32 aIndex, nscolor aColors[2], nscolor aAlphaColor) { nscolor color = aColors[aIndex]; return NS_RGBA(NS_GET_R(color), NS_GET_G(color), NS_GET_B(color), NS_GET_A(aAlphaColor)); } in a manner something like: nsStyleContext *primarySC = aFrame->GetStyleContext(); nscolor colors[2]; colors[0] = primarySC->GetStyleColor()->mColor; nsStyleContext *visitedSC = primarySC->GetVisitedStyle(); if (visitedSC) { colors[1] = visitedSC->GetStyleColor()->mColor; } else { colors[0] = priColor; } nscolor drawColor = GetAppropriateColor(primarySC->IsVisited(), colors, colors[0]); Why don't you just load all linked elements, regardless of their visitedness state? * Load everything which is linked in the stylesheet and put it into a cache. * Let the display code only access stuff inside that cache. This wouldn't have to slow anything - the internal code would load the same way it does now, but some resources would block until they are in the cache. Example: Stylesheet: .blah {background: url(unvisited.png)} .blah:visited {background: url(visited.png)} Both unvisited.png and visited.png get loaded from the web at the same time (so no private information gets leaked), but the display code only accesses one of them. If one isn't available yet, it looks to the display code, as if loading were simply taking longer. This also has the advantage that a change in the state of an element doesn't require accessing the server again (more responsive websites). (In reply to comment #146) > Why don't you just load all linked elements, regardless of their visitedness > state? Why don't you read the whole bug report before acting like you know everything about the problem? > Why don't you read the whole bug report before acting like you know everything about the problem? I should have done that, sorry - I broke off after the first 20 comments or so. It's just too easy to think something would be easy to fix without knowing the codebase... and it's also far too easy to forget how hard it is to write a modern (and well-working) HTML-renderer - especially since basic HTML and CSS is deceptively easy to write. I'm sorry for the noise. A few more additions to comment 145: * I wasn't necessarily saying we need to explicitly calculate the "relevant node"; it can be implicitly calculated during SelectorMatchesTree, by tracking whether we're still looking for it or not. * we need to match anything that's either :link or :visited in HasStateDependentStyle or HasAttributeDependentStyle * we need to make ReResolveStyleContext reresolve check both contexts for pointer equality and CalcDifference * we need to make sure that the style context's visited boolean (probably part of mBits) is checked when we're doing the sibling sharing optimization (In reply to comment #145) > Then, when *drawing*: > * text > * border > * background-color Are we sure that these are the only cases which matter in the type of attack we're trying to block here? (I'm assuming that this plan is intended to block the pixel color attacks, please correct me if I'm wrong.) assuming that this plan is intended to block the pixel color attacks, > please correct me if I'm wrong.) No, it's not intended to fix any attacks that involve user interaction. (In reply to comment #151) > sure that this has been stated somewhere in the pile of comments on this bug, but I did my best and couldn't find it - so please excuse me if I need to ask what type of attack is your suggestion trying to block? > > (I'm assuming that this plan is intended to block the pixel color attacks, > > please correct me if I'm wrong.) > > No, it's not intended to fix any attacks that involve user interaction. Hmm, I meant an attack performed by retrieving the color of a particular pixel by using SVG filters for example. That doesn't require user interaction, does it? It's intended to address attacks such as those in the attachments labeled "test #1" through "test #4" -- attacks where entries in the history can be determined through script, without user interaction. I suppose it doesn't address SVG filters, though, since one could probably use SVG filters to convert color differences into transparency differences and then learn something about the transparency by measuring performance characteristics of drawing it. (In reply to comment #153) > I suppose it doesn't address SVG filters, though, since one could probably use > SVG filters to convert color differences into transparency differences and then > learn something about the transparency by measuring performance characteristics > of drawing it. I don't think you could actually do timing analysis here, we don't do any optimizations based on inspecting alpha values and I don't think we'll start doing so. However, if we add support for pointer-events values that make hit testing depend on pixel transparency, then elementFromPoint could be used to test transparency, and hence color. I think we can burn that bridge when we come to it. (In reply to comment #145) This sounds good, though personally I will probably continue disabling :visited completely (I am now used to it). How much better in practice is this method than only considering the link itself as relevant? Related to this, is there any statistics on how :visited is used in web pages in the real world? Such statistics will be very useful to decide what to do with this bug. In addition, if you go with that method, please make the logic customizable by an extension if possible and reasonable, because no logic will be suitable in every situation. (In reply to comment #155) > How much better in practice is this method than only considering the link > itself as relevant? Much, since then 'color' wouldn't work, since the color actually applies to the text inside the link, not the link itself. > Related to this, is there any statistics on how :visited is used in web pages > in the real world? Such statistics will be very useful to decide what to do > with this bug. I don't know, beyond that large numbers of sites distinguish visited links based on colors. How would they be useful? What decisions might be made differently based on such statistics? > In addition, if you go with that method, please make the logic customizable by > an extension if possible and reasonable, because no logic will be suitable in > every situation. Not a chance. It's performance-sensitive code, and it may be run at times when it's inappropriate to call into script.. (In reply to comment #157) >. Sounds reasonable to me; not sure how much we want to pile into this one bug. (In reply to comment #156) > (In reply to comment #155) > > How much better in practice is this method than only considering the link > > itself as relevant? > > Much, since then 'color' wouldn't work, since the color actually applies to the > text inside the link, not the link itself. I see. I did not know how styling works. > > Related to this, is there any statistics on how :visited is used in web pages > > in the real world? Such statistics will be very useful to decide what to do > > with this bug. ... > How would they be useful? What decisions might be made differently based on > such statistics? Such statistics would be useful to answer the questions such as: * Does supporting border-color do any good? * Which properties other than colors are worth supporting? How about text-decoration or border-style, for example? * Are the cases involving the sibling selectors worth considering? (Maybe not, but the point is that it could be based on the actual data.) (In reply to comment #159) > * Which properties other than colors are worth supporting? How about > text-decoration or border-style, for example? Those are both detectable through performance characteristics. Allowing them to be set would not fix the exploit in any useful way. > * Are the cases involving the sibling selectors worth considering? (Maybe not, > but the point is that it could be based on the actual data.) If I knew a reasonable way to do it, that would be a question worth asking, but I don't. Do you? I don't think it can be done without significant increase in code complexity for something that I'm reasonably confident is quite rare (although I don't know exactly how rare). (In reply to comment #160) > (In reply to comment #159) > > * Which properties other than colors are worth supporting? How about > > text-decoration or border-style, for example? > > Those are both detectable through performance characteristics. I did not know that. If so, I agree that this question is irrelevant because we cannot handle these properties anyway. > > * Are the cases involving the sibling selectors worth considering? (Maybe not, > > but the point is that it could be based on the actual data.) > > If I knew a reasonable way to do it, that would be a question worth asking, but > I don't. Do you? I do not either, but I think that you or someone else can come up with a clever way to handle those cases if necessary, especially if we know a common usage pattern. (In reply to comment #159) > * Which properties other than colors are worth supporting? How about > text-decoration or border-style, for example? I'm pretty sure that websites are using a very large amount of properties in :visited - but I guess it would be best to actually go out and pull definitions from real cases and analyze those. The question isn't what properties are used with :visited, but what properties are used with :visited whose values are different from those used on :link. Selectors like ":link, :visited" are common, but those won't be affected by this approach. Sorry to clutter any inboxes, but this issue has gotten some pretty widespread exposure due to the site. Maybe a superfluous comment, similar to the previous and the bug’s URL, but don’t see this particular site mentioned before: Incredible how fast it is and how many results it returns. Also works without JavaScript. Many more results than from the site in the previous comment :). (Had just one there, “myfreecams”? Must’ve been an ad banner or popup. Honestly!) I don't think my comment ever got posted but my solution would be to build in the idea behind SafeHistory with the option for the user to turn it on in security settings and a link explaining what will happen if it's turned on like AcidTest3. It's not really a bug in Firefox it's a bug in the HTML spec that should be closed but in the mean time this QAD solution works just fine. Firefox will be the only browser that would be capable of blocking this exploit then. We can't fix it because the spec is broken so lets work around it in the meantime. The spec is so badly broken here that for once I say toss the spec. Protecting users' privacy is far more important. I wouldn't even suggest spec compliance as an option. Excuse my bluntness, but you are arguing about this issue for almost 8 years now. What I see from the user perspective is a serious, serious privacy issue. So what I want you do is make a setting in about:config similar to browser.send_pings. This setting removes or restricts the access to the relevant css property. This will break websites that rely on this, but this is acceptable, as it will not be set by default. This has to be built into the next release and not just offered by a patch. Once you have done that, you can go on implementing some fancy same-origin-policy approach, SafeHistory, SafeCache, whatever. (In reply to comment #168) > So what I want you do is make a setting in about:config similar to > browser.send_pings. This setting removes or restricts the access to the Sounds like you want layout.css.visited_links_enabled , which has been around for a while (comment 106). (In reply to comment #169) I was not aware of this. It is not perfect, because it not only restricts read access from the api but also does not display link colors to the user. But hey, this is exactly what I have been looking for. Thank you for the hint and sorry for the bug tracker chatter. *** Bug 547002 has been marked as a duplicate of this bug. *** I'm going to attach a series of patches that I believe fix this bug. The approach taken by these patches is described in detail in , which I'll probably eventually turn into a blog entry or something similar. I've generated tryserver builds containing these patches (and a few others, in particular, those for bug 550497, bug 534804, and bug 544834) on top of a random trunk changeset (in particular, ), based on the state of these patches in my patch queue at . The builds are here (though they'll be deleted around March 22, I think): These builds could be badly broken and do horrible things, so I don't recommend using them. However, if you really feel the need to test the patch right now, they're probably your best choice. However, absolutely do not install them as your main browser, since you'll be stuck without any security updates in the future. Created attachment 431523 [details] [diff] [review] patch 1: split nsStyleSet::ResolveStyleForRules into two different APIs Created attachment 431524 [details] [diff] [review] patch 2: add mechanism for separate style context for visited style Created attachment 431525 [details] [diff] [review] patch 3: add function to nsStyleUtil for choosing appropriate color based on visitedness Created attachment 431527 [details] [diff] [review] patch 4: draw 'color' using the visited-dependent style Created attachment 431528 [details] [diff] [review] patch 5: make PaintBackgroundWithSC, etc., take nsStyleContext rather than nsStyleBackground Created attachment 431529 [details] [diff] [review] patch 6: draw 'background-color' using the visited-dependent style Created attachment 431531 [details] [diff] [review] patch 7: prerequisite comments for drawing 'border-*-color' using the visited-dependent style Created attachment 431532 [details] [diff] [review] patch 8: draw 'border-*-color' using the visited-dependent style (for nsCSSRendering::PaintBorder codepaths) Created attachment 431533 [details] [diff] [review] patch 9: draw 'border-*-color' using the visited-dependent style (for border-collapse tables) Created attachment 431535 [details] [diff] [review] patch 10: draw 'outline-color' using the visited-dependent style Created attachment 431536 [details] [diff] [review] patch 11: introduce TreeMatchContext for output from SelectorMatchesTree Created attachment 431537 [details] [diff] [review] patch 12: introduce NodeMatchContext for additional input into SelectorMatches Created attachment 431538 [details] [diff] [review] patch 13: propagate whether we have a relevant link out of selector matching Created attachment 431539 [details] [diff] [review] patch 14: make nsStyleContext::FindChildWithRules deal with the visited style context Created attachment 431540 [details] [diff] [review] patch 15: fix initialization comment in nsRuleProcessorData Created attachment 431541 [details] [diff] [review] patch 16: add link visitedness to nsRuleWalker and actually construct the if-visited contexts Created attachment 431542 [details] [diff] [review] patch 17: propagate whether we have a relevant link to the style set Created attachment 431543 [details] [diff] [review] patch 18: set NS_STYLE_RELEVANT_LINK_IS_VISITED on style contexts as appropriate Created attachment 431544 [details] [diff] [review] patch 19: put expected type of visited matching in the TreeMatchContext Created attachment 431545 [details] [diff] [review] patch 20: make selector matching operations follow the new rules - PRBool foreground; - styleData->GetBorderColor(aSide, aColor, foreground); - if (foreground) { - aColor = aFrame->GetStyleColor()->mColor; - } + aColor = aFrame->GetStyleContext()->GetVisitedDependentColor( + nsCSSProps::SubpropertyEntryFor(eCSSProperty_border_color)[aSide]); } where did that 'if(foreground)' clause go? Is that no longer necessary? It's no longer necessary; see the comment added in patch 7, and the underlying code which is already in nsStyleAnimation.cpp (called from the code in patch 3): nsStyleAnimation::ExtractComputedValue, case eStyleAnimType_Custom, calls to ExtractBorderColor, and the ExtractBorderColor function itself in the same file. Comment on attachment 431540 [details] [diff] [review] patch 15: fix initialization comment in nsRuleProcessorData r=sdwilsh OK, how do I unsubscribe from this damned thing? Unchecking "Add me to CC list" and clicking "Commit" doesn't seem to work. (In reply to comment #196) > OK, how do I unsubscribe from this damned thing? Unchecking "Add me to CC list" > and clicking "Commit" doesn't seem to work. It appears you're getting email because you voted for this bug. To stop getting such email you could either: * stop voting for the bug by clicking the "(vote)" link next to "Importance" near the top * change your Bugzilla email preferences so you don't get email for bugs you've voted for ("Preferences" link at bottom of page) However, you *also* just added yourself to the cc: list. So you'd also need to remove yourself from that ("(edit)", highlight your name, and check "Remove selected CCs") or, again, change your bugzilla email preferences accordingly. Comment on attachment 431529 [details] [diff] [review] patch 6: draw 'background-color' using the visited-dependent style As discussed on IRC, change NS_GET_A(bgcolor) == 255 to NS_GET_A(bgcolor) > 0 in nsObjectFrame::CreateWidget. Otherwise looks good. Comment on attachment 431531 [details] [diff] [review] patch 7: prerequisite comments for drawing 'border-*-color' using the visited-dependent style >+PR_STATIC_ASSERT(NS_SIDE_TOP == 0); >+PR_STATIC_ASSERT(NS_SIDE_RIGHT == 1); >+PR_STATIC_ASSERT(NS_SIDE_BOTTOM == 2); >+PR_STATIC_ASSERT(NS_SIDE_LEFT == 3); This is already checked in at least one other place that I know of, but if you want it here as well (presumably because of the equivalnece with the eCSSProperty_border_*_color values) I guess I don't mind. Created attachment 433167 [details] [diff] [review] patch 20: make selector matching operations follow the new rules I found two mistakes in the previous version of this patch while writing tests: * RuleProcessorData::GetContentStateForVisitedHandling needs to consider whether the node is the relevant link * RuleProcessorData::GetContentStateForVisitedHandling needs to call ContentState() rather than looking at mContentState. I caught the first because it failed a test I wrote, and the second because it triggered an assertion I wrote in the code while I was fixing the first. The current state of my tests is: but I still have more to write. Created attachment 433210 [details] [diff] [review] patch 16: add link visitedness to nsRuleWalker and actually construct the if-visited contexts This adds the following code to nsStyleSet::GetContext: if (aIsLink) { // If this node is a link, we want its visited's style context's // parent to be the regular style context of its parent, because // only the visitedness of the relevant link should influence style. parentIfVisited = aParentContext; } in order to fix the bug that I was setting the parent style context incorrectly for the if-visited style data for links that were descendants of other links. Created attachment 433212 [details] [diff] [review] patch 2: add mechanism for separate style context for visited style ... and this weakens the first "parent mismatch" assertion in nsStyleContext::SetStyleIfVisited which was correspondingly incorrect. Hi all. This has been a very interesting thread to read through. dbaron seems to understand the scope of this issue. To add a little bit, here's my new (open source) research site: Things it does right now: * SVM-based AI to identify who you are vs previous people it's seen, and who is similar - note that I am NOT trying to fingerprint your browser, but to fingerprint you-the-human through your browsing behavior; this is dramatically more powerful than Panopticlick. * extremely fast URL scraper - browser-locally I can currently scrape ~200k-3.5M links per minute (depending on browser; Firefox is ~400k, lagging far behind Safari/Chrome) - caveat: a) the server I'm using can't keep up with this speed, and b) I'm testing 4x variants per link right now; actual current full-circle performance is ~50-200k (4x-tested) links/min. But this is definitely a temporary restriction; I fully expect to get within 80% of the local speed after more server side improvements. * demographics determination based on Quantcast data (very slow server side right now 'cause it's just deployed and I'm not yet caching some critical path data) In the near future it will also: * do bootstrapping intelligent URL scraping (i.e. if Y is a more likely hit for visitors of X, test Y if you get positive for X) - right now the search is fairly dumb - first by other users' hits, then by a combination of alexa/google/technorati/bloglines/quantcast ranking - with only ~16-800 hits per 1 minute scraping. And I only test domains that show up in those rankings (plus a dozen or so custom ones), not longer URLs. I expect my hit rate to improve dramatically with a smarter and broader search algorithm. * do full visitor deanonymization along the lines of iseclab's experiment [0] - except I'm not going to limit myself to Xing, and will be trying to use results across different social networks * integrate other active and passive fingerprinting attacks (right now it is *strictly* CSS-history based), like p0f etc * have hooks for automated testing with a privacy testing framework being developed by Len Sassaman * use a few other AI methods for user identification (the current AI is not all that great) My perspective here is as an attacker rather than a defender - though I'm very friendly to the desire for privacy (I run a Tor node, I have friends in the EFF, etc). Regarding things that have been discussed so far: * dbaron is correct that anything short of either VERY strict whitelisting, a "same-origin policy", or full dropping of :visited support will fail. If you allow anything that changes the DOM or rendered structure, I will detect it. * IMHO a same-origin policy breaks both user expectations and a significant part of functionality - but that's a tradeoff that's not my call. * I can't currently think of a way to attack the potential fix of permitting only 'color' on :visited, and keeping a 'non-visited-color' property on all elements that you use to lie to Javascript. FWIW, Dan Kaminsky thinks he can find a hole in it, but hasn't managed yet from our discussions so far. * I don't know how anything about Firefox backend rendering speed issues, so my comments are not taking them into account. However, I would point out that Firefox is right now dramatically slower than Safari/Chrome on my tests. Enjoy, Sai [0] > dbaron is correct that anything short of either VERY strict whitelisting, a > "same-origin policy", or full dropping of :visited support will fail. Do you see a way to circumvent dbaron's current approach and patches, concretely? Sorry, I didn't read far enough: > I can't currently think of a way to attack the potential fix Ben: I do not. I haven't looked at the patches that deal with backend code, but from his discussion of his approach, it seems solid. Of course it'd probably be a good idea to give us (i.e. people working on the attack) a RC version before calling it 'fixed'. This isn't really the sort of thing that is amenable to an easy automated answer; it's more a case of it wins if it survives being poked at for a while... until someone comes up with a cleverer attack, of course. ;-) (In reply to comment #206) > Of course it'd probably be a good idea to give us (i.e. people working on the > attack) a RC version before calling it 'fixed'. see comment 172 I was talking to Sai about this and he suggested I make a comment here -- so I haven't read through and understood the current state of discussion, apologies. Anyway, I find one property of the "limit CSS properties of visited links to color etc." very sketchy, namely that it suddenly becomes a _security-critical behaviour_ that color not affect size or other properties of links. It's a sensible assumption, to be sure, but I could certainly imagine some version of some OS breaking it. Maybe, for instance, the antialiaser exhibits some subtle dependency from color to size, characters of a more contrasting color having a tiny tiny subpixel difference in width -- voila, security hole. As I understand things, we don't provide colour information to the font subsystem when asking it for width, so it can't vary in that way. We, not the OS, control where elements in the page are rendered, so in the case you describe it would simply draw beyond our expected bounds, not affect placement of any elements on the page. Does that address your concern? I had a friend bring up what Web designers actually want out of :link/:visited differentiation on MetaFilter: dbaron wrote in comment 172: > I've generated tryserver builds containing these patches (and a few > others, in particular, those for bug 550497, bug 534804, and bug 544834) > The builds are here (though they'll be deleted around March 22, I think): > Given that we're approaching March 22, I mirrored them on my server: fc93ba7f269e335078f9ed48f3332ea4 try-7a25c034a494-linux.tar.bz2 5c25f7d0e60308df45c1f8d25a241b07 try-7a25c034a494-macosx.dmg f6f9d2808c2c97b6c8dc68410a610dd1 try-7a25c034a494-win32.zip (In reply to comment #208) > Anyway, I find one property of the "limit CSS properties of visited links to > color etc." very sketchy, namely that it suddenly becomes a _security-critical > behaviour_ that color not affect size or other properties of links. I don't think this would necessarily always be the case, although in some cases I suspect it might well be (and note you shouldn't consider my assertions as authoritative). In the first case it's a privacy violation, which we usually classify as distinct from security issue. (One still might be the other, of course, on a case-by-case basis.) In the second case it's possible there might be mitigating factors (accuracy of exploitation perhaps -- or, as with this partial fix, requiring some form of user interaction) that would make it harder to exploit the leak. If there were such, that might further downgrade severity. But overall, I think we'd have to treat such problems individually rather than presumptively adopt one generalized rule. Created attachment 434899 [details] [diff] [review] patch 10.5: draw 'fill' and 'stroke' colors using visited-dependent style This draws both the color and the fallback color for 'fill' and 'stroke' using visited-dependent colors. (See for more details.) I'm not sure whether I should be doing the fallback color, though (since I'm not honoring the change in paint servers); I'm reasonably confident that doing the color is the right thing, though. Created attachment 434900 [details] [diff] [review] patch 21: reftests Created attachment 434901 [details] [diff] [review] patch 22: mochitests Created attachment 434902 [details] [diff] [review] patch 23: convert existing SVG reftest to use test_visited_reftests (from patch 21) More up-to-date builds (although without the 'fill' and 'stroke' changes attached above) are at: These are based on: (bottom 28 patches in queue) All the warnings in comment 172 apply to these as well. And another round of builds with the 'fill' and 'stroke' changes at: (Mac not there yet, but should be soon). Again, same warnings from comment 172 apply. Created attachment 435047 [details] [diff] [review] patch 3.5: add API to nsDOMWindowUtils to ease conversion of existing tests I converted some existing tests that needed conversion using nsWindowSnapshot, but that would have been painful for some of the ones that remained, so I added this API to DOMWindowUtils to make the conversion easier. I think the diversity of having some tests do it one way and some the other is probably good. Created attachment 435048 [details] [diff] [review] patch 3.75: fix tests currently in the tree to deal with the new rules As I said in the previous comment, I did some conversion using WindowSnapshot and then decided to do the rest using a DOMWindowUtils API. Comment on attachment 435048 [details] [diff] [review] patch 3.75: fix tests currently in the tree to deal with the new rules r=sdwilsh And here's one final try server build (for now): which no longer contains the patches for bug 534804 and bug 544834, but instead only the patches for this bug. It's a build of plus the bottom 26 patches of my patch queue in its state at Again, same warnings from comment 172 apply. Comment on attachment 434899 [details] [diff] [review] patch 10.5: draw 'fill' and 'stroke' colors using visited-dependent style >+ if (paintIfVisited.mType == paint.mType) { This doesn't look right to me. If |paintIfVisited.mType == eStyleSVGPaintType_Server| I think we should be using GetPaintServer with the visited paint server URL. Otherwise, if the base fill/stroke specifies an invalid paint server, a matching visited style specifying a valid paint server will never override the invalid base style and use its valid paint server. (Maybe you could also check that in the test that you modified?) The point is that we don't allow :visited styles to influence anything other than simple colors; if it's switching to a different paint server that could cause URL loading or cause measurable performance differences. It's not clear to me whether it's better to allow the styles only to influence the color that's the primary, or also let them influence the color that's the fallback (even though it's not allowed to influenced the paint server that the color is a fallback for).. (In reply to comment #225) >. The purpose is that I'm only swapping from primary-to-primary or fallback-to-fallback if they differ based on :visited styles; I'm never swapping primary-to-fallback or fallback-to-primary. Again, that could be changed, but it seemed like the right thing to me. (If I wanted to change it, I'd need a second |isServer| corresponding to the value of paintIfVisited.) Comment on attachment 431523 [details] [diff] [review] patch 1: split nsStyleSet::ResolveStyleForRules into two different APIs r=bzbarsky Comment on attachment 433212 [details] [diff] [review] patch 2: add mechanism for separate style context for visited style >+++ b/layout/style/nsStyleContext.cpp >+ if (thisVis) { >+ if (otherVis) { How about: if (!thisVis != !otherVis) { // Presume a difference NS_UpdateHint(hint, NS_STYLE_HINT_VISUAL); } else if (thisVis) { // The change stuff goes here. } >+ // NB: Calling Peek on |this|, not |thisVis|. Why? This seems like it could use a good "why" comment, not a "what" comment... I assume something to the effect that someone might have gotten the struct off us even if they never got it off thisVis? Does it make sense to add !change checks on the PeekStyleBackground/PeekStyleBorder conditionals? >+ nsStyleContext* StyleIfVisited() >+ { return mStyleIfVisited; } It might be good to document whatever invariants this style context satisfies (e.g. the ones we assert in SetStyleIfVisited). r=bzbarsky Comment on attachment 431525 [details] [diff] [review] patch 3: add function to nsStyleUtil for choosing appropriate color based on visitedness r=bzbarsky (In reply to comment #228) > >+ // NB: Calling Peek on |this|, not |thisVis|. > > Why? This seems like it could use a good "why" comment, not a "what" > comment... I assume something to the effect that someone might have gotten the > struct off us even if they never got it off thisVis? I think both that, and because thisVis might be null, and because when they got it there might not have been a style-if-visited (or something like that)? Comment on attachment 435047 [details] [diff] [review] patch 3.5: add API to nsDOMWindowUtils to ease conversion of existing tests r=bzbarsky Comment on attachment 431536 [details] [diff] [review] patch 11: introduce TreeMatchContext for output from SelectorMatchesTree This seems fine, but why a pointer instead of a non-const reference? The latter would make it clear that null is not an issue... Comment on attachment 431537 [details] [diff] [review] patch 12: introduce NodeMatchContext for additional input into SelectorMatches > In other words, >+ * a single node might have multiple value NodeMatchContext at one time, >+ * but only one possible RuleProcessorData. Maybe "In other words, there might be multiple NodeMatchContexts corresponding to a single node, but only one possible RuleProcessorData"? Or something like that. And again, why a pointer instead of a reference? Comment on attachment 431538 [details] [diff] [review] patch 13: propagate whether we have a relevant link out of selector matching >+ // Always false when TreeMatchContext::mForStyling is false. Assert this as needed, please? r=bzbarsky Comment on attachment 431539 [details] [diff] [review] patch 14: make nsStyleContext::FindChildWithRules deal with the visited style context I think the arguments here could use some documenting. r=bzbarsky with that. (In reply to comment #226) > Again, that could be changed, but it seemed like the right thing to me. I've thought about this some more, and I think that our behavior should be described by the following "end user" doc: "Paint servers specified in :visited styles are ignored. Such a paint server's fallback color (black by default) is then used only if it overrides a simple color. If the fallback color would override another paint server, then the fallback color is also ignored." you would rather keep things as you currently have them, can you explain why in a bit more detail? What I've described makes most sense to me, and is behavior that is more easily described to end users I think. (In reply to comment #236) > "Paint servers specified in :visited styles are ignored. Such a paint server's > fallback color (black by default) is then used only if it overrides a simple > color. If the fallback color would override another paint server, then the > fallback color is also ignored.". > If you would rather keep things as you currently have them, can you explain why > in a bit more detail? What I've described makes most sense to me, and is > behavior that is more easily described to end users I think. So my requirement (for performance measurement) is that we never change which paint server is used based on visitedness, or whether one is used. I'd also like to avoid using fallback colors in cases where they weren't before (as I mentioned above). I think that leaves two reasonable possibilities: (1) what I did, i.e., using the :visited's color to substitute the :link's color, and the :visited's fallback color to substitute for the :link's fallback color (2) using :visited information only when the color is the primary value for both I'm actually starting to think that maybe (2) makes more sense, because perhaps we shouldn't make fallbacks take effect when the servers themselves don't take effect. That would mean changing: + if (paintIfVisited.mType == paint.mType) { + nscolor colorIfVisited = isServer ? paintIfVisited.mFallbackColor + : paintIfVisited.mPaint.mColor; to: + if (paintIfVisited.mType == eStyleSVGPaintType_Color && + paint.mType == eStyleSVGPaintType_Color) { + nscolor colorIfVisited = paintIfVisited.mPaint.mColor; (In reply to comment #237) >. I think that would be okay, since it would raise awareness of the rules and discourage people from writing content that tries to use paint servers in :visited style, or override a paint server with a :visited style color. > >. Sure, I agree that if the primary paint server is valid we need to use it and completely ignore the :visited style. By "where the fallback would be used" I was explicitly referring to the case when the primary paint server is not valid and won't be used though. > (2) using :visited information only when the color is the primary value for > both I'd be okay with that. In fact that makes the rules even simpler to explain to users. Created attachment 436071 [details] [diff] [review] patch 10.5: draw 'fill' and 'stroke' colors using visited-dependent style ... take option (2) Comment on attachment 436071 [details] [diff] [review] patch 10.5: draw 'fill' and 'stroke' colors using visited-dependent style >+ // Only use :visited information if both the :link and :visited >+ // values are color values. That pretty much just repeats what the code says, but doesn't say _why_ this is the case. How about something like: // To prevent Web content from detecting if a user has visited a URL we do // not allow :visited style to specify a paint server, nor do we allow it // to override a paint server with a simple color. A :visited style may // only override a simple color with another simple color. Comment on attachment 434902 [details] [diff] [review] patch 23: convert existing SVG reftest to use test_visited_reftests (from patch 21) r=jwatt. Thanks for your patience in explaining your thinking. One review comment from myself: I realize I should make nsStyleContext::StyleIfVisited instead be named nsStyleContext::GetStyleIfVisited per our convention that functions returning pointers should be named Get* iff they might return null. (In reply to comment #228) > if (!thisVis != !otherVis) { > // Presume a difference > NS_UpdateHint(hint, NS_STYLE_HINT_VISUAL); > } else if (thisVis) { > // The change stuff goes here. > } Done. And while I was there I also added an NS_IsHintSubset() call to the |else if| you propose, used eChangeHint_RepaintFrame instead of NS_STYLE_HINT_VISUAL throughout the new chunk, and added the properties that I've since added as visited-dependent but didn't list there, and added an assertion to GetVisitedDependentColor to remind me not to make that mistake again. Also locally addressed all other review comments. Comment on attachment 433210 [details] [diff] [review] patch 16: add link visitedness to nsRuleWalker and actually construct the if-visited contexts >+++ b/layout/style/nsRuleWalker.h >+ // true on the RuleProcessorData *for the node being matched* if a a s/a a/a/ r=bzbarsky Comment on attachment 431542 [details] [diff] [review] patch 17: propagate whether we have a relevant link to the style set r=bzbarsky Comment on attachment 431543 [details] [diff] [review] patch 18: set NS_STYLE_RELEVANT_LINK_IS_VISITED on style contexts as appropriate r=bzbarsky Comment on attachment 431544 [details] [diff] [review] patch 19: put expected type of visited matching in the TreeMatchContext r=bzbarsky Comment on attachment 433167 [details] [diff] [review] patch 20: make selector matching operations follow the new rules r=bzbarsky Pushed 26 changesets to mozilla-central: a:visited { outline: 1px dotted black !important;} in userContent.css does not work anymore (In reply to comment #250) > a:visited { outline: 1px dotted black !important;} in userContent.css > does not work anymore That's as expected. It would work if you change it to: a:link, a:visited { outline: 1px dotted ! important } a:link { outline-color: transparent ! important } a:visited { outline-color: black ! important } Maybe outline should be a special case? Because outline (unlike border) does not move the content at all, it can only change a color. However, outline causes overflow. This leads to two ways an attacker could use outline to determine whether links are in your history. First, visual overflow is detectable via performance tests, especially if it's set up to cause something the element overlaps with, whose repainting is expensive. to be forced to repaint. Second, scrollable overflow (which outline currently causes in Gecko, but that will hopefully change in the future) can be detected by various element.scroll* methods. (In reply to comment #251) > (In reply to comment #250) > > a:visited { outline: 1px dotted black !important;} in userContent.css > > does not work anymore > > That's as expected. It would work if you change it to: > > a:link, a:visited { outline: 1px dotted ! important } It doesn't seem to make distinction, at least a:link includes also a:visited (didn't happen in Firefox 3.6) > a:link { outline-color: transparent ! important } This is executed > a:visited { outline-color: black ! important } This is ignored I don't understand comment 254. If you believe there's a bug, could you file it as a separate bug report. Er, sorry, you're right. It's not supposed to work, since that's a change in the alpha component of the color. I suppose you could change between white/black if you wanted, but we won't do transparent/black. is it just me or is this going to be a complete developer nightmare? (In reply to comment #257) > is it just me or is this going to be a complete developer nightmare? At first I thought so too, but so far I haven't seen anything major being broken with the patch applied. I've noticed it at one site, but I've already contacted the owner, as it is easily fixable by, in this case, use the text-decoration property on "a" instead of "a:visited". Optimistically marking this bug as fixed, although I already know of a few followup bugs that need to be filed. I just noticed that we fail the CSS3.info selectors test () with the patches. Since this test is fairly known and used in many comparisons, I think it's of major importance to ask them to modify/remove the testcases that currently fail due to these changes, especially since we do not violate any standards, and since Webkit is planning on implementing the same thing. Perhaps this should be tracked in a separate bug, and if so, I'd appreciate if someone else (than me) created it. Thanks. Filed bug 558569 about (last comment) I was told on IRC that this fix is for the upcoming Firefox 4 only, so far. This will take another half a year unfortunately. Recently (I haven't pinpointed the date of the paper, though) it was shown that you can figure out zipcodes when using certain webpages (e.g. weather forecast sites that ask the user to input their zipcode); with this, the web-privacy problem could even become a real privacy problem. This is why it concerns me that there seem to be no plans to backport the fix as far as I was able to find out. The paper in question is located at . Maybe it should be discussed that despite the amount of work, this fix should be backported to current versions of Firefox. Mic - I personally share your concern about how long this will take to get into the field. But with patches like this it's a question of trade-offs. A patch like this should really go through a full beta cycle and by the time we went through that process it would look more like the Firefox 4 time frame. Plus we would spend a lot of time on backporting instead of of working on performance or other features. So as I said it's a question of trade-offs, which are never easy. This was documented a while ago: *** Bug 576788 has been marked as a duplicate of this bug. *** getComputedStyle is not the only part that is lying, the whole document.getElementById(“any_element”).style is not anymore accessible. How in the world do you think this is a viable solution ? Best Regards (In reply to comment #266) > getComputedStyle is not the only part that is lying, the whole > document.getElementById(“any_element”).style is not anymore accessible. Why do you think that? > How in the world do you think this is a viable solution ? It isn't, nor is it what we did. i mean that i cannot anymore access, in a both read or write fashion,to CSS properties such as the font-size in the usual manner document.getElementById['element'].style.fontSize. Do you have any idea why ? Neither document.getElementsByTagName("a").style.color or document.getElementById['element'].style.color are accessible anymore. By debugging i can see their values are rendered to null by the browser. Was this expected to happen ? (In reply to comment #269) > Neither document.getElementsByTagName("a").style.color A few things: - note that you need a "[0]" in there -- getElementsByTagName() returns an array, not a single element. - Your code just queries the "style" attribute (which is undefined because you probably haven't explicitly set it). That doesn't do (and never has done?) what you probably want. You probably want something like this instead, to get the *computed* style: > window.getComputedStyle(document.getElementsByTagName("a")[0], "").getPropertyValue("color"); (I just verified that the above line works, in a trivial testcase, in my nightly build.) Google for "getComputedStyle" to learn more. Ah, I see from comment 266 that you already knew about getComputedStyle. Then I guess the lesson here for you is that "element.style" is simply an accessor for the style *attribute*, and it'll only contain useful data if you explicitly set the style attribute. e.g. elem.style.fontSize and .color should both be accessible on this <a> element: <a style="font-size: 30px; color: yellow">foobar</a> That behavior has not recently changed. If you have any further questions or concerns on this, please take them to a Mozilla newsgroup like mozilla.dev.platform* or to a support forum. * Thanks for the clarifications. I have now got it working. Best Regards *** Bug 601527 has been marked as a duplicate of this bug. *** *** Bug 624723 has been marked as a duplicate of this bug. *** *** Bug 630189 has been marked as a duplicate of this bug. *** oh, why did you block the ability to set text-decoration, opacity and cursor for the visited links? they can't move any elements on the page, and the values for these properties, that get sent to the site - we may spoof them so the site won't know whether we had visited any links on that site before. You already do so when you allow users to style visited links by changing colors, and you spoof the sent values. Why not do the same for other CSS properties that we also could spoof? Please, give users back the ability to style visited links' text-decoration, opacity, cursor and the rest of css-properties that we could harmlessly spoof. (In reply to comment #276) > oh, why did you block the ability to set text-decoration, opacity and cursor > for the visited links? See , under "However, this isn't sufficient". In particular -- cursor can load images, and opacity can affect perf in ways that the page could detect via timing attacks. text-decoration I'm less sure about, but I'm guessing it could affect layout or have subtle perf effects from e.g. gobs and gobs text with "blink" applied. text-decoration can cause stuff to move by changing inter-line spacing to make room for underlines, and I recall dbaron saying that *any* change to the set of pixels that are painted can cause a measurable perf difference. (In reply to comment #278) > text-decoration can cause stuff to move by changing inter-line spacing to make > room for underlines, and I recall dbaron saying that *any* change to the set of > pixels that are painted can cause a measurable perf difference. AFAIK that's not true. Pixels affect nothing. perf difference can be caused only by changes in element's positioning, and text-decoration can affect it nohow. Please, could you check that information? What is the point of this when queries into global history could be done via other means. Surely someone could just do a timed attack on a cached page element, such as loading an image? If the image was cached in a way that the server does not need to be queried, the image would load right away. What is different between this and the visit: problem? Is it just that a timed attack on a cached page element is just slower? Eg: The point is that cache timing can get you maybe ~1k URL/min, whereas the JS/CSS method (after my improvements) can get .5-5M URL/min. That is a HUGE qualitative difference. (I've taken the server down, FYI.) Anything whatsoever that will cause a JS-detectable rendering change that can be attached to :visited or :link will allow me to do this attack. I don't have the time now to work on this more, but you can fork my code above to test this text-decoration issue. Oh my bleep. My version: Mozilla/5.0 (Macintosh; U; PPC Mac OS X 10.5; en-US; rv:1.9.2.24) Gecko/20111103 Firefox/3.6.24 Target version for the fix: mozilla1.9.3a4 I just found out about this. And no, "Run a newer version" isn't available for me. And this is almost 10 years old by now. PLEASE, someone tell me that a security hole this large (I just found from these comments -- ick) is going to be back patched. ICK. Yes, I want to see visited links in a different color. NO, I don't want web sites to be able to play with visited status -- I can just imagine online stores seeing what I'm buying from their competition and using that as advertisement tracking. Or worse. <Sigh>. Safari doesn't run no script, has it's own problems, doesn't support a lot of plug-ins. TenFourFox has its own share of compatibility problems (but in fairness, with google dropping offline mail, the biggest is going away.) Etc. michael, Firefox 3.6 is EOL (end of life), i.e. not even critical security holes will be fixed anymore. Yes, that's upsetting in your case of PowerPC Mac, but this bug is not the right forum for that question. (In reply to Ben Bucksch (:BenB) from comment #283) > michael, Firefox 3.6 is EOL (end of life), i.e. not even critical security > holes will be fixed anymore. Yes, that's upsetting in your case of PowerPC > Mac, but this bug is not the right forum for that question. 3.6 is not EOL. This fix is not going to be back-ported during the months that remain before it is EOL, though. (And please remember that every comment on this old, closed bug spams 140 people) According to I could use background-color border-color (and its sub-properties) outline-color. I haven't gotten outline or background working, by using this: a:visited { background-color: lime; outline: 4px solid lime; } I guess these are turned off now too? Color still seems to work. So the devmo article needs to be updated? (In reply to Martijn Wargers [:mw22] (QA - IRC nick: mw22) from comment #285) > I haven't gotten outline or background working, by using this: > a:visited { > background-color: lime; > outline: 4px solid lime; At least for outline, I suspect you need to set "outline-width" unconditionally (not in a :visited selector) and only have "outline-color" be :visited. All relevant outline properties except -color, in fact. Have a look at And for background, you're not allowed to change the transparency, and the initial value is 'transparent'. You'd need something non-transparent outside of a :visited selector. Is "background-position" blocked intentionally? If changing "background-color" is considered to be safe, then changing "background-position" should be safe as well. This would be useful to reposition a CSS sprite image depending on the visited state. E.g. make the color of a decorative "arrow" image match the text color. (In reply to Steffen Weber from comment #289) > Is "background-position" blocked intentionally? Yes, because it could lead to measurable speed differences. To anyone in the future who wants to request that a specific CSS property be unblocked from use in :visited selectors: Please file a *new* bug depending on this one; don't comment here. Be prepared to argue not only for the utility of the property in :visited, but for its not exposing visitedness to the site that uses it -- even by minute changes in timing, or other "covert channels". @Zack Weinberg I filled separate bug about background-color as you suggest: :visited does not take "background-color" CSS in account (docs say opposite statement). Comment on attachment 431539 [details] [diff] [review] patch 14: make nsStyleContext::FindChildWithRules deal with the visited style context >+ NS_ABORT_IF_FALSE(aRulesIfVisited || !aRelevantLinkVisited, >+ "aRelevantLinkVisited should only be set when we have a separate style"); [This crashes if you put a (visited?) link into a document in a chrome docshell.] re: comment 280 and timing attacks on cached page elements. Looks like Michal Zalewski has done some more research in this area. He posted this to the Wasc list just now. It this worthwhile spinning off another bug? As you probably know, most browser vendors have fixed the ability to enumerate your browsing history through the CSS :visited pseudo-selector. The fix severely constraints the styling possible for visited links, and hides it from APIs such as window.getComputedStyle() [1]. The fix does not prevent attackers from extracting similar information through cache timing [2], or by examining onerror / onload events for scripts and images loaded from sites to which you may be logged in. Nevertheless, the :visited attack is particularly versatile and reliable, so several people have tried to circumvent the fix by showing the user a set of hyperlinked snippets of text that, depending on the browsing history, will blend with the background or remain visible on the screen. Their visibility can be then indirectly measured by seeing how the user interacts with the page. The problem with these attacks is that they are either unrealistic, or extremely low-throughput. So, here is a slightly more interesting entry for this contest. The PoC works in Chrome and Firefox, but should be easily portable to other browsers: The basic idea behind this inferior clone of Asteroids is that we hurl a lot of link-based "asteroids" toward your spaceship, but you only see (and take down) the ones that correspond to the sites you have visited. There are several tricks to maintain immersion, including some proportion of "real" asteroids that the application is sure are visible to you. The approach is easily scalable to hundreds or thousands of URLs that can be tested very quickly, as discussed here: Captain Obvious signing off, /mz [1] [2] when I try the PoC at I get pretty inconsistent and unreliable results. First few games the sites visited popup was never launched. then I visited cnn.com, and then played the game. the popup came up but cnn.com wasn't shown as a visited site. several others that I might had visited did show. in the next game cnn.com did show on the list list of visited. If you want to block those "low-bandwidth" attacks you can set layout.css.visited_links_enabled to false.
https://bugzilla.mozilla.org/show_bug.cgi?id=147777
CC-MAIN-2017-04
en
refinedweb
Odoo Help Odoo is the world's easiest all-in-one management software. It includes hundreds of business apps: CRM | e-Commerce | Accounting | Inventory | PoS | Project management | MRP | etc. How to Replace Default picking_type_id on Purchase Order Without Change the Original Module purchase (by inherit) ? I have tried to inherit purchase module and replace default picking_type_id to False. This is original module : And I change to : But the default of picking_type_id (just picking_type_id) still get default from original module. How to change it? Hi, you can override default_get function in your class sale_order like this : def default_get(self, cr, uid, fields, context=None): context = context or {} res = super(sale_order, self).default_get(cr, uid, fields, context=context) if 'name' in fields: res.update({'name': '/'}) if 'salesman_id' in fields: res.update({'salesman_id': uid}) if 'picking_type_id' in fields: res.update({'picking_type_id': False}) if 'partner_ref' in fields: res.update({'partner_ref': 'try'}) return res bye you must rewrite the code like this in your new module _columns = { 'picking_type_id': fields.many2one('stock.picking.type', 'Deliver To', help="This will determine picking type of incoming shipment", required=True, states={'confirmed': [('readonly', True)], 'approved': [('readonly', True)], 'done': [('readonly', the definition of the field in your module? Module starts?
https://www.odoo.com/forum/help-1/question/how-to-replace-default-picking-type-id-on-purchase-order-without-change-the-original-module-purchase-by-inherit-82435
CC-MAIN-2017-04
en
refinedweb
For Pakistan Market Conveniently Operate High Efficiency Bio Diesel Oil Gas Fired Steam Boiler US $14500-115000 / Set 1 Set (Min. Order) Bio Film Carrier MBBR Oil industry Wastewater Treatment US $350-580 / Cubic Meter 1 Cubic Meter (Min. Order) Arganmidas 100ML argan oil bio 500 Pieces (Min. Order) 2016 New Condition Heavy Oil And Bio Gas Fuel Boiler US $200000-700000 / Set 1 Set (Min. Order) bio oil US $1.2-1.2 / Cartons 1000 Cartons (Min. Order) 100% Bio certified Organic Argan oil in glass bottle with dropper US $3-5 / Piece 50 Pieces (Min. Order) Bio Prickly Pear Seed Oil in Bulk 1 Liter (Min. Order) leading manufacture of certified bio organic Avocado oil from india US $20-30 / Kilogram 1 Kilogram (Min. Order) Biotique Bio Bhringraj Fresh Growth Therapeutic Oil for Falling Hair, 120ml US $3-7 / Piece 10 Pieces (Min. Order) Bio Oil - Specialist Skin Care Oil 1000 Units (Min. Order) Bio argan oil 100% Pure US $1.2-2.6 / Piece 1 Piece (Min. Order) Cactus organic bio certified oil EUR 270-350 / Unit 1 Unit (Min. Order) Pralash+ Bio Plant Hair Growth Essential Oil US $3.5-4 / Piece 100 Pieces (Min. Order) Bio Argan Oil 100 ml 80 Units (Min. Order) leading manufacture of certified bio organic Argan Oil from india US $10-13 / Liter 20 Liters (Min. Order) 100% pure Natural Bio Moroccan Argan Oil For Hair Treatment 16oz Press Pump Package US $3.1-5.6 / Piece 1000 Pieces (Min. Order) Sedative Substance Ylangylang Essential Oil Natural Bio Oil Quality Assured US $20-45 / Kilogram 5000 Kilograms (Min. Order) Extra Virgin Bio Organic Avocado Carrier Oil Used For The Skin Tightening US $7.97-12.32 / Kilogram 1 Kilogram (Min. Order) organic bio best-selling natural ginger extract oil US $4-6 / Piece 10 Pieces (Min. Order) Useful Factory Wholesale bio essence face massage oil US $2.5-4.2 / Piece 500 Pieces (Min. Order) Leading Manufacture of Certified bio Organic Oregano oil from China US $1-30 / Kilogram 25 Kilograms (Min. Order) Pure Bio Rosemary Oils from Herbal Lite US $0.35-0.5 / Set 1 Set (Min. Order) Organic skin care Shrinking-pores bio natural oil/ skin firming essential oil US $3.5-5.4 / Piece 120 Pieces (Min. Order) import argan oil wholesale/argan oil bio US $1-50 / Kilogram 1 Kilogram (Min. Order) pure bio rosemary essential oil US $26.5-26.5 / Kilogram 1 Kilogram (Min. Order) Argan Almond Oil Bio Natural US $1-500 / Kilogram 1 Liter (Min. Order) Bio Natural Type Bio Pumpkin Seed Oil US $4-10 / Kilogram 1 Kilogram (Min. Order) originate from Valensole Plateau lavender bio essence oil essential US $1-3 / Piece 500 Pieces (Min. Order) 100% Pure Lavender Essential Oil Natural Bio Oil US $6.9-12.9 / Piece 50 Pieces (Min. Order) High quality ! hair oil brands/ bio olive oil US $0.6-1.1 / Piece 500 Pieces (Min. Order) Bio oil ganoderma lucidum spore oil US $650-835 / Kilogram 1 Kilogram (Min. Order) Bio slim Safflower Oil... 100 Cartons (Min. Order) Cedar Leaf Thuja Essential Oil US $15-35 / Kilogram 1000 Kilograms (Min. Order) Marula Oil 1000 Units (Min. Order) Buying Request Hub Haven't found the right supplier yet ? Let matching verified suppliers find you. Get Quotation NowFREE Do you want to show bio oil or other products of your own company? Display your Products FREE now! Related Category Product Features Supplier Features Supplier Types Recommendation for you
http://www.alibaba.com/showroom/bio-oil.html
CC-MAIN-2017-04
en
refinedweb
[ ] ASF GitHub Bot commented on CURATOR-90: --------------------------------------- Github user eceejcr commented on a diff in the pull request: --- Diff: curator-framework/src/main/java/org/apache/curator/framework/imps/CuratorFrameworkImpl.java --- @@ -72,6 +74,9 @@ private final NamespaceWatcherMap namespaceWatcherMap = new NamespaceWatcherMap(this); private volatile ExecutorService executorService; + private final AtomicBoolean logAsErrorConnectionErrors = new AtomicBoolean(false); + + private static final boolean LOG_ALL_CONNECTION_ISSUES_AS_ERROR_LEVEL = Boolean.getBoolean(DebugUtils.PROPERTY_LOG_ALL_CONNECTION_ISSUES_AS_ERROR_LEVEL); --- End diff -- Jordan I created it as a constant, but I am not sure if you were thinking to manipulate the property with code and therefore you prefer a more dynamic approach. Anyway looks simple the change. Let me know > Reduce the verbosity of connection error log messages > ----------------------------------------------------- > > Key: CURATOR-90 > URL: > Project: Apache Curator > Issue Type: Improvement > Components: Framework > Affects Versions: 2.4.0 > Reporter: Julio Lopez > Priority: Minor > Attachments: CURATOR-90.patch, curator-90-evaristo.patch > > >.2#6252)
http://mail-archives.apache.org/mod_mbox/curator-dev/201405.mbox/%3CJIRA.12697043.1393291142032.324542.1399763834606@arcas%3E
CC-MAIN-2017-04
en
refinedweb
Opened 4 years ago Closed 4 years ago #19145 closed Bug (duplicate) valid formset with invalid deleted form raises AttributeError when trying to access cleaned_data Description Example (run in manage.py shell): from django.forms import Form, BooleanField from django.forms.formsets import formset_factory class F(Form): a = BooleanField() FS = formset_factory(form = F, can_delete = True) fs = FS(data = { 'form-MAX_NUM_FORMS': '', 'form-INITIAL_FORMS': '1', 'form-TOTAL_FORMS': '1', 'form-0-a': '', 'form-0-DELETE': 'on', }) assert fs.is_valid() # fs.forms[0].cleaned_data raises AttributeError print fs.cleaned_data This can be fixed by changing BaseFormSet._get_cleaned_data to only return the cleaned_data of non-deleted forms: def _get_cleaned_data(self): """ Returns a list of form.cleaned_data dicts for every form in self.forms. """ if not self.is_valid(): raise AttributeError("'%s' object has no attribute 'cleaned_data'" % self.__class__.__name__) return [form.cleaned_data for form in self.forms if not self._should_delete_form(form)] Change History (1) comment:1 Changed 4 years ago by Note: See TracTickets for help on using tickets. This should have been fixed recently (see #5524,). cleaned_data is now always available once a form has been validated. Reopen if I missed the point.
https://code.djangoproject.com/ticket/19145
CC-MAIN-2017-04
en
refinedweb
-snmp Overview The ServiceMix SNMP component provides support for receiving SNMP events via the enterprise service bus by using the SNMP4J library. Namespace and xbean.xml The namespace URI for the servicemix-bean JBI component is. This is an example of an xbean.xml file with a namespace definition with prefix bean. <beans xmlns: <!-- add snmp:poller or snmp:sender definitions here --> </beans> Endpoint types The servicemix-snmp component defines two endpoint types: snmp:poller :: Periodically polls a device status using SNMP and sends the OIDs as a JBI MessageExchange snmp:trap-consumer :: Consumes an SNMP trap message and sends the OIDs as a JBI MessageExchange
http://servicemix.apache.org/docs/4.5.x/jbi/components/servicemix-snmp.html
CC-MAIN-2017-04
en
refinedweb
Opened 10 years ago Last modified 17 months ago #1599 new enhancement Clip By Polygon, Clip By Mask, Clip By File Description A feature I wish for almost every week is the ability to clip an image by an irregular polygon. I envision it working something like this: Clip By Polygon gdal -clip poly.shp infile.tif outfile.tif {options} Cookie cutter an image. Outside the polygon is nodata, inside is input.tif values. Output extent is set to shapefile projwin extents. gdal -clip poly.shp -reverse in.tif out.tif Punches a hole in the image. In output raster interior of polygon is nodata. Output extent is the larger of raster or shapefile. gdal -clip poly.shp -multi -name [attrib] in.tif outdir Create tiles. For each polygon in poly.shp create a raster clipped to extent of that polygon. Use [attrib] field in poly.shp to name output rasters. If -name is omitted, sequentially number output (in.tif --> outdir/in_00.tif). General If clipping shapefile consists of multiple polygons, clipping boundary becomes outer boundary of all polys (merge polygons before clip). Polgons can be discontiguous (voids and islands are respected). Clip by Raster gdal -clip mask.tif -mask 255,0,0 in.tif out.tif Same as clip by poly, but treat RGB value of 255,0,0 as the nodata area (e.g. is the outside of the clipping polygons). Output extent is shrunk/expanded to range of data areas. gdal -clip mask.tif -mask 255,0,0 -reverse in.tif out.tif Punch a hole. Same as clip by poly reversed. Output extent is larger of inputs. General If no mask is specified, clipping boundary is set to extents of clipping image. Nodata in clipping image is nodata in output image. Clip By File gdal -clip points.shp -extent-only in.tif out.tif gdal -clip lines.shp -extent-only in.tif out.tif gdal -clip polys.shp -extent-only in.tif out.tif gdal -clip input.jp2 -extent-only in.tif out.tif Ignore all boundary/mask logic and clip raster to projwin extent of any ogr/gdal supported data source. Globals Standard gdalwarp and gdal_translate options are respected, e.g. -co compress=lzw, -of jp2kak, -t_srs +utm=11, -outsize 50% 50%, etc. Change History (12) comment:1 Changed 10 years ago by maphew comment:2 Changed 9 years ago by laurent Do this feature have a chance to be released ? Maybe it's just a dream ? comment:3 Changed 9 years ago by warmerdam - Component changed from default to GDAL_Raster - Keywords rasterize clip polygon added Laurent, This is currently a request enhancement but no one has indicated a willingness to implement it. So effectively, yes, it is a dream. Note that gdal_rasterize can already do some of this (especially with the new -i flag - similar to -reverse above). But gdal_rasterize requires an output file to pre-exist. I think the best approach to this might be further work on gdal_rasterize. comment:4 Changed 9 years ago by maphew ...I implemented part of what is asked in that ticket in the just released Mirone 1.3.0 We can now clip an image by an arbitrary polygon and create masks from the ensemble of plotted polygons (just right click on polygon and select what you want). Joaquim Luis -- Mirone's homepage: added to this ticket on the chance there may be an opportunity to share code between the projects for this feature. comment:5 Changed 8 years ago by mwtoews It would be very convenient to have a "-clip" option available for gdalwarp and gdal_translate (I'm not sure the scope of this enhancement, but this is the closest ticket that I could find to add to). I'd like to also suggest a "Clip by WKT" feature to this enhancement, for example: -clip "POLYGON((524813.7 6522424.5,524829.9 6522424.5,524829.9 6522400.3,524813.7 6522400.3,524813.7 6522424.5))" which would use the same projection as the input raster. Or, by specifying a different projection for the mask shape, such as Lat/Long? WGS84: -clip "SRID=4326;POLYGON((-126.5 59.25,-126.5 52.5,-126.25 52.5,-126.25 59.25,-126.5 59.25))" comment:6 Changed 7 years ago by bicealyh - Milestone set to 1.7.0 - Priority changed from normal to high I want to know does GDAL support clip an image by an irregular polygon,now? comment:7 Changed 7 years ago by warmerdam - Priority changed from high to normal The situation is unchanged. This feature has not been implemented, but -srcwin (or -projwin) in combination with gdal_rasterize can accomplish some of this in a rather manual way. I prefer not to set unresourced enhancement requests above normal priority. comment:8 Changed 7 years ago by rouault Clip by WKT can be achieved by using the cutline option of gdalwarp and a small CSV file containing the WKT (trunk feature). The following python script produces a white square.tif and a CSV file describing a polygon with a hole in the extent of square.tif import gdal import osr ds = gdal.GetDriverByName('GTiff').Create('square.tif', 1000, 1000, 3) ds.SetGeoTransform([500000, 1, 0, 4501000, 0, -1]) sr = osr.SpatialReference() sr.ImportFromEPSG(32631) ds.SetProjection(sr.ExportToWkt()) ds.GetRasterBand(1).Fill(255) ds.GetRasterBand(2).Fill(255) ds.GetRasterBand(3).Fill(255) ds = None f = open('small_square_with_hole.csv', 'wt') f.write('WKT,dummy\n') f.write('"POLYGON((500250 4500250,500750 4500250,500750 4500750,500250 4500750,500250 4500250),(500375 4500375,500625 4500375,500625 4500625,500375 4500625,500375 4500625))",\n') f.close() Then I do 'gdalwarp -wo "INIT_DEST=255,0,255" square.tif square_cut.tif -cutline small_square_with_hole.csv' and I get a nice extract of my white square with a hole and a background of pink. comment:9 Changed 7 years ago by kyle - Cc kyle added comment:10 Changed 2 years ago by jason Has anyone ever got the cutline to work in C++? I have it working off the command line no problem, but it doesn't seem to do anything when I populate that argument in C++ as below: *Create a OGRGeometry variable OGRGeometry thisGeom; parse an input WKT to char char* wktIn = (char*) pIn_wkt_geom; Create and polulate thisGeom with the input WKT geometry OGRErr err = OGRGeometryFactory::createFromWkt(&wktIn, poSRS, &thisGeom); Add thisGeom as the cutline argument psWarpOptions->hCutline = thisGeom;* Has anyone achieved this or do you know if it is supported? Cheers Jason comment:11 Changed 2 years ago by jratike80 Jason, hardly anybody reads 8 years old tickets like this. Ask your question in gdal-dev mailing list. comment:12 Changed 17 months ago by rouault - Milestone 1.8.1 deleted Removing obsolete milestone whups, the internal table of contents is wrong. It's supposed to refer to each of the subheadings below. I can't remove it though, sorry.
http://trac.osgeo.org/gdal/ticket/1599
CC-MAIN-2017-04
en
refinedweb
Gross Income Card Set Information Author: jillenebeth ID: 81780 Filename: Gross Income Updated: 2011-04-26 23:29:56 One Folders: Description: Becker CPA Review Regulation 1: Gross Income Show Answers: > Flashcards > Print Preview The flashcards below were created by user jillenebeth on FreezingBlue Flashcards . What would you like to do? Get the free Flashcards app for iOS Get the free Flashcards app for Android Learn more Gross Income Defined All income from whaterver source derived, unless specifically excluded. Computation of Income - General Rule Income is dertermined by the amount of cash, property (FMV), or services obtained. In cases of noncash income, the amount of the income is the fair market value of the property or services received. Realized Defined Realization requires the accrual or receipt of cash, property, or services, or a change in the form or the nature of the investment (a sale or exchange). Record Defined Recognition means that the realized gain must be included on the tax return (i.e. there is no provision that permits exclusion or deferral under the Internal Revenue Code). Accrual Method Revenue is taxable when earned. Cash Method Recognition occurs in the period the reenue is actually or constructively received in cash or (FMV) property. Characteristics of Income 1. Oridinary 2. Portfolio 3. Passive 4. Capital Ordinary Income Defined (12) Salaries Wages State and local tax refunds Alimony IRA and pension income Self-employment income Unemployment compensation Social security Prizes Taxable portion of scholarships and fellowships Gambling income And anything not falling into one of the other three baskets. Portfolio Income Defined Income a taxpayer would earn on his portfolio of assets, such as interest and dividends . Passive Income (Rental Activity) Defined An activity in which a taxpayer did no actively particpate. Only passive losses may offset passive income. A net passive loss is not deductible on the tax return (it is suspended and carried forward until passive income exists to offset it. Passive Income: Rental Income and Royalties Rental income received on a property that a taxpayer owns and rents (as opposed to capital gain or loss that may exist when the property is sold) is gernerally deemed "passive," unless exceptions exist. Passive Income: Beneficiaries of Trusts and investments in Partnerships, LLCs, and S Corporations Individuals (and companies) with investments in S Corporations, partnerships, LLCs, and beneficiary interest in trusts and estates will receive a Form K-1 from the entity each year. The K-1 is the investor's share of the earnings and deductions of each company. Schedule K combines the K-1s If an investment in a company is deemed limited (as opposed to general) for the investor, the income from the business activities will be deemed passive for tax purposes, and the passibe activity loss rule will apply. Salaries and Wages: Money, Property, Cancellation of Debt, and Bargain Purchases. Included in Gross Income: All money received, credited or available. The FMV of all proprerty. All Debts cancelled. If an employer sells property to the employee for less than its FMV, the difference is income to the employee. Salaries and Wages: Guaranteed Payments to a Partner Included in gross income: guaranteed payments are reasonable compensation paid to a partner for services rendered (or use of capital) without regard to the partner's ratio of income. This earned compensation is also subject to self-employment tax. Salaries and Wages: Taxable Fringe Benefits (incl. example) The FMV of a fringe benefit not specifically excluded by law is includable in income. Ex. employee's personal use of a company car is included as wages in an employee's income. This is subject to employment taxes and withholding. Salaries and Wages: Partially Taxable Fringe Benefits - Portion of Life Insurance Premiums First $50,000 of employer paid premiums are not income. Anything above is taxable income to the recipient. Non-taxable Fringe Benefits: Life Insurance Proceeds The proceeds of a life insurance plicy paid because of the death of the insured are gexcluded from the gross income. Accelerated death beneftis (insured receives money early for long-term care) are excluded from gross income. The interest income element on deferred payout arrangements is taxable. Non-taxable Fringe Benefits: Accident, Medical, and Health Insurance (employer paid) Premium payments are excludable from the employee's income when the employer paid the insurance premiums, bu amounts paid to the employee under the policay are includable in income unless: Reimbursement for medical expenses actually incurred by the employee Compensation for the permanent loss or loss of use of a member or function of the body. Non-taxable Fringe Benefits: De Minimis Fringe Benefits (incl. example) De Minimis fringe benefits are so minimal that they are impractical to account for and may be excluded from income. ex. employee's personal use of a company computer Non-taxable Fringe Benefits: Meals and Lodging The gross income of an employee does not include the value of meals or lodging funished to him in kind by the employer for the convenience of the employer on the employer's premises. In order to be nontaxable, the lodging must be required as a condition of employment. Non-taxable Fringe Benefits: Employer Payment of Employee Educational Expenses Up to $5,250 may be excluded from gross income of payments made by employer on behalf of an employee's educational expenses. Non-taxable Fringe Benefits: Qualified Tutition Reductions Employees of educational institutions studying at the undergraduate level who receive tuition reductions may exclude the tuition from income. Graduate students may exclude tution reduction only if the are engaged in teaching or research activities and only if the tution reduction is in addition to the pay for the teaching or research. Tuition reductions must be offered on a nondiscriminatory basis. Non-taxable Fringe Benefits: Qualified Employee Discounts Employee discounts on employer-provided merchandise and service are excludable as follows: Merchandise discounts: the excludable discount is limited to the employer's gross profit percentage. Service discounts: The excludable discount is limited to 20% of the FMV of the services Employer-provided parking: The value of employer -provided parking up to $230 (2010) per month may be excluded. Transit passes: The value of employer-provided transit passes up to $230 (2010) per month may be excluded. Non-taxable Fringe Benefits: Qualified Pension, Profit-sharing, and Stock Bonus Plans Payments made by employer (non-taxable) : payments made by an employer to a qualified pension, profit-sharing, or stock bonus plan are not income to the employee at the time of contribution. (Trust Account -- 401k) Benefits Received (taxable) : The amount that is exempt from tax (plust income earned on such amount) is taxable to the employee in the year in which the amount is distributed or made available. Non-taxable Fringe Benefits: Flexible Spending Arrangement Stems (FSAS) This is a plan that allows employees to receive a pre-tax reimbursement of cerain (specified) incurred expenses. 1. Flexible spending accounts (up to $5,000/yr). These payments must be made via salary reduction, employee is not taxed on that income. 2. Funds not used within 2.5 months after year-end are forfeited. Non-taxable Fringe Benefits: Economic Recovery Payments For 2010, economic recovery payments ($250 person) are not taxable. Taxable Interest Income - General Rule & 6 Examples General Rule: All interest is taxable unless specifically excluded. 1. Federal bonds 2. Industrial bonds 3. Corporate bonds 4. Premiums received for opening a savings account (e.g., prizes and awards) are included at FMV. 5. Part of the proceeds from an isntallment sale is taxable as interest 6. Interest paid by federal or state goverment for late payment of tax refund is taxable. Taxable Exempt Interest Income (reportable but not taxable) (4) 1. State and Local Government Bonds/Obligations 2. Bonds of a U.S. Possession 3. Series EE Bonds 4. Veterans Administration Insurance State and Local Government Bonds/Obligations Interest on state an local bonds / obligations is tax exempt. Mutual fund dividends for funds invested in tax-free bonds are also tax exempt. Bonds of a U.S. Possession Interest on the obligation of a possession of the United States is tax exempt. Series EE Bonds (U.S. Savings Bond) EE = Educational Exepenses Interest on Series EE Savings Bonds is tax exempt when: 1. It is used to pay for higher education, reduced by tax-free scholarships, of the taxpayer, spouse, or dependents; 2. There is taxpayer or joint owendership (spouse); 3. Taxpayer is over age 24 when issued; and 4. The bonds are acquired after 1989 * Phae-out starts when modified AGI exceeds an indexed amount. Veterans Administration Insurance Interest on Veterans Administration Insurance is tax exempt. Unearned Income of a Child Under 18 ("kiddie tax") The net unearned income of a dependent child under 18 years of age (or, a child over age 18 to under age 24 who does not provide over half of his/her own support and is a full-time student) is taxed at the parent's higher tax rate. Forfeited Interest (Adjustment) - Penalty on Withdrawal from Savings Forfeited interest is a penalty for early withdrawal of savings (generally on a time deposit, such as a CD). Bank credits the interest to the account and the removes certain interest as a penalty for withdrawing the funds before maturity. Interest = taxable Forfeited = deductible as an adjustment in the year the penalty is incurred. Source Determines Taxability (4) E&P/Current = distribute by current year end : E&P is current = dividend E&P/accumulated = distribution date : accum. E&P by distribution date = dividend No E&P = Return of capital Capital gain distributions = No E&P/no basis : if you've got all your capital back, then its called a capital gain distribution. Taxable Dividends All Dividends that represent distributions of a corporation's earnings and profits are includible in gross income. Taxable Dividends: Taxable Amount: Cash vs. Property Cash = Amount Received Property = Fair Market Value Taxable Dividends: Special (Lower) Tax Rate The stock must be held for more than 60 days during the 120-day period that begins 60 days before the ex-dividend date (the date on which a purchased share no longer is entitled to any recently declared dividends). Tax Free Distributions (4) 1. Return of Capital 2. Stock Split 3. Stock Dividend (unless cash or other property option/taxable FMV) 4. Life Insurance Dividend Tax Free Distributions: Return of Capital When a company distributes funds but has no earnings and profits. The taxpayer will simply reduce (but not below zero) his/her basis in common stock held. Tax Free Distributions: Stock Dividend Unless the shareholder has the option to receive cash or other property (taxable), the basis of the shares after distribution depends on the type of stock received. a. same stock - original basis is divided by total shares b. different stock - original basis is allocated based on the relative FMV of the different stock What would you like to do? Get the free Flashcards app for iOS Get the free Flashcards app for Android Learn more > Flashcards > Print Preview
https://www.freezingblue.com/flashcards/print_preview.cgi?cardsetID=81780
CC-MAIN-2017-04
en
refinedweb
Mozilla doesn't seem to support loading external SVG images embedded with <img> tags. Probably because nsImageFrame isn't set up to handle SVG whereas nsObjectFrame is. It is important that the nsImageFrame use the intrinsic size of the SVG image when no explicit width/height is given. Once that works, it might be possible to have <object>-embedded SVG to use nsImageFrame, too, so those get sized correctly as well. (See e.g. bug 70978.) Tested on SVG-enabled Mozilla, build id 2004122709 To whoever knows the answer: What image-renderer interfaces would need to be implemented for this to work (or would nsImageFrame need special-cased code?), and what core SVG interfaces would they be hooking into? Created attachment 169879 [details] testcase So to get this to work we'd need an nsIImage implementation for SVG, and an imgIDecoder. These will have to allow pixel-by-pixel access to the SVG image data (presumably cached, not computed on every pixel access) and provide some metadata about the image (notably the intrinsic size). If that's done, there will need to be no changes to nsImageFrame, since SVG will just look like any other image. Note that this will not allow interactivity and such the way <object> does. I don't think it makes sense to "decode" an SVG image in to an nsIImage. Things like animation, etc won't work if you do this (without a huge amount of extra work). If we really want this to work, i'd guess that changes similar to those in the object frame would have to go in to image frame. That kinda sucks though and isn't very flexable... Frankly, we want to have SVG working in list-style-image, background-image, etc, etc, not just in <img>. So either all images work the same way (and all these places use the image apis), or we don't support SVG images (just SVG documents) or we hack every single one of these places somehow, probably implementing the equivalent of SVG-to-nsIImage glue in 3-4 places.? ;) note bug 272288 comment 1 and (especially) bug 231179... Any disposition on this bug? It would definitely be an improvement to support SVG wherever a raster image is allowed (<img> tag, background images, etc). This could turn out to be a killer feature for a browser to have. What makes this killer is if the image is a "live" SVG image (though I will agree with Tim Rowley in Bug 272288, that it is ambiguous in the SVG spec). Imagine being able to animate your background image while displaying your HTML over top. Currently this is only possible with a compound XHTML document or some form of foreignObject within a SVG root document. I am sure there was a Gecko demo at some point with animated GIF backgrounds. *** Bug 298682 has been marked as a duplicate of this bug. *** Would it make things much easier to leave out the animation part for the time being? I guess that most users are interested in simply replacing unanimated images with SVG ones (e.g. to improve quality). when using <image xlink: in ASV the result is always a static SVG, no animation no scriting. i think this is the desired behaviour for <html:img> as well. the interactivity and animation feature for background images would be cool, but can wait, given that there is currently no animation support, and i think user events dont make sense on backround images, so enabling scrips in image is questionable. if you need script access you got to use <object> because image does not have any scripting interfaces ( contentDocument,contentWindow) maybe just enable the onload event. so i guess the solution Boris Zbarsky proposed in comment #2 would be the right way to go for now. I agree that the simple solution right now would be to do what Holger is suggesting (a frozen and isolated view of the SVG document) if it will mean quicker implemention. And while I agree with Holger's interpretations, I would recommend contacting the W3C CDF working group as they are the definitive source of answers (even if they don't have all the use cases yet) . At least in my initial emails with Chris Lilley he felt that scripting and animation could still happen in a background-image or a <img> (which would be nice). He did agree that events would not be able to flow from HTML DOM to SVG DOM through background-image (i.e. SVG is "underneath") but that events might be able to go through HTML DOM to SVG DOM. The bottom line is that all these use cases need to be thought out and described unambiguously in the CDF spec. See and for more and let's get that clarified soon so Mozilla has clear direction on implementation. correction: "...but that events might be able to go through HTML DOM to SVG DOM through an html:img tag" A note on perspective and intrinsic sizing, I just wanted to leave a quick pointer to bug 70978 (and maybe bug 70976). That is to say, it would be (more than) nice for the ability to include an SVG graphic, say only specifying an 80% width, and have the height automatically scaled to maintain the image's intrinsic perspective. If I want to include an SVG banner for a website that will scale properly when displayed on a 2" Cell Phone screen or 20" Desktop LCD - I can specify a width of 80% of the page, but there is then no way to specify a height that will maintain the image's perspective. Em's could be used, but that's a less than ideal workaround. This missing function really suck. Now when we have native SVG support in stable version of FF. In the bug 320875 is testcase with nodefault object size but with size defined in the SVG file in contrast to the PNG. (In reply to comment #4) >? ;) If we support SVG in <img> then I see no reason we wouldn't support HTML in <img> (with 404s being handled as failed loads just like for <object> elements -- <iframe> is the only one of these element that ignores errors and doesn't fall back to its fallback for them). In fact, I don't see how we couldn't. Anything that supports SVG automatically supports HTML in our architecture. They're the same thing, for all intents and purposes. The question is whether we want to support vector graphics in <img> at all. One could argue that <img> (just like <svg:image> in SVG Tiny) should be only for raster images. But then one could also argue the opposite... I suppose one option (which reading the comments again may have been what you had in mind anyway) is to say that any |Document|s that end up rendered by an <img> are rendered as static bitmaps, much like if they were used in CSS, so that they are image |Frame|s and so we sidestep the problem hyatt would have with all this (namely that <img> should always have the same kind of render frame, and that it shouldn't be able to change from an image render frame to an iframe render frame, for example). Hmm... I we should have the following guidelines when using SVG as a graphics format: 1) Scripts should not be executed. 2) Elements in non-SVG namespaces should generally be ignored. 3) Any elements unrelated to presentation should be ignored. 4) CSS should be ignored??? I do not think rendering a one-time static image is a good option, because the image can't be resized. Wasn't that the whole point of vector graphics to begin with? Also, we already allow stuff like animated GIF images (and MNG when using MNGZilla), so I don't see a justification for using a static image for SVG unless animation in SVG cannot be accomplished without scripting. (I admit that my knowledge of SVG is to limited to make a determination on the latter issue.) Allowing SVG in <img>s is bad news. Many web applications differentiate <img> as fairly innocuous allowing it even from third parties, but not <object>, because <object> holds power. SVG is incredibly powerful. It contains scripting, hyperlinks, <svg:image> even allows possibly third-party images to make HTTP requests. I also suspect that a fairly small SVG can DoS the renderer by requiring exponential time to render. That is a huge paradigm shift. <img> tags would require a neutered implementation of SVG to match the security model of most sites, even more so than just dropping scripting and animation - it would need at least to disallow <svg:image> links to third and fourth parties, and have a render timeout. I would recommend this is not fixed until that stuff can be thoroughly looked at. Agreed. As per comment #10... Btw, I consider this a low-priority bug compared to the SVG CSS one (Bug 231179). The CSS bug prevents us from doing really cool things. This bug would just be a "nice to have"... You can already do most things you need to do here with the object tag, so it doesn't hurt developers as much. As developers, we can just use <object> anywhere you wanted to use an <img> tag (unless I'm missing something). The SVG CSS bug is really the same bug as this, basically... That is, the functionality needed from the point of view of Gecko is the same. Some of the security concerns are different, of course. (In reply to comment #17) > 1) Scripts should not be executed. maybe enable only the onload event, like the batik-rasterizer does. > 2) Elements in non-SVG namespaces should generally be ignored. if we could have the onload event and/or XSLT transformations (or even xbl), elements from other namespaces might be usefull. > 3) Any elements unrelated to presentation should be ignored. > 4) CSS should be ignored??? no, css stylable images are cool ! > > I do not think rendering a one-time static image is a good option, because the > image can't be resized. Wasn't that the whole point of vector graphics to begin > with? well, i guess the svg should be re-rasterized when the size changes. > Also, we already allow stuff like animated GIF images (and MNG when using > MNGZilla), so I don't see a justification for using a static image for SVG > unless animation in SVG cannot be accomplished without scripting. > yes you could prerender some frames and then display them in a loop, the problem is that there is no way to determin how long the animation takes. > maybe enable only the onload event, like the batik-rasterizer does. From an XSS/security point of view, this is equivalent to allowing all scripting. (In reply to comment #23) > From an XSS/security point of view, this is equivalent to allowing all > scripting. i see :-( , so what about xslt/xbl then ? Probably OK, though most of XBL would not work (no scripting, so no constructors, etc). You could still create anonymous content, though. That seems reasonably safe. What if the img tag supported only SVG Tiny, with the object tag required to use full SVG? This seems to (at least theoretically) answer the security concerns, while still allowing a well-documented subset of SVG in the img tag. I can see only two clarifications which would need to be added: foreign namespaces are not recognized when included through the img tag, and svg:image would not support SVG (but would support, for example, JPEG and PNG, and possibly other bitmap formats) when included through the img tag. SVG Tiny doesn't support scripting, it doesn't necessarily have to support elements from other namespaces, and it doesn't necessarily have to support SVG in the SVG:image tag. Would an implementation of SVG Tiny which didn't support these two optional things be safe? Obviously you couldn't do everything with this that you could with full SVG, but I'm not sure this is a Bad Thing, since the object tag still exists to handle full SVG. It seems to me that if this method can be shown safe then it would provide, if not necessarily the best of both worlds, then at least a decent compromise. The full power (and danger) of SVG would not be available through the img tag, but a well-documented standard subset would be. Tiny is, by itself, powerful enough to handle most aspects of vector graphics, and what it can't handle could be dealt with through the object tag. It's just a thought, anyway. I might even be wrong about Tiny being safe, in which case the whole thing is moot. But if it would be safe, then might it be satisfactory? > SVG Tiny doesn't support scripting You must mean SVG Tiny 1.1 or something? SVG Tiny 1.2 most certainly does. More to the point, implementing both SVG profiles in the same code is a lot of work -- about twice as much work as only implementing one and putting some restrictions on it. (In reply to comment #26) > What if the img tag supported only SVG Tiny, with the object tag required to > use full SVG? i would object to that, i think this feature would be nice to have especially where you need a complex graphic, but you dont need a dom and stuff. especially the most expensive features of SVG like filters would benefit most from solving this bug, because then i could pack tons of filters in a file, without loosing performance of the browser, but filters are not part of SVGT. using SVGT would cost to many features, like clippathes, masks, opacity, gradients, filters. i recently had a little project where this would come in handy, i wrote an XSLT to create a barchart on the clientside. the largest benefit here is the saved serverload and bandwidth. so only a small chart description is send to the browser. with xslt, i turn that description into a complex barchart graphic with 100s of objects with grandients , opacity, strokes and filters this works great, but try embeding this chart in a html file; firefox nearly dies when you try to scroll. as i dont want to change the chart via script, a one shot still image would be enough for me. having this bug fixed would gain me the best of two worlds: decreased server load and bandwith, and good performance on the client while still providing graphicly rich content. (here is an example: i had to revert to a prerendered image because of the performance issues, and this is only a small example ) also i think it is not neccesarry to revert to SVGT because SVG allows for sub profiling via modules. so we could have an SVG full implementation without the scripting module. What exactly are the security concerns? I mean what can be exploited via scripting that can harm the user or steal his data? An SVG embedded via img does not have any relation to the parent document so it can't steal any data. And XmlHttpRequest does only work on the same domain name anyway so there is no way to send any stolen data. And how do these security concerns relate to svg images in css? (#231179) CSS is used by the site author and is not meant to harm anybody, whereas the img tag can be used by and 3rd person in message boards for example. there are other ways to send data than XMLHttpRequest... (forms, <img src="....?data=whatever"> come to mind) > I mean what can be exploited via scripting that can harm the user or steal > his data? Simple example: an SVG image posted as part of a MySpace (or LiveJournal, or whatever) page that steals other MySpace users' MySpace cookies and sends them to some other server by any of the various means that can be used to send text data (biesi mentioned some, there are others). The same-domain restrictions of XMLHttpRequest are not so much there to prevent info being sent to a site that wants it, but rather to prevent attacks against web services via sending them XML they do not want and do not expect. In general, I suggest that anyone planning to comment on this bug take a few hours to read up on the current state of XSS exploits on the web before doing so. It would help make the comments much more constructive. > CSS is used by the site author and is not meant to harm anybody Many sites of the sort we're talking about here allow users to upload CSS to style their page. Hmm... what about foreignObject? Could it (reasonably, by a human) be implemented so that it would be safe, or would it open social engineering attacks that couldn't be stopped by simply blocking script? I'm thinking here of a full-page SVG with embedded HTML that looks like a login screen, complete with form submitting to the outside. Would it work to just block forms in <img> as well as script? Would that be reasonably doable? If not, would other content types be safe (audio, video)? Note that some sort of descending into referenced objects to block script will have to be done, as when bug 231179 and bug 272288 are fixed, otherwise one could just include script in the svg-referenced-by-svg. So that descending should also work to block scripts in other file formats. But would that be enough? i think a static snapshot image of the svg, with all scripts ignored, coud not be any more or less secure than any other image format. in the end its all just pixeldata, even the forms in foreignObject. or am i missing something ? The only scripting support I can see a need for in simple images (img and CSS) is simple DOM manipulation (deletion, creation and read-write access to objects, no events). Why not simply block anything else, and not allow the SVG to access anything outside its own document (no cookie access, I can't see an use for it either in simple images)? For SVG applications that will take user input, ordain the use of the object element. > Why not simply block anything else Because that involves making an exhaustive list of "everything else" and adding checks to all of it. It's very very hard to get this right without leaving any holes, and places a burden on implementations of every single DOM method to check for this case. I'm not really sure what the discussion is about. There's pretty much agreement that SVG in <img> means no script, last I checked. The remaining questions are how to actually best do the rendering. Being able to display SVG from untrusted sources without the risk of running embedded scripts sounds to me like a good idea in general, and shouldn't be limited to the <img> tag. Maybe some requirement like 'scripted="yes"' could be added to both the <object> and <img> tags. I'm experiencing the same problem on Ubuntu 7.04. Please add Ubuntu into the OS field. I don't seem to have permissions required for doing that. Created attachment 282814 [details] thunder and rain slightly better formed html What's the 3 year delay on this guys? Opera already implements this. OperaMail displays svg on receipt, but not in compose mode [email protected] Safari Webkit claims fixed and landed in trunk tomorrow? email applications that allow the author to include svg symbols will significantly help many. This is just one recent email: "The largest single group of pupils with additional support needs in Scotland are those with moderate/severe learning difficulties (25%), who are likely to benefit from symbol support." When will Thunderbird default to displaying SVG? So, is there any reason that this should work other than that some spec says so? Is there a reason it would be useful to authors? Is there a good reason that the spec asks for it other than somebody's idea of theoretical purity? Some use case that it satisifies, that using object doesn't? SVG, in reality, is a document format, not an image format, and I don't see why we shouldn't just treat it like other document formats. (I'm asking because fixing this seems like a good bit of work and a good bit of extra security exposure, and doing that requires a good reason.) While SVG may in reality have been designed as a document format, its uses in practice are primarily as an image/graphics format, whose natural home in the mind of a web developer has always been in <img>. I don't think you can reasonably fight this intuition, particularly without support from other browsers. Let's look, for example, at the following wikipedia image page: It contains a PNG preview of an SVG image and a link to it. I believe that it would be cleaner if the preview used the svg image itself, and left rendering of the SVG for the web browser. (In reply to comment #43) > I believe that it would be cleaner if the preview used the svg image itself, > and left rendering of the SVG for the web browser. It would indeed, but I don't think that's quite the distinction being made. The question is whether it's worthwhile to support <img> when perfectly adequate support already exists in <iframe>, <object>, etc. with understood and effective security mechanisms in place to prevent the SVG (or any other document format loaded instead) from escaping its prison. (There's no reason Wikipedia couldn't do that now, with Accept or user-agent detection.) Those security mechanisms would have to be modified or reinvented for supporting SVG in <img>, or the document-support code would have to be modified to provide an <img>-style context; implementing either is a decent-sized task with lots of potential for regressions (and security ones, at that).. I want to author a *single* web page which will display on both my cell phone browser and my 30" LCD - and right now such a page can only contain text. I can author one version of a page, along with a separate CSS theme for each media type, guessing at suitably sized bitmap images for each type, but this is, simply put, a hack, and a lot of extra work, and can never properly scale for all devices. Without support for referencing SVG graphics from CSS, I can never create a truly device independent theme for my pages without compromising them semantically (which I am not willing to do). There's quite a difference between IMG and OBJECT/IFRAME. As with SVG loaded from CSS, IMG should limit graphics to be non-interactive, whereas OBJECT would always support the full set of SVG features (scripting in particular). Intrinsic sizing is another point. See also (a general comment) - img - img-tag is an old design error in html, reminding us from times when other media types were not widely used. Sometimes it is very annoying that only text can be used as alternative representation. alt-attribute is also often used for something else than an actual alternative representation for the idea that the image is used for. Correct alt for a flag picture in language selector would be something like... <img src="fr-flag.png" alt="display the page in french" /> - object - While it is possible to use object tag for the same purpose and thus create greater alternative representations. It doesn't always work because of lacking browser support. If img-tags had never been invented this would of course not be a problem. Anyway, if a web designer wishes to go for object tags he can do e.g. <object data="fr-flag.png"> display the page in <em>french</em> </object> - xhtml 2 - When it comes to the future, I think xhtml 2 team has finally dropped img-tag completely. Iirc the idea is that videos, images, etc. would be themselves alternative representations for something. The code would look something along these lines... (pardon me for not checking the actual syntax) <p src="map.png"> Germany is located at the center of Europe. </p> In the light of this (imo sane) notation paradigm, even the object tag is questioned, as it might be by people as a null-tag just to have some tag to attach the media to. There are already general null-tags (div and span) and the question is whether or not use of object adds any useful semantics. (In reply to comment #45) >. <snip> I agree with the above, I want bug 231179 to be implemented, which is why I want this blocking bug also resolving. Like Chris Hubick, I would like to have svg as background images. Unlike Chris, I would also like to use svg for graphs etc. - however, for this purpose I find the object tag to be appropriate, using something like a table to represent results. Therefore, I would be happy to drop this bug *IF* 231179 could be achieved a different way that did not require this. using something like a table to represent results. should have been using something like a table to represent results when the svg of the graph cannot be handled, rather than being limited to the img tag's alt keyword and a link to tabulated data. If this means anything - I agree with Martin - SVG as background-image is more important to me than using img This is required for bug 435299, and so it should be on the wanted-1.9.1 list (at least). I'd like to add that Opera 9.5 supports this properly. Using <object> as an alternative is not an option, because an object is not sensitive to a surrounding <a> tag (<a href...><object .../></a> is not clickable). I wonder if this could also be made to work in XUL, if that's not made inevitable when this may be fixed. For example, it'd be great to have (localizable) SVG available within <toolbar image=>, etc. Is there any news about this bug? Because I'm looking for a way to make SVG files clickable, and as comment 53 describes: <object> tags doesn't seem to be sensitive to surrounding <a> tags. Questions about this. I think there is agreement that no scripts will be run in SVG files included with HTML:img elements. But what if you have: <a href="blah.html"><img src="foo.svg" /></a> and foo.svg has clickable regions in it (svg:a links of its own). What should happen? What does Opera do? Is the whole region just treated as a rectangular blob of pixels? This would seem to make sense as that is what web developers expect from the HTML <img> tag. What does the HTML5 spec say? The image is treated as a unit. I seem to recall some spec saying this, but I don't know where. Anyway it's the only reasonable thing to do. Hello, I've investigated how Opera handles the SVG inside <img> tag and I think they do this quite reasonably. If this would be helpful, here is a short summary (when refering to "foo.svg" I mean a "foo.svg" inside HTML img: <img src="foo.svg" />): -First of all, as already decided about the eventual Firefox implementation - all scripts in "foo.svg" are ignored. -In response to comment #56 - internal links in "foo.svg" are always ignored, whether <img> is surrounded by <a> or not. -Animation - of course, scripted animation is not being executed, but the SMIL animation is, so if "foo.svg" contains declarative animation, then it's being animated (in my opinion this is something that web developers would be very glad to see once the bug #216462 is resolved). -The <svg:image> tag - all images inside "foo.svg" are being rendered, whether this is "bar.png" or "bar.svg". But animations in "bar.svg" are ignored (even the declarative ones). So if "foo.svg" is included using HTML <img> then all internal images are treated as rasters (contrary to the situation when "foo.svg" is included using HTML <object> - then the "bar.svg" is animated, as expected). I've checked also WebKit (527). It behaves the same way as I described in previous comment, except for the last case - if the foo.svg is embedded into HTML using <img> tag, then WebKit doesn't display the internal bar.svg. Perhaps it's a bug, because bar.svg is being displayed (and animated) if foo.svg is embedded using <object> tag. However, I've also repeated the tests in Opera, and this time the bar.svg is being animated (SMIL, of course) even if foo.svg is embedded using <img> tag. Don't know, maybe the last time I was checking I made some mistake, but I'm pretty sure that the bar.svg is being animated in both cases (foo.svg embedded using both <img> and <object>). Checked with Opera 9.50 and 9.60. And there's a weird thing in Opera 10 beta: also in the last case, in this version of Opera, bar.svg is not being animated at all (neither for foo.svg in <img> nor for foo.svg in <object>). Maybe it's a bug, but maybe they decided to change the behaviour for some reason? So summarizing, Opera and WebKit behave the same way for cases 1, 2 and 3, as described in comment #58. For case 4, Opera (9.5, 9.6) does animate the bar.svg embedded in foo.svg (using <svg:image>) in all cases (foo.svg in <img> and in <object>). However, Opera 10 beta does not. As for WebKit, it has problem with displaying the bar.svg when foo.svg is embedded using <img>, but for foo.svg in <object> everything works fine (the animation also). Hope I didn't complicate it too much;) Created attachment 392530 [details] testcases for comments 58 and 59 attached testcases that I used to check what's described in comments 58 and 59. It consists of an html file and several svg files, thus I've put it into an archive. Not making it. Does "Not making it" mean it won't be in 1.9.2a1 (the target milestone) or is the feature not expected to make it for 1.9.2 at all? This will not make it for 1.9.2. Would it be possible to know, roughly, what prevented this bug, together with Bug 231179 and Bug 272288, to make it in 1.9.2, as we were expecting it so much, and when would its new estimated time of implementation be, if it's already known? Thank you! The changes in bug 753 and bug 435296 were being made at the time that svg-in-img development would have been happening, and the two pieces of work would conflict with each other (or, more specifically, depend on each other), so we opted to delay implementation until the other imagelib work was done. Is there a parity-chrome tag for whiteboard? Chrome supports .svg images using img tags and appears to have more market share at this time than either Safari or Opera. According to the IE blog [1], SVG in img tags is planned for IE9. Like SVG-in-CSS (see bug 231179), it is also already supported in Safari and Chrome, so I really think it's time Mozilla starts prioritizing this. [1] Mozilla won't support it. Please use Chrome. You might notice that this bug was assigned to Daniel a little under a month ago, and I believe he's been working on it during that time. (In reply to comment #68) > Mozilla won't support it. Please use Chrome. How do you know that? (In reply to comment #69) > You might notice that this bug was assigned to Daniel a little under a month > ago Yeah - I've got some work-in-progress patches that I'll be posting soon that already provide basic support for this. (In reply to comment #70) > (In reply to comment #68) > > Mozilla won't support it. Please use Chrome. > > How do you know that? He doesn't, because he's obviously a troll. Chrome doesn't support SVG in favicon. In fact, they barely support anything at all! Last I checked, they only support ICO formats, just like Internet Explorer. I'm sorry, I correct myself: Chrome added support for non-animated GIF, JPEG and PNG with Chrome 4.0. Still, no APNG or animated GIF, which are supported in Firefox. And, of course, no SVG either. The only browser that supports it today is Opera. Of the major browsers, of course. (In reply to comment #73) I actually prefer not to have animated favicons (in fact, that's bug 111373). I imagine the Chrome team had to go out of their way to disable them. (In reply to comment #74) > (In reply to comment #73) > I actually prefer not to have animated favicons (in fact, that's bug 111373). I > imagine the Chrome team had to go out of their way to disable them. The possibility should always be there, for those who use it responsibly. If a site uses it in an annoying way, they could be contacted and asked to stop, and if they still do it, well, then they are going to lose visitors. Guys, please limit bugzilla chatter to comments that are directly focused on helping fix the bug at hand. That helps devs and reviewers make more efficient use of their time.) (In reply to comment #77) >) Are you also going to be adding the feature to use SVG in favicons or would that be considered separately, if at all? Good work on this. It works great here. Thanks for the feedback! Yes, we're intending to support SVG favicons -- basically, the intention is to allow you to use SVG in *any* context where you could use a raster image. Indeed, good work. You said: > The patches in the queue are still in a very WIP state, but they now "work" in > the simple cases I've tested, on SVG documents that specify an explicit > px-valued height & width on their <svg> element. Is this done deliberate, or is it just because scaling based on a width and height of an img tag isn't implemented yet? > > px-valued height & width on their <svg> element. > Is this done deliberate It's just because that's how far I've gotten. :) I don't intend for that limitation to persist in the final patch. > or is it just because scaling based on a width and > height of an img tag isn't implemented yet? Just to be clear: scaling based on width/height of the <img> tag *is* actually implemented. That only gives us the size of the <img> viewport, though -- it doesn't tell us what region of the SVG content we should scale to fit that viewport. The SVG document can give us this information in a very nuanced way, using any subset of the "width", "height", "viewBox", and "preserveAspectRatio" attributes. Currently, I just use width & height to get something working, though I'm not sure what I'm doing is the Right Thing yet. (In reply to comment #78) > Are you also going to be adding the feature to use SVG in favicons or would > that be considered separately, if at all? > > Good work on this. It works great here. The implementation of SVG in favicons is tracked in bug 366324. And, it's looking really good Daniel, keep it up :-) Awesome work, thanks so much for doing this! :) By the way, here's an (experimental) test page I created a while back: Your implementation does pretty well, possibly better than webkit already! I'm not sure if the correct behavior is in any spec (yet), but it certainly should be. Until then I'd try to follow Opera's implementation, it seems the most intuitive IMO. Keep it up, would be great if this made it to Firefox 4.0. The behavior should be covered by existing specs, though it's spread between a bunch of places: (and other relevant sections of that chapter) > + // XXXdholbert double --> int conversion on next line. Need to apply > + // ceiling or anything? > + gfxIntSize surfaceSize(size.width, size.height); Use nsSVGUtils::ConvertToSurfaceSize, see nsSVGPatternFrame or nsSVGFilterInstance (In reply to comment #85) > Use nsSVGUtils::ConvertToSurfaceSize, see nsSVGPatternFrame or > nsSVGFilterInstance Thanks for the suggestion -- that looks like what I want, except that I can't call nsSVGUtils methods from imglib, since nsSVGUtils lives in gklayout. (I get linker errors if I try.) I filed bug 567848 on splitting up nsSVGUtils to fix this. Other associated things that may need to change... I think nsSVGFeaturesList.h can mark as supported with this patch. Consider whether nsSVGImageElement needs to support a complete set of mapped attributes now rather than the restricted set it currently supports. (In reply to comment #86) > Thanks for the suggestion -- that looks like what I want, except that I can't > call nsSVGUtils methods from imglib, since nsSVGUtils lives in gklayout. (I actually ended up fixing this by moving imgContainerSVG to /layout/, BTW, at bz's suggestion in bug 567848.) About to post a series of mostly-done patches here. They layer on top of the patch in bug 574529. Created attachment 455335 [details] [diff] [review] patch 1: Create imgIContainerRaster This patch splits off a bunch of the "imgIContainer" interface into a sub-interface, imgIContainerRaster. The moved methods are generally things relevant to raster images, but not to SVG images. Created attachment 455337 [details] [diff] [review] patch 2: Add imgIContainer::GetImageType This patch adds a method to query an imgIContainer for whether it's an SVG image or a raster image. (There are cases where we'll need different client behavior, depending on the type.) Created attachment 455339 [details] [diff] [review] patch 3: Make imgIContainer receive data as an nsIStreamListener This patch makes imgIContainer implementations (only one so far -- imgContainer) promise to implement the nsIStreamListener interface, and receive data via that interface's methods. i.e. this replaces the methods "newSourceData", "sourceDataComplete", and a call to inStream->ReadSegments() with their pseudo-equivalents, "OnStartRequest", "OnDataAvailable", and "OnStopRequest". (We need to have the nsIStreamListener versions of these methods for svg images, because we need all of their arguments in order to pass them through to our SVG parser, which is also an nsIStreamListener.) Created attachment 455340 [details] [diff] [review] patch 4: Add method imgIContainer::GetRootLayoutFrame This adds a method "GetRootLayoutFrame" to let us query an imgIContainer for its root layout frame (its nsSVGOuterSVGFrame). This allows a "host" nsImageFrame to query its "guest" SVG image for its outermost frame's intrinsic size[1] & intrinsic ratio[2] and then delegate sizing decisions to nsLayoutUtils::ComputeSizeWithIntrinsicDimensions(). (Note: This new "GetRootLayoutFrame" method doesn't have a useful implementation or any callers yet -- that comes in a later patch. This patch just extends the interface & adds a stub impl to the imgContainer class.) [1] via nsIFrame::GetIntrinsicSize() (note that this method supports percent heights/widths, *unlike* imgIContainer::GetHeight/Width) [2] via nsIFrame::GetIntrinsicRatio() Created attachment 455342 [details] [diff] [review] patch 5: nsImageFrame stores intrinsic size & ratio This patch adds client code for GetRootLayoutFrame(), in nsImageFrame: - Makes nsImageFrame store its image's intrinsic size as an nsIFrame::IntrinsicSize, rather than as a nsSize. This lets it support percent-valued intrinsic sizes, and (as mentioned above) pass those directly to nsLayoutUtils::ComputeSizeWithIntrinsicDimensions (which expects an nsIFrame::IntrinsicSize as its argument) - Makes nsImageFrame store its image's intrinsic ratio, too. (which ComputeSizeWithIntrinsicDimensions also expects) (The above only matters if we've got an implementation for GetRootLayoutFrame that returns something non-null -- which we don't yet, but we'll get that in a later patch) Created attachment 455344 [details] [diff] [review] pre-patch: make args to imgIContainer::Draw const [landed] This patch is trivial -- it just adds 'const' to some input args that are passed-by-reference to imgIContainer::Draw. Created attachment 455352 [details] [diff] [review] patch 7: make imgIContainer::Draw take viewport size This patch makes imgIContainer::Draw take an additional argument -- the "viewport size" of the image. (the dimensions that the client wants us to use for drawing, basically) We need this for SVG images to draw correctly, particularly when they have the |viewBox| and optionally |preserveAspectRatio| attributes on their outermost <svg> element. (those attributes specify how SVG content should be positioned & scaled to fit an arbitrary viewbox) > This adds a method "GetRootLayoutFrame" to let us query an imgIContainer Why wouldn't we just have methods for getting the intrinsic size and ratio on the container instead? Under the hood those could still talk to the nsIFrame involved, as needed. Created attachment 455354 [details] [diff] [review] patch 8: add viewport-size argument to clients of imgIContainer::Draw This patch fixes callers of imgIContainer::Draw to pass the viewport-size as an argument. (the argument added in the previous patch) NOTE: In some cases (in particular nsLayoutUtils::DrawSingleUnscaledImage and ::DrawImage), the 'viewport size' is purely based on what the imgIContainer returns from GetHeight & GetWidth. This is a bit of a problem for that method, when we call it on an SVG image that has a percent height and/or width, because then its GetHeight/GetWidth method(s) will fail and return a height/width value of 0, which makes us bail out in an NS_ENSURE_TRUE(imageSize.width > 0 ...); call. I've added XXX comments to highlight these issues for now -- I'm not worrying about it very much right now, since I think this problem will be easier to fix after bug 506826 & friends land -- I think that bug has to work around this issue, too, for -moz-element clients. This means that (for now) this bug's patches don't support SVG images for CSS backgrounds *unless* the <svg> element has a non-percent-valued height & width on it. (so that imgIContainer::GetHeight & imgIContainer::GetWidth can both return meaningful values, as nsLayoutUtils::Draw[SingleUnscaledImage] expect them to) Created attachment 455366 [details] [diff] [review] patch 9: main patch -- add imgContainerSVG Finally, here's the "main" patch. :) This is the last of this patch-series. This adds a class "imgContainerSVG", which is a subclass of imgIContainer. The imgContainerSVG class outsources a lot of its work to another new class, "nsSVGDocumentWrapper", which basically encapsulates our helper SVG document and exposes just the things that imgContainerSVG needs access to. WHAT WORKS (AFAIK): - <img> (I've tested this the most, and I think its support is pretty robust). - CSS background & list-style-image & border-image *only if* you have a px height/width on the <svg> element (see comment 97) - SVG favicons (though you probably want to provide a viewBox to tell the favicon how to scale -- otherwise, not much SVG content fits in a 16x16 viewport. :)) Note: <svg:image xlink: does *not* work right now -- need to look into that more. CAVEATS: There are a number of things in this patch that aren't quite done -- generally they're flagged with // XXXdholbert comments. Some of these are: - Currently in OnDataComplete(), I make the SVG parser finish parsing synchronously, for simplicity. (This lets us immediately notify our image-decoder-observers that we're done and they can draw whenever they want.) This works, it'd be better to let the parsing finish asynchronously. - Animated SVG documents use a helper thread for "animation update, repaint me!" callbacks. Right now that's just on a timer, but ideally it should plug in to the helper-document's nsRefreshDriver, I think. In the meantime, the helper-thread paints somewhat infrequently (80ms) so as not to hog the CPU too much. - The patch includes a workaround for a shutdown null-crash in nsJARChannel.cpp that I hit on one of my machines, when I quit a build with this patch. For some reason, we try to release-and-null-out a pointer there twice -- probably due to me not cleaning something up correctly. (I work around it by changing the NS_RELEASE to NS_IF_RELEASE, so the second release gets skipped. Need to debug this further.) Just kicked off a TryServer build with these patches applied -- builds should appear at this URL (404 right now, but shouldn't be in an hour or so): (In reply to comment #96) > > This adds a method "GetRootLayoutFrame" to let us query an imgIContainer > Why wouldn't we just have methods for getting the intrinsic size and ratio on > the container instead? Under the hood those could still talk to the nsIFrame > involved, as needed. That was my initial instinct too, but there are complications with adding a "GetIntrinsicSize" accessor to imgIContainer (see below). roc & joe & I talked this over in #gfx a week or so ago, and settled on the nsIFrame getter as a reasonable solution. So the simplest solution would be to have imgIContainer::GetIntrinsicSize, which would return an nsIFrame::IntrinsicSize (which, importantly, can contain both percent and px values). But that doesn't work, because imglib doesn't know about nsIFrame, so it can't use nsIFrame::IntrinsicSize (or about nsStyleCoord, which is what IntrinsicSize uses under the hood for its component parts). So, to get around that, we could create a new "nsStyleCoord-like" structure (which would need to support both px & percent-values) and an "IntrinsicSize-like" wrapper for it, somewhere in /gfx/. And we'd use that to replace nsIFrame::IntrinsicSize. But that would result in semi-duplicated code, which isn't great either -- we already have a lot of px-or-percent-[or-something-else] value types, e.g. nsCSSValue, nsStyleCoord, nsStyleAnimation::Value, and probably a few more -- and adding yet another one for just this one purpose isn't ideal. Ultimately, we should probably refactor one or more of the existing "enumerated-meaning" value types to live in GFX and be suitable for this purpose -- but for now, the nsIFrame* accessor is something simple that avoids all that hassle. (In reply to comment #99) > But that doesn't work, because imglib doesn't > know about nsIFrame Sorry, I misspoke there -- imglib may know about nsIFrame (at least enough to be able to return an nsIFrame* :)) -- but it does *not* know about /layout/style/ (where nsStyleCoord lives), which is what prevents it from directly using nsIFrame::IntrinsicSize. > Ultimately, we should probably refactor one or more of the existing > "enumerated-meaning" value types to live in GFX and be suitable for this > purpose OK, that I buy. File the followup bug? Filed bug 576202. Created attachment 455395 [details] [diff] [review] patch 9: main patch -- add imgContainerSVG Here's an updated version of patch 9 -- this fixes a bug I just caught when testing the TryServer build. (I was missing didn't the member variable 'mHaveRestrictedRegion' from the imgContainerSVG initializer list, which then led to crashes from requesting too large of a surface.) I never saw that in my local debug build for some reason -- perhaps one of my build flags made member-data initialize to 0 by default or something, which saved me from the crash. In any case, I pushed a new less-crashy try-server build, with this fixed: I'm a little concerned about adding support for SVG images but requiring that they have an explicit 'width' and 'height'. Using an SVG image with a viewport (aspect ratio) but no fixed 'width' and 'height' strikes me as an important use-case. Even if we can't deal with explicit percents, can we at least handle missing dimensions? > but requiring that they have an explicit 'width' and 'height' This patch only requires that for images used as CSS backgrounds, right? > Using an SVG image with a viewport (aspect ratio) but no fixed 'width' and > 'height' strikes me as an important use-case. It is, but such use requires that a size be specified, no? So there are various cases (generated content images in CSS, <img> with no size specified, and so forth) where it just can't work, as far as I can tell. (In reply to comment #104) > I'm a little concerned about adding support for SVG images but requiring that > they have an explicit 'width' and 'height'. Sorry for not being clearer about that -- that's a limitation of the *current* (WIP) patches, but I don't think that limitation will remain in the final version (once I merge with changes in bug 506826, which I believe increases our awareness of viewport-size when painting). I expect there will be edge cases where we can't reasonably paint anything, but there's generally something sensible we can fall back on. Note also that there's *always* specified dimensions on the <svg> document -- it's just that the default values are "100%", and percent units are only meaningful if we have a percent basis (which is hard to get, with the wall of separation at the imgIContainer interface-barrier). If all else fails, though, as long as we end up with a nonempty region to paint into, we can just apply the percent values to that region. The problem right now is that existing code (for e.g. CSS backgrounds) makes assumptions that the pixel-unitted "GetHeight()" & "GetWidth()" methods are always useful, and unfortunately that's not the case for an SVG image with %-valued dimensions. (In reply to comment #105) > This patch only requires that for images used as CSS backgrounds, right? Yes, and I think for border-background and list-style-image too -- I haven't tested those thoroughly. > <img> with no size specified [...] where it just can't work That one actually works fine with the current patch-stack, FWIW -- I matched our behavior for <embed> & used our existing code to follow the CSS rules for a replaced CSS element. The logic for that exists already in nsLayoutUtils::ComputeSizeWithIntrinsicDimensions() -- I just needed to pass it the nsSVGOuterSVGFrame's IntrinsicSize (allowed to be %-valued) & intrinsic ratio. (That's where having the root nsIFrame* comes in handy. :)) Once the patches in bug 506826 have all landed, we'll have a default image size for CSS background painting. But there are still places in CSS where you don't have a default image size. For example, list item bullets and content:url(...). IIRC for list item bullets, Webkit just uses something based on the font size. No idea what to do for content:url(...) though. (In reply to comment #106) > (once I merge with changes in bug 506826, which I believe increases our > awareness of viewport-size when painting). It doesn't really. The only part that touches CSS background sizing is the change to ImageRenderer::ComputeSize in attachment 451963 [details] [diff] [review], but that's special-cased to -moz-element. Filling the whole element (or the whole background-size rect) is what already happens for CSS gradients, and I'm just doing the same for SVG patterns and gradients by setting mSize = aDefault. And then in ImageRenderer::Draw I'm passing mSize to nsSVGIntegrationUtils::DrawPaintServer. The eStyleImageType_Image branch ignores mSize, so maybe that's what you need to change. > But there are still places in CSS where you don't have a default image size. I believe that is no longer true. If you find a case where it's not specified, let me know, but the ones you mention are specified. There's a set of rules in the CSS2.1 Lists chapter for list item bullets, and content:url() should be treated the same as any other replaced element. Comment on attachment 455344 [details] [diff] [review] pre-patch: make args to imgIContainer::Draw const [landed] Change the iid of imgIContainer. Comment on attachment 455344 [details] [diff] [review] pre-patch: make args to imgIContainer::Draw const [landed] Landed (trivial) patch 6, with UUID rev per joe's comment: Any more progress here? Yup -- I've got <svg:image> working, and I've addressed the caveats that I brought up in comment 98, except for the first one[1]. (plus other misc cleanup / fixes) I'm currently merging in changes from the recently-landed Bug 572520, which shifted towards using imgContainer instead of imgIContainer in some places (breaking this bug's patches) and which changed a bunch of other code out from under this bug's patches. FWIW, this bug also requires the final patch that ends up on Bug 359608 (which lets us detect when images are only used in bfcache-frozen pages, so we can pause their animations and save on CPU & battery). It looks like that bug's almost done -- once it is, I'll use its functionality in one of this bug's patches. Without that, this can get pretty CPU-heavy if you end up with multiple SMIL-animated SVG images in your bfcache. [1] We'll still need to synchronously finish parsing the SVG document in OnDataComplete for now -- I tried making it async, but after wrestling with that & talking to bholley, I don't think that can work, due to assumptions made by imagelib about height/width being available as soon as we've received all the data. (might be able to optimize that later, but not worth worrying about right now) (In reply to comment #113) > FWIW, this bug also requires the final patch that ends up on Bug 359608 (which > lets us detect when images are only used in bfcache-frozen pages, so we can > pause their animations and save on CPU & battery). One question: Will it be possible to pause the animations with escape key like animated GIFs? Yes. This has to block at latest beta 5, because that's the feature freeze. When is this going to be fixed? In Firefox 3.6.x? In Firefox 4? This bug has succeeded in making Firefox's SVG support utterly useless for me (as for practical reasons I need to use an img tag to present an image across all browsers and then selectively produce SVG for browsers that have reasonable SVG handling). (In reply to comment #117) > When is this going to be fixed? In Firefox 3.6.x? In Firefox 4? New features for web developers can't be introduced in minor versions for obvious reasons. If resolved in time, it will be in Firefox 4. One could easily argue that this is not a new feature -- as Firefox gives every appearance that SVG in an img tag should work until it doesn't. That said, I can understand if this has to wait until Firefox 4. I *cannot* understand if this is not addressed in Firefox 4 -- that would scream to me that Firefox is not going to keep up in the browser arena, address longstanding gaps, etc, i.e. that we should start emphasizing Chrome -- and maybe even MSIE 9 (!?!) The plan is to have this implemented in Firefox 4, yes. (see comment 116 -- "beta 5" there means Firefox 4 beta 5) (In reply to comment #120) > The plan is to have this implemented in Firefox 4, yes. (see comment 116 -- > "beta 5" there means Firefox 4 beta 5) Hi! I just downloaded Firefox 4 beta 3, and <img src="myfile.svg"/> still doesn't seem to work. However, I read at : that it is supported. Is there something to be done in my tags, or will it ship only in beta 5? Thanks! It'll ship in beta 5. (That's why this bug here is still open.) Comment on attachment 455335 [details] [diff] [review] patch 1: Create imgIContainerRaster Obsoleting old/bitrotted patches, to post a new patch-stack. (Note that I've actually landed variants of old-patches 1 and 2 -- imgIContainerRaster & Get[Image]Type -- as parts of bug 584841.) Note: future patches here all layer on top of the patches for bug 587371, bug 574529, bug 587779, bug 587800, and bug 587902. (all of which are in this bug's depends-list, and all of which are ready or nearly-ready to land, I think) Created attachment 467855 [details] [diff] [review] Patch 1: Pass through imgRequest::OnStartRequest/OnDataAvailable/OnStopRequest for Vector-type images This patch makes us pass imgRequest::OnStartRequest/OnDataAvailable/OnStopRequest calls on through to the image, for TYPE_VECTOR images. Created attachment 467858 [details] [diff] [review] Patch 2: Add method imgIContainer::GetRootLayoutFrame This adds the method imgIContainer::GetRootLayoutFrame, with a no-op impl for RasterImage. (We'll need this in layout code in order to get percentage heights/widths and intrinsic ratios from VectorImages' internal SVG documents.) I made this [notxpcom] because it never needs to fail (it can just return null in failure-cases), and because checking nsresult return-values is clunky (and unnecessary in this case since there are no special failure codes). Created attachment 467864 [details] [diff] [review] Patch 3: Make nsImageFrame store an intrinsic ratio & use an nsIFrame::IntrinsicSize for its intrinsic size (to allow % vals) Created attachment 467866 [details] [diff] [review] Patch 4: Add nsIDocument::IsBeingUsedAsImage This lets us check if our document is being used as an image, which lets us take the right path in DocumentViewer setup (to get & set up a presentation context). if (aPresContext->CompatibilityMode() == eCompatibility_NavQuirks) { - mIntrinsicSize.SizeTo(nsPresContext::CSSPixelsToAppUnits(ICON_SIZE+(2*(ICON_PADDING+ALT_BORDER_WIDTH))), - nsPresContext::CSSPixelsToAppUnits(ICON_SIZE+(2*(ICON_PADDING+ALT_BORDER_WIDTH)))); + nscoord edgeLengthToUse = + nsPresContext::CSSPixelsToAppUnits( + ICON_SIZE+(2*(ICON_PADDING+ALT_BORDER_WIDTH))); + mIntrinsicSize.width.SetCoordValue(edgeLengthToUse); + mIntrinsicSize.height.SetCoordValue(edgeLengthToUse); Shouldn't we be setting the ratio here too? And maybe nsImageFrame::EnsureIntrinsicSize should be renamed to EnsureIntrinsicSizeAndRatio? // Have to size to 0,0 so that GetDesiredSize recalculates the size - mIntrinsicSize.SizeTo(0, 0); + mIntrinsicSize.width.SetCoordValue(0); + mIntrinsicSize.height.SetCoordValue(0); And we should set the intrinsic ratio here too?. + // XXXdholbert The caller expects a px-valued width & height, but our + // intrinsic width and/or height has a percentage value. Just fail for now. + // (Might eventually want to make this method return nsIFrame::IntrinsicS? BTW, one thing I just thought of: if someone calls canvas.drawImage on an SVG image, we need to mark the canvas as tainted for getImageData, since that SVG image might be same-origin with the canvas document but refer to external resources (images, IFRAMEs, etc) from different origins, and we must avoid creating a cross-origin information leak here. Comment on attachment 467866 [details] [diff] [review] Patch 4: Add nsIDocument::IsBeingUsedAsImage Needs content peer sr Created attachment 468458 [details] [diff] [review] Patch 5: Move nsSVGUtils::ConvertToSurfaceSize & ClampToInt into header file This patch moves two nsSVGUtils methods into the header file, so they can be inlined for (soon-to-be-added) callers in imagelib. (Otherwise, non-libxul builds fail to link, since nsSVGUtils.cpp is part of gklayout, and imagelib is linked *by* gklayout, and can't link *with* gklayout.) This includes an XXX comment to indicate that ConvertToSurfaceSize should move back to the .cpp file once we move to a libxul-only world (when the linking issues will go away.) Created attachment 468460 [details] [diff] [review] Patch 5: Move nsSVGUtils::ConvertToSurfaceSize & ClampToInt into header file (oops, attached wrong patch-version before) (In reply to comment #129) (RE patch 3 review comments): > Shouldn't we be setting the ratio here too? Ah, good catch. Fixed (in patch queue). > And maybe > nsImageFrame::EnsureIntrinsicSize should be renamed to > EnsureIntrinsicSizeAndRatio? Yup. Changed. > And we should set the intrinsic ratio here too? Yes - fixed. >. That sounds good. (Still need to do that - might file as a separate bug.) RE GetIntrinsicImageS? Right now, they'll allocate 0 space for it (which would affect a video element with a SVG poster-image, in the former case, and I think for a floated SVG image, in the latter case -- whatever nsHTMLReflowState::CalculateHypotheticalBox is used for). That's probably not what we want. It'd be better to explicitly fail, rather than returning a zero-size here. Both callers have fallback code nearby that would be sensible to use, but they don't actually check the return-status of GetIntrinsicImageSize() yet -- I'll just make them check the return status and then use the relevant fallback code. Sounds good. So I'm waiting for a new part 3? Comment on attachment 467864 [details] [diff] [review] Patch 3: Make nsImageFrame store an intrinsic ratio & use an nsIFrame::IntrinsicSize for its intrinsic size (to allow % vals) Yup. Coming up. Created attachment 468553 [details] [diff] [review] Patch 3 v2: Make nsImageFrame store an intrinsic ratio & use nsIFrame::IntrinsicSize Updated version of Patch 3, to address comment 129: - Makes nsImageFrame::GetIntrinsicImageSize simply fail if we don't have coord-unit dimensions. - Adds nsresult-failure-checking code in clients of GetIntrinsicImageSize (in nsHTMLReflowState & nsVideoFrame), using existing fallback code. - s/EnsureIntrinsicSize/EnsureIntrinsicSizeAndRatio/ - Set mIntrinsicRatio alongside mIntrinsicSize where roc suggested - to 1,1 in the first case (where we're setting ourselves to be a square icon) -- and 0,0 in the second (where we're clearing our intrinsic size). nsImageFrame::RecalculateTransform is the same as in the previous patch, except I removed the XXX comment there. I'll replace it with dynamic transform-calculation in a followup patch. Created attachment 468554 [details] [diff] [review] Patch 3b: nsImageFrame computes its transform on-demand This patch has us regenerate the nsImageFrame's transform on-demand. If we fail, it makes SourceRectToDest just return GetInnerArea(), which I think is the relevant nscoord-space rect to return, since that's what we used in RecalculateTransform. (caveat: haven't tested this yet (though it does compile) -- I'll run it through tryserver to make sure it doesn't break anything) (to follow up on the end of comment 138: the patch-stack up through 3b was fine on tryserver) Created attachment 468701 [details] [diff] [review] Patch 6: Add nsSMILAnimationController::HasRegisteredAnimations This is a trivial patch to let us check whether our document's animation controller has any registered animations. (This lets us know whether to bother scheduling periodic repaints of SVG images, for animation updates.) Created attachment 468703 [details] [diff] [review] Patch 7: Add special nsIntRect value "kFullImageSpaceRect" This patch defines a special INT_MAX-sized nsIntRect, called "kFullImageSpaceRect", in imgIContainer.idl. This rect is to be used to represent "the whole (unbounded) image space", in places where SVG Images need to pass a dirty-rect but don't have a rect that makes sense to patch.. ALSO: I don't actually use kFullImageSpaceRect in any imgIContainer.idl APIs, but rather in imgIDecoderObserver and imgIContainerObserver. (patches to add that code is coming up next) Nonetheless, I'm putting it in imgIContainer.idl because it's a single common file that all clients of both imgIDecoderObserver and imgIContainerObserver will already have to #include. Created attachment 468705 [details] [diff] [review] (not patch 8; attached wrong file) This patch checks for the special "full image space" rect (added in Patch 7) in the only non-trivial* imgIDecoderObserver::OnDataAvailable implementation. If there's a match, we invalidate GetInnerArea(), like in patch 3b. (This is needed because my VectorImage class will call this method with kFullImageSpaceRect as the dirty-rect.) This patch also shifts the early-return cases in that method to be a bit earlier, so we don't waste time working with rects for no reason. * Note that all other imgIDecoderObserver::OnDataAvailable implemenations are either no-ops ("return NS_OK;"), or forwarders (just passing the message on to another imgIDecoderObserver). Created attachment 468707 [details] [diff] [review] Patch 8: check for kFullImageSpaceRect in imgIDecoderObserver::OnDataAvailable (oops, attached wrong file; here's the real patch 8) Created attachment 468709 [details] [diff] [review] Patch 9: check for kFullImageSpaceRect in imgIContainerObserver::OnFrameChanged Same idea as previous patch, but now in imgIContainerObserver::OnFrameChanged. (This is the method that's used for e.g. notifying observers that there's been an animation update.) Created attachment 468735 [details] [diff] [review] Patch 10: Make imgContainer::Draw take image-viewport-size, and improve nsLayoutUtils drawing wrappers This patch does two related things: - Adds a new argument to imgIContainer::Draw -- a rect which corresponds to the full image viewport size -- which VectorImage needs in order to be able to size & position its contents correctly when it's got a |viewBox| attribute. - Adds a new method "nsLayoutUtils::ComputeSizeForDrawing" which just uses the intrinsic size & intrinsic ratio to make a best guess about an intrinsic size to use for our image. Comment on attachment 468703 [details] [diff] [review] Patch 7: Add special nsIntRect value "kFullImageSpaceRect" Put kFullImageSpaceRect in mozilla::imagelib and r=me. (In reply to comment #146) > Put kFullImageSpaceRect in mozilla::imagelib and r=me. Ok - thanks! (In reply to comment #145) > - Adds a new method "nsLayoutUtils::ComputeSizeForDrawing" which just uses the > intrinsic size & intrinsic ratio to make a best guess about an intrinsic size > to use for our image. (sorry, to clarify, I meant "to make a best guess about a **px-valued** intrinsic size to use for our image", since GetHeight / GetWidth may fail for SVG images that have percent heights/widths) Comment on attachment 468735 [details] [diff] [review] Patch 10: Make imgContainer::Draw take image-viewport-size, and improve nsLayoutUtils drawing wrappers It is very odd to me that we set the draw size to the destination size in DrawSingleImage, but I guess it makes sense since SVG images don't always have an intrinsic size. (In reply to comment #148) > It is very odd to me that we set the draw size to the destination size in > DrawSingleImage, but I guess it makes sense since SVG images don't always have > an intrinsic size. Right -- or more imporantly, an SVG image may have an intrinsic size and/or ratio, but it's not tied to that size and/or ratio so much that it's willing to be deformed to maintain it.[1] IIRC, image-size & destination-size in DrawSingleImage are used to calculate how much we'll have to stretch the [raster] image along each dimension to get it to fit our destination-area. But we don't want or need to do that for SVG. We can just give our SVG content the viewport-size that we'd like it to draw into, and it'll adapt to that, scaling itself if necessary (if it has a |viewBox| attribute on the <svg> node).[2] [1] Unless they have preserveAspectRatio="none" -- but even in that case, the helper-document will manage the stretching for us, based on the viewport we give it. [2] If our SVG content doesn't have a viewBox attribute, it won't auto-scale -- it'll just crop out the region of SVG-space covered by the image -- but I think that's reasonable behavior, given that it's what happens with <embed> and with svg-viewed-directly-in-a-browser Created attachment 468786 [details] [diff] [review] (stale version of Patch 11) Here's a patch with a stub implementation of VectorImage, with only the very basic: - changes to Makefile - VectorImage class definition - VectorImage construction at the right spot in imgRequest - Both versions of VectorImage::GetType implemented (since they're one-liners and imgRequest calls one of them right away) - All the rest of the methods stubbed out. (to be filled in by a subsequent patch). Created attachment 468788 [details] [diff] [review] Patch 11: Stub for VectorImage class (here's patch 11 again - first version had one minor piece of stale state from some patch queue reordering I'd done) Created attachment 468809 [details] [diff] [review] Patch 4b: Refuse to create a widget for documents that are actually images Here's a followup to go with patch 4 (nsIDocument::IsBeingUsedAsImage), which I needed to add last night, when merging in changes from bug 582057's landing. This patch just keeps us from creating a widget during DocumentViewer setup[1], for documents that are being used as images. (If we try to create a widget, we end failing, since we have no connection to our parent widget, and the widget-creation code is much more strict about that.) We don't need a dedicated widget anyway, since we always end up being provided with a context to draw into. [1] Note: documentviewer setup happens in the next patch I'll attach (#12) (In reply to comment #152) > the widget-creation code is much more strict about that. er, I meant "is now more strict about that" (since bug 582057) Created attachment 468833 [details] [diff] [review] Patch 12: SVGDocumentWrapper class This patch adds mozilla::imagelib::SVGDocumentWrapper, a helper-class to let VectorImage be a little less complex. The idea is that VectorImage doesn't directly set up, tear down, or interact with our helper SVG document -- it lets SVGDocumentWrapper manage that. Requesting r?joe since it's in imagelib, and r?roc since a lot of the code is calling methods from SVG and content. Comment on attachment 468809 [details] [diff] [review] Patch 4b: Refuse to create a widget for documents that are actually images Maybe instead of IsBeingUsedAsImage, we should have called that method IsHeadless or something... + SVGDocumentWrapper::kSVGAtom = +#ifdef MOZ_ENABLE_LIBXUL + nsGkAtoms::svg; +#else + NS_NewPermanentAtom(NS_LITERAL_STRING("svg")); +#endif I think we should just take the NS_NewPermanentAtom path in both cases. less fragile. ? + nsSVGSVGElement* rootElem = GetRootSVGElem(); + NS_ABORT_IF_FALSE(rootElem, "root elem missing or of wrong type"); Can't this happen if someone serves image/svg+xml with a non-<svg> root? + if (presShell) + presShell->FlushPendingNotifications(Flush_Layout); {} Created attachment 469183 [details] [diff] [review] Patch 12 v2: SVGDocumentWrapper class (In reply to comment #156) > I think we should just take the NS_NewPermanentAtom path in both cases. less > fragile. Sounds good - fixed. > ? Hopefully that's illuminated by the next patch (posting soon). This method is primarily to service VectorImage's implementations of imgIContainer::GetWidth and GetHeight APIs. Those methods' clients almost always call both methods back-to-back. Given that, it seemed wasteful to look up *both* width and height within each of those calls. Also, the required code for looking up width/height is basically the same (with just s/Width/Height/), so I think it makes sense to share code for them at some level. I'd be open to changing this if you still think I should, though. > + nsSVGSVGElement* rootElem = GetRootSVGElem(); > + NS_ABORT_IF_FALSE(rootElem, "root elem missing or of wrong type"); > > Can't this happen if someone serves image/svg+xml with a non-<svg> root? [this is inside of SVGDocumentWrapper::GetWidthOrHeight] Good question, but no -- that problem would get caught by the VectorImage (in the next patch) before it'd call this method. (It checks an mError flag before invoking its SVGDocumentWrapper, and that error flag gets set if we receive XML content without a SVG root) > + if (presShell) > + presShell->FlushPendingNotifications(Flush_Layout); > > {} Fixed. (In reply to comment #157) > I'd be open to changing this if you still think I should, though. No, that makes sense. Created attachment 469209 [details] [diff] [review] Patch 13: VectorImage impl Here's the final patch, with the "VectorImage" class. A few notes: - I want/need to clean up "Draw" & its helper function "RenderToSurface" before landing. (Right now it always creates a helper gfxASurface, but we really only need to do that if we're tiling. It also can still benefit from mstange's work in bug 572680 - I haven't incorporated that yet) - I leave imgIContainer::CopyFrame unimplemented in this patch. It's not used at all for <img> or for CSS backgrounds, though it is used for <svg:image>. I have a patch that implements it & fixes up SVG's <svg:image> client-code, but I haven't tested it as much yet, and I'd prefer to do that work in a followup bug. (In reply to comment #159) > - I leave imgIContainer::CopyFrame unimplemented in this patch. It's not used > at all for <img> or for CSS backgrounds, though it is used for <svg:image>. The same applies to imgIContainer::GetFrame -- that's what canvas's "drawImage" uses, actually, so comment 130 isn't an issue until that's implemented. + // XXXdholbert This method also doesn't actually freeze animation in the + // returned imgIContainer, because it shares our helper-document. If that's + // important, we'll need to duplicate the helper-document, or rasterize to a + // RasterImage and return that instead. We'll need a bug on fixing this. I think cloning the document would be feasible. We do it for printing already. Expensive though!. Why do we need mLockCount? Seems to me we don't. + mAnimationMode = aAnimationMode; + + switch (mAnimationMode = aAnimationMode) { + case kDontAnimMode: + StopAnimation(); + break; + default: + StartAnimation(); + break; + } Redundant assignment of mAnimationMode. Might as well do if (aAnimationMode == kDontAnimMode) + // XXXdholbert Maybe we should be listening for BeforePaint instead? (to + // make sure we're getting callbacks *after* SMIL samples, rather than + // just before the SMIL sample, which I think we might, depending on + // nsRefreshDriver's iteration order) Flush_Display observers always run after Flush_Style observers (which nsSMILAnimationController is), so I think you're good. + // between the nominal image size and the surface you actually created. nsSVGUtils::ConvertToSurfaceSize might have chosen a different size to expected. + presShell->RenderDocument(svgRect, + nsIPresShell::RENDER_IGNORE_VIEWPORT_SCROLLING, + NS_RGBA(0, 0, 0, 0), // transparent + tmpCtx); Probably should add RENDER_ASYNC_DECODE_IMAGES I definitely want to see a direct-render path that bypasses the surface when tiling is not required. That might require some restructuring, so I'd like to see it now. One thing I expected to see but I don't is some way of capturing invalidations performed in the SVG document. For example if the SVG document progressively loads an image, we need to invalidate in the outer document. I think you should be adding a rendering observer to the root element using nsSVGEffects::AddRenderingObserver and your own subclass of nsSVGRenderingObserver. Or maybe we could have an alternative interface in nsSVGEffects that manages the nsSVGRenderingObserver for you and just calls back a function whenever invalidation happens. If we do that, we probably don't need NotifyObserverOfAnimationSample, nor do we need to hook into the refresh driver. Instead our invalidation observer will be able to call FrameChanged directly and will even be able to pass an accurate rectangle. (In reply to comment #161) > We'll need a bug on fixing this. I think cloning the document would be > feasible. We do it for printing already. Expensive though! Ok - filed bug 590792 on that. Also filed bug 590790 on another XXX comment (for making GetDataSize smarter). >. Ok, I'll look into that as I refactor Draw(). > Why do we need mLockCount? Seems to me we don't. You're right, we don't. I'd thought bug 359608 was going to depend on LockImage/UnlockImage, but based on the latest patch, it doesn't. bholley says in #gfx that the locking methods are just used for discarding decoded images (which we can't do for SVG images), so these methods can be changed to no-ops. I'll fix that in my patch-queue in a minute. > Redundant assignment of mAnimationMode. Might as well do > if (aAnimationMode == kDontAnimMode) Thanks, fixed in patch queue. > + // XXXdholbert Maybe we should be listening for BeforePaint instead? > Flush_Display observers always run after Flush_Style observers (which > nsSMILAnimationController is), so I think you're good. Thanks, good to know - I'd suspected that was the case, but hadn't verified it yet. > + // [etc] Ok, I'll keep in mind while refactoring Draw(). > + presShell->RenderDocument(svgRect, > + nsIPresShell::RENDER_IGNORE_VIEWPORT_SCROLLING, > Probably should add RENDER_ASYNC_DECODE_IMAGES Ok, fixed in patch-queue. > I definitely want to see a direct-render path that bypasses the surface when > tiling is not required. Yup, working on it. >? > If we do that, we probably don't > need NotifyObserverOfAnimationSample, nor do we need to hook into the refresh > driver. Nice! >.) > > + presShell->RenderDocument(svgRect, > > + nsIPresShell::RENDER_IGNORE_VIEWPORT_SCROLLING, > > Probably should add RENDER_ASYNC_DECODE_IMAGES > > Ok, fixed in patch-queue. Actually, we want to pass RENDER_ASYNC_DECODE_IMAGES if and only if the drawing of *this* image allowed async decode. I'm not sure how easy that would be to implement. > >? Well, there's loading of external resource documents as well. Also, right now you don't support progressive image display as the SVG document loads (right?) But I think we easily could, if we could invalidate as new content arrives. > >.) I see. Fair enough. It could be done with some interface enhancements, but it's not worth it right now. Created attachment 469400 [details] [diff] [review] Patch 13 v2: VectorImage impl Here's a patch that lets a gfxCallbackDrawable do our drawing for us, using a custom implementation of gfxDrawingCallback, called "SVGDrawingCallback". This patch differs from the previous version in that it removes VectorImage::RenderToSurface completely & replaces it with SVGDrawingCallback and gfxUtils::DrawPixelSnapped. (called by VectorImage::Draw) I believe this change will automagically gets us the direct-render path where applicable (thanks to mstange's gfxDrawable awesomeness). This seems to pass my tests as well as the previous patch did, so I think it's good... I'll check it more thoroughly for quirks in the morning. Tentatively requesting feedback on it, though. (This version doesn't use RENDER_ASYNC_DECODE_IMAGE yet, per the first part of comment 163 - I don't think that should be tricky to get working, though. Will look at that as well as the invalidation-capturing in the morning.) Comment on attachment 469183 [details] [diff] [review] Patch 12 v2: SVGDocumentWrapper class >+SVGDocumentWrapper::SVGDocumentWrapper() >+{ >+ // Lazy-initialize our "svg" atom. (It'd be nicer to just use nsGkAtoms::svg >+ // directly, but we can't access it from here in non-libxul builds.) >+ if (!SVGDocumentWrapper::kSVGAtom) { >+ SVGDocumentWrapper::kSVGAtom = >+ NS_NewPermanentAtom(NS_LITERAL_STRING("svg")); >+ } >+} Aren't non-libxul builds going away? >+PRBool >+SVGDocumentWrapper::GetWidthOrHeight(PRBool aIsWidth, >+ PRInt32& aResult) Why not just have a GetWidth/GetHeight pair that internally use this method? (Alternately, create an enumerated type so you can say GetWidthOrHeight(SVGDocumentWrapper::WIDTH, &width)) >+/** nsIRequestObserver methods **/ >+ >+/* void onStartRequest (in nsIRequest request, in nsISupports ctxt); */ >+NS_IMETHODIMP >+SVGDocumentWrapper::OnStartRequest(nsIRequest* aRequest, nsISupports* ctxt) >+{ >+ nsresult rv = SetupViewer(aRequest, >+ getter_AddRefs(mViewer), >+ getter_AddRefs(mLoadGroup)); >+ >+ if (NS_SUCCEEDED(rv)) { >+ mViewer->GetDocument()->SetIsBeingUsedAsImage(); >+ rv = mViewer->Init(nsnull, nsIntRect(0, 0, 0, 0)); >+ if (NS_SUCCEEDED(rv)) { >+ rv = mViewer->Open(nsnull, nsnull); >+ } >+ } >+ return rv; Is there a reason that OnStartRequest doesn't call mListener->OnStartRequest? OnDataAvailable, OnStopRequest both chain to mListener. (In reply to comment #166) > Aren't non-libxul builds going away? Not until the post-Firefox4 timeframe. So, they still need to work for now. > >+SVGDocumentWrapper::GetWidthOrHeight(PRBool aIsWidth, > Why not just have a GetWidth/GetHeight pair that internally use this method? I do, actually -- VectorImage (in patch 13) has GetWidth/GetHeight, and SVGDocumentWrapper's only role is to help out VectorImage. > (Alternately, create an enumerated type so you can say > GetWidthOrHeight(SVGDocumentWrapper::WIDTH, &width)) Ok, I'll replace aIsWidth with an enum. > Is there a reason that OnStartRequest doesn't call mListener->OnStartRequest? It does actually call mListener->OnStartRequest, actually -- that just happens within its call to SetupViewer (the last step of SetupViewer). You're right, though -- it'd be clearer if that call were up one level, within SVGDocumentWrapper::OnStartRequest. I'll change that. Comment on attachment 469400 [details] [diff] [review] Patch 13 v2: VectorImage impl + gfxMatrix savedMatrix(aContext->CurrentMatrix()); Use gfxAutoSaveRestoreMatrix. (Should have used that in nsSVGIntegrationUtils too, bad me.) Otherwise looks great! Still working on this - I have a patch that watches for invalidation, here: ...which layers on top of a patch to make nsSVGRenderingObserver a generic superclass.. but it causes hangs in a few cases (maybe because I'm re-registering as an invalidation observer too frequently / at the wrong times), which I'm working on fixing. (I also have to look into some linking issues that non-libxul builds have with those patches.) This is very close to done, but it's not going to make beta5 (since any feature work for that beta was supposed to have landed yesterday) -- and since the Firefox 4 feature-freeze is now at beta6, this doesn't actually need to block beta5. Can we change the blocking status here to beta6+? Yes, we can. Created attachment 472016 [details] [diff] [review] Patch 4c: Add method "IsResourceDoc" This patch just adds a helper-method "IsResourceDoc" on nsIDocument, so we can just call that one method for if() conditions that apply to both external resource documents and svg-as-image helper-documents. This patch changes one such if() condition, and the next patch will add another new one. Created attachment 472020 [details] [diff] [review] Patch 12b: Make "UnsuppressPainting" call work for resource docs This patch fixes a bug that was preventing me from receiving invalidation notifications from the svg helper-document. In current mozilla-central, we bail out of UnsuppressPainting calls (leaving painting suppressed) if the document fails an EnsureVisible check. But we want to go through with the UnsuppressPainting call for resource documents. Created attachment 472023 [details] [diff] [review] Patch 12c: Make nsSVGRenderingObserver into a generic interface This makes nsSVGRenderingObserver into a more generic interface (for which I can add a new concrete implementation). The existing implementation is renamed to nsSVGIDRenderingObserver. Created attachment 472024 [details] [diff] [review] Patch 13 v3: VectorImage impl Here's patch 13 again (the main VectorImage implementation). I've removed all of the refresh driver stuff, since we won't need that anymore, as roc mentioned at the end of comment 161. This patch doesn't add the SVGRenderingObserver stuff yet, for simplicity, I'm adding that in a followup patch. (This patch still works on its own, though -- just not for animated SVG content, and not for SVG content with progressively-loaded images.) Created attachment 472026 [details] [diff] [review] Patch 13 v4: VectorImage impl oops - I missed two refresh-driver-related changes that I no longer need (visibility tweaks to nsPresContext.h and nsRefreshDriver.h). I've removed those from the patch now. Created attachment 472032 [details] [diff] [review] Patch 14: Add "SVGRootRenderingObserver" helper-class This patch... - Adds a nsSVGRenderingObserver impl, so that VectorImage can listen for rendering in the helper SVG document. - Adds a flag on SVGDocumentWrapper to let us ignore invalidations while we're resizing the viewport in Draw(). - Adds some more null-checking in SVGDocumentWrapper::GetRootSVGElem, to avoid shutdown crashes. (Our renderingobserver will sometimes get a callback during shutdown, after we've gotten a call to DestroyViewer. This patch makes GetRootSVGElem just return null in that situation, instead of shutdown-crashing.) Oh, also -- patch 14 doesn't work with non-libxul builds, due to some linking issue from SVGRootRenderingObserver inheriting from a class in another module. I've wrestled with it a bit*, but I haven't been able to get it to link correctly yet, in a non-libxul configuration. My current plan for that is to just wrap most of patch 14's code in "#ifdef MOZ_LIBXUL" guards, so that non-libxul configurations will still build successfully (but won't get automatic invalidations for svg-image animations), and then fix it in a followup bug, since libxul is what we really care most about (for our release builds). Comment on attachment 472032 [details] [diff] [review] Patch 14: Add "SVGRootRenderingObserver" helper-class + virtual mozilla::dom::Element* GetTarget() you don't need mozilla::dom:: + observer->FrameChanged(this, &mozilla::imagelib::kFullImageSpaceRect); using namespace mozilla::imagelib! Looks great! Created attachment 472902 [details] [diff] [review] Patch 12d: respect containing-block size, in nsSVGOuterSVGFrame::ComputeSize This tweak fixes a reftest of mine that I'd been meaning to debug for a little while (and fixed today). Basically, when an <img> element has a specified width, we communicate that to our DocumentViewerImpl correctly (via "SetBounds") -- but we also need to tell nsSVGOuterSVGFrame::ComputeSize to respect that size, too, or else it will recalculate its size on its own. We do this for <embed> already, via a protected helper-method that lets us check whether we're in <embed>. This patch just adds another check in that same spot to see if we're the root of an SVG document that's being used as an image. Created attachment 472973 [details] [diff] [review] Patch 15: reftests This patch includes: - A variety of simple <img> reftests (img-simple-*) - A variety of background-image reftests (background-*) including one with moz-image-rect - One list-style-image reftest (list-simple-1.html) - A subdirectory "zoom" containing two reftests at non-default full-page-zoom levels. - img-[width|height|widthAndHeight]-[meet|slice]-[1|2].html: A set of 12 tests each of which dynamically generates a grid of 40 subtests, to verify that our <img> behavior matches our existing <embed> behavior across a variety of viewBox / preserveAspectRatio / container-size / svg-element-size values. In each testcase/reference-case pair, the only difference is "img" vs. "embed". These tests all pass on my local machine. I'm pushing them to TryServer to be sure they still pass on other platforms. (They've passed TryServer on other platforms in past weeks, and I expect they still should.) Created attachment 472975 [details] [diff] [review] Patch 15 v2: reftests (fixed a typo in a reftest comment) Comment on attachment 472026 [details] [diff] [review] Patch 13 v4: VectorImage impl > NS_IMETHODIMP > VectorImage::GetWidth(PRInt32* aWidth) >+ return mSVGDocumentWrapper->GetWidthOrHeight(SVGDocumentWrapper::eWidth, >+ *aWidth) ? >+ NS_OK : NS_ERROR_FAILURE; > } I'm not super-in love with the ternary operator; if it's all the same to you, could you do if (NS_FAILED(...))\n return NS_ERROR_FAILURE; return NS_OK? (Same below in the Height getter.) > VectorImage::OnStopRequest(nsIRequest* aRequest, nsISupports* aCtxt, > nsresult aStatus) >+ nsresult rv = mSVGDocumentWrapper->OnStopRequest(aRequest, aCtxt, aStatus); >+ if (!mSVGDocumentWrapper->ParsedSuccessfully()) { >+ // XXXdholbert Need to do something more here -- right now, this just >+ // makes us draw the "object" icon, rather than the (jagged) "broken image" >+ // icon. >+ mError = PR_TRUE; >+ return rv; >+ }. I'm not sure it's that simple -- in any case, I filed bug 594505 as a followup to investigate. Thanks for the review! Created attachment 473180 [details] [diff] [review] Patch 15 v3: reftests (now with reftest-wait) This reftests revision adds "reftest-wait" to the dynamically generated reftests (the last category mentioned in Comment 180). I used to have that in there, but I'd thought I could get rid of it, since it didn't seem to be required on my local machine. TryServer says it is needed on some platforms, though. Comment on attachment 473180 [details] [diff] [review] Patch 15 v3: reftests (now with reftest-wait) go go go! Landed - yay! (/me removes launchpad's auto-added-but-actually-unrelated "See also" bug,. That bug is about SVG in <object> behaving in some way the user doesn't like. Unrelated to SVG-as-an-image) (In reply to comment #183) > ) dbaron added a missing "!" that I'd left out in the GetHeight version of this fix: (In reply to comment #141) >. You're correct that the cost here is giving each compilation unit its own static const copy, which is initialized at runtime. Apparently gcc isn't smart enough to figure out that kFullImageSpaceRect is POD or to merge identical pieces of generated code, because this landing almost *doubled* the number of static initializers that we have (from 1100 to a bit over 2000). See for more information about why static initializers are bad. From the codesighs log +52 global constructors keyed to BasicTableLayoutStrategy.cpp +52 global constructors keyed to CanvasUtils.cpp +52 global constructors keyed to Decoder.cpp +52 global constructors keyed to DiscardTracker.cpp +52 global constructors keyed to DocumentRendererChild.cpp +52 global constructors keyed to DocumentRendererNativeIDChild.cpp +52 global constructors keyed to DocumentRendererShmemChild.cpp +52 global constructors keyed to FixedTableLayoutStrategy.cpp +52 global constructors keyed to FrameLayerBuilder.cpp +52 global constructors keyed to Image.cpp ... for hundreds of lines Yeah, we'd better fix that immediately. Working on it in Bug 594650. This is documented, both through a mention on Fx4 for developers and as a mention on the <image> tag page. (In reply to comment #133) > Created attachment 468460 [details] [diff] [review] > Patch 5: Move nsSVGUtils::ConvertToSurfaceSize & ClampToInt into header file Did you file a followup? You mean, a followup on eventually reverting part of that patch, to move ConvertToSurfaceSize back to the .cpp file once we're in a libxul-only world? I hadn't, since the libxul-only world is still a little ways off. But since you mentioned it, I filed Bug 595734. *** Bug 435299 has been marked as a duplicate of this bug. ***
https://bugzilla.mozilla.org/show_bug.cgi?id=276431
CC-MAIN-2017-04
en
refinedweb
I have an if def get_weekday(day): if day in ['1', 1]: return 'Monday' elif day in ['2', 2]: return 'Tuesday' elif day in ['3', 3]: return 'Wednesday' elif day in ['4', 4]: return 'Thursday' elif day in ['5', 5]: return 'Friday' elif day in ['6', 6]: return 'Saturday' elif day in ['7', 7]: return 'Sunday' return 'Invalid day selected' What I would do instead, is create a dictionary, and cast your day to a single type, and then look that up in your dictionary. This significantly minimizes your code: def get_weekday(day): days_dict = { '1': 'Monday', '2': 'Tuesday', '3': 'Wednesday', '4': 'Thursday', '5': 'Friday', '6': 'Saturday', '7': 'Sunday' } return days_dict.get(str(day), 'Invalid day selected') So, what is happening in the above function, is you are passing your day, it doesn't matter whether you pass it as a string or an int, the casting is made as an str already. Your dictionary now holds the mapping for you, and lookup will cost you O(1). The get method will return None if it does not find an entry in your dictionary. However, per your requirement, you are looking to return Invalid day selected for invalid entries. get will take an extra argument that will be returned in the event an invalid key is provided. Here is a demo of the different cases that can come up and how the function behaves: >>> print(get_weekday(2)) Tuesday >>> print(get_weekday('5')) Friday >>> print(get_weekday("invalid_thing")) Invalid day selected
https://codedump.io/share/NIV5tvErQD4K/1/shortest-way-to-run-seven-if-statements-in-python
CC-MAIN-2017-04
en
refinedweb
Guillaume Yziquel wrote: >? > Guillaume, the OCaml module has been neglected for a few years and it has very few users. The generated code used to compile quite cleanly with older versions of Ocaml, but not so now. Feel free to improve the wrappers, I suggest you discuss the development of it on the swig-devel mailing list. You might want to contact the original Ocaml developer Art Yerkes, see the README file. The developer documentation is in the Doc/Devel directory. Also see Doc/Manual/Extending.html. William Daniel Rojas Roa wrote: >’ > Probably a query for the ODE SWIG wrapper developers as the above means nothing to SWIG users. William’ Thanks, daniel rojas roa > _______________________________________________ > Swig-user mailing list > Swig-user@... > > > On Tue, Jun 23, 2009 at 10:01:34AM -0400, Andres Gonzalez <andres@...> wrote: > Does SWIG support this? How do I format my data in the C/C++ > domain so that I can get associative arrays in the PHP domain? I haven't tried it myself, but looking at the contents of the Lib/php directory, I would try just returning an std::map<int,std::vector<std::string>>.? All the best, Guillaume Yziquel. > yziquel@...:~/svn/main/libmorfo-ocaml$ ocaml freeling.cma > Objective Caml version 3.11.0 > > # module X = Freeling;; > module X : > sig > type c_enum_type = [ `unknown ] > type c_enum_value = [ `Int of int ] > type c_obj = c_enum_value Swig.c_obj_t > val module_name : string > exception BadArgs of string > exception BadMethodName of c_obj * string * string > exception NotObject of c_obj > exception NotEnumType of c_obj > exception LabelNotFromThisEnum of c_obj > exception InvalidDirectorCall of c_obj > val new_tokenizer : c_obj -> c_obj > val _new_tokenizer : c_obj -> c_obj > val _delete_tokenizer : c_obj -> c_obj > val create_tokenizer_from_ptr : c_obj -> c_obj > val _string_of_chars : c_obj -> c_obj > val enum_to_int : c_enum_type -> c_obj -> Swig.c_obj > val int_to_enum : c_enum_type -> int -> c_obj > val swig_val : c_enum_type -> c_obj -> Swig.c_obj > end > # open Freeling;; > # let s = "/usr/share/freeling/en/tokenizer.dat";; > val s : # let ss = C_string s;; > Error: Unbound constructor C_string > # open Swig;; > # let ss = C_string s;; > val ss : 'a Swig.c_obj_t = C_string "/usr/share/freeling/en/tokenizer.dat" > # let sss = string_of_chars ss;; > Error: Unbound value string_of_chars > # let sss = _string_of_chars ss;; > val sss : Freeling.c_obj = C_ptr (6710128L, 47161782545120L) > # let tk = new_tokenizer sss;; > val tk : Freeling.c_obj = C_obj <fun> I am currently using SWIG to implement a PHP interface to a C/C++ application. In all of my C/C++ API functions, I simply return a string with delimiters, for example, I would return something like this: sprintf(buffer, "%d\n%d\n%s\n%d", intParam1, intParam2, strParam3, intParam3); return buffer; When my PHP application uses this API function, it gets a string so then I use the following to put it in an array for use in the PHP domain: $ret = apiFuncition(); $myArray = explode(PHP_EOL, $ret); This is working very well, however, I now need to have my C/C++ functions return more complex associative arrays, for example like this: "key1" [0] = value1 [1] = value2 [2] = value3 "key2" [0] = value4 [1] = value5 "key3" [0] = value6 [1] = value7 That is, an array that has an array as elements. Does SWIG support this? How do I format my data in the C/C++ domain so that I can get associative arrays in the PHP domain? Thanks, -Andres Thanks both for the quick answer! I will leave it this way then. Cheers! Juan M. On Fri, Jun 19, 2009 at 9:19 PM, William S Fulton<wsf@...> wrote: > Juan Manuel Alvarez wrote: >> >> Hello everyone! I am having a little doubt I would like to share. >> >> I am wrapping to C# and given a simple file like: >> >> %module myModule >> %{ >> #include "myModule.h" >> %} >> namespace fzm >> { >> class MyClass >> { >> // ... interface here.... >> }; >> } >> >> The thing is that SWIG generates 3 files: >> - MyClass.cs with the class itselft >> - myModulePINVOKE.cs with all the pinvoke stuff >> - myModule.cs with the following code: >> >> namespace NS { >> >> using System; >> using System.Runtime.InteropServices; >> >> public class myModule { >> } >> >> } >> >> The question is... even if the file does no harm, is there a way to >> tell SWIG no to generate it? >> > In a nutshell, no. Your build system will have to delete it after running > SWIG if you don't like it. If you didn't know, C/C++ global wrappers get put > into this class. > > William > Am 22.06.2009, 23:36 Uhr, schrieb William S Fulton <wsf@...>: > Bob Marinier wrote: >> Hi, >> >> I'm wrapping some code for Python on Windows using Visual Studio 2005 >> (although I think this will all be exactly the same in 6 and 2003). >> >> When I'm doing a debug build, the symbol _DEBUG is defined (and it needs >> to be defined). Something in Python.h, then, tells the linker it needs >> python24_d.lib. The problem is that the Windows installer for Python >> does not include this file. One possible workaround I found on the >> Python mailing list is to change the SWIG output so that >> >> #include "Python.h" >> >> becomes: >> >> #ifdef _DEBUG >> #undef _DEBUG >> #include "Python.h" >> #define _DEBUG >> #else >> #include "Python.h" >> #endif >> >> This "tricks" Python.h into thinking this is not a debug build, and thus >> is looks for python24.lib instead, which does exist. This works, and >> since I'm not trying to debug Python, I don't care that I'm not linking >> the debug library. But having to manually change SWIG's output each >> time I generate it is a real pain. Is there either a way to change >> SWIG's output to this or does anyone have another idea for how to >> workaround this problem? And no, renaming python24.lib to >> python24_d.lib does not work :) (they aren't binary compatible). > Bob, does this trick still work? Probably it is best to modify the first > line to #if defined(_DEBUG) && defined(SWIG_PYTHON_DEBUG), so that a > user must also specify SWIG_PYTHON_DEBUG. Otherwise it won't be possible > to use the proper Python debug version, which I think can be compiled up > manually. No, this trick does not work anymore with Python 2.6 and MSVC 2008. If you apply the trick, Visual C++ will complain that some header files have been compiled with DEBUG defined and some without. The only thing I have found to make this work is to edit pyconfig.h and comment the #pragma (lib) and #define Py_DEBUG lines. I have also raised the issue at the python bugtracker a year or two ago and they basically said "won't fix, if you want to use debug library, compile python in debug mode". This didn't make much sense to me as I wanted the python part to be release mode and my part to be debug mode, but the "won't fix" is how the discussion ended. -Matthias I agree to receive quotes, newsletters and other information from sourceforge.net and its partners regarding IT services and products. I understand that I can withdraw my consent at any time. Please refer to our Privacy Policy or Contact Us for more details
https://sourceforge.net/p/swig/mailman/swig-user/?viewmonth=200906&viewday=23
CC-MAIN-2017-04
en
refinedweb
Odoo Help Odoo is the world's easiest all-in-one management software. It includes hundreds of business apps: CRM | e-Commerce | Accounting | Inventory | PoS | Project management | MRP | etc. Integrity Error: [object with reference: alias_name - alias.name] on create object hi, i try to create a project object in my custom action handler: def action_project_create(self,cr,uid,ids,context=None): project_project = self.pool.get('project.project') vals = {} project = project_project.create(cr,uid,vals,context=context) if(project == None): raise Exception('Create project failed!!!') but I get the error: Integrity Error The operation cannot be completed, probably due to the following: - deletion: you may be trying to delete a record while other records still reference it - creation/update: a mandatory field is not correctly set [object with reference: alias_name - alias.name] Could someone explain to me what to do? If you see on the project.project object there are required fields. You can't create a new record without these fields so check alias_id and add an alias_id on your function. THANX!!!! :) My mistake was i did not set the required fields as specified in project
https://www.odoo.com/forum/help-1/question/integrity-error-object-with-reference-alias-name-alias-name-on-create-object-24266
CC-MAIN-2017-04
en
refinedweb
Java Spring Security Security MVC You'll need to configure Spring Boot in your project first. You can generate the base project in this link, choosing Web in the dependencies and clicking the button "Generate Project". The downloaded project has the Spring Boot dependencies and plugin applied. You then need to add a Server dependency like Tomcat or Gretty, which one is up to you. Check our sample code for more information. The next step is to add the auth0-java-mvc-commons library. This one it to your build.gradle: compile 'com.auth0:mvc-auth-commons:1.+' If you are using Maven, add it to your pom.xml: <dependency> <groupId>com.auth0</groupId> <artifactId>mvc-auth-commons</artifactId> <version>1.+</version> </dependency> Configure your Java Spring Security App Your Java Spring Security App needs some information in order to authenticate against your Auth0 account. The samples read this information from the properties file src/main/resources/auth0.properties, but you could store them anywhere else. The required information is: com.auth0.domain: YOUR_AUTH0_DOMAIN com.auth0.clientId: YOUR_CLIENT_ID com.auth0.clientSecret: YOUR_CLIENT_SECRET ------------ mvc -------------- CallbackController.java -------------- ErrorController.java -------------- HomeController.java -------------- LoginController.java -------------- LogoutController.java ------------ security -------------- AppConfig.java -------------- TokenAuthentication.java ------------ App.java ---- resources ------ application.properties ------ auth0.properties ---- webapp ------ WEB-INF -------- jsp ---------- home.jsp - build.gradle The project contains a single JSP: the home.jsp which will display the user information associated to the token after a successful login and provide the option to logout. The access control is handled by the Spring Security framework. A few rules in the AppConfig.java class will suffice to check for existing tokens before giving the user access to our protected /portal/* path. If the tokens don't exist, the request will be redirected by the ErrorController to the LoginController. The project contains also five Controllers: LoginController.java: Invoked when the user attempts to login. an Authentication class to hold this status: the TokenAuthentication.java. This class will parse the user's id_token to check for expiration and also extract the "granted authorities" from a custom claim we can set. We will see more regarding authorization in a next tutorial. Authenticate the User Let's begin by making your Auth0 credentials available on the App. In the AppConfig class we tell Spring to map the properties defined in the auth0.properties file to the corresponding fields by using the @Configuration and @Value annotations. @Configuration @EnableWebSecurity @EnableGlobalMethodSecurity(prePostEnabled = true) public class AppConfig extends WebSecurityConfigurerAdapter { @Value(value = "${com.auth0.domain}") private String domain; @Value(value = "${com.auth0.clientId}") private String clientId; @Value(value = "${com.auth0.clientSecret}") private String clientSecret; //... } Next, define the rules that will prevent unauthenticated users to access our protected resources. You do that by allowing anyone to access the /login and /callback endpoints in order to be able to complete the login flow, and blocking them from accessing any other endpoint if they are not authenticated: @Override protected void configure(HttpSecurity http) throws Exception { http.csrf().disable(); http .authorizeRequests() .antMatchers("/callback", "/login").permitAll() .antMatchers("/**").authenticated() .and() .logout().permitAll(); http.sessionManagement().sessionCreationPolicy(SessionCreationPolicy.NEVER); } Now create the AuthenticationController instance that will create the Authorize URLs and handle the request received in the callback. Do that by defining a method that returns the Bean in the same AppConfig class. Any customization on the behavior of the component should be done here. i.e. requesting a different scope or using a different signature verification algorithm. @Bean public AuthenticationController authenticationController() throws UnsupportedEncodingException { return AuthenticationController.newBuilder(domain, clientId, clientSecret) .withResponseType("code") .build(); } To authenticate the users you will redirect them to the Auth0 Hosted Login Page which uses the best version available of Lock. This page is accessible from what we call the "Authorize URL". By using this library you can generate it with a simple method call. It will require a HttpServletRequest to store the call context in the session and the URI to redirect the authentication result to. This URI is normally the address where your app is running plus the path where the result will be parsed, which happens to be also the "Callback URL" whitelisted before. After you create the Authorize URL,"; AuthorizeUrl authorizeUrl = controller.buildAuthorizeUrl(req, redirectUri); return "redirect:" + authorizeUrl.build(); } After the user logs in the result will be received in our CallbackController, either via a GET or a POST Http method. The request holds the call context that the library have previously set by generating the Authorize URL with the controller. When you pass it to the controller, you get back either a valid Tokens instance or an Exception indicating what went wrong. In the case of a successful call, you need to create a new TokenAuthentication instance with the id_token and set it to the SecurityContextHolder. You can modify this class to accept access_token as well, but this is not covered in this tutorial. If an exception is raised instead, you need to clear any existing Authentication from the SecurityContextHolder. @RequestMapping(value = "/callback", method = RequestMethod.GET) protected void getCallback(final HttpServletRequest req, final HttpServletResponse res) throws ServletException, IOException { try { Tokens tokens = controller.handle(req); TokenAuthentication tokenAuth = new TokenAuthentication(JWT.decode(tokens.getIdToken())); SecurityContextHolder.getContext().setAuthentication(tokenAuth); res.sendRedirect(redirectOnSuccess); } catch (AuthenticationException | IdentityVerificationException e) { e.printStackTrace(); SecurityContextHolder.clearContext(); res.sendRedirect(redirectOnFail); } } Display the Home Page Now that the user is authenticated (the tokens exists), the framework will allow them to access our protected resources. In the HomeController you can get the existing Authentication object and even the Principal that represents it. Let's set that as the userId attribute so it can be used from the JSP code: @RequestMapping(value = "/portal/home", method = RequestMethod.GET) protected String home(final Map<String, Object> model, final Principal principal) { if (principal == null) { return "redirect:/logout"; } model.put("userId", principal); return "home"; } Run the Sample To run the sample from a terminal, change the directory to the root folder of the project and execute the following line: ./gradlew clean bootRun After a few seconds, the application will be accessible on. Try to access the protected resource and note how you're redirected by the framework to the Auth0 Hosted.
https://auth0.com/docs/quickstart/webapp/java-spring-security-mvc
CC-MAIN-2017-30
en
refinedweb
ioctl man page ioctl — control device Synopsis #include <sys/ioctl.h> int ioctl(int fd, unsigned long request, ...); Description The ioctl() function_iflags(2), ioctl_list(2), ioctl_ns(2), ioctl_tty(2), ioctl_userfaultfd(2), open(2), sd(4), tty(4) Colophon This page is part of release 4.11 of the Linux man-pages project. A description of the project, information about reporting bugs, and the latest version of this page, can be found at. Referenced By apple2(6), apropos(1), arp(7), btrfs(5), capabilities(7), collectd.conf(5), cstream(1), drm(7), drm-memory(7), dsp56k(4), errno(3), explain(1), explain(3), explain_ioctl(3), explain_ioctl_or_die(3), explain_lca2010(1), fd(4), getifaddrs(3), getsockopt(2), haveged(8), hwstamp_ctl(8), if_nameindex(3), if_nametoindex(3), inotify(7), ioctl_console(2), ioctl_fat(2), ioctl_ficlonerange(2), ioctl_fideduperange(2), ioctl_iflags(2), ioctl_list(2), ioctl_ns(2), ioctl_tty(2), ioctl_userfaultfd(2), ksh(1), loop(4), lp(4), man(1), mgettydefs(4), ntfsclone(8), open(2), openpty(3), perf_event_open(2), perlfunc(1), phosphor(6), pid_namespaces(7), pipe(7), procenv(1), pty(7), random(4), read(2), rmt(1), rtc(4), scrub(1), sd(4), select_tut(2), signal(7), sockatmark(3), socket(2), socket(7), sslsplit(1), st(4), stress-ng(1), swipl(1), syscalls(2), tcgetsid(3), tcp(7), termio(7), timerfd_create(2), tty(4), udp(7), unix(7), userfaultfd(2), user_namespaces(7), vcs(4), whatis(1), write(2).
https://www.mankier.com/2/ioctl
CC-MAIN-2017-30
en
refinedweb
Release 2 (9.0.2) for UNIX April 2002Part No. A92187-01 This document summarizes updates to Oracle9i Forms Developer and Oracle9iAS Forms Services: You can also obtain the latest edition of these Release Notes and other Oracle9i Forms production information at:. This section describes general issues and their workarounds for Oracle 9i Forms Developer and Oracle9iAS Forms Services. With Oracle9i Forms, Oracle no longer ships the Open Client Adaptor (OCA) for accessing databases through ODBC rather than SQL*Net. The stated replacement for OCA is to use the Oracle Transparent Gateways as a way to access data in databases such as Microsoft SQL Server or IBM DB2. In the initial releases of Forms 9i, however, we cannot support access via the transparent gateways due to the lack of support in the gateways for "Select For Update" to enable row level locking. This deficiency will be addressed in a future release of Oracle Forms. (2258527) The following excerpt is in Chapter 3 of the Oracle9iAS Forms Services Deployment Guide Release 9.0.2: "If you are using the test certificate supplied with Oracle9iAS for test purposes, you must edit the JInitiator certdb.txt file and append the contents of the demo root certificate, which is located in <9iAS oracle_home/Apache/Apache/conf/ssl.crt/demoCAcert.txt." The demoCAcert.txt file no longer exists. If you are running with Oracle9iAS Web Cache enabled (which is usually the case), you should use the file <9iAS oracle_home>/webcache/wallets/default/b60certificate.txt instead. If you are not running with Web Cache (that is, you are accessing the Oracle HTTP Server directly) you will need to create the demo root certificate file as follows: Once you have the required certificate file, you should follow the instructions in the Oracle9iAS Forms Services Deployment Guide to configure JInitiator to use the certificate (appending it to JInitiator's certdb.txt file). (2275360) In the Online Help, F1 links to obsolete built-ins, properties, triggers, and constants give the following error message "FRM-10063: Cannot find the help file or help file is damaged". This error occurs because obsolete information has been removed from the help system. See Oracle9i Forms Developer and Forms Services: Migrating Forms Applications from Forms6i, part number A92183-01, for migration and obsolescence information. (2205868)You can download the latest JDAPI Javadoc from:. You can download the latest XMLTOOLS Javadoc from:. You can download the latest graphical user interface (GUI) version of the Migration Tool at:. Documentation for the GUI version of the Migration Tool is available at:. This section describes configuration issues and their workarounds for Oracle 9i Forms Developer and Oracle9iAS Forms Services. (2266745) Graphics, such as a chart, may not appear when a Form runs. As a workaround, modify the g90runm.sh to set TK_PRINTER to the actual $PRINTER value. (2298868) The PATH environment variable in default.env must be set to: %ORACLE_HOME%/bin in the 9i Oracle Home. Oracle9iDS Forms Japanese documentation is not available for this release. It will be available in the Japanese Oracle9iDS Forms 9.0.2 release. ORARRP is not supported. In the Oracle9i Forms Developer and Forms Services: Migrating Forms Applications from Forms6i manual (P/N A92183-01), the following converter.properties options are not supported: You can ignore these options. (2278644, 2280598) As a workaround when you receive this error, add the following to the default.env file: REPORTS_CLASSPATH=%FORMS_ORACLE_HOME%/jlib/zrclient.jar;%FORMS_ORACLE_ HOME%/rep orts/jlib/rwrun.jar (2228305) As a workaround, modify the file f90desm.sh and uncomment the line that calls reports.sh. (2262949, 2268090) On Solaris platforms, the formsweb.cfg file contains VM parameters that are not supported for deployment in a production environment. The 1.3 Sun Java plug-in is not supported as a client platform for runtime deployment. The entry in the formsweb.cfg file for this plug-in is included only for use with Oracle9iDS Forms Developer on Unix platforms, when running or debugging a form. To deploy Oracle9i Forms applications on Oracle9iAS, you must configure the forms90.conf file. Oracle9iAS Forms Services use OC4J, via mod_OC4J, for the Forms Servlet and the Forms Listener Servlet only. All other file handling, such as downloading client Java archives and JInitiator, is performed directly by the Oracle HTTP Server. the forms90.conf file is automatically configured during product installation. See the Oracle9iAS Forms Services Deployment Guide (part number A92175-01) for information about the forms90.conf file. Because there is no Apache HTTP Listener on Oracle9iDS, however, Forms uses OC4J directly for design-time deployment and for downloading client archive files. FRM-93000: Servlet internal error. Cause: A servlet error occurred, or runtime did not start propery. Action: See the error messages in the servlet (OC4J) log file for clarification. You can find the OC4J log file at: <ORACLE_HOME>/j2ee/OC4J_BI_Forms/application-deployments/forms90app The log file is called application.log, and is usually in a subdirectory like OC4J_BI_Forms_default_island_1, depending on how iAS has been configured. (2161032) If you use OTHERPARAMS in a named configuration section in the formsweb.cfg file, you overwrite the default the OTHERPARAMS parameter, which contains the DEBUG parameter. For example, suppose you have a named configuration that looks like this: [MyApp] otherparams=usesdi=yes Then you are overriding the default OTHERPARAMS, which looks like this: otherparams=debug=%debug% host=%host% port=%port% Therefore, if you use the debugger with the MyApp configuration, the debugger will not run. This behavior also occurs if the Application Server URL is modified in the Form preferences to use the MyApp configuration. The workaround is to put DEBUG, HOST, and PORT as separate parameters. Modify the appropriate base.html file and the three separate parameters. Make sure to also add them in the default section of formsweb.cfg. Then, remove them from OTHERPARAMS. To use Run Form on UNIX platforms, do the following: Note The Web Browser should not be a symbolic link; if so Run Form will hang. (2293330) To enable HTTPS and Single Sign-On (SSO) with Oracle 9i Forms, do the following: $ORACLE_HOME/jdk/bin/java -jar $ORACLE HOME/sso/lib/ossoreg.jar -oracle_ home_path %MIDTIER_ORACLE_HOME% -host %<INFRASTRUCTRE_MACHINE_NAME>% -port 1521 -sid iasdb -site_name %<INFRASTRUCTRE_MACHINE_NAME>%:1521 -success_url success-logout_url success-cancel_url TRUE -u root -sso_server_version v1.2 Note: Port 4443 is the default port with Oracle9iAS. If you want to run a form with Jinitiator, append the b64certificate.txt file to certdb.txt. If you want to run a Form natively in Internet Explorer, import this file into Internet Explorer.If you want to run a form with Jinitiator, append the b64certificate.txt file to certdb.txt. If you want to run a Form natively in Internet Explorer, import this file into Internet Explorer. The following sections describe known issues in Oracle9i Forms components: (2190329) The Forms Server is doing necessary clean-up work, such as cleaning up memory allocations. The same effect happens when the Form process is killed from the command line. (2171120) If you modify the formsweb.cfg file using Enterprise Manager, and then submit the changes, all comments that were in the formsweb.cfg file are removed. This behavior does not occur until you submit the changes; therefore, viewing is safe. (2247822) Users can no longer specify the log name for the Forms Trace file in a URL. This behavior prevents a user from accidentally writing a file to an invalid location. If a user specifies log=<filename> in the URL, the URL will be ignored. The file will be named forms_<pid>.trc where <pid> is the process ID on the server. The file will be created in the directory specified by the environment variable FORMS90_TRACE_PATH, which is specified on the server. (2296258) If you specify record=otrace, the Form will fail to start. This issue will be resolved in the next patch set to Oracle9i Forms. (1983066) When creating a simple form and saving it to a directory such as C:\Program Files\Oracle\test.fmb, and when you click the Run Form icon, an error dialog appears: FRM-40010 : Cannot read form C:\Program. This error message appears when there is a space in the URL. The following keyboard shortcuts have changed: The following sections describe known bugs in Oracle9i Forms and suggested workaround where available: (2105230) There is a known problem with conversion of dates prior to November 18, 1883 between different time zones - e.g. US/Eastern to GMT. The wrong result can be returned in these circumstances. This problem will be addressed in a future patch of Oracle9i Forms. (2060602) Data in NCHAR or NVARCHAR2 columns may not be correct. When a Form is running against a database that has non-Unicode NLS_CHARACTERSET, data can be mangled when inserting or updating from a CHAR item in the Form into an NCHAR or NVARCHAR2 column in the database, even when the server hosting the Form specifies the UTF8 character set for NLS_LANG. Data can also be mangled when querying from NCHAR or NVARCHAR2 columns. (2175919) After querying records into a data block, and if the ONETIMEWHERE property is set for the data block, Forms crashes while retrieving the ONETIMEWHERE property. As a workaround, if you set the ONETIMEWHERE property on a block, then execute the query, do not get the ONETIMEWHERE property. (1960603) In a Web environment, icons are either.GIF or.JPG files. However, in the Layout Editor in the Forms Builder, ICO files are still used to display icons. These icons are used for design-time only. At runtime, GIF and JPG files are used. A future version of Oracle9i Forms should support GIF and JPG files in the Form Builder at design-time. (2235125) In the Import Java Classes dialog, you cannot navigate using keys to the Select Java Classes field. (2250726) DATA_PARAMETER that is used with Run_Product to call Reports cannot be passed to Reports via Run_Report_Object. The migration assistant issues a warning that if this is used in Conjunction with RUN_PRODUCT() for Reports then it will no longer work. (2116895 and 2116644) The migration of a PLL file is unsuccessful if the PLL contains either the keyword "language" or "userenv('LANG')". As a workaround, we have fixed the Migration Assistant so that if it finds the occurrence of either of these words inside the PLL, it will abort the migration process with an error message. The error message is different for each keyword, and looks something like: ERROR: <OBJECT_NAME>: Invalid PL/SQL variable name "language" found. This variable should be renamed. ERROR: <OBJECT_NAME>: Invalid PL/SQL construct "userenv('LANG')" found. ora_nls.get_lang_str(ora_nls.language_abbr) should be used instead. ERROR: Stop word(s) found. Rolling back changes and aborting migration. Unfortunately, the occurrences of these stop words inside comments also cause migration to be aborted. If you don't want to abort migration of the PLL, you can comment out the userenv and language category lines in the search_replace.properties file. (2175830) Compile After Conversion (default.generateruntime) is still valid, and is a true/false property. If it is set to "true", the module is compiled after conversion (i.e .fmx or .mmx or .plx file is generated). In the case of PLL files, the PLX file is always generated, irrespective of the default.generateruntime property. This behavior is incorrect, and bug 2175830 has been filed for it. As a workaround, look at the Edit | Inherit menu. It will be disabled if the property in question has a grey dot; otherwise, it is enabled. When it is enabled, you can look at the Subclass Information property, navigate to the property class, and see if the property is inherited or not and compare values. Alternatively, you can convert the .fmb file to XML and look at the properties there. Only overwritten properties will be displayed in the XML. (2258275) When the RUN_PRODUCT Built-in to invoke a second Web-deployed Forms application, you may receive the error: Connection from a new browser window not supported Also, the original Form session may freeze when the newly created one is exited. As a workaround, use the "open_form" PL/SQL built-in to run another (or the same) Form instance in a new session instead of using run_product. This is the recommended way of running multiple Forms sessions in one browser window. (2254547) After assigning a valid bean name in the Implementation Class Property, Forms returns the following error: FRM-13008: cannot find javabean with name 'mypackage.PJCBeanWrapper'. Make sure all the dependent class files are available to Forms builder. If you have created the bean using JDeveloper PJC Wizard, add jdev-rt.jar, f90all.jar and the jar containing the bean classes to FORMS90_BUILDER_CLASSPATH as a workaround. (2258187) On Solaris, you won't see a new object in the Layout Editor after a valid bean name is set in the Implementation Class property. Unlike the Windows version of the Layout Editor, the Solaris version does not give any user feedback. Since no feedback is given, and if you've set the classpath incorrectly, or an invalid Bean name is set in the Implementation Class property, you won't know about the error until you run the Form module. (2252171) After converting an Oracle9i Forms module to its XML equivalent and then back to a Forms module, the canvases may not display correctly because custom color palettes are not preserved in the conversion. (2061461) When doing an XML to FMB conversion on an Oracle9i Form that contains a graphics object of type IMAGE, and the image file is not found, the conversion utility provides no warning. When this Form is loaded into the Forms Builder and the canvas containing that object is opened, the Form Builder crashes. (2255174) When using the XML converter on a Oracle9i Form with an attached PLL file, and if the PLL file is not in the FORMS90_PATH, the XML Converter throws an exception. Instead of a clear message which indicates the PLL file that is causing the problem, the user gets an ambiguous error: Processing XML module vec0005_fmb.xml @ ERROR - an exception has been encountered: @ oracle.forms.jdapi.JdapiException: _jni_attach_lib failed However, the XML Converter will continue without the library. (2114805) This behavior happens even if the word "CALL" is used elsewhere, such as in comments. (2116969) The PL/SQL Converter shows warnings about obsolete Built-ins that are commented out. (2215797) Internally, Forms uses uppercase characters for Oracle9i Form objects. Since Java is case-sensitive, it is important to use uppercase when referring to Forms objects using JDAPI. This section describes known issues with national language support. (2055224) This following messages related to the upgrade of obsolete menu item types are not present in non-English versions of the message file. The following messages were added to the message file: 2500,0, "PLUS-type menu items are not supported in this version of Forms.\n" 2501,0, "FORM-type menu items are not supported in this version of Forms.\n" 2502,0, "MACRO-type menu items are not supported in this version of Forms.\n" 2503,0, "This menu item has been converted to a PL/SQL-type menu item.\nThe old command text is shown within comments below.\n" 2504,0, "Consider using the HOST built-in with the original text." 2505,0, "Consider using the CALL_FORM built-in with the original text." 2506,0, "Consider using the MACRO built-in with the original text." (1994138 and 1961840) Multibyte or bidirectional characters in query parameters in a URL used to invoke the Forms Servlet may not be handled correctly. For example, attempting to run a form whose (fmx) file name contains multibyte characters using a URL like may fail with an error saying the form module was not found (where XX represent multibyte or bidirectional characters). Also, specifying a multibyte form name in the formsweb.cfg file may fail in the same way too. The workaround is to rename the Form fmx file to a name not containing multibyte characters. These issues will be addressed in a future release. (194001) Multibyte or bidirectional characters in the environment file (usually called default.env) may not be read correctly. For example, if the FORMS90_PATH variable contains such characters the form may not be found (case where path to the form includes directories whose names contain multibyte characters). A workaround is to place the form module under directories with names which only include single byte characters. This section describes known errors in the Oracle9i Forms documentation set: In the Online Help topic "About Debugging", the sixth bullet in the list incorrectly mentions that you can browse instantiated PL/SQL package global variables. These variables cannot be seen in the debugger. (2278996) The Online Help topic for the Alert Property "Default Alert Button Property" describes the property as optional when in fact it is required. (2281042) On page FORMS90_DEFAULTFONT, the description for FORMS90_DEFAULTFONT is incorrectly written as FORMS60_DEFAULTFONT. (2249678) In the Online Help topic "Java Importer", in the C.3 Installation Requirements section, there is an incorrect path: ORACLE_HOME/TOOLS/COMMON60/JAVA/importer.jar The correct path is: ORACLE_HOME/JLIB/importer.jar. (2215338) The Online Help topic "Starting A Jdapi Session" contains the following piece of Java code: import oracle.forms.jdapi.*; // Jdapi.startup() does not need to be called because we are starting // the Jdapi in default mode. // public class JdapiSessionExample { public static void main(String[] args) { // suppress errors from missing subclassed modules Jdapi.setFailSubclassLoad(true); // suppress errors from missing PLLs Jdapi.setFailLibraryLoad(true); // This line will cause initialisation FormModule. fmb = new FormModule("myform.fmb");FormModule. fmb = new FormModule("myform.fmb");// program code goes here ... // finally, free API resources Jdapi.shutdown(); } } The bold line has a period following FormModule; therefore, Java will not compile with that period there. (2170544) In the Online Help topic "Low-level Subclassing Using Parent Properties", the following line of code: blockA.setParentModuleStorage(JdapiTypes.PAMO_FILESYSTEM_CTID); causes a compilation error: cannot resolve symbol symbol: variable PAMO_FILESYSTEM_CTID blockA.setParentModuleStorage(JdapiTypes.PAMO_FILESYSTEM_CTID); The solution is to comment out this line of code and the example will compile. (2273363) In the Online Help topic "Including a JavaBean and Custom Controls", the following source code will not compile: XPos := CurrentValue; get_parameter_attr(BeanValListHdl,'MouseY',ParamType, CurrentValue); YPos := CurrentValue; MsgBox('If you click at '||to_Char(XPos)||'/'||to_Char(YPos)||' again I may drop these beans'); In the bold line, replace "message" for "MsgBox" and the code will compile. (2257223) In the Online Help topic for the EXIT_FORM Built-in, the description for DO_COMMIT states: "Forms validates the changes, performs a commit, and exits the current Form without prompting the operator." The actual behavior is that Forms validates the changes, performs a commit, and exits the current Form without prompting the operator if they want to commit the changes. (2242622) In the Online Help topic "Modifying a Variable Value", the first step says: However, it should read: ORACLE_HOME/forms90/server/forms90.conf file. <IfModule mod_osso.c>* <Location forms90/f90servlet> require valid-user authType Basic </Location> </IfModule>*However, the above is already in forms90.conf, but it is commented out. Uncomment it to enable Single Sign On (SSO). Oracle is a registered trademark, and Oracle9i is a trademark or registered trademark of Oracle Corporation. Other names may be trademarks of their respective owners.
http://docs.oracle.com/cd/B10018_07/relnotes.902/a92187/toc.htm
CC-MAIN-2017-30
en
refinedweb
If we want to serve JSON data and want it to be cross-domain accessible we can implement JSONP. This means that if we have a Groovlet with JSON output and want users to be able to access it with an AJAX request from the web browser we must implment JSONP. JSONP isn't difficult at all, but if we implement it our Groovlet is much more useful, because AJAX requests can be made from the web browser to our Groovlet. The normal browser security model only allows calls to be made to the same domain as the web page from which the calls are made. One of the solutions to overcome this is the use of the script tag to load data. JSONP uses this method and basically let's the client decide on a bit of text to prepend the JSON data and enclose it in parentheses. This way our JSON data is encapsulated in a Javascript method and is valid to be loaded by the script element! The following code shows a simple JSON data structure: { "title" : "Simple JSON Data", "items" : [ { "source" : "document", "author" : "mrhaki" } { "source" : "web", "author" : "unknown"} ] } If the client decides to use the text jsontest19201 to make it JSONP we get: jsontest19201({ "title" : "Simple JSON Data", "items" : [ { "source" : "document", "author" : "mrhaki" } { "source" : "web", "author" : "unknown"} ] }) Okay, so what do we need to have this in our Groovlet? The request for the Groovlet needs to be extended with a query parameter. The value of this query parameter is the text the user decided on to encapsulate the JSON data in. We will use the query parameter callback or jsonp to get the text and prepend it to the JSON data (notice we use Json-lib to create the JSON data): import net.sf.json.JSONObject response.setContentType('application/json') def jsonOutput = JSONObject.fromObject([title: 'Simple JSON data']) jsonOutput.accumulate('items', [source: 'document', author: 'mrhaki']) jsonOutput.accumulate('items', [source: 'web', author: 'unknown']) // Check query parameters callback or jsonp (just wanted to show off // the Elvis operator - so we have two query parameters) def jsonp = params.callback ?: params.jsonp if (jsonp) print jsonp + '(' jsonOutput.write(out) if (jsonp) print ')' We deploy this Groovlet to our server. For this blog post I've uploaded the Groovlet to Google App Engine. The complete URL is. So if we get this URL without any query parameters we get: {"title":"Simple JSON data","items":[{"source":"document","author":"mrhaki"},{"source":"web","author":"unknown"}]} Now we get this URL again but append the query parameter callback=jsontest90210 () and get the following output: jsontest90210({"title":"Simple JSON data","items":[{"source":"document","author":"mrhaki"},{"source":"web","author":"unknown"}]}) We would have gotten the same result if we used. The good thing is user's can now use for example jQuery's getJSON() method to get the results from our Groovlet from any web page served on any domain. The following is generated with jQuery.getJSON() and the following code: $(document).ready(function() { $.getJSON('?', function(data) { $.each(data.items, function(i, item) { $("<p/>").text("json says: " + item.source + " - " + item.author).appendTo("#jsonsampleitems"); }); }); }); JSONP output:
http://mrhaki.blogspot.com/2009/08/serving-json-data-jsonp-way-with.html
CC-MAIN-2017-30
en
refinedweb
Lazy-loading Routes in Your Vue.js App As your SPA (Single-Page Application, for the uninitiated) grows in complexity, so does the size of the application bundle. After a point, it becomes a significant hindrance to the load times of your page. Thankfully, vue-router supports webpack’s built in async module loading system. As a result, it’s now trivial to separate routed components for lesser-used routes into bundles that are loaded on-demand when the route is accessed. Usage Supposing your route configuration is something like this: import MainPage from './routes/MainPage.vue' import OtherMassivePage from './routes/OtherMassivePage.vue' const routes = [ { path: '/main', component: MainPage }, { path: '/other', component: OtherMassivePage } ] Literally all you need to do to split OtherMassivePage and all of its dependencies (that aren’t shared by anything else) into a separate chunk is to replace the import statement with a scary-looking require.ensure call. If you reload your app, you should notice that nothing seems different, until you check the network developer tools and see that there’s a new file being loaded when you first load the /other route. import MainPage from './routes/MainPage.vue' const OtherMassivePage = r => require.ensure([], () => r(require('./routes/OtherMassivePage.vue'))) const routes = [ { path: '/main', component: MainPage }, { path: '/other', component: OtherMassivePage } ] Yeah. I know it looks scary, but trust me, it’s not as bad as it first appears. It’s sort of like a promise that eventually resolves to the loaded component. A not-shorthand version of that would look like this: const OtherMassivePage = resolve => { // The empty array is for specifying other dependencies that need to be loaded. require.ensure([], () => { resolve(require('./routes/OtherMassivePage.vue')) }) } Unfortunately, you can’t really use any abstractions or wrappers to make this shorter, as webpack uses static analysis to detect and split chunks. The best you can do is use those one-liners to take up less space. Combining Routes Sometimes you might have multiple routes or components that you want in the same chunk. To accomplish this, you can simply pass a third parameter to require.ensure that specifies the name of the group to group these components under. // Both routes are output in the same chunk and bundle, causing that bundle to be lazy-loaded when either route is accessed. const OtherMassivePage = r => require.ensure([], () => r(require('./routes/OtherMassivePage.vue')), 'big-pages') const WeightLossPage = r => require.ensure([], () => r(require('./routes/WeightLossPage.vue')), 'big-pages') Unlike many other tasks with webpack, this is an unexpectedly simple method to produce an amazingly useful result. I’d definitely recommend using this pattern if you’re working on large SPAs that are becoming bloated.
https://alligator.io/vuejs/lazy-loading-routes/
CC-MAIN-2017-30
en
refinedweb
I'm using Flask's session which sets a signed cookie header in the response. from flask import session a = 1 a = session.get('a', None) session['a'] = 1 return jsonify(a = a) jsonify { "a": 1 } Set-Cookie: session=eyJhIjoxfQ.BeUPPQ.Al5bwLzcAsN2f15mdREzhGWP1uc; HttpOnly; Path=/ itsdangerous You've misunderstood the format of the default Flask session implementation. The session object produces cryptographically signed JSON that is then compressed and base64-encoded to store session values making sure that a client cannot tamper with the values stored in it. This is change from the previous format using pickle to limit the damage an attacker can do if the server-side secret was compromised (see a blog post of mine why pickle can be dangerous). In other words, all Flask did is swap out the serializer, from pickle to an extended tagged JSON format, but the pre-existing cryptographic signature and compression has been left in place. As such that format is not really suitable for decoding again on the client side (you'd have to decode the base64 and decompress the data, split out the signature, and you may have to interpret the extra type tagging). You could switch the session implementations for that but that is very much not recommended. If you want to share data with the client-side, you could just embed data into page in a <script> block with var session_data = {{data|tojson|safe}};, or set a separate cookie with the data.
https://codedump.io/share/KmmvOgh8rwiO/1/flask-session-does-not-json-serialize-cookie
CC-MAIN-2017-30
en
refinedweb
So I have an application with a ton of migrations made by Entity framework. We want to get a script for all the migrations at once and using the -Script GO Alter view should be the first statement in a batch file... Sql("GO"); System.Data.SqlClient.SqlException (0x80131904): Could not find stored procedure 'GO'. GO -Script In order to change the SQL Generated by entity framework migrations you can create a new SqlServerMigrationSqlGenerator We have done this to add a GO statement before and after the migration history: public class MigrationScriptBuilder: SqlServerMigrationSqlGenerator { protected override void Generate(System.Data.Entity.Migrations.Model.InsertHistoryOperation insertHistoryOperation) { Statement("GO"); base.Generate(insertHistoryOperation); Statement("GO"); } } then add in the Configuration constructor (in the Migrations folder of the project where you DbContext is) so that it uses this new sql generator: [...] internal sealed class Configuration : DbMigrationsConfiguration<PMA.Dal.PmaContext> { public Configuration() { SetSqlGenerator("System.Data.SqlClient", new MigrationScriptBuilder()); AutomaticMigrationsEnabled = false; } [...] So now when you generate a script using the -Script tag, you can see that the insert into [__MigrationHistory] is surrounded by GO Alternatively in your implementation of SqlServerMigrationSqlGenerator you can override any part of the script generation, the InsertHistoryOperation was suitable for us.
https://codedump.io/share/edbeBGYNzKwO/1/adding-39go39-statements-to-entity-framework-migrations
CC-MAIN-2017-30
en
refinedweb
I have found this Python function for testing whether or not a number is prime; however, I cannot figure out how the algorithm works. def isprime(n): """Returns True if n is prime""" if n == 2: return True if n == 3: return True if n % 2 == 0: return False if n % 3 == 0: return False i = 5 w = 2 while i * i <= n: if n % i == 0: return False i += w w = 6 - w return True Let's start with the first four lines of the function's code: def isprime(n): if n == 2: return True if n == 3: return True if n % 2 == 0: return False if n % 3 == 0: return False The function tests to see if n is equal to 2 or 3 first. Since they are both prime numbers, the function will return True if n is equal to either. Next, the function tests to see if n is divisible by 2 or 3 and returning False if either is true. This eliminates an extremely large amount of cases because half of all numbers above two are not primes - they are divisible by 2. The same reason applies to testing for divisibility by 3 - it also eliminates a large number of cases. The trickier part of the function is in the next few lines: i = 5 w = 2 while i * i <= n: if n % i == 0: return False i += w w = 6 - w return True First, i (or index) is set to 5. 2 and 3 have already been tested, and 4 was tested with n % 2. So, it makes sense to start at 5. w is set to 2. w seems to be an "incrementer". By now, the function has tested for all even numbers ( n % 2), so it would be faster to increment by 2. The function enters a while loop with the condition i * i <= n. This test is used because every composite number has a proper factor less than or equal to its square root. It wouldn't make sense to test numbers after the square root because it would be redundant. In the while loop, if n is divisible by i, then it is not prime and the function returns False. If it is not, i is incremented by the "incrementer" w, which, again, is faster. Perhaps the trickiest part of the function lies in the second-to-last line: w = 6 - w. This causes the "incrementer" w to toggle between the values 2 and 4 with each pass through loop. In cases where w is 4, we are bypassing a number divisible by 3. This is faster than remaining at 2 because the function already tested for divisibility by both 2 and 3. Finally, the function returns True. If the function hasn't detected any cases where n is divisible by something, then it must be a prime number.
https://codedump.io/share/3M8Ex0Irqg2F/1/why-does-this-prime-test-work
CC-MAIN-2017-30
en
refinedweb
kdeui KColorDialog Class ReferenceA color selection dialog. More... #include <kcolordialog.h> Detailed DescriptionA color selection dialog. Features: - Color selection from a wide range of palettes. - Color selection from a palette of H vs S and V selectors. - Direct input of HSV or RGB values. - Saving of custom colors Example: QColor myColor; int result = KColorDialog::getColor( myColor ); if ( result == KColorDialog::Accepted ) ... KDE Color Dialog On the right side of the dialog you see a KPaletteTable showing up to 40 colors with a combo box which offers several predefined palettes or a palette configured by the user. The small field showing the currently selected color is a KColorPatch. Definition at line 377 of file kcolordialog.h. Constructor & Destructor Documentation Constructs a color selection dialog. Definition at line 939 of file kcolordialog.cpp. Destroys the color selection dialog. Definition at line 1178 of file kcolordialog.cpp. Member Function Documentation Returns the currently selected color. Definition at line 1281 of file kcolordialog.cpp. Emitted when a color is selected. Connect to this to monitor the color as it as selected if you are not running modal. - Returns: - the value passed to setDefaultColor Definition at line 1237 of file kcolordialog.cpp. Definition at line 1188 of file kcolordialog.cpp. Creates a modal color dialog, lets the user choose a color, and returns when the dialog is closed. The selected color is returned in the argument theColor. This version takes a defaultColor argument, which sets the color selected by the "default color" checkbox. When this checkbox is checked, the invalid color (QColor()) is returned into theColor. - Returns: - QDialog::result(). Definition at line 1316 of file kcolordialog.cpp. Creates a modal color dialog, let the user choose a color, and returns when the dialog is closed. The selected color is returned in the argument theColor. - Returns: - QDialog::result(). Definition at line 1298 of file kcolordialog.cpp. Gets the color from the pixel at point p on the screen. Definition at line 1533 of file kcolordialog.cpp. Maps some keys to the actions buttons. F1 is mapped to the Help button if present and Escape to the Cancel or Close if present. The button action event is animated. Reimplemented from KDialogBase. Definition at line 1542 of file kcolordialog.cpp. Definition at line 1515 of file kcolordialog.cpp. Preselects a color. Definition at line 1290 of file kcolordialog.cpp. Call this to make the dialog show a "Default Color" checkbox. If this checkbox is selected, the dialog will return an "invalid" color (QColor()). This can be used to mean "the default text color", for instance, the one with the KDE text color on screen, but black when printing. Definition at line 1207 of file kcolordialog.cpp. Reimplemented from KDialogBase. Definition at line 1611 of file kcolordialog.cpp. The documentation for this class was generated from the following files:
https://api.kde.org/3.5-api/kdelibs-apidocs/kdeui/html/classKColorDialog.html
CC-MAIN-2017-30
en
refinedweb
This most recent version of the RabbitCounter service does provide user authentication, but not in a way that scales. A better approach would be to use a web service container that provides not only user authentication but also wire-level security. Tomcat, the reference implementation for a Java web container, can provide both. Chapter 4 showed how Tomcat can be used to publish RESTful web services as servlets. Tomcat also can publish SOAP-based services. Tomcat can publish either a @WebService or a @WebServiceProvider. The example to illustrate how Tomcat provides container-managed security is built in two steps. The first step publishes a SOAP-based service with Tomcat, and the second step adds security. A later example is a secured @WebServiceProvider under Tomcat. The SOAP-based service is organized in the usual way. Here is the code for the TempConvert SEI: package ch05.tc; import javax.jws.WebService; import javax.jws.WebMethod; @WebService public interface TempConvert { @WebMethod float c2f(float c); @WebMethod float f2c(float f); } And here is the code for the corresponding SIB: package ch05.tc; import javax.jws.WebService; @WebService(endpointInterface = "ch05.tc.TempConvert") public class TempConvertImpl implements TempConvert { public float c2f(float t) { return 32.0f + (t * 9.0f / 5.0f); } public float f2c(float t) { return (5.0f / 9.0f) * (t - 32.0f); } } For deployment under Tomcat, the service ... No credit card required
https://www.safaribooksonline.com/library/view/java-web-services/9780596157708/ch05s04.html
CC-MAIN-2018-26
en
refinedweb
Next: Introduction, Up: (dir) [Contents][Index] This is the documentation of GNU GRUB, the GRand Unified Bootloader, a flexible and powerful boot loader program for a wide range of architectures. This edition documents version 2.02. This manual is for GNU GRUB (version 2.02, 25 April 2017). Permission is granted to copy, distribute and/or modify this document under the terms of the GNU Free Documentation License, Version 1.2 or any later version published by the Free Software Foundation; with no Invariant Sections. Next: Naming convention, Previous: Top, Up: Top [Contents][Index] Next: History, Up: Introduction [Contents][Index]. Next: Changes from GRUB Legacy, Previous: Overview, Up: Introduction [Contents][Index] Motivation in The. Around 2002, Yoshinori K. Okuji started work on PUPA (Preliminary Universal Programming Architecture for GNU GRUB), aiming to rewrite the core of GRUB to make it cleaner, safer, more robust, and more powerful. PUPA was eventually renamed to GRUB 2, and the original version of GRUB was renamed to GRUB Legacy. Small amounts of maintenance continued to be done on GRUB Legacy, but the last release (0.97) was made in 2005 and at the time of writing it seems unlikely that there will be another. By around 2007, GNU/Linux distributions started to use GRUB 2 to limited extents, and by the end of 2009 multiple major distributions were installing it by default. Next:. Previous: Features, Up: Introduction [Contents][Index] The following is a quotation from Gordon Matzigkeit, a GRUB fanatic:”5! We, the GRUB maintainers, do not (usually) encourage Gordon’s level of fanaticism, but it helps to remember that boot loaders deserve recognition. We hope that you enjoy using GNU GRUB as much as we did writing it. Next: OS-specific notes about grub tools,: Naming convention, Up: Top [Contents][Index] On OS which have device nodes similar to Unix-like OS GRUB tools use the OS name. E.g. for GNU/Linux: # grub-install /dev/sda On AROS we use another syntax. For volumes: //:<volume name> E.g. //:DH0 For disks we use syntax: //:<driver name>/unit/flags E.g. # grub-install //:ata.device/0/0 On Windows we use UNC path. For volumes it’s typically \\?\Volume{<GUID>} \\?\<drive letter>: E.g. \\?\Volume{17f34d50-cf64-4b02-800e-51d79c3aa2ff} \\?\C: For disks it’s \\?\PhysicalDrive<number> E.g. # grub-install \\?\PhysicalDrive0 Beware that you may need to further escape the backslashes depending on your shell. When compiled with cygwin support then cygwin drive names are automatically when needed. E.g. # grub-install /dev/sda Next: Booting, Previous: OS-specific notes about grub tools, Up: Top [Contents][Index]) by using the utility grub-install (see Invoking grub-install) on a UNIX-like OS. GRUB comes with boot images, which are normally put in the directory /usr/lib/grub/<cpu>-<platform> (for BIOS-based machines /usr/lib/grub/i386-pc). Hereafter, the directory where GRUB images are initially placed (normally /usr/lib/grub/<cpu>-<platform>) will be called the image directory, and the directory where the boot loader needs to find them (usually /boot) will be called the boot directory. Next: Making a GRUB bootable CD-ROM, Up: Installation [Contents][Index] For removable installs you have to use --removable and specify both --boot-directory and --efi-directory: # grub-install --efi-directory=/mnt/usb --boot-directory=/mnt/usb/boot --removable Next: Device map, Previous: Installing GRUB using grub-install, Up: Installation [Contents][Index] GRUB supports the no emulation mode in the El Torito specification6. This means that you can use the whole CD-ROM from GRUB and you don’t have to make a floppy or hard disk image file, which can cause compatibility problems. For booting from a CD-ROM, GRUB uses a special image called cdboot.img, which is concatenated with core.img. The core.img used for this should be built with at least the ‘iso9660’ and ‘biosdisk’ modules. Your bootable CD-ROM will usually also need to include a configuration file grub.cfg and some other GRUB modules. To make a simple generic GRUB rescue CD, you can use the grub-mkrescue program (see Invoking grub-mkrescue): $ grub-mkrescue -o grub.iso You will often need to include other files in your image. To do this, first make a top directory for the bootable image, say, ‘iso’: $ mkdir iso Make a directory for GRUB: $ mkdir -p iso/boot/grub If desired, make the config file grub.cfg under iso/boot/grub (see Configuration), and copy any files and directories for the disc to the directory iso/. Finally, make the image: $ grub-mkrescue -o grub.iso iso This produces a file named grub.iso, which then can be burned into a CD (or a DVD), or written to a USB mass storage device. The root device will be set up appropriately on entering your grub.cfg configuration file, so you can refer to file names on the CD without needing to use an explicit device name. This makes it easier to produce rescue images that will work on both optical drives and USB mass storage devices. Next:#’. Previous: Device map, Up: Installation [Contents][Index]; and this approach can only be used if the /boot filesystem is on the same disk that the BIOS boots from, so that GRUB does not have to. Some newer systems use the GUID Partition Table (GPT) format. This was specified as part of the Extensible Firmware Interface (EFI), but it can also be used on BIOS platforms if system software supports it; for example, GRUB and GNU/Linux can be used in this configuration.: # parted /dev/disk set partition-number bios_grub on If you are using gdisk, set the partition type to ‘0xEF02’. With partitioning programs that require setting the GUID directly, it should be ‘21686148-6449-6e6f-744e656564454649’. Caution: Be very careful which partition you select! When GRUB finds a BIOS Boot Partition during installation, it will automatically overwrite part of it. Make sure that the partition does not contain any other data. Next: Configuration, Previous: Installation, Up: Top [Contents][Index] GRUB can load Multiboot-compliant kernels in a consistent way, but for some free operating systems you need to use some OS-specific magic. Next: Loopback booting, Up: Booting [Contents][Index] GRUB has two distinct boot methods. One of the two is to load an operating system directly, and the other is to chain-load another boot loader which then will load an operating system actually. Generally speaking, the former is more desirable, because you don’t need to install or maintain other boot loaders and GRUB is flexible enough to load an operating system from an arbitrary disk/partition. However, the latter is sometimes required, since GRUB doesn’t support all the existing operating systems natively. Next:. Previous: Loading an operating system directly, Up: General boot methods [Contents][Index]. It is normally also necessary to load some GRUB modules and set the appropriate root device. Putting this together, we get something like this, for a Windows system on the first partition of the first hard disk: menuentry "Windows" { insmod chain insmod ntfs set root=(hd0,1) chainloader +1 } On systems with multiple hard disks, an additional workaround may be required. See DOS/Windows. Chain-loading is only supported on PC BIOS and EFI platforms. Next: Previous: Loopback booting, Up: Booting [Contents][Index] Here, we describe some caveats on several operating systems. Next: GNU/Linux, Up: OS-specific notes [Contents][Index] Since GNU/Hurd is Multiboot-compliant, it is easy to boot it; there is nothing special about it. But do not forget that you have to specify a root partition to the kernel. search --set=root --file /boot/gnumach.gzor similar may help you (see search). grub> multiboot /boot/gnumach.gz root=device:hd0s1 grub> module /hurd/ext2fs.static ext2fs --readonly \ --multiboot-command-line='${kernel-command-line}' \ --host-priv-port='${host-port}' \ --device-master-port='${device-port}' \ --exec-server-task='${exec-task}' -T typed '${root}' \ '$(task-create)' '$(task-resume)' grub> module /lib/ld.so.1 exec /hurd/exec '$(exec-task=task-create)' boot(see boot). Next: NetBSD, Previous: GNU/Hurd, Up: OS-specific notes [Contents][Index] It is relatively easy to boot GNU/Linux from GRUB, because it somewhat resembles to boot a Multiboot-compliant OS. search --set=root --file /vmlinuzor similar may help you (see search). linux(see linux): grub> linux /vmlinuz root=/dev/sda1 If you need to specify some kernel parameters, just append them to the command. For example, to set acpi to ‘off’, do this: grub> linux /vmlinuz root=/dev/sda1 acpi=off See the documentation in the Linux source tree for complete information on the available options. With linux GRUB uses 32-bit protocol. Some BIOS services like APM or EDD aren’t available with this protocol. In this case you need to use linux16 grub> linux16 /vmlinuz root=/dev/sda1 acpi=off initrd(see initrd) after linux: grub> initrd /initrd If you used linux16 you need to use initrd16: grub> initrd16 /initrd boot(see boot). Caution: If you use an initrd and specify the ‘mem=’ option to the kernel to let it use less than actual memory size, you will also have to specify the same memory size to GRUB. To let GRUB know the size, run the command uppermem before loading the kernel. See uppermem, for more information. Next: DOS/Windows, Previous: GNU/Linux, Up: OS-specific notes [Contents][Index] Booting a NetBSD kernel from GRUB is also relatively easy: first set GRUB’s root device, then load the kernel and the modules, and finally run boot. grub> insmod part_bsd grub> set root=(hd0,netbsd1) For a disk with a GUID Partition Table (GPT), and assuming that the NetBSD root partition is the third GPT partition, do this: grub> insmod part_gpt grub> set root=(hd0,gpt3) knetbsd: grub> knetbsd /netbsd Various options may be given to knetbsd. These options are, for the most part, the same as in the NetBSD boot loader. For instance, to boot the system in single-user mode and with verbose messages, do this: grub> knetbsd /netbsd -s -v knetbsd_module_elf. A typical example is the module for the root file system: grub> knetbsd_module_elf /stand/amd64/6.0/modules/ffs/ffs.kmod boot(see boot). Previous: NetBSD, Up: OS-specific notes [Contents][Index] GRUB cannot boot DOS or Windows directly, so you must chain-load them (see Chain-loading). However, their boot loaders have some critical deficiencies, so it may not work to just chain-load them. To overcome the problems, GRUB provides you with two helper functions. If you have installed DOS (or Windows) on a non-first hard disk, you have to use the disk swapping technique, because that OS cannot boot from any disks but the first one. The workaround used in GRUB is the command drivemap (see drivemap), like this: drivemap -s (hd0) (hd1) This performs a virtual swap between your first and second hard drive. Caution: This is effective only if DOS (or Windows) uses BIOS to access the swapped disks. If that OS uses a special driver for the disks, this probably won’t work. Another problem arises if you installed more than one set of DOS/Windows onto one disk, because they could be confused if there are more than one primary partitions for DOS/Windows. Certainly you should avoid doing this, but there is a solution if you do want to do so. Use the partition hiding/unhiding technique. If GRUB hides a DOS (or Windows) partition (see parttool), DOS (or Windows) will ignore the partition. If GRUB unhides a DOS (or Windows) partition, DOS (or Windows) will detect the partition. Thus, if you have installed DOS (or Windows) on the first and the second partition of the first hard disk, and you want to boot the copy on the first partition, do the following: parttool (hd0,1) hidden- parttool (hd0,2) hidden+ set root=(hd0,1) chainloader +1 parttool ${root} boot+ boot Next: Theme file format, Previous: Booting, Up: Top [Contents][Index] GRUB is configured using grub.cfg, usually located under /boot/grub. This file is quite flexible, but most users will not need to write the whole thing by hand. Next:. grub-mkconfig does have some limitations. While adding extra custom menu entries to the end of the list can be done by editing /etc/grub.d/40_custom or creating /boot/grub/custom.cfg, changing the order of menu entries or changing their titles may require making complex changes to shell scripts stored in /etc/grub.d/. This may be improved in the future. In the meantime, those who feel that it would be easier to write grub.cfg directly are encouraged to do so (see Booting, and Shell-like scripting), and to disable any system provided by their distribution to automatically run grub-mkconfig. The file /etc/default/grub controls the operation of grub-mkconfig. It is sourced by a shell script, and so must be valid POSIX shell input; normally, it will just be a sequence of ‘KEY=value’ lines, but if the value contains spaces or other special characters then it must be quoted.: Multi-boot manual config, Previous: Simple configuration, Up: Configuration [Contents][Index]:: Embedded configuration, Previous: Shell-like scripting, Up: Configuration [Contents][Index] Currently autogenerating config files for multi-boot environments depends on os-prober and has several shortcomings. While fixing it is scheduled for the next release, meanwhile you can make use of the power of GRUB syntax and do it yourself. A possible configuration is detailed here, feel free to adjust to your needs. First create a separate GRUB partition, big enough to hold GRUB. Some of the following entries show how to load OS installer images from this same partition, for that you obviously need to make the partition large enough to hold those images as well. Mount this partition on/mnt/boot and disable GRUB in all OSes and manually install self-compiled latest GRUB with: grub-install --boot-directory=/mnt/boot /dev/sda In all the OSes install GRUB tools but disable installing GRUB in bootsector, so you’ll have menu.lst and grub.cfg available for use. Also disable os-prober use by setting: GRUB_DISABLE_OS_PROBER=true in /etc/default/grub Then write a grub.cfg (/mnt/boot/grub/grub.cfg): menuentry "OS using grub2" { insmod xfs search --set=root --label OS1 --hint hd0,msdos8 configfile /boot/grub/grub.cfg } menuentry "OS using grub2-legacy" { insmod ext2 search --set=root --label OS2 --hint hd0,msdos6 legacy_configfile /boot/grub/menu.lst } menuentry "Windows XP" { insmod ntfs search --set=root --label WINDOWS_XP --hint hd0,msdos1 ntldr /ntldr } menuentry "Windows 7" { insmod ntfs search --set=root --label WINDOWS_7 --hint hd0,msdos2 ntldr /bootmgr } menuentry "FreeBSD" { insmod zfs search --set=root --label freepool --hint hd0,msdos set kFreeBSD.hw.psm.synaptics_support=1 } menuentry "experimental GRUB" { search --set=root --label GRUB --hint hd0,msdos5 multiboot /experimental/grub/i386-pc/core.img } menuentry "Fedora 16 installer" { search --set=root --label GRUB --hint hd0,msdos5 linux /fedora/vmlinuz lang=en_US keymap=sg resolution=1280x800 initrd /fedora/initrd.img } menuentry "Fedora rawhide installer" { search --set=root --label GRUB --hint hd0,msdos5 linux /fedora/vmlinuz repo= lang=en_US keymap=sg resolution=1280x800 initrd /fedora/initrd.img } menuentry "Debian sid installer" { search --set=root --label GRUB --hint hd0,msdos5 linux /debian/dists/sid/main/installer-amd64/current/images/hd-media/vmlinuz initrd /debian/dists/sid/main/installer-amd64/current/images/hd-media/initrd.gz } Notes: root=hd0,msdosXbut this is not recommended due to device name instability. Previous:. Next: (loadfont). To see the list of loaded fonts, execute the “lsfonts” command (lsfonts).: Serial terminal, Previous: Theme file format, Up: Top [Contents][Index] The following instructions don’t work for *-emu, i386-qemu, i386-coreboot, i386-multiboot, mips_loongson, mips-arc and mips_qemu_mips To generate a netbootable directory, run: grub-mknetdir --net-directory=/srv/tftp --subdir=/boot/grub -d /usr/lib/grub/<platform> E.g. for i386-pc: grub-mknetdir --net-directory=/srv/tftp --subdir=/boot/grub -d /usr/lib/grub/i386-pc Then follow instructions printed out by grub-mknetdir on configuring your DHCP server. After GRUB has started, files on the TFTP server will be accessible via the ‘(tftp)’ device. The server IP address can be controlled by changing the ‘(tftp)’ device name to ‘(tftp,server-ip)’. Note that this should be changed both in the prefix and in any references to the device name in the configuration file. GRUB provides several environment variables which may be used to inspect or change the behaviour of the PXE device. In the following description <interface> is placeholder for the name of network interface (platform dependent): The network interface’s IP address. IP address of the next (usually, TFTP) server provided by DHCP. Read-only. Initially set to name of network interface that was used to load grub. Read-write, although setting it affects only interpretation of ‘net_default_ip’ and ‘net_default_mac’ The IP address of default interface. Read-only. This is alias for the ‘net_${net_default_interface}_ip’. The default interface’s MAC address. Read-only. This is alias for the ‘net_${net_default_interface}_mac’. The default server used by network drives (see Device syntax). Read-write, although setting this is only useful before opening a network device. Next: Vendor power-on keys, Previous: Network, Up: Top [Contents][Index]. Here is an example: grub> serial --unit=0 --speed=9600 grub> terminal_input serial; terminal_output serial The command serial initializes the serial unit 0 with the speed 9600bps. The serial unit 0 is usually called ‘COM1’, so, if you want to use COM2, you must specify ‘--unit=1’ instead. This command accepts many other options, so please refer to serial, for more details. The commands terminal_input (see terminal_input) and terminal_output (see terminal_output) choose which type of terminal you want to use. In the case above, the terminal will be a serial terminal, but you can also pass console to the command, as ‘terminal_input serial console’. In this case, a terminal in which you press any key will be selected as a GRUB terminal. In the example above, note that you need to put both commands on the same command line, as you will lose the ability to type commands on the console after the first command.. Next: Images, Previous: Serial terminal, Up: Top [Contents][Index] Some laptop vendors provide an additional power-on button which boots another OS. GRUB supports such buttons with the ‘GRUB_TIMEOUT_BUTTON’, ‘GRUB_TIMEOUT_STYLE_BUTTON’, ‘GRUB_DEFAULT_BUTTON’, and ‘GRUB_BUTTON_CMOS_ADDRESS’ variables in default/grub (see Simple configuration). ‘GRUB_TIMEOUT_BUTTON’, ‘GRUB_TIMEOUT_STYLE_BUTTON’, and ‘GRUB_DEFAULT_BUTTON’ are used instead of the corresponding variables without the ‘_BUTTON’ suffix when powered on using the special button. ‘GRUB_BUTTON_CMOS_ADDRESS’ is vendor-specific and partially model-specific. Values known to the GRUB team are: 121:3 85:3 85:3 84:1 (unconfirmed) 101:3: Core image size limitation,: Images, Up: Top [Contents][Index] Heavily limited platforms: Lightly limited platforms: Next: Interface, Previous: Core image size limitation, Up: Top [Contents][Index]). Next:. On ZFS filesystem the first path component must be volume‘@’[snapshot]. So ‘/rootvol@snap-129/boot/grub/grub.cfg’ refers to file ‘/boot/grub/grub.cfg’ in snapshot of volume ‘rootvol’ with name ‘snap-129’. Trailing ‘@’ after volume name is mandatory even if snapshot name is omitted. Previous: File name syntax, Up: Filesystem [Contents][Index] File name syntax), if a blocklist does not contain a device name, then GRUB uses GRUB’s root device. So (hd0,2)+1 is the same as +1 when the root device is ‘(hd0,2)’. Next: Environment, Previous: Filesystem, Up: Top [Contents][Index]. Next: Menu interface, Up: Interface [Contents][Index] The command-line interface provides a prompt and after it an editable text area much like a command-line in Unix or DOS. Each command is immediately executed after it is entered8. The commands (see Command-line and menu entry commands) are a subset of those available in the configuration file, used with exactly the same syntax. Cursor movement and editing of the text on the line can be done via a subset of the functions available in the Bash shell: Move forward one character. Move back one character. Move to the start of the line. Move the the end of the line. Delete the character underneath the cursor. Delete the character to the left of the cursor. Kill the text from the current cursor position to the end of the line. Kill backward from the cursor to the beginning of the line. Yank the killed text back into the buffer at the cursor. Move up through the history list. Move down through the history list. When typing commands interactively, if the cursor is within or before the first word in the command-line, pressing the TAB key (or C-i) will display a listing of the available commands, and if the cursor is after the first word, the TAB will provide a completion listing of disks, partitions, and file names depending on the context. Note that to obtain a list of drives, one must open a parenthesis, as root (. Note that you cannot use the completion functionality in the TFTP filesystem. This is because TFTP doesn’t support file name listing for the security. Next: Menu entry editor, Previous: Command-line interface, Up: Interface [Contents][Index]. Previous: Menu interface, Up: Interface [Contents][Index]. Each line in the menu entry can be edited freely, and you can add new lines by pressing RET at the end of a line. To boot the edited entry, press Ctrl-x. Although GRUB unfortunately does not support undo, you can do almost the same thing by just returning to the main menu using ESC. GRUB supports environment variables which are rather like those offered by all Unix-like systems. Environment variables have a name, which is unique and is usually a short identifier, and a value, which is an arbitrary string of characters. They may be set (see set), unset (see unset), or looked up (see Shell-like scripting) by name. A number of environment variables have special meanings to various parts of GRUB. Others may be used freely in GRUB configuration files. Next: Environment block, Up: Environment [Contents][Index] These variables have special meaning to GRUB. Next: check_signatures,. Next: chosen, Previous: biosnum, Up: Special environment variables [Contents][Index] This variable controls whether GRUB enforces digital signature validation on loaded files. See Using digital signatures. Next: cmdpath, Previous: check_signatures, Up: Special environment variables [Contents][Index] When executing a menu entry, GRUB sets the chosen variable to the title of the entry being executed. If the menu entry is in one or more submenus, then chosen is set to the titles of each of the submenus starting from the top level followed by the title of the menu entry itself, separated by ‘>’. Next: color_highlight, Previous: chosen, Up: Special environment variables [Contents][Index] The location from which core.img was loaded as an absolute directory name (see File name syntax). This is set by GRUB at startup based on information returned by platform firmware. Not every platform provides this information and some may return only device without path name. Next: color_normal, Previous: cmdpath, Up: Special environment variables [Contents][Index] This variable contains the “highlight” foreground and background terminal colors, separated by a slash (‘/’). Setting this variable changes those colors. For the available color names, see color_normal. The default is ‘black/light-gray’. Next: config_directory, Previous: color_highlight, Up: Special environment variables [Contents][Index] This variable contains the “normal” foreground and background terminal colors, separated by a slash (‘/’). Setting this variable changes those colors. Each color must be a name from the following list: The default is ‘light-gray/black’. The color support support varies from terminal to terminal. ‘morse’ has no color support at all. ‘mda_text’ color support is limited to highlighting by black/white reversal. ‘console’ on ARC, EMU and IEEE1275, ‘serial_*’ and ‘spkmodem’ are governed by terminfo and support only 8 colors if in modes ‘vt100-color’ (default for console on emu), ‘arc’ (default for console on ARC), ‘ieee1275’ (default for console on IEEE1275). When in mode ‘vt100’ then the color support is limited to highlighting by black/white reversal. When in mode ‘dumb’ there is no color support. When console supports no colors this setting is ignored. When console supports 8 colors, then the colors from the second half of the previous list are mapped to the matching colors of first half. ‘console’ on EFI and BIOS and ‘vga_text’ support all 16 colors. ‘gfxterm’ supports all 16 colors and would be theoretically extendable to support whole rgb24 palette but currently there is no compelling reason to go beyond the current 16 colors. Next: config_file, Previous: color_normal, Up: Special environment variables [Contents][Index] This variable is automatically set by GRUB to the directory part of current configuration file name (see config_file). Next: debug, Previous: config_directory, Up: Special environment variables [Contents][Index] This variable is automatically set by GRUB to the name of configuration file that is being processed by commands configfile (see configfile) or normal (see normal). It is restored to the previous value when command completes. Next: default, Previous: config_file, Up: Special environment variables [Contents][Index] This variable may be set to enable debugging output from various components of GRUB. The value is a list of debug facility names separated by whitespace or ‘,’, or ‘all’ to enable all available debugging output. The facility names are the first argument to grub_dprintf. Consult source for more details. Next: fallback, Previous: debug, Up: Special environment variables [Contents][Index] If this variable is set, it identifies a menu entry that should be selected by default, possibly after a timeout (see timeout). The entry may be identified by number (starting from 0 at each level of the hierarchy), by title, or by id. For example, if you have: menuentry 'Example GNU/Linux distribution' --class gnu-linux --id example-gnu-linux { ... } then you can make this the default using: default=example-gnu-linux If the entry is in a submenu, then it must be identified using the number, title, or id of each of the submenus starting from the top level, followed by the number, title, or id of the menu entry itself, with each element separated by ‘>’. For example, take the following menu structure: GNU/Hurd --id gnu-hurd Standard Boot --id=gnu-hurd-std Rescue shell --id=gnu-hurd-rescue Other platforms --id=other Minix --id=minix Version 3.4.0 --id=minix-3.4.0 Version 3.3.0 --id=minix-3.3.0 GRUB Invaders --id=grub-invaders The more recent release of Minix would then be identified as ‘Other platforms>Minix>Version 3.4.0’, or as ‘1>0>0’, or as ‘other>minix>minix-3.4.0’. This variable is often set by ‘GRUB_DEFAULT’ (see Simple configuration), grub-set-default, or grub-reboot. Next: gfxmode, Previous: default, Up: Special environment variables [Contents][Index] If this variable is set, it identifies a menu entry that should be selected if the default menu entry fails to boot. Entries are identified in the same way as for ‘default’ (see default). Next:. Supported modes can be listed by ‘videoinfo’ command in GRUB.’. Next: gfxterm_font, Previous: gfxmode, Up: Special environment variables [Contents][Index] If this variable is set, it controls the video mode in which the Linux kernel starts up, replacing the ‘vga=’ boot option (see linux). It may be set to ‘text’ to force the Linux kernel to boot in normal text mode, ‘keep’ to preserve the graphics mode set using ‘gfxmode’, or any of the permitted values for ‘gfxmode’ to set a particular graphics mode (see gfxmode). Depending on your kernel, your distribution, your graphics card, and the phase of the moon, note that using this option may cause GNU/Linux to suffer from various display problems, particularly during the early part of the boot sequence. If you have problems, set this variable to ‘text’ and GRUB will tell Linux to boot in normal text mode. The default is platform-specific. On platforms with a native text mode (such as PC BIOS platforms), the default is ‘text’. Otherwise the default may be ‘auto’ or a specific video mode. This variable is often set by ‘GRUB_GFXPAYLOAD_LINUX’ (see Simple configuration). Next: grub_cpu, Previous: gfxpayload, Up: Special environment variables [Contents][Index] If this variable is set, it names a font to use for text on the ‘gfxterm’ graphical terminal. Otherwise, ‘gfxterm’ may use any available font. Next: grub_platform, Previous: gfxterm_font, Up: Special environment variables [Contents][Index] In normal mode (see normal), GRUB sets the ‘grub_cpu’ variable to the CPU type for which GRUB was built (e.g. ‘i386’ or ‘powerpc’). Next: icondir, Previous: grub_cpu, Up: Special environment variables [Contents][Index] In normal mode (see normal), GRUB sets the ‘grub_platform’ variable to the platform for which GRUB was built (e.g. ‘pc’ or ‘efi’). Next: lang, Previous: grub_platform, Up: Special environment variables [Contents][Index] If this variable is set, it names a directory in which the GRUB graphical menu should look for icons after looking in the theme’s ‘icons’ directory. See Theme file format. Next: locale_dir, Previous: icondir, Up: Special environment variables [Contents][Index] If this variable is set, it names the language code that the gettext command (see gettext) uses to translate strings. For example, French would be named as ‘fr’, and Simplified Chinese as ‘zh_CN’. grub-mkconfig (see Simple configuration) will try to set a reasonable default for this variable based on the system locale. Next: menu_color_highlight, Previous: lang, Up: Special environment variables [Contents][Index] If this variable is set, it names the directory where translation files may be found (see gettext), usually /boot/grub/locale. Otherwise, internationalization is disabled. grub-mkconfig (see Simple configuration) will set a reasonable default for this variable if internationalization is needed and any translation files are available. Next: menu_color_normal, Previous: locale_dir, Up: Special environment variables [Contents][Index] This variable contains the foreground and background colors to be used for the highlighted menu entry, separated by a slash (‘/’). Setting this variable changes those colors. For the available color names, see color_normal. The default is the value of ‘color_highlight’ (see color_highlight). Next: net_<interface>_boot_file, Previous: menu_color_highlight, Up: Special environment variables [Contents][Index] This variable contains the foreground and background colors to be used for non-highlighted menu entries, separated by a slash (‘/’). Setting this variable changes those colors. For the available color names, see color_normal. The default is the value of ‘color_normal’ (see color_normal). Next: net_<interface>_dhcp_server_name, Previous: menu_color_normal, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_domain, Previous: net_<interface>_boot_file, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_extensionspath, Previous: net_<interface>_dhcp_server_name, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_hostname, Previous: net_<interface>_domain, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_ip, Previous: net_<interface>_extensionspath, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_mac, Previous: net_<interface>_hostname, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_next_server, Previous: net_<interface>_ip, Up: Special environment variables [Contents][Index] See Network. Next: net_<interface>_rootpath, Previous: net_<interface>_mac, Up: Special environment variables [Contents][Index] See Network. Next: net_default_interface, Previous: net_<interface>_next_server, Up: Special environment variables [Contents][Index] See Network. Next: net_default_ip, Previous: net_<interface>_rootpath, Up: Special environment variables [Contents][Index] See Network. Next: net_default_mac, Previous: net_default_interface, Up: Special environment variables [Contents][Index] See Network. Next: net_default_server, Previous: net_default_ip, Up: Special environment variables [Contents][Index] See Network. Next: pager, Previous: net_default_mac, Up: Special environment variables [Contents][Index] See Network. Next: prefix, Previous: net_default_server, Up: Special environment variables [Contents][Index] If set to ‘1’, pause output after each screenful and wait for keyboard input. The default is not to pause output. Next:. Next: pxe_default_gateway, Previous: prefix, Up: Special environment variables [Contents][Index] See Network. Next: pxe_default_server, Previous: pxe_blksize, Up: Special environment variables [Contents][Index] See Network. Next: root, Previous: pxe_default_gateway, Up: Special environment variables [Contents][Index] See Network. Next:’. Next: theme, Previous: root, Up: Special environment variables [Contents][Index] This variable may be set to a list of superuser names to enable authentication support. See Security. Next: timeout, Previous: superusers, Up: Special environment variables [Contents][Index] This variable may be set to a directory containing a GRUB graphical menu theme. See Theme file format. This variable is often set by ‘GRUB_THEME’ (see Simple configuration). Next: timeout_style, Previous: theme, Up: Special environment variables [Contents][Index] If this variable is set, it specifies the time in seconds to wait for keyboard input before booting the default menu entry. A timeout of ‘0’ means to boot the default entry immediately without displaying the menu; a timeout of ‘-1’ (or unset) means to wait indefinitely. If ‘timeout_style’ (see timeout_style) is set to ‘countdown’ or ‘hidden’, the timeout is instead counted before the menu is displayed. This variable is often set by ‘GRUB_TIMEOUT’ (see Simple configuration). Previous: timeout, Up: Special environment variables [Contents][Index] This variable may be set to ‘menu’, ‘countdown’, or ‘hidden’ to control the way in which the timeout (see timeout) interacts with displaying the menu. See the documentation of ‘GRUB_TIMEOUT_STYLE’ (see Simple configuration) for details. Previous:.). Next:. Next: General commands, Up: Commands [Contents][Index] The semantics used in parsing the configuration file are the following: These commands can only be used in the menu: Next: submenu, Up: Menu-specific commands [Contents][Index] This defines a GRUB menu entry named title. When this entry is selected from the menu, GRUB will set the chosen environment variable to value of --id if --id is given,’. The --id may be used to associate unique identifier with a menu entry. id is string of ASCII aphanumeric characters, underscore and hyphen and should not start with a digit. All other arguments including title are passed as positional parameters when list of commands is executed with title always assigned to $1. Previous: menuentry, Up: Menu-specific commands [Contents][Index] This defines a submenu. An entry called title will be added to the menu; when that entry is selected, a new menu will be displayed showing all the entries within this submenu. All options are the same as in the menuentry command (see menuentry). Next: Command-line and menu entry commands, Previous: Menu-specific commands, Up: Commands [Contents][Index] Commands usable anywhere in the menu and in the command-line. Next: terminal_input, Up: General commands [Contents][Index] ‘no’, ‘odd’, ‘even’ and defaults to ‘no’. The serial port is not used as a communication channel unless the terminal_input or terminal_output command is used (see terminal_input, see terminal_output). See also Serial terminal. Next: terminal_output, Previous: serial, Up: General commands [Contents][Index] List or select an input terminal. With no arguments, list the active and available input terminals. With --append, add the named terminals to the list of active input terminals; any of these may be used to provide input to GRUB. With --remove, remove the named terminals from the active list. With no options but a list of terminal names, make only the listed terminal names active. Next: terminfo, Previous: terminal_input, Up: General commands [Contents][Index] List or select an output terminal. With no arguments, list the active and available output terminals. With --append, add the named terminals to the list of active output terminals; all of these will receive output from GRUB. With --remove, remove the named terminals from the active list. With no options but a list of terminal names, make only the listed terminal names active. Previous:. Next: Networking commands, Previous: General commands, Up: Commands [Contents][Index] These commands are usable in the command-line and in menu entries. If you forget a command, you can run the command (see help). Next: acpi, Up: Command-line and menu entry commands [Contents][Index] [expression ] Alias for test expression (see test). Next: authenticate, Previous: [, Up: Command-line and menu entry commands [Contents][Index] Modern BIOS systems normally implement the Advanced Configuration and Power Interface (ACPI), and define various tables that describe the interface between an ACPI-compliant operating system and the firmware. In some cases, the tables provided by default only work well with certain operating systems, and it may be necessary to replace some of them. Normally, this command will replace the Root System Description Pointer (RSDP) in the Extended BIOS Data Area to point to the new tables. If the --no-ebda option is used, the new tables will be known only to GRUB, but may be used by GRUB’s EFI emulation. Next: background_color, Previous: acpi, Up: Command-line and menu entry commands [Contents][Index] Check whether user is in userlist or listed in the value of variable ‘superusers’. See see superusers for valid user list format. If ‘superusers’ is empty, this command returns true. See Security. Next: background_image, Previous: authenticate, Up: Command-line and menu entry commands [Contents][Index] Set background color for active terminal. For valid color specifications see see Colors. Background color can be changed only when using ‘gfxterm’ for terminal output. This command sets color of empty areas without text. Text background color is controlled by environment variables color_normal, color_highlight, menu_color_normal, menu_color_highlight. See Special environment variables. Next: badram, Previous: background_color, Up: Command-line and menu entry commands [Contents][Index] Load background image for active terminal from file. Image is stretched to fill up entire screen unless option --mode ‘normal’ is given. Without arguments remove currently loaded background image. Background image can be changed only when using ‘gfxterm’ for terminal output. Next:. Next: boot, Previous: badram, Up: Command-line and menu entry commands [Contents][Index] Print a block list (see Block list syntax) for file. Next: cat, Previous: blocklist, Up: Command-line and menu entry commands [Contents][Index] Boot the OS or chain-loader which has been loaded. Only necessary if running the fully interactive command-line (it is implicit at the end of a menu entry). Next: chainloader, Previous: boot, Up: Command-line and menu entry commands [Contents][Index] Display the contents of the file file. This command may be useful to remind you of your OS’s root partition: grub> cat /etc/fstab If the --dos option is used, then carriage return / new line pairs will be displayed as a simple new line. Otherwise, the carriage return will be displayed as a control character (‘<d>’) to make it easier to see when boot problems are caused by a file formatted using DOS-style line endings. Next: clear,. Next: cmosclean, Previous: chainloader, Up: Command-line and menu entry commands [Contents][Index] Clear the screen. Next: cmosdump, Previous: clear, Up: Command-line and menu entry commands [Contents][Index] Clear value of bit in CMOS at location byte:bit. This command is available only on platforms that support CMOS. Next: cmostest, Previous: cmosclean, Up: Command-line and menu entry commands [Contents][Index] Dump full CMOS contents as hexadecimal values. This command is available only on platforms that support CMOS. Next: cmp, Previous: cmosdump, Up: Command-line and menu entry commands [Contents][Index] Test value of bit in CMOS at location byte:bit. Exit status is zero if bit is set, non zero otherwise. This command is available only on platforms that support CMOS. Next: configfile, Previous: cmostest,. Next: cpuid, Previous: cmp, Up: Command-line and menu entry commands [Contents][Index] Load file as a configuration file. If file defines any menu entries, then show a menu containing them immediately. Any environment variable changes made by the commands in file will not be preserved after configfile returns. Next: crc, Previous: configfile, Up: Command-line and menu entry commands [Contents][Index] Check for CPU features. This command is only available on x86 systems. With the -l option, return true if the CPU supports long mode (64-bit). With the -p option, return true if the CPU supports Physical Address Extension (PAE). If invoked without options, this command currently behaves as if it had been invoked with -l. This may change in the future. Next: cryptomount, Previous: cpuid, Up: Command-line and menu entry commands [Contents][Index] Alias for hashsum --hash crc32 arg …. See command hashsum (see hashsum) for full description. Next: date, Previous: crc, Up: Command-line and menu entry commands [Contents][Index] Setup access to encrypted device. If necessary, passphrase is requested interactively. Option device configures specific grub device (see Naming convention); option -u uuid configures device with specified uuid; option -a configures all detected encrypted devices; option -b configures all geli containers that have boot flag set. GRUB suports devices encrypted using LUKS and geli. Note that necessary modules (luks and geli) have to be loaded manually before this command can be used. Next: devicetree, Previous: cryptomount,. Next: distrust, Previous: date, Up: Command-line and menu entry commands [Contents][Index] Load a device tree blob (.dtb) from a filesystem, for later use by a Linux kernel. Does not perform merging with any device tree supplied by firmware, but rather replaces it completely. GNU/Linux. Next: drivemap, Previous: devicetree, Up: Command-line and menu entry commands [Contents][Index] Remove public key pubkey_id from GRUB’s keyring of trusted keys. pubkey_id is the last four bytes (eight hexadecimal digits) of the GPG v4 key id, which is also the output of list_trusted (see list_trusted). Outside of GRUB, the key id can be obtained using gpg --fingerprint). These keys are used to validate signatures when environment variable check_signatures is set to enforce (see check_signatures), and by some invocations of verify_detached (see verify_detached). See Using digital signatures, for more information. Next: echo, Previous: distrust, Up: Command-line and menu entry commands [Contents][Index] Without options, map the drive from_drive to the drive to_drive. This is necessary when you chain-load some operating systems, such as DOS, if such an OS resides at a non-first drive. For convenience, any partition suffix on the drive is ignored, so you can safely use ${root} as a drive specification. With the -s option, perform the reverse mapping as well, swapping the two drives. With the -l option, list the current mappings. With the -r option, reset all mappings to the default values. For example: drivemap -s (hd0) (hd1) Next: eval, Previous: drivemap, Up: Command-line and menu entry commands [Contents][Index] Display the requested text and, unless the -n option is used, a trailing new line. If there is more than one string, they are separated by spaces in the output. As usual in GRUB commands, variables may be substituted using ‘${var}’. The -e option enables interpretation of backslash escapes. The following sequences are recognised: \\ backslash \a alert (BEL) \c suppress trailing new line \f form feed \n new line \r carriage return \t horizontal tab \v vertical tab When interpreting backslash escapes, backslash followed by any other character will print that character. Next: export, Previous: echo, Up: Command-line and menu entry commands [Contents][Index] Concatenate arguments together using single space as separator and evaluate result as sequence of GRUB commands. Next: false, Previous: eval, Up: Command-line and menu entry commands [Contents][Index] Export the environment variable envvar. Exported variables are visible to subsidiary configuration files loaded using configfile. Next: gettext, Previous: export, Up: Command-line and menu entry commands [Contents][Index] Do nothing, unsuccessfully. This is mainly useful in control constructs such as if and while (see Shell-like scripting). Next: gptsync, Previous: false, Up: Command-line and menu entry commands [Contents][Index] Translate string into the current language. The current language code is stored in the ‘lang’ variable in GRUB’s environment (see lang). Translation files in MO format are read from ‘locale_dir’ (see locale_dir), usually /boot/grub/locale. Next: halt, Previous: gettext, Up: Command-line and menu entry commands [Contents][Index] Disks using the GUID Partition Table (GPT) also have a legacy Master Boot Record (MBR) partition table for compatibility with the BIOS and with older operating systems. The legacy MBR can only represent a limited subset of GPT partition entries. This command populates the legacy MBR with the specified partition entries on device. Up to three partitions may be used. type is an MBR partition type code; prefix with ‘0x’ if you want to enter this in hexadecimal. The separator between partition and type may be ‘+’ to make the partition active, or ‘-’ to make it inactive; only one partition may be active. If both the separator and type are omitted, then the partition will be inactive. Next: hashsum, Previous: gptsync, Up: Command-line and menu entry commands [Contents][Index] The command halts the computer. If the --no-apm option is specified, no APM BIOS call is performed. Otherwise, the computer is shut down using APM. Next: help, Previous: halt, Up: Command-line and menu entry commands [Contents][Index] Compute or verify file hashes. Hash type is selected with option --hash. Supported hashes are: ‘adler32’, ‘crc64’, ‘crc32’, ‘crc32rfc1510’, ‘crc24rfc2440’, ‘md4’, ‘md5’, ‘ripemd160’, ‘sha1’, ‘sha224’, ‘sha256’, ‘sha512’, ‘sha384’, ‘tiger192’, ‘tiger’, ‘tiger2’, ‘whirlpool’. Option --uncompress uncompresses files before computing hash. When list of files is given, hash of each file is computed and printed, followed by file name, each file on a new line. When option --check is given, it points to a file that contains list of hash name pairs in the same format as used by UNIX md5sum command. Option --prefix may be used to give directory where files are located. Hash verification stops after the first mismatch was found unless option --keep-going was given. The exit code $? is set to 0 if hash verification is successful. If it fails, $? is set to a nonzero value. Next: initrd, Previous: hashsum,. Next: initrd16, Previous: help, Up: Command-line and menu entry commands [Contents][Index] Load an initial ramdisk for a Linux kernel image, and set the appropriate parameters in the Linux setup area in memory. This may only be used after the linux command (see linux) has been run. See also GNU/Linux. Next: insmod, Previous: initrd, Up: Command-line and menu entry commands [Contents][Index] Load an initial ramdisk for a Linux kernel image to be booted in 16-bit mode, and set the appropriate parameters in the Linux setup area in memory. This may only be used after the linux16 command (see linux16) has been run. See also GNU/Linux. This command is only available on x86 systems. Next: keystatus, Previous: initrd16, Up: Command-line and menu entry commands [Contents][Index] Insert the dynamic GRUB module called module. Next:. Next: linux16, Previous: keystatus, Up: Command-line and menu entry commands [Contents][Index] Load a Linux kernel image from file. The rest of the line is passed verbatim as the kernel command-line. Any initrd must be reloaded after using this command (see initrd). On x86 systems, the kernel will be booted using the 32-bit boot protocol. Note that this means that the ‘vga=’ boot option will not work; if you want to set a special video mode, you will need to use GRUB commands such as ‘set gfxpayload=1024x768’ or ‘set gfxpayload=keep’ (to keep the same mode as used in GRUB) instead. GRUB can automatically detect some uses of ‘vga=’ and translate them to appropriate settings of ‘gfxpayload’. The linux16 command (see linux16) avoids this restriction. Next: list_env, Previous: linux, Up: Command-line and menu entry commands [Contents][Index] Load a Linux kernel image from file in 16-bit mode. The rest of the line is passed verbatim as the kernel command-line. Any initrd must be reloaded after using this command (see initrd16). The kernel will be booted using the traditional 16-bit boot protocol. As well as bypassing problems with ‘vga=’ described in linux, this permits booting some other programs that implement the Linux boot protocol for the sake of convenience. This command is only available on x86 systems. Next: list_trusted, Previous: linux16, Up: Command-line and menu entry commands [Contents][Index] List all variables in the environment block file. See Environment block. The --file option overrides the default location of the environment block. Next: load_env, Previous: list_env, Up: Command-line and menu entry commands [Contents][Index] List all public keys trusted by GRUB for validating signatures. The output is in GPG’s v4 key fingerprint format (i.e., the output of gpg --fingerprint). The least significant four bytes (last eight hexadecimal digits) can be used as an argument to distrust (see distrust). See Using digital signatures, for more information about uses for these keys. Next: loadfont, Previous: list_trusted, Up: Command-line and menu entry commands [Contents][Index] Load all variables from the environment block file into the environment. See Environment block. The --file option overrides the default location of the environment block. The --skip-sig option skips signature checking even when the value of environment variable check_signatures is set to enforce (see check_signatures). If one or more variable names are provided as arguments, they are interpreted as a whitelist of variables to load from the environment block file. Variables set in the file but not present in the whitelist are ignored. The --skip-sig option should be used with care, and should always be used in concert with a whitelist of acceptable variables whose values should be set. Failure to employ a carefully constructed whitelist could result in reading a malicious value into critical environment variables from the file, such as setting check_signatures=no, modifying prefix to boot from an unexpected location or not at all, etc. When used with care, --skip-sig and the whitelist enable an administrator to configure a system to boot only signed configurations, but to allow the user to select from among multiple configurations, and to enable “one-shot” boot attempts and “savedefault” behavior. See Using digital signatures, for more information. Next: loopback, Previous: load_env, Up: Command-line and menu entry commands [Contents][Index] Load specified font files. Unless absolute pathname is given, file is assumed to be in directory ‘$prefix/fonts’ with suffix ‘.pf2’ appended. See Fonts. Next: ls, Previous: loadfont, Up: Command-line and menu entry commands [Contents][Index] Make the device named device correspond to the contents of the filesystem image in file. For example: loopback loop0 /path/to/image ls (loop0)/ With the -d option, delete a device previously created using this command. Next: lsfonts, Previous: loopback, Up: Command-line and menu entry commands [Contents][Index] List devices or files. With no arguments, print all devices known to GRUB. If the argument is a device name enclosed in parentheses (see Device syntax), then print the name of the filesystem of that device. If the argument is a directory given as an absolute file name (see File name syntax), then list the contents of that directory. Next: lsmod, Previous: ls, Up: Command-line and menu entry commands [Contents][Index] List loaded fonts. Next: md5sum, Previous: lsfonts, Up: Command-line and menu entry commands [Contents][Index] Show list of loaded modules. Next: module, Previous: lsmod, Up: Command-line and menu entry commands [Contents][Index] Alias for hashsum --hash md5 arg …. See command hashsum (see hashsum) for full description. Next: multiboot, Previous: md5sum, Up: Command-line and menu entry commands [Contents][Index] Load a module for multiboot kernel image. The rest of the line is passed verbatim as the module command line. Next: nativedisk, Previous: module, Up: Command-line and menu entry commands [Contents][Index] Load a multiboot kernel image from file. The rest of the line is passed verbatim as the kernel command-line. Any module must be reloaded after using this command (see module). Some kernels have known problems. You need to specify –quirk-* for those. –quirk-bad-kludge is a problem seen in several products that they include loading kludge information with invalid data in ELF file. GRUB prior to 0.97 and some custom builds prefered ELF information while 0.97 and GRUB 2 use kludge. Use this option to ignore kludge. Known affected systems: old Solaris, SkyOS. –quirk-modules-after-kernel is needed for kernels which load at relatively high address e.g. 16MiB mark and can’t cope with modules stuffed between 1MiB mark and beginning of the kernel. Known afftected systems: VMWare. Next: normal, Previous: multiboot, Up: Command-line and menu entry commands [Contents][Index] Switch from firmware disk drivers to native ones. Really useful only on platforms where both firmware and native disk drives are available. Currently i386-pc, i386-efi, i386-ieee1275 and x86_64-efi. Next: normal_exit, Previous: nativedisk, Up: Command-line and menu entry commands [Contents][Index] Enter normal mode and display the GRUB menu. In normal mode, commands, filesystem modules, and cryptography modules are automatically loaded, and the full GRUB script parser is available. Other modules may be explicitly loaded using insmod (see insmod). If a file is given, then commands will be read from that file. Otherwise, they will be read from $prefix/grub.cfg if it exists. normal may be called from within normal mode, creating a nested environment. It is more usual to use configfile (see configfile) for this. Next: parttool, Previous: normal, Up: Command-line and menu entry commands [Contents][Index] Exit normal mode (see normal). If this instance of normal mode was not nested within another one, then return to rescue mode. Next: password, Previous: normal_exit, Up: Command-line and menu entry commands [Contents][Index] Make various modifications to partition table entries. Each command is either a boolean option, in which case it must be followed with ‘+’ or ‘-’ (with no intervening space) to enable or disable that option, or else it takes a value in the form ‘command=value’. Currently, parttool is only useful on DOS partition tables (also known as Master Boot Record, or MBR). On these partition tables, the following commands are available: When enabled, this makes the selected partition be the active (bootable) partition on its disk, clearing the active flag on all other partitions. This command is limited to primary partitions. Change the type of an existing partition. The value must be a number in the range 0-0xFF (prefix with ‘0x’ to enter it in hexadecimal). When enabled, this hides the selected partition by setting the hidden bit in its partition type code; when disabled, unhides the selected partition by clearing this bit. This is useful only when booting DOS or Wwindows and multiple primary FAT partitions exist in one disk. See also DOS/Windows. Next: password_pbkdf2, Previous: parttool, Up: Command-line and menu entry commands [Contents][Index] Define a user named user with password clear-password. See Security. Next: play, Previous: password, Up: Command-line and menu entry commands [Contents][Index] Define a user named user with password hash hashed-password. Use grub-mkpasswd-pbkdf2 (see Invoking grub-mkpasswd-pbkdf2) to generate password hashes. See Security. Next: probe, Previous: password_pbkdf2, Up: Command-line and menu entry commands [Contents][Index] Plays a tune If the argument is a file name (see File name syntax), play the tune recorded in it. The file format is first the tempo as an unsigned 32bit little-endian number, then pairs of unsigned 16bit little-endian numbers for pitch and duration pairs. If the arguments are a series of numbers, play the inline tune. The tempo is the base for all note durations. 60 gives a 1-second base, 120 gives a half-second base, etc. Pitches are Hz. Set pitch to 0 to produce a rest. Next: pxe_unload, Previous: play, Up: Command-line and menu entry commands [Contents][Index] Retrieve device information. If option --set is given, assign result to variable var, otherwise print information on the screen. Next: read, Previous: probe, Up: Command-line and menu entry commands [Contents][Index] Unload the PXE environment (see Network). This command is only available on PC BIOS systems. Next: reboot, Previous: pxe_unload, Up: Command-line and menu entry commands [Contents][Index] Read a line of input from the user. If an environment variable var is given, set that environment variable to the line of input that was read, with no terminating newline. Next: regexp, Previous: read, Up: Command-line and menu entry commands [Contents][Index] Reboot the computer. Next: rmmod, Previous: reboot, Up: Command-line and menu entry commands [Contents][Index] Test if regular expression regexp matches string. Supported regular expressions are POSIX.2 Extended Regular Expressions. If option --set is given, store numberth matched subexpression in variable var. Subexpressions are numbered in order of their opening parentheses starting from ‘1’. number defaults to ‘1’. Next: save_env, Previous: regexp, Up: Command-line and menu entry commands [Contents][Index] Remove a loaded module. Next: search, Previous: rmmod, Up: Command-line and menu entry commands [Contents][Index] Save the named variables from the environment to the environment block file. See Environment block. The --file option overrides the default location of the environment block. This command will operate successfully even when environment variable check_signatures is set to enforce (see check_signatures), since it writes to disk and does not alter the behavior of GRUB based on any contents of disk that have been read. It is possible to modify a digitally signed environment block file from within GRUB using this command, such that its signature will no longer be valid on subsequent boots. Care should be taken in such advanced configurations to avoid rendering the system unbootable. See Using digital signatures, for more information. Next: sendkey, Previous: save_env, Up: Command-line and menu entry commands [Contents][Index] Search devices by file (-f, --file), filesystem label (-l, --label), or filesystem UUID (-u, --fs-uuid). If the --set option is used, the first device found is set as the value of environment variable var. The default variable is ‘root’. The --no-floppy option prevents searching floppy devices, which can be slow. The ‘search.file’, ‘search.fs_label’, and ‘search.fs_uuid’ commands are aliases for ‘search --file’, ‘search --label’, and ‘search --fs-uuid’ respectively. Next:: sha1sum, Previous: sendkey, Up: Command-line and menu entry commands [Contents][Index] Set the environment variable envvar to value. If invoked with no arguments, print all environment variables with their values. Next: sha256sum, Previous: set, Up: Command-line and menu entry commands [Contents][Index] Alias for hashsum --hash sha1 arg …. See command hashsum (see hashsum) for full description. Next: sha512sum, Previous: sha1sum, Up: Command-line and menu entry commands [Contents][Index] Alias for hashsum --hash sha256 arg …. See command hashsum (see hashsum) for full description. Next: sleep, Previous: sha256sum, Up: Command-line and menu entry commands [Contents][Index] Alias for hashsum --hash sha512 arg …. See command hashsum (see hashsum) for full description. Next: source, Previous: sha512sum, Up: Command-line and menu entry commands [Contents][Index] Sleep for count seconds. If option --interruptible is given, allow ESC to interrupt sleep. With --verbose show countdown of remaining seconds. Exit code is set to 0 if timeout expired and to 1 if timeout was interrupted by ESC. Next: test, Previous: sleep, Up: Command-line and menu entry commands [Contents][Index] Read file as a configuration file, as if its contents had been incorporated directly into the sourcing file. Unlike configfile (see configfile), this executes the contents of file without changing context: any environment variable changes made by the commands in file will be preserved after source returns, and the menu will not be shown immediately. Next: true, Previous: source, Up: Command-line and menu entry commands [Contents][Index] Evaluate expression and return zero exit status if result is true, non zero status otherwise. expression is one of: ==string2 the strings are equal !=string2 the strings are not equal <string2 string1 is lexicographically less than string2 <=string2 string1 is lexicographically less or equal than string2 >string2 string1 is lexicographically greater than string2 >=string2 string1 is lexicographically greater or equal than string2 -eqinteger2 integer1 is equal to integer2 -geinteger2 integer1 is greater than or equal to integer2 -gtinteger2 integer1 is greater than integer2 -leinteger2 integer1 is less than or equal to integer2 -ltinteger2 integer1 is less than integer2 -neinteger2 integer1 is not equal to integer2 -pgtprefixinteger2 integer1 is greater than integer2 after stripping off common non-numeric prefix. -pltprefixinteger2 integer1 is less than integer2 after stripping off common non-numeric prefix. -ntfile2 file1 is newer than file2 (modification time). Optionally numeric bias may be directly appended to -nt in which case it is added to the first file modification time. -otfile2 file1 is older than file2 (modification time). Optionally numeric bias may be directly appended to -ot in which case it is added to the first file modification time. -dfile file exists and is a directory -efile file exists -ffile file exists and is not a directory -sfile file exists and has a size greater than zero -nstring the length of string is nonzero string is equivalent to -n string -zstring the length of string is zero (expression ) expression is true !expression expression is false -aexpression2 both expression1 and expression2 are true both expression1 and expression2 are true. This syntax is not POSIX-compliant and is not recommended. -oexpression2 either expression1 or expression2 is true Next: trust, Previous: test, Up: Command-line and menu entry commands [Contents][Index] Do nothing, successfully. This is mainly useful in control constructs such as if and while (see Shell-like scripting). Next: unset, Previous: true, Up: Command-line and menu entry commands [Contents][Index] Read public key from pubkey_file and add it to GRUB’s internal list of trusted public keys. These keys are used to validate digital signatures when environment variable check_signatures is set to enforce. Note that if check_signatures is set to enforce when trust executes, then pubkey_file must itself be properly signed. The --skip-sig option can be used to disable signature-checking when reading pubkey_file itself. It is expected that --skip-sig is useful for testing and manual booting. See Using digital signatures, for more information. Next: uppermem, Previous: trust, Up: Command-line and menu entry commands [Contents][Index] Unset the environment variable envvar. Next: verify_detached, Previous: unset, Up: Command-line and menu entry commands [Contents][Index] This command is not yet implemented for GRUB 2, although it is planned. Next: videoinfo, Previous: uppermem, Up: Command-line and menu entry commands [Contents][Index] Verifies a GPG-style detached signature, where the signed file is file, and the signature itself is in file signature_file. Optionally, a specific public key to use can be specified using pubkey_file. When environment variable check_signatures is set to enforce, then pubkey_file must itself be properly signed by an already-trusted key. An unsigned pubkey_file can be loaded by specifying --skip-sig. If pubkey_file is omitted, then public keys from GRUB’s trusted keys (see list_trusted, see trust, and see distrust) are tried. Exit code $? is set to 0 if the signature validates successfully. If validation fails, it is set to a non-zero value. See Using digital signatures, for more information. Next: xen_hypervisor, Previous: verify_detached, Up: Command-line and menu entry commands [Contents][Index] List available video modes. If resolution is given, show only matching modes. Next: xen_linux, Previous: videoinfo, Up: Command-line and menu entry commands [Contents][Index] Load a Xen hypervisor binary from file. The rest of the line is passed verbatim as the kernel command-line. Any other binaries must be reloaded after using this command. Next: xen_initrd, Previous: xen_hypervisor, Up: Command-line and menu entry commands [Contents][Index] Load a dom0 kernel image for xen hypervisor at the booting process of xen. The rest of the line is passed verbatim as the module command line. Next: xen_xsm, Previous: xen_linux, Up: Command-line and menu entry commands [Contents][Index] Load a initrd image for dom0 kernel at the booting process of xen. Previous: xen_initrd, Up: Command-line and menu entry commands [Contents][Index] Load a xen security module for xen hypervisor at the booting process of xen. See for more detail. Previous: Command-line and menu entry commands, Up: Commands [Contents][Index] Next: net_add_dns, Up: Networking commands [Contents][Index] Configure additional network interface with address on a network card. address can be either IP in dotted decimal notation, or symbolic name which is resolved using DNS lookup. If successful, this command also adds local link routing entry to the default subnet of address with name interface‘:local’ via interface. Next: net_add_route, Previous: net_add_addr, Up: Networking commands [Contents][Index] Resolve server IP address and add to the list of DNS servers used during name lookup. Next: net_bootp, Previous: net_add_dns, Up: Networking commands [Contents][Index] Add route to network with address ip as modified by prefix via either local interface or gateway. prefix is optional and defaults to 32 for IPv4 address and 128 for IPv6 address. Route is identified by shortname which can be used to remove it (see net_del_route). Next: net_del_addr, Previous: net_add_route, Up: Networking commands [Contents][Index] Perform configuration of card using DHCP protocol. If no card name is specified, try to configure all existing cards. If configuration was successful, interface with name card‘:dhcp’ and configured address is added to card. Additionally the following DHCP options are recognized and processed: Used to calculate network local routing entry for interface card‘:dhcp’. Adds default route entry with the name card‘:dhcp:default’ via gateway from DHCP option. Note that only option with single route is accepted. Adds all servers from option value to the list of servers used during name resolution. Sets environment variable ‘net_’<card>‘_dhcp_hostname’ (see net_<interface>_hostname) to the value of option. Sets environment variable ‘net_’<card>‘_dhcp_domain’ (see net_<interface>_domain) to the value of option. Sets environment variable ‘net_’<card>‘_dhcp_rootpath’ (see net_<interface>_rootpath) to the value of option. Sets environment variable ‘net_’<card>‘_dhcp_extensionspath’ (see net_<interface>_extensionspath) to the value of option. Next: net_del_dns, Previous: net_bootp, Up: Networking commands [Contents][Index] Remove configured interface with associated address. Next: net_del_route, Previous: net_del_addr, Up: Networking commands [Contents][Index] Remove address from list of servers used during name lookup. Next: net_get_dhcp_option, Previous: net_del_dns, Up: Networking commands [Contents][Index] Remove route entry identified by shortname. Next: net_ipv6_autoconf, Previous: net_del_route, Up: Networking commands [Contents][Index] Request DHCP option number of type via interface. type can be one of ‘string’, ‘number’ or ‘hex’. If option is found, assign its value to variable var. Values of types ‘number’ and ‘hex’ are converted to string representation. Next: net_ls_addr, Previous: net_get_dhcp_option, Up: Networking commands [Contents][Index] Perform IPv6 autoconfiguration by adding to the card interface with name card‘:link’ and link local MAC-based address. If no card is specified, perform autoconfiguration for all existing cards. Next: net_ls_cards, Previous: net_ipv6_autoconf, Up: Networking commands [Contents][Index] List all configured interfaces with their MAC and IP addresses. Next: net_ls_dns, Previous: net_ls_addr, Up: Networking commands [Contents][Index] List all detected network cards with their MAC address. Next: net_ls_routes, Previous: net_ls_cards, Up: Networking commands [Contents][Index] List addresses of DNS servers used during name lookup. Next: net_nslookup, Previous: net_ls_dns, Up: Networking commands [Contents][Index] List routing entries. Previous: net_ls_routes, Up: Networking commands [Contents][Index] Resolve address of name using DNS server server. If no server is given, use default list of servers. GRUB uses UTF-8 internally other than in rendering where some GRUB-specific appropriate representation is used. All text files (including config) are assumed to be encoded in UTF-8. NTFS, JFS, UDF, HFS+, exFAT, long filenames in FAT, Joliet part of ISO9660 are treated as UTF-16 as per specification. AFS and BFS are read as UTF-8, again according to specification. BtrFS, cpio, tar, squash4, minix, minix2, minix3, ROMFS, ReiserFS, XFS, ext2, ext3, ext4, FAT (short names), RockRidge part of ISO9660, nilfs2, UFS1, UFS2 and ZFS are assumed to be UTF-8. This might be false on systems configured with legacy charset but as long as the charset used is superset of ASCII you should be able to access ASCII-named files. And it’s recommended to configure your system to use UTF-8 to access the filesystem, convmv may help with migration. ISO9660 (plain) filenames are specified as being ASCII or being described with unspecified escape sequences. GRUB assumes that the ISO9660 names are UTF-8 (since any ASCII is valid UTF-8). There are some old CD-ROMs which use CP437 in non-compliant way. You’re still able to access files with names containing only ASCII characters on such filesystems though. You’re also able to access any file if the filesystem contains valid Joliet (UTF-16) or RockRidge (UTF-8). AFFS, SFS and HFS never use unicode and GRUB assumes them to be in Latin1, Latin1 and MacRoman respectively. GRUB handles filesystem case-insensitivity however no attempt is performed at case conversion of international characters so e.g. a file named lowercase greek alpha is treated as different from the one named as uppercase alpha. The filesystems in questions are NTFS (except POSIX namespace), HFS+ (configurable at mkfs time, default insensitive), SFS (configurable at mkfs time, default insensitive), JFS (configurable at mkfs time, default sensitive), HFS, AFFS, FAT, exFAT and ZFS (configurable on per-subvolume basis by property “casesensitivity”, default sensitive). On ZFS subvolumes marked as case insensitive files containing lowercase international characters are inaccessible. Also like all supported filesystems except HFS+ and ZFS (configurable on per-subvolume basis by property “normalization”, default none) GRUB makes no attempt at check of canonical equivalence so a file name u-diaresis is treated as distinct from u+combining diaresis. This however means that in order to access file on HFS+ its name must be specified in normalisation form D. On normalized ZFS subvolumes filenames out of normalisation are inaccessible. Firmware output console “console” on ARC and IEEE1275 are limited to ASCII. BIOS firmware console and VGA text are limited to ASCII and some pseudographics. None of above mentioned is appropriate for displaying international and any unsupported character is replaced with question mark except pseudographics which we attempt to approximate with ASCII. EFI console on the other hand nominally supports UTF-16 but actual language coverage depends on firmware and may be very limited. The encoding used on serial can be chosen with terminfo as either ASCII, UTF-8 or “visual UTF-8”. Last one is against the specification but results in correct rendering of right-to-left on some readers which don’t have own bidi implementation. On emu GRUB checks if charset is UTF-8 and uses it if so and uses ASCII otherwise. When using gfxterm or gfxmenu GRUB itself is responsible for rendering the text. In this case GRUB is limited by loaded fonts. If fonts contain all required characters then bidirectional text, cursive variants and combining marks other than enclosing, half (e.g. left half tilde or combining overline) and double ones. Ligatures aren’t supported though. This should cover European, Middle Eastern (if you don’t mind lack of lam-alif ligature in Arabic) and East Asian scripts. Notable unsupported scripts are Brahmic family and derived as well as Mongolian, Tifinagh, Korean Jamo (precomposed characters have no problem) and tonal writing (2e5-2e9). GRUB also ignores deprecated (as specified in Unicode) characters (e.g. tags). GRUB also doesn’t handle so called “annotation characters” If you can complete either of two lists or, better, propose a patch to improve rendering, please contact developer team. Firmware console on BIOS, IEEE1275 and ARC doesn’t allow you to enter non-ASCII characters. EFI specification allows for such but author is unaware of any actual implementations. Serial input is currently limited for latin1 (unlikely to change). Own keyboard implementations (at_keyboard and usb_keyboard) supports any key but work on one-char-per-keystroke. So no dead keys or advanced input method. Also there is no keymap change hotkey. In practice it makes difficult to enter any text using non-Latin alphabet. Moreover all current input consumers are limited to ASCII. GRUB supports being translated. For this you need to have language *.mo files in $prefix/locale, load gettext module and set “lang” variable. Regexps work on unicode characters, however no attempt at checking cannonical equivalence has been made. Moreover the classes like [:alpha:] match only ASCII subset. Currently GRUB always uses YEAR-MONTH-DAY HOUR:MINUTE:SECOND [WEEKDAY] 24-hour datetime format but weekdays are translated. GRUB always uses the decimal number format with [0-9] as digits and . as descimal separator and no group separator. IEEE1275 aliases are matched case-insensitively except non-ASCII which is matched as binary. Similar behaviour is for matching OSBundleRequired. Since IEEE1275 aliases and OSBundleRequired don’t contain any non-ASCII it should never be a problem in practice. Case-sensitive identifiers are matched as raw strings, no canonical equivalence check is performed. Case-insenstive identifiers are matched as RAW but additionally [a-z] is equivalent to [A-Z]. GRUB-defined identifiers use only ASCII and so should user-defined ones. Identifiers containing non-ASCII may work but aren’t supported. Only the ASCII space characters (space U+0020, tab U+000b, CR U+000d and LF U+000a) are recognised. Other unicode space characters aren’t a valid field separator. test (see test) tests <, >, <=, >=, -pgt and -plt compare the strings in the lexicographical order of unicode codepoints, replicating the behaviour of test from coreutils. environment variables and commands are listed in the same order. Next: Platform limitations, Previous: Internationalisation, Up: Top [Contents][Index] Next: Using digital signatures, Up: Security [Contents][Index] By default, the boot loader interface is accessible to anyone with physical access to the console: anyone can select and edit any menu entry, and anyone can get direct access to a GRUB shell prompt. For most systems, this is reasonable since anyone with direct physical access has a variety of other ways to gain full access, and requiring authentication at the boot loader level would only serve to make it difficult to recover broken systems. However, in some environments, such as kiosks, it may be appropriate to lock down the boot loader to require authentication before performing certain operations. The ‘password’ (see password) and ‘password_pbkdf2’ (see password_pbkdf2) commands can be used to define users, each of which has an associated password. ‘password’ sets the password in plain text, requiring grub.cfg to be secure; ‘password_pbkdf2’ sets the password hashed using the Password-Based Key Derivation Function (RFC 2898), requiring the use of grub-mkpasswd-pbkdf2 (see Invoking grub-mkpasswd-pbkdf2) to generate password hashes. In order to enable authentication support, the ‘superusers’ environment variable must be set to a list of usernames, separated by any of spaces, commas, semicolons, pipes, or ampersands. Superusers are permitted to use the GRUB command line, edit menu entries, and execute any menu entry. If ‘superusers’ is set, then use of the command line and editing of menu entries are automatically restricted to superusers. Setting ‘superusers’ to empty string effectively disables both access to CLI and editing of menu entries. Other users may be allowed to execute specific menu entries by giving a list of usernames (as above) using the --users option to the ‘menuentry’ command (see menuentry). If the --unrestricted option is used for a menu entry, then that entry is unrestricted. If the --users option is not used for a menu entry, then that only superusers are able to use it. Putting this together, a typical grub.cfg fragment might look like this: set superusers="root" password_pbkdf2 root grub.pbkdf2.sha512.10000.biglongstring password user1 insecure menuentry "May be run by any user" --unrestricted { set root=(hd0,1) linux /vmlinuz } menuentry "Superusers only" --users "" { set root=(hd0,1) linux /vmlinuz single } menuentry "May be run by user1 or a superuser" --users user1 { set root=(hd0,2) chainloader +1 } The grub-mkconfig program does not yet have built-in support for generating configuration files with authentication. You can use /etc/grub.d/40_custom to add simple superuser authentication, by adding set superusers= and password or password_pbkdf2 commands. Previous: Authentication and authorisation, Up: Security [Contents][Index] GRUB’s core.img can optionally provide enforcement that all files subsequently read from disk are covered by a valid digital signature. This document does not cover how to ensure that your platform’s firmware (e.g., Coreboot) validates core.img. If environment variable check_signatures (see check_signatures) is set to enforce, then every attempt by the GRUB core.img to load another file foo implicitly invokes verify_detached foo foo.sig (see verify_detached). foo.sig must contain a valid digital signature over the contents of foo, which can be verified with a public key currently trusted by GRUB (see list_trusted, see trust, and see distrust). If validation fails, then file foo cannot be opened. This failure may halt or otherwise impact the boot process. GRUB uses GPG-style detached signatures (meaning that a file foo.sig will be produced when file foo is signed), and currently supports the DSA and RSA signing algorithms. A signing key can be generated as follows: gpg --gen-key An individual file can be signed as follows: gpg --detach-sign /path/to/file For successful validation of all of GRUB’s subcomponents and the loaded OS kernel, they must all be signed. One way to accomplish this is the following (after having already produced the desired grub.cfg file, e.g., by running grub-mkconfig (see Invoking grub-mkconfig): # Edit /dev/shm/passphrase.txt to contain your signing key's passphrase for i in `find /boot -name "*.cfg" -or -name "*.lst" -or \ -name "*.mod" -or -name "vmlinuz*" -or -name "initrd*" -or \ -name "grubenv"`; do gpg --batch --detach-sign --passphrase-fd 0 $i < \ /dev/shm/passphrase.txt done shred /dev/shm/passphrase.txt See also: check_signatures, verify_detached, trust, list_trusted, distrust, load_env, save_env. Note that internally signature enforcement is controlled by setting the environment variable check_signatures equal to enforce. Passing one or more --pubkey options to grub-mkimage implicitly defines check_signatures equal to enforce in core.img prior to processing any configuration files. Note that signature checking does not prevent an attacker with (serial, physical, ...) console access from dropping manually to the GRUB console and executing: set check_signatures=no To prevent this, password-protection (see Authentication and authorisation) is essential. Note that even with GRUB password protection, GRUB itself cannot prevent someone with physical access to the machine from altering that machine’s firmware (e.g., Coreboot or BIOS) configuration to cause the machine to boot from a different (attacker-controlled) device. GRUB is at best only one link in a secure boot chain. Next:: Supported kernels, Previous: Platform limitations, Up: Top [Contents][Index] Some platforms have features which allows to implement some commands useless or not implementable on others. Quick summary: Information retrieval: Workarounds for platform-specific issues: Advanced operations for power users: Miscelaneous: Next:: Invoking grub-install, Previous: Supported kernels, Up: Top [Contents][Index] Up:. Next: Invoking grub-mkconfig, Previous: Troubleshooting, Up: Top [Contents][Index] The program grub-install generates a GRUB core image using grub-mkimage and installs it on your system. You must specify the device name on which you want to install GRUB, like this: grub-install install_device The device name install_device is an OS device name or a GRUB device name. grub-install accepts the following options: Print a summary of the command-line options and exit. Print the version number of GRUB and exit. Install GRUB images under the directory dir/grub/ This option is useful when you want to install GRUB into a separate partition or a removable disk. If this option is not specified then it defaults to /boot, so grub-install /dev/sda is equivalent to grub-install --boot-directory=/boot/ /dev/sda Here is an example in which you have a separate boot partition which is mounted on /mnt/boot: grub-install --boot-directory=/mnt/boot /dev/sdb Recheck the device map, even if /boot/grub/device.map already exists. You should use this option whenever you add/remove a disk into/from your computer. By default on x86 BIOS systems, grub-install will use some extra space in the bootloader embedding area for Reed-Solomon error-correcting codes. This enables GRUB to still boot successfully if some blocks are corrupted. The exact amount of protection offered is dependent on available space in the embedding area. R sectors of redundancy can tolerate up to R/2 corrupted sectors. This redundancy may be cumbersome if attempting to cryptographically validate the contents of the bootloader embedding area, or in more modern systems with GPT-style partition tables (see BIOS installation) where GRUB does not reside in any unpartitioned space outside of the MBR. Disable the Reed-Solomon codes with this option. Next: Invoking grub-mkpasswd-pbkdf2, Previous: Invoking grub-install, Up: Top [Contents][Index] The program grub-mkconfig generates a configuration file for GRUB (see Simple configuration). grub-mkconfig -o /boot/grub/grub.cfg grub-mkconfig accepts the following options: Print a summary of the command-line options and exit. Print the version number of GRUB and exit. Send the generated configuration file to file. The default is to send it to standard output. Next: Invoking grub-mkrelpath, Previous: Invoking grub-mkconfig, Up: Top [Contents][Index] The program grub-mkpasswd-pbkdf2 generates password hashes for GRUB (see Security). grub-mkpasswd-pbkdf2 grub-mkpasswd-pbkdf2 accepts the following options: Number of iterations of the underlying pseudo-random function. Defaults to 10000. Length of the generated hash. Defaults to 64. Length of the salt. Defaults to 64. Next: Invoking grub-mkrescue, Previous: Invoking grub-mkpasswd-pbkdf2, Up: Top [Contents][Index] The program grub-mkrelpath makes a file system path relative to the root of its containing file system. For instance, if /usr is a mount point, then: $ grub-mkrelpath /usr/share/grub/unicode.pf2 ‘/share/grub/unicode.pf2’ This is mainly used internally by other GRUB utilities such as grub-mkconfig (see Invoking grub-mkconfig), but may occasionally also be useful for debugging. grub-mkrelpath accepts the following options: Print a summary of the command-line options and exit. Print the version number of GRUB and exit. Next: Invoking grub-mount, Previous: Invoking grub-mkrelpath,. Next: Invoking grub-probe, Previous: Invoking grub-mkrescue, Up: Top [Contents][Index] The program grub-mount performs a read-only mount of any file system or file system image that GRUB understands, using GRUB’s file system drivers via FUSE. (It is only available if FUSE development files were present when GRUB was built.) This has a number of uses: Using grub-mount is normally as simple as: grub-mount /dev/sda1 /mnt grub-mount must be given one or more images and a mount point as non-option arguments (if it is given more than one image, it will treat them as a RAID set), and also accepts the following options: Print a summary of the command-line options and exit. Print the version number of GRUB and exit. Mount encrypted devices, prompting for a passphrase if necessary. Show debugging output for conditions matching string. Load a ZFS encryption key. If you use ‘prompt’ as the argument, grub-mount will read a passphrase from the terminal; otherwise, it will read key material from the specified file. Set the GRUB root device to device. You do not normally need to set this; grub-mount will automatically set the root device to the root of the supplied file system. If device is just a number, then it will be treated as a partition number within the supplied image. This means that, if you have an image of an entire disk in disk.img, then you can use this command to mount its second partition: grub-mount -r 2 disk.img mount-point Print verbose messages. Next: Invoking grub-script-check, Previous: Invoking grub-mount,-probe, Up: Top [Contents][Index] The program grub-script-check takes a GRUB script file (see Shell-like scripting) and checks it for syntax errors, similar to commands such as sh -n. It may take a path as a non-option argument; if none is supplied, it will read from standard input. grub-script-check /boot/grub/grub.cfg grub-script-check accepts the following options: Print a summary of the command-line options and exit. Print the version number of GRUB and exit. Print each line of input after reading it. Next: Reporting bugs, Previous: Invoking grub-script-check, Up: Top [Contents][Index] 2.02, so the file you should grab is: To unbundle GRUB use the instruction: zcat grub-2.02.tar.gz | tar xvf - which will create a directory called grub-2.02 with all the sources. You can look at the file INSTALL for detailed instructions on how to build and install GRUB, but you should be able to just do: cd grub-2.02 ./configure make install Also, the latest version is available using Git. See for more information. Next: Future, Previous: Obtaining and Building GRUB, Up: Top [Contents][Index]. Next: Copying This Manual, Previous: Reporting bugs, Up: Top [Contents][Index] GRUB 2 is now quite stable and used in many production systems. We are currently working towards a 2.0 release. If you are interested in the development of GRUB 2, take a look at the homepage. Up: Copying This Manual ] chain-load is the mechanism for loading unsupported operating systems by loading another boot loader. It is typically used for loading DOS or Windows. The NetBSD/i386 kernel is Multiboot-compliant, but lacks support for Multiboot modules. Only CRC32 data integrity check is supported (xz default is CRC64 so one should use –check=crc32 option). LZMA BCJ filters are supported. There are a few pathological cases where loading a very badly organized ELF kernel might take longer, but in practice this never happen. The LInux LOader, a boot loader that everybody uses, but nobody likes. El Torito is a specification for bootable CD using BIOS functions. Currently a backslash-newline pair within a variable name is not handled properly, so use this feature with some care. However, this behavior will be changed in the future version, in a user-invisible way.
http://www.gnu.org/software/grub/manual/grub/grub.html
CC-MAIN-2018-26
en
refinedweb
data. A commonly used error-detecting code is CRC-32 (cyclic redundancy check), which computes a 32-bit integer checksum for input of any size. HDFS transparently checksums all data written to it and by default verifies checksums when reading data. A separate checksum is created for every io.bytes.per.checksum bytes of data. The default is 512 bytes, and because a CRC-32 checksum is 4 bytes long, the storage overhead is less than 1%. Datanodes are responsible for verifying the data they receive before storing the data and its checksum. This applies to data that they receive from clients and from other datanodes during replication. A client writing data sends it to a pipeline of datanodes (as explained in Chapter 3), and the last datanode in the pipeline verifies the checksum. If it detects an error, the client receives a ChecksumException, a subclass of IOException, which it should handle in an application-specific manner; for example, by retrying the operation. When clients read data from datanodes, they verify checksums as well, comparing them with the ones stored at the datanode. Each datanode keeps a persistent log of checksum verifications, so it knows the last time each of its blocks was verified. When a client successfully verifies a block, it tells the datanode, which updates its log. Keeping statistics such as these is valuable in detecting bad disks. Aside from block verification on client reads, each datanode runs a DataBlockScanner in a background thread that periodically verifies all the blocks stored on the datanode. This is to guard against corruption due to “bit rot” in the physical storage media. See Datanode block scanner for details on how to access the scanner reports. Because HDFS stores replicas of blocks, it can “heal” corrupted blocks by copying one of the good replicas to produce a new, uncorrupt replica. The way this works is that if a client detects an error when reading a block, it reports the bad block and the datanode it was trying to read from to the namenode before throwing a ChecksumException. The namenode marks the block replica as corrupt so it doesn’t direct clients to it or try to copy this replica to another datanode. It then schedules a copy of the block to be replicated on another datanode, so its replication factor is back at the expected level. Once this has happened, the corrupt replica is deleted. It is possible to disable verification of checksums by passing false to the setVerifyChecksum() method on FileSystem before using the open() method to read a file. The same effect is possible from the shell by using the -ignoreCrc option with the -get or the equivalent -copyToLocal command. This feature is useful if you have a corrupt file that you want to inspect so you can decide what to do with it. For example, you might want to see whether it can be salvaged before you delete a ChecksumException. Checksums are fairly cheap to compute (in Java, they are implemented in native code), typically adding a few percent overhead to the time to read or write a file.For most applications, this is an acceptable price to pay for data integrity. It is, however, possible to disable checksums, typically when the underlying filesystem supports checksums natively. This is accomplished by using RawLocalFileSystem in place of LocalFile System. To do this globally in an application, it suffices to remap the implementation for file URIs by setting the property fs.file.impl to the value org. apache. hadoop.fs.RawLocalFileSystem. Alternatively, you can directly create a RawLocalFileSystem instance, which may be useful if you want to disable checksum verification for only some reads, for example: Configuration conf = ... FileSystem fs = new RawLocalFileSystem(); fs.initialize(null, conf); LocalFileSystem uses ChecksumFileSystem to do its work, and this class makes it easy to add checksumming to other (nonchecksummed) filesystems, as ChecksumFile System is just a wrapper around FileSystem. The general idiom is as follows: FileSystem rawFs = ... FileSystem checksummedFs = new ChecksumFileSystem(rawFs); The underlying filesystem is called the raw filesystem, and may be retrieved using the getRawFileSystem() method on ChecksumFileSystem. ChecksumFileSystem has a few more useful methods for working with checksums, such as getChecksumFile() for getting the path of a checksum file for any file. Check the documentation for the others. If an error is detected by ChecksumFileSystem when reading a file, it will call its reportChecksumFailure() method. The default implementation does nothing, but LocalFileSystem moves the offending file and its checksum to a side directory on the same device called bad_files. Administrators should periodically check for these bad files and take action on them.. There are many different compression formats, tools and algorithms, each with different characteristics. Table 4-1 lists some of the more common ones that can be used with Hadoop. All compression algorithms exhibit a space/time trade-off: faster compression and decompression speeds usually come at the expense of smaller space savings. The tools listed in Table 4-1 typically give some control over this trade-off at compression time by offering nine different options: –1 means optimize for speed, and -9 means optimize for space. For example, the following command creates a compressed file file.gz using the fastest compression method: gzip -1 file The different tools have very different compression characteristics. Gzip is a general-purpose compressor and sits in the middle of the space/time trade-off. Bzip2 compresses more effectively than gzip, but is slower. Bzip2’s decompression speed is faster than its compression speed, but it is still slower than the other formats. LZO, LZ4. and Snappy, on the other hand, all optimize for speed and are around an order of magnitude faster than gzip, but compress less effectively. Snappy and LZ4 are also significantly faster than LZO for decompression.[34] The “Splittable” column in Table 4-1 indicates whether the compression format supports splitting, that is, whether you can seek to any point in the stream and start reading from some point further on. Splittable compression formats are especially suitable for MapReduce; see Compression and Input Splits for further discussion. A codec is the implementation of a compression-decompression algorithm. In Hadoop, a codec is represented by an implementation of the CompressionCodec interface. So, for example, GzipCodec encapsulates the compression and decompression algorithm for gzip. Table 4-2 lists the codecs that are available for Hadoop. The LZO libraries are GPL-licensed and may not be included in Apache distributions, so for this reason the Hadoop codecs must be downloaded separately from (or, which includes bug fixes and more tools). The LzopCodec is compatible with the lzop tool, which is essentially the LZO format with extra headers, and is the one you normally want. There is also a LzoCodec for the pure LZO format, which uses the .lzo_deflate filename extension (by analogy with DEFLATE, which is gzip without the headers). CompressionCodec has two methods that allow you to easily compress or decompress data. To compress data being written to an output stream, use the createOutputStream(OutputStream out) method to create a CompressionOutputStream to which you write your uncompressed data to have it written in compressed form to the underlying stream. Conversely, to decompress data being read from an input stream, call createInputStream(InputStream in) to obtain a CompressionInputStream, which allows you to read uncompressed data from the underlying stream. CompressionOutputStream and CompressionInputStream are similar to java.util. zip.DeflaterOutputStream and java.util.zip.DeflaterInputStream, except that both of the former provide the ability to reset their underlying compressor or decompressor, which is important for applications that compress sections of the data stream as separate blocks, such as SequenceFile, described in SequenceFile. Example 4-1 illustrates how to use the API to compress data read from standard input and write it to standard output. Example 4-1. A program to compress data read from standard input and write it to standard output public class StreamCompressor { public static void main(String[] args) throws Exception { String codecClassname = args[0]; Class<?> codecClass = Class.forName(codecClassname); Configuration conf = new Configuration(); CompressionCodec codec = (CompressionCodec) ReflectionUtils.newInstance(codecClass, conf); CompressionOutputStream out = codec.createOutputStream(System.out); IOUtils.copyBytes(System.in, out, 4096, false); out.finish(); } } The application expects the fully qualified name of the CompressionCodec implementation as the first command-line argument. We use ReflectionUtils to construct a new instance of the codec, then obtain a compression wrapper around System.out. Then we call the utility method copyBytes() on IOUtils to copy the input to the output, which is compressed by the CompressionOutputStream. Finally, we call finish() on CompressionOutputStream, which tells the compressor to finish writing to the compressed stream, but doesn’t close the stream. We can try it out with the following command line, which compresses the string “Text” using the StreamCompressor program with the GzipCodec, then decompresses it from standard input using gunzip: % echo "Text" | hadoop StreamCompressor org.apache.hadoop.io.compress.GzipCodec \ | gunzip -Text If you are reading a compressed file, normally you can infer which codec to use by looking at its filename extension. A file ending in .gz can be read with GzipCodec, and so on. The extension for each compression format is listed in Table 4-1. CompressionCodecFactory provides a way of mapping a filename extension to a CompressionCodec using its getCodec() method, which takes a Path object for the file in question. Example 4-2 shows an application that uses this feature to decompress files. Example 4-2. A program to decompress a compressed file using a codec inferred from the file’s extension public class FileDecompressor { public static void main(String[] args) throws Exception { String uri = args[0]; Configuration conf = new Configuration(); FileSystem fs = FileSystem.get(URI.create(uri), conf); Path inputPath = new Path(uri); CompressionCodecFactory factory = new CompressionCodecFactory(conf); CompressionCodec codec = factory.getCodec(inputPath); if (codec == null) { System.err.println("No codec found for " + uri); System.exit(1); } String outputUri = CompressionCodecFactory.removeSuffix(uri, codec.getDefaultExtension()); InputStream in = null; OutputStream out = null; try { in = codec.createInputStream(fs.open(inputPath)); out = fs.create(new Path(outputUri)); IOUtils.copyBytes(in, out, conf); } finally { IOUtils.closeStream(in); IOUtils.closeStream(out); } } } Once the codec has been found, it is used to strip off the file suffix to form the output filename (via the removeSuffix() static method of CompressionCodecFactory). In this way, a file named file.gz is decompressed to file by invoking the program as follows: % hadoop FileDecompressor file.gz CompressionCodecFactory finds codecs from a list defined by the io.compression. codecs configuration property. By default, this lists all the codecs provided by Hadoop (see Table 4-3), so you would need to alter it only if you have a custom codec that you wish to register (such as the externally hosted LZO codecs). Each codec knows its default filename extension, thus permitting CompressionCodecFactory to search through the registered codecs to find a match for a given extension (if any). For performance, it is preferable to use a native library for compression and decompression. For example, in one test, using the native gzip libraries reduced decompression times by up to 50% and compression times by around 10% (compared to the built-in Java implementation). Table 4-4 shows the availability of Java and native implementations for each compression format. Not all formats have native implementations (bzip2, for example), whereas others are available only as a native implementation (LZO, for example). Hadoop comes with prebuilt native compression libraries for 32- and 64-bit Linux, which you can find in the lib/native directory. For other platforms, you will need to compile the libraries yourself, following the instructions on the Hadoop wiki at. The native libraries are picked up using the Java system property java.library.path. The hadoop script in the bin directory sets this property for you, but if you don’t use this script, you will need to set the property in your application. By default, Hadoop looks for native libraries for the platform it is running on, and loads them automatically if they are found. This means you don’t have to change any configuration settings to use the native libraries. In some circumstances, however, you may wish to disable use of native libraries, such as when you are debugging a compression-related problem. You can achieve this by setting the property hadoop.native.lib to false, which ensures that the built-in Java equivalents will be used (if they are available). If you are using a native library and you are doing a lot of compression or decompression in your application, consider using CodecPool, which allows you to reuse compressors and decompressors, thereby amortizing the cost of creating these objects. The code in Example 4-3 shows the API, although in this program, which creates only a single Compressor, there is really no need to use a pool. Example 4-3. A program to compress data read from standard input and write it to standard output using a pooled compressor public class PooledStreamCompressor { public static void main(String[] args) throws Exception { String codecClassname = args[0]; Class<?> codecClass = Class.forName(codecClassname); Configuration conf = new Configuration(); CompressionCodec codec = (CompressionCodec) ReflectionUtils.newInstance(codecClass, conf); Compressor compressor = null; try { compressor = CodecPool.getCompressor(codec); CompressionOutputStream out = codec.createOutputStream(System.out, compressor); IOUtils.copyBytes(System.in, out, 4096, false); out.finish(); } finally { CodecPool.returnCompressor(compressor); } } } We retrieve a Compressor instance from the pool for a given CompressionCodec, which we use in the codec’s overloaded createOutputStream() method. By using a finally block, we ensure that the compressor is returned to the pool even if there is an IOException while copying the bytes between the streams. When considering how to compress data that will be processed by MapReduce, it is important to understand whether the compression format supports splitting. Consider an uncompressed file stored in HDFS whose size is 1 GB. With an HDFS block size of 64 MB, the file will be stored as 16 blocks, and a MapReduce job using this file as input will create 16 input splits, each processed independently as input to a separate map task. Imagine now that the file is a gzip-compressed file whose compressed size is 1 GB. As before, HDFS will store the file as 16 blocks. However, creating a split for each block won’t work, because it is impossible to start reading at an arbitrary point in the gzip stream and therefore impossible for a map task to read its split independently of the others. The gzip format uses DEFLATE to store the compressed data, and DEFLATE stores data as a series of compressed blocks. The problem is that the start of each block is not distinguished in any way that would allow a reader positioned at an arbitrary point in the stream to advance to the beginning of the next block, thereby synchronizing itself with the stream. For this reason, gzip does not support splitting. In this case, MapReduce will do the right thing and not try to split the gzipped file, since it knows that the input is gzip-compressed (by looking at the filename extension) and that gzip does not support splitting. This will work, but at the expense of locality: a single map will process the 16 HDFS blocks, most of which will not be local to the map. Also, with fewer maps, the job is less granular and so may take longer to run. If the file in our hypothetical example were an LZO file, we would have the same problem because the underlying compression format does not provide a way for a reader to synchronize itself with the stream. However, it is possible to preprocess LZO files using an indexer tool that comes with the Hadoop LZO libraries, which you can obtain from the sites listed in Codecs. The tool builds an index of split points, effectively making them splittable when the appropriate MapReduce input format is used. A bzip2 file, on the other hand, does provide a synchronization marker between blocks (a 48-bit approximation of pi), so it does support splitting. (Table 4-1 lists whether each compression format supports splitting.) As described in Inferring CompressionCodecs using CompressionCodecFactory, if your input files are compressed, they will be decompressed automatically as they are read by MapReduce, using the filename extension to determine which codec to use. To compress the output of a MapReduce job, in the job configuration, set the mapred.output.compress property to true and the mapred.output.compression.codec property to the classname of the compression codec you want to use. Alternatively, you can use the static convenience methods on FileOutputFormat to set these properties as shown in Example 4-4. Example 4-4. Application to run the maximum temperature job producing compressed output public class MaxTemperatureWithCompression { public static void main(String[] args) throws Exception { if (args.length != 2) { System.err.println("Usage: MaxTemperatureWithCompression <input path> " + "<output path>"); System.exit(-1); } Job job = new Job(); job.setJarByClass(MaxTemperature.class); FileInputFormat.addInputPath(job, new Path(args[0])); FileOutputFormat.setOutputPath(job, new Path(args[1])); job.setOutputKeyClass(Text.class); job.setOutputValueClass(IntWritable.class); FileOutputFormat.setCompressOutput(job, true); FileOutputFormat.setOutputCompressorClass(job, GzipCodec.class); job.setMapperClass(MaxTemperatureMapper.class); job.setCombinerClass(MaxTemperatureReducer.class); job.setReducerClass(MaxTemperatureReducer.class); System.exit(job.waitForCompletion(true) ? 0 : 1); } } We run the program over compressed input (which doesn’t have to use the same compression format as the output, although it does in this example) as follows: % hadoop MaxTemperatureWithCompression input/ncdc/sample.txt.gz output Each part of the final output is compressed; in this case, there is a single part: % gunzip -c output/part-r-00000.gz1949 111 1950 22 If you are emitting sequence files for your output, you can set the mapred.output.compression.type property to control the type of compression to use. The default is RECORD, which compresses individual records. Changing this to BLOCK, which compresses groups of records, is recommended because it compresses better (see The SequenceFile format). There is also a static convenience method on SequenceFileOutputFormat called setOutputCompressionType() to set this property. The configuration properties to set compression for MapReduce job outputs are summarized in Table 4-5. If your MapReduce driver uses the Tool interface (described in GenericOptionsParser, Tool, and ToolRunner), you can pass any of these properties to the program on the command line, which may be more convenient than modifying your program to hardcode the compression properties. Even if your MapReduce application reads and writes uncompressed data, it may benefit from compressing the intermediate output of the map phase. Since the map output is written to disk and transferred across the network to the reducer nodes, by using a fast compressor such as LZO, LZ4, or Snappy, you can get performance gains simply because the volume of data to transfer is reduced. The configuration properties to enable compression for map outputs and to set the compression format are shown in Table 4-6. Here are the lines to add to enable gzip map output compression in your job (using the new API): Configuration conf = new Configuration(); conf.setBoolean("mapred.compress.map.output", true); conf.setClass("mapred.map.output.compression.codec", GzipCodec.class, CompressionCodec.class); Job job = new Job(conf); In the old API, there are convenience methods on the JobConf object for doing the same thing: conf.setCompressMapOutput(true); conf.setMapOutputCompressorClass(GzipCodec.class); Serialization is the process of turning structured objects into a byte stream for transmission over a network or for writing to persistent storage. Deserialization is the reverse process of turning a byte stream back into a series of structured objects. Serialization appears in two quite distinct areas of distributed data processing: for interprocess communication and for persistent storage. In Hadoop, interprocess communication between nodes in the system is implemented using remote procedure calls (RPCs). The RPC protocol uses serialization to render the message into a binary stream to be sent to the remote node, which then deserializes the binary stream into the original message. In general, it is desirable that an RPC serialization format is: A compact format makes the best use of network bandwidth, which is the most scarce resource in a data center. Interprocess communication forms the backbone for a distributed system, so it is essential that there is as little performance overhead as possible for the serialization and deserialization process. Protocols change over time to meet new requirements, so it should be straightforward to evolve the protocol in a controlled manner for clients and servers. For example, it should be possible to add a new argument to a method call and have the new servers accept messages in the old format (without the new argument) from old clients. For some systems, it is desirable to be able to support clients that are written in different languages to the server, so the format needs to be designed to make this possible. On the face of it, the data format chosen for persistent storage would have different requirements from a serialization framework. After all, the lifespan of an RPC is less than a second, whereas persistent data may be read years after it was written. As it turns out, the four desirable properties of an RPC’s serialization format are also crucial for a persistent storage format. We want the storage format to be compact (to make efficient use of storage space), fast (so the overhead in reading or writing terabytes of data is minimal), extensible (so we can transparently read data written in an older format), and interoperable (so we can read or write persistent data using different languages). Hadoop uses its own serialization format, Writables, which is certainly compact and fast, but not so easy to extend or use from languages other than Java. Because Writables are central to Hadoop (most MapReduce programs use them for their key and value types), we look at them in some depth in the next three sections, before looking at serialization frameworks in general and then Avro (a serialization system that was designed to overcome some of the limitations of Writables) in more detail. The Writable interface defines two methods: one for writing its state to a DataOutput binary stream and one for reading its state from a DataInput binary stream. package org.apache.hadoop.io; import java.io.DataOutput; import java.io.DataInput; import java.io.IOException; public interface Writable { void write(DataOutput out) throws IOException; void readFields(DataInput in) throws IOException; } Let’s look at a particular Writable to see what we can do with it. We will use IntWritable, a wrapper for a Java int. We can create one and set its value using the set() method: IntWritable writable = new IntWritable(); writable.set(163); Equivalently, we can use the constructor that takes the integer value: IntWritable writable = new IntWritable(163); To examine the serialized form of the IntWritable, we write a small helper method that wraps a java.io.ByteArrayOutputStream in a java.io.DataOutputStream (an implementation of java.io.DataOutput) to capture the bytes in the serialized stream:(); } An integer is written using four bytes (as we see using JUnit 4 assertions): byte[] bytes = serialize(writable); assertThat(bytes.length, is(4)); The bytes are written in big-endian order (so the most significant byte is written to the stream first, which is dictated by the java.io.DataOutput interface), and we can see their hexadecimal representation by using a method on Hadoop’s StringUtils: assertThat(StringUtils.byteToHexString(bytes), is("000000a3")); Let’s try deserialization. Again, we create a helper method to read a Writable object from a byte array: public static byte[] deserialize(Writable writable, byte[] bytes) throws IOException { ByteArrayInputStream in = new ByteArrayInputStream(bytes); DataInputStream dataIn = new DataInputStream(in); writable.readFields(dataIn); dataIn.close(); return bytes; } We construct a new, value-less IntWritable, and then call deserialize() to read from the output data that we just wrote. Then we check that its value, retrieved using the get() method, is the original value, 163: IntWritable newWritable = new IntWritable(); deserialize(newWritable, bytes); assertThat(newWritable.get(), is(163)); IntWritable implements the WritableComparable interface, which is just a subinterface of the Writable and java.lang.Comparable interfaces: package org.apache.hadoop.io; public interface WritableComparable<T> extends Writable, Comparable<T> { } Comparison of types is crucial for MapReduce, where there is a sorting phase during which keys are compared with one another. One optimization that Hadoop provides is the RawComparator extension of Java’s Comparator: package org.apache.hadoop.io; import java.util.Comparator; public interface RawComparator<T> extends Comparator<T> { public int compare(byte[] b1, int s1, int l1, byte[] b2, int s2, int l2); } This interface permits implementors to compare records read from a stream without deserializing them into objects, thereby avoiding any overhead of object creation. For example, the comparator for IntWritables implements the raw compare() method by reading an integer from each of the byte arrays b1 and b2 and comparing them directly from the given start positions ( s1 and s2) and lengths ( l1 and l2). WritableComparator is a general-purpose implementation of RawComparator for WritableComparable classes. It provides two main functions. First, it provides a default implementation of the raw compare() method that deserializes the objects to be compared from the stream and invokes the object compare() method. Second, it acts as a factory for RawComparator instances (that Writable implementations have registered). For example, to obtain a comparator for IntWritable, we just use: RawComparator<IntWritable> comparator = WritableComparator.get(IntWritable.class); The comparator can be used to compare two IntWritable objects: IntWritable w1 = new IntWritable(163); IntWritable w2 = new IntWritable(67); assertThat(comparator.compare(w1, w2), greaterThan(0)); or their serialized representations: byte[] b1 = serialize(w1); byte[] b2 = serialize(w2); assertThat(comparator.compare(b1, 0, b1.length, b2, 0, b2.length), greaterThan(0)); Hadoop comes with a large selection of Writable classes in the org.apache.hadoop.io package. They form the class hierarchy shown in Figure 4-1. There are Writable wrappers for all the Java primitive types (see Table 4-7) except char (which can be stored in an IntWritable). All have a get() and set() method for retrieving and storing the wrapped value. When it comes to encoding integers, there is a choice between the fixed-length formats ( IntWritable and LongWritable) and the variable-length formats ( VIntWritable and VLongWritable). The variable-length formats use only a single byte to encode the value if it is small enough (between –112 and 127, inclusive); otherwise, they use the first byte to indicate whether the value is positive or negative, and how many bytes follow. For example, 163 requires two bytes: byte[] data = serialize(new VIntWritable(163)); assertThat(StringUtils.byteToHexString(data), is("8fa3")); How do you choose between a fixed-length and a variable-length encoding? Fixed-length encodings are good when the distribution of values is fairly uniform across the whole value space, such as a (well-designed) hash function. Most numeric variables tend to have nonuniform distributions, and on average the variable-length encoding will save space. Another advantage of variable-length encodings is that you can switch from VIntWritable to VLongWritable, because their encodings are actually the same. So by choosing a variable-length representation, you have room to grow without committing to an 8-byte long representation from the beginning. Text is a Writable for UTF-8 sequences. It can be thought of as the Writable equivalent of java.lang.String. Text is a replacement for the UTF8 class, which was deprecated because it didn’t support strings whose encoding was over 32,767 bytes and because it used Java’s modified UTF-8. The Text class uses an int (with a variable-length encoding) to store the number of bytes in the string encoding, so the maximum value is 2 GB. Furthermore, Text uses standard UTF-8, which makes it potentially easier to interoperate with other tools that understand UTF-8. Because of its emphasis on using standard UTF-8, there are some differences between Text and the Java String class. Indexing for the Text class is in terms of position in the encoded byte sequence, not the Unicode character in the string or the Java char code unit (as it is for String). For ASCII strings, these three concepts of index position coincide. Here is an example to demonstrate the use of the charAt() method: Text t = new Text("hadoop"); assertThat(t.getLength(), is(6)); assertThat(t.getBytes().length, is(6)); assertThat(t.charAt(2), is((int) 'd')); assertThat("Out of bounds", t.charAt(100), is(-1)); Notice that charAt() returns an int representing a Unicode code point, unlike the String variant that returns a char. Text also has a find() method, which is analogous to String’s indexOf(): Text t = new Text("hadoop"); assertThat("Find a substring", t.find("do"), is(2)); assertThat("Finds first 'o'", t.find("o"), is(3)); assertThat("Finds 'o' from position 4 or later", t.find("o", 4), is(4)); assertThat("No match", t.find("pig"), is(-1)); When we start using characters that are encoded with more than a single byte, the differences between Text and String become clear. Consider the Unicode characters shown in Table 4-8.[35] All but the last character in the table, U+10400, can be expressed using a single Java char. U+10400 is a supplementary character and is represented by two Java chars, known as a surrogate pair. The tests in Example 4-5 show the differences between String and Text when processing a string of the four characters from Table 4-8. Example 4-5. Tests showing the differences between the String and Text classes public class StringTextComparisonTest { @Test public void string() throws UnsupportedEncodingException { String s = "\u0041\u00DF\u6771\uD801\uDC00"; assertThat(s.length(), is(5)); assertThat(s.getBytes("UTF-8").length, is(10)); assertThat(s.indexOf("\u0041"), is(0)); assertThat(s.indexOf("\u00DF"), is(1)); assertThat(s.indexOf("\u6771"), is(2)); assertThat(s.indexOf("\uD801\uDC00"), is(3)); assertThat(s.charAt(0), is('\u0041')); assertThat(s.charAt(1), is('\u00DF')); assertThat(s.charAt(2), is('\u6771')); assertThat(s.charAt(3), is('\uD801')); assertThat(s.charAt(4), is('\uDC00')); assertThat(s.codePointAt(0), is(0x0041)); assertThat(s.codePointAt(1), is(0x00DF)); assertThat(s.codePointAt(2), is(0x6771)); assertThat(s.codePointAt(3), is(0x10400)); } @Test public void text() { Text t = new Text("\u0041\u00DF\u6771\uD801\uDC00"); assertThat(t.getLength(), is(10)); assertThat(t.find("\u0041"), is(0)); assertThat(t.find("\u00DF"), is(1)); assertThat(t.find("\u6771"), is(3)); assertThat(t.find("\uD801\uDC00"), is(6)); assertThat(t.charAt(0), is(0x0041)); assertThat(t.charAt(1), is(0x00DF)); assertThat(t.charAt(3), is(0x6771)); assertThat(t.charAt(6), is(0x10400)); } } The test confirms that the length of a String is the number of char code units it contains (5, made up of one from each of the first three characters in the string and a surrogate pair from the last), whereas the length of a Text object is the number of bytes in its UTF-8 encoding (10 = 1+2+3+4). Similarly, the indexOf() method in String returns an index in char code units, and find() for Text is a byte offset. The charAt() method in String returns the char code unit for the given index, which in the case of a surrogate pair will not represent a whole Unicode character. The codePointAt() method, indexed by char code unit, is needed to retrieve a single Unicode character represented as an int. In fact, the charAt() method in Text is more like the codePointAt() method than its namesake in String. The only difference is that it is indexed by byte offset. Iterating over the Unicode characters in Text is complicated by the use of byte offsets for indexing, since you can’t just increment the index. The idiom for iteration is a little obscure (see Example 4-6): turn the Text object into a java.nio.ByteBuffer, then repeatedly call the bytesToCodePoint() static method on Text with the buffer. This method extracts the next code point as an int and updates the position in the buffer. The end of the string is detected when bytesToCodePoint() returns –1. Example 4-6. Iterating over the characters in a Text object public class TextIterator { public static void main(String[] args) { Text t = new Text("\u0041\u00DF\u6771\uD801\uDC00"); ByteBuffer buf = ByteBuffer.wrap(t.getBytes(), 0, t.getLength()); int cp; while (buf.hasRemaining() && (cp = Text.bytesToCodePoint(buf)) != -1) { System.out.println(Integer.toHexString(cp)); } } } Running the program prints the code points for the four characters in the string: % hadoop TextIterator41 df 6771 10400 Another difference with String is that Text is mutable (like all Writable implementations in Hadoop, except NullWritable, which is a singleton). You can reuse a Text instance by calling one of the set() methods on it. For example: Text t = new Text("hadoop"); t.set("pig"); assertThat(t.getLength(), is(3)); assertThat(t.getBytes().length, is(3)); In some situations, the byte array returned by the getBytes() method may be longer than the length returned by getLength(): Text t = new Text("hadoop"); t.set(new Text("pig")); assertThat(t.getLength(), is(3)); assertThat("Byte length not shortened", t.getBytes().length, is(6)); This shows why it is imperative that you always call getLength() when calling getBytes(), so you know how much of the byte array is valid data. BytesWritable is a wrapper for an array of binary data. Its serialized format is an integer field (4 bytes) that specifies the number of bytes to follow, followed by the bytes themselves. For example, the byte array of length two with values 3 and 5 is serialized as a 4-byte integer ( 00000002) followed by the two bytes from the array ( 03 and 05): BytesWritable b = new BytesWritable(new byte[] { 3, 5 }); byte[] bytes = serialize(b); assertThat(StringUtils.byteToHexString(bytes), is("000000020305")); BytesWritable is mutable, and its value may be changed by calling its set() method. As with Text, the size of the byte array returned from the getBytes() method for BytesWritable—the capacity—may not reflect the actual size of the data stored in the BytesWritable. You can determine the size of the BytesWritable by calling getLength(). To demonstrate: b.setCapacity(11); assertThat(b.getLength(), is(2)); assertThat(b.getBytes().length, is(11)); NullWritable is a special type of Writable, as it has a zero-length serialization. No bytes are written to or read from the stream. It is used as a placeholder; for example, in MapReduce, a key or a value can be declared as a NullWritable when you don’t need to use that position, effectively storing a constant empty value. NullWritable can also be useful as a key in SequenceFile when you want to store a list of values, as opposed to key-value pairs. It is an immutable singleton, and the instance can be retrieved by calling NullWritable.get(). ObjectWritable is a general-purpose wrapper for the following: Java primitives, String, enum, Writable, null, or arrays of any of these types. It is used in Hadoop RPC to marshal and unmarshal method arguments and return types. ObjectWritable is useful when a field can be of more than one type. For example, if the values in a SequenceFile have multiple types, you can declare the value type as an ObjectWritable and wrap each type in an ObjectWritable. Being a general-purpose mechanism, it wasted a fair amount of space because it writes the classname of the wrapped type every time it is serialized. In cases where the number of types is small and known ahead of time, this can be improved by having a static array of types and using the index into the array as the serialized reference to the type. This is the approach that GenericWritable takes, and you have to subclass it to specify which types to support. There are six Writable collection types in the org.apache.hadoop.io package: ArrayWritable, ArrayPrimitiveWritable, TwoDArrayWritable, MapWritable, SortedMap Writable, and EnumSetWritable. ArrayWritable and TwoDArrayWritable are Writable implementations for arrays and two-dimensional arrays (array of arrays) of Writable instances. All the elements of an ArrayWritable or a TwoD ArrayWritable must be instances of the same class, which is specified at construction as follows: ArrayWritable writable = new ArrayWritable(Text.class); In contexts where the Writable is defined by type, such as in SequenceFile keys or values or as input to MapReduce in general, you need to subclass ArrayWritable (or TwoDArrayWritable, as appropriate) to set the type statically. For example: public class TextArrayWritable extends ArrayWritable { public TextArrayWritable() { super(Text.class); } } ArrayWritable and TwoDArrayWritable both have get() and set() methods, as well as a toArray() method, which creates a shallow copy of the array (or 2D array). ArrayPrimitiveWritable is a wrapper for arrays of Java primitives. The component type is detected when you call set(), so there is no need to subclass to set the type. MapWritable and SortedMapWritable are implementations of java.util.Map<Writable, Writable> and java.util.SortedMap<WritableComparable, Writable>, respectively. The type of each key and value field is a part of the serialization format for that field. The type is stored as a single byte that acts as an index into an array of types. The array is populated with the standard types in the org.apache.hadoop.io package, but custom Writable types are accommodated, too, by writing a header that encodes the type array for nonstandard types. As they are implemented, MapWritable and SortedMapWritable use positive byte values for custom types, so a maximum of 127 distinct nonstandard Writable classes can be used in any particular MapWritable or SortedMapWritable instance. Here’s a demonstration of using a MapWritable with different types for keys and values: MapWritable src = new MapWritable(); src.put(new IntWritable(1), new Text("cat")); src.put(new VIntWritable(2), new LongWritable(163)); MapWritable dest = new MapWritable(); WritableUtils.cloneInto(dest, src); assertThat((Text) dest.get(new IntWritable(1)), is(new Text("cat"))); assertThat((LongWritable) dest.get(new VIntWritable(2)), is(new LongWritable(163))); Conspicuous by their absence are Writable collection implementations for sets and lists. A general set can be emulated by using a MapWritable (or a SortedMapWritable for a sorted set) with NullWritable values. There is also EnumSetWritable for sets of enum types. For lists of a single type of Writable, ArrayWritable is adequate, but to store different types of Writable in a single list, you can use GenericWritable to wrap the elements in an ArrayWritable. Alternatively, you could write a general ListWritable using the ideas from MapWritable. Hadoop comes with a useful set of Writable implementations that serve most purposes; however, on occasion, you may need to write your own custom implementation. With a custom Writable, you have full control over the binary representation and the sort order. Because Writables are at the heart of the MapReduce data path, tuning the binary representation can have a significant effect on performance. The stock Writable implementations that come with Hadoop are well-tuned, but for more elaborate structures, it is often better to create a new Writable type rather than compose the stock types. To demonstrate how to create a custom Writable, we shall write an implementation that represents a pair of strings, called TextPair. The basic implementation is shown in Example 4-7. Example 4-7. A Writable implementation that stores a pair of Text objects import java.io.*; import org.apache.hadoop.io.*; public class TextPair implements WritableComparable<TextPair> {; } @Override public void write(DataOutput out) throws IOException { first.write(out); second.write(out); } @Override public void readFields(DataInput in) throws IOException { first.readFields(in); second.readFields(in); } @Override public int hashCode() { return first.hashCode() * 163 + second.hashCode(); } @Override public boolean equals(Object o) { if (o instanceof TextPair) { TextPair tp = (TextPair) o; return first.equals(tp.first) && second.equals(tp.second); } return false; } @Override public String toString() { return first + "\t" + second; } @Override public int compareTo(TextPair tp) { int cmp = first.compareTo(tp.first); if (cmp != 0) { return cmp; } return second.compareTo(tp.second); } } The first part of the implementation is straightforward: there are two Text instance variables, first and second, and associated constructors, getters, and setters. All Writable implementations must have a default constructor so that the MapReduce framework can instantiate them, then populate their fields by calling readFields(). Writable instances are mutable and often reused, so you should take care to avoid allocating objects in the write() or readFields() methods. TextPair’s write() method serializes each Text object in turn to the output stream by delegating to the Text objects themselves. Similarly, readFields() deserializes the bytes from the input stream by delegating to each Text object. The DataOutput and DataInput interfaces have a rich set of methods for serializing and deserializing Java primitives, so, in general, you have complete control over the wire format of your Writable object. Just as you would for any value object you write in Java, you should override the hashCode(), equals(), and toString() methods from java.lang.Object. The hashCode() method is used by the HashPartitioner (the default partitioner in MapReduce) to choose a reduce partition, so you should make sure that you write a good hash function that mixes well to ensure reduce partitions are of a similar size. If you ever plan to use your custom Writable with TextOutputFormat, then you must implement its toString() method. TextOutputFormat calls toString() on keys and values for their output representation. For TextPair, we write the underlying Text objects as strings separated by a tab character. TextPair is an implementation of WritableComparable, so it provides an implementation of the compareTo() method that imposes the ordering you would expect: it sorts by the first string followed by the second. Notice that TextPair differs from TextArrayWritable from the previous section (apart from the number of Text objects it can store), since TextArrayWritable is only a Writable, not a WritableComparable. The code for TextPair in Example 4-7 will work as it stands; however, there is a further optimization we can make. As explained in WritableComparable and comparators, when TextPair is being used as a key in MapReduce, it will have to be deserialized into an object for the compareTo() method to be invoked. What if it were possible to compare two TextPair objects just by looking at their serialized representations? It turns out that we can do this because TextPair is the concatenation of two Text objects, and the binary representation of a Text object is a variable-length integer containing the number of bytes in the UTF-8 representation of the string, followed by the UTF-8 bytes themselves. The trick is to read the initial length so we know how long the first Text object’s byte representation is; then we can delegate to Text’s RawComparator and invoke it with the appropriate offsets for the first or second string. Example 4-8 gives the details (note that this code is nested in the TextPair class). Example 4-8. A RawComparator for comparing TextPair byte representations public static class Comparator extends WritableComparator { private static final Text.Comparator TEXT_COMPARATOR = new Text.Comparator(); public Compar); int cmp = TEXT_COMPARATOR.compare(b1, s1, firstL1, b2, s2, firstL2); if (cmp != 0) { return cmp; } return TEXT_COMPARATOR.compare(b1, s1 + firstL1, l1 - firstL1, b2, s2 + firstL2, l2 - firstL2); } catch (IOException e) { throw new IllegalArgumentException(e); } } } static { WritableComparator.define(TextPair.class, new Comparator()); } We actually subclass WritableComparator rather than implement RawComparator directly, since it provides some convenience methods and default implementations. The subtle part of this code is calculating firstL1 and firstL2, the lengths of the first Text field in each byte stream. Each is made up of the length of the variable-length integer (returned by decodeVIntSize() on WritableUtils) and the value it is encoding (returned by readVInt()). The static block registers the raw comparator so that whenever MapReduce sees the TextPair class, it knows to use the raw comparator as its default comparator. As we can see with TextPair, writing raw comparators takes some care because you have to deal with details at the byte level. It is worth looking at some of the implementations of Writable in the org.apache.hadoop.io package for further ideas if you need to write your own. The utility methods on WritableUtils are very handy, too. Custom comparators should also be written to be RawComparators, if possible. These are comparators that implement a different sort order from the natural sort order defined by the default comparator. Example 4-9 shows a comparator for TextPair, called FirstComparator, that considers only the first string of the pair. Note that we override the compare() method that takes objects so both compare() methods have the same semantics. We will make use of this comparator in Chapter 8, when we look at joins and secondary sorting in MapReduce (see Joins). Example 4-9. A custom RawComparator for comparing the first field of TextPair byte representations public static class FirstComparator extends WritableComparator { private static final Text.Comparator TEXT_COMPARATOR = new Text.Comparator(); public FirstCompar); return TEXT_COMPARATOR.compare(b1, s1, firstL1, b2, s2, firstL2); } catch (IOException e) { throw new IllegalArgumentException(e); } } @Override public int compare(WritableComparable a, WritableComparable b) { if (a instanceof TextPair && b instanceof TextPair) { return ((TextPair) a).first.compareTo(((TextPair) b).first); } return super.compare(a, b); } } Although most MapReduce programs use Writable key and value types, this isn’t mandated by the MapReduce API. In fact, any type can be used; the only requirement is a mechanism that translates to and from a binary representation of each type. To support this, Hadoop has an API for pluggable serialization frameworks. A serialization framework is represented by an implementation of Serialization (in the org.apache.hadoop.io.serializer package). WritableSerialization, for example, is the implementation of Serialization for Writable types. A Serialization defines a mapping from types to Serializer instances (for turning an object into a byte stream) and Deserializer instances (for turning a byte stream into an object). Set the io.serializations property to a comma-separated list of classnames to register Serialization implementations. Its default value includes org.apache.hadoop.io.serializer.WritableSerialization and the Avro-specific and reflect serializations, which means that only Writable or Avro objects can be serialized or deserialized out of the box. Hadoop includes a class called JavaSerialization that uses Java Object Serialization. Although it makes it convenient to be able to use standard Java types such as Integer or String in MapReduce programs, Java Object Serialization is not as efficient as Writables, so it’s not worth making this trade-off (see the sidebar Why Not Use Java Object Serialization?). There are a number of other serialization frameworks that approach the problem in a different way: rather than defining types through code, you define them in a language-neutral, declarative fashion, using an interface description language (IDL). The system can then generate types for different languages, which is good for interoperability. They also typically define versioning schemes that make type evolution straightforward. Hadoop’s own Record I/O (found in the org.apache.hadoop.record package) has an IDL that is compiled into Writable objects, which makes it convenient for generating types that are compatible with MapReduce. For whatever reason, however, Record I/O was not widely used, and has been deprecated in favor of Avro. Apache Thrift and Google Protocol Buffers are both popular serialization frameworks, and they are commonly used as a format for persistent binary data. There is limited support for these as MapReduce formats;[36] however, they are used internally in parts of Hadoop for RPC and data exchange. In the next section, we look at Avro, an IDL-based serialization framework designed to work well with large-scale data processing in Hadoop. Apache Avro[37].[38] Like these systems and others, Avro data is described using a language-independent schema. However, unlike. Furthermore, since Avro was designed with MapReduce in mind, in the future it will be possible to use Avro to bring first-class MapReduce APIs (that is, ones that are richer than Streaming, such as the Java API or C++ Pipes) to languages that speak Avro. Avro can be used for RPC, too, although this isn’t covered here. More information is in the specification. Avro defines a small number of primitive data types, which can be used to build application-specific data structures by writing schemas. For interoperability, implementations must support all Avro types. Avro’s primitive types are listed in Table 4-9. Each primitive type may also be specified using a more verbose form by using the type attribute, such as: { "type": "null" } Avro also defines the complex types listed in Table 4-10, along with a representative example of a schema of each type. Each Avro language API has a representation for each Avro type that is specific to the language. For example, Avro’s double type is represented in C, C++, and Java by a double, in Python by a float, and in Ruby by a Float. What’s more, there may be more than one representation, or mapping, for a language. All languages support a dynamic mapping, which can be used even when the schema is not known ahead of runtime. Java calls this the generic mapping. In addition, the Java and C++ implementations can generate code to represent the data for an Avro schema. Code generation, which is called the specific mapping in Java, is an optimization that is useful when you have a copy of the schema before you read or write data. Generated classes also provide a more domain-oriented API for user code than generic ones. Java has a third mapping, the reflect mapping, which maps Avro types onto preexisting Java types using reflection. It is slower than the generic and specific mappings, and is generally not recommended for new applications. Java’s type mappings are shown in Table 4-11. As the table shows, the specific mapping is the same as the generic one unless otherwise noted (and the reflect one is the same as the specific one unless noted). The specific mapping differs from the generic one only for record, enum, and fixed, all of which have generated classes (the name of which is controlled by the name and optional namespace attribute). Avro string can be represented by either Java String or the Avro Utf8 Java type. The reason to use Utf8 is efficiency: because it is mutable, a single Utf8 instance may be reused for reading or writing a series of values. Also, Java String decodes UTF-8 at object construction time, whereas Avro Utf8 does it lazily, which can increase performance in some cases. Utf8 implements Java’s java.lang.CharSequence interface, which allows some interoperability with Java libraries. In other cases it may be necessary to convert Utf8 instances to String objects by calling its toString() method. From Avro 1.6.0 onward, there is an option to have Avro always perform the conversion to String. There are a couple of ways to achieve this. The first is to set the avro.java.string property in the schema to String: { "type": "string", "avro.java.string": "String" } Alternatively, for the specific mapping, you can generate classes that have String-based getters and setters. When using the Avro Maven plug-in, this is done by setting the configuration property stringType to String (the example code that accompanies the book has a demonstration of this). Finally, note that the Java reflect mapping always uses String objects, since it is designed for Java compatibility, not performance. Avro provides APIs for serialization and deserialization, which are useful when you want to integrate Avro with an existing system, such as a messaging system where the framing format is already defined. In other cases, consider using Avro’s datafile format. Let’s write a Java program to read and write Avro data to and from streams. We’ll start with a simple Avro schema for representing a pair of strings as a record: { "type": "record", "name": "StringPair", "doc": "A pair of strings.", "fields": [ {"name": "left", "type": "string"}, {"name": "right", "type": "string"} ] } If this schema is saved in a file on the classpath called StringPair.avsc ( .avsc is the conventional extension for an Avro schema), we can load it using the following two lines of code: Schema.Parser parser = new Schema.Parser(); Schema schema = parser.parse(getClass().getResourceAsStream("StringPair.avsc")); We can create an instance of an Avro record using the generic API as follows: GenericRecord datum = new GenericData.Record(schema); datum.put("left", "L"); datum.put("right", "R"); Next,(); There are two important objects here: the DatumWriter and the Encoder. A DatumWriter translates data objects into the types understood by an Encoder, which the latter writes to the output stream. Here we are using a GenericDatumWriter, which passes the fields of GenericRecord to the Encoder. We pass a null to the encoder factory because we are not reusing a previously constructed encoder here. In this example only one object is written to the stream, but we could call write() with more objects before closing the stream if we wanted to. The GenericDatumWriter needs to be passed the schema because it follows the schema to determine which values from the data objects to write out. After we have called the writer’s write() method, we flush the encoder, then close the output stream. We can reverse the process and")); We pass null to the calls to binaryDecoder() and read() because we are not reusing objects here (the decoder or the record, respectively). The objects returned by result.get("left") and result.get("left") are of type Utf8, so we convert them into Java String objects by calling their toString() methods. Let’s look now at the equivalent code using the specific API. We can generate the StringPair class from the schema file by using Avro’s Maven plug-in for compiling schemas. The following is the relevant part of the Maven Project Object Model (POM): <project> ... <build> <plugins> <plugin> <groupId>org.apache.avro</groupId> <artifactId>avro-maven-plugin</artifactId> <version>${avro.version}</version> <executions> <execution> <id>schemas</id> <phase>generate-sources</phase> <goals> <goal>schema</goal> </goals> <configuration> <includes> <include>StringPair.avsc</include> </includes> <sourceDirectory>src/main/resources</sourceDirectory> <outputDirectory>${project.build.directory}/generated-sources/java </outputDirectory> </configuration> </execution> </executions> </plugin> </plugins> </build> ... </project> As an alternative to Maven, you can use Avro’s Ant task, org.apache.avro.specific.SchemaTask, or the Avro command-line tools[39] to generate Java code for a schema. In the code for serializing and deserializing, instead of a GenericRecord we construct a StringPair instance, which we write to the stream using a SpecificDatumWriter and read back using a SpecificDatumReader: StringPair datum = new StringPair(); datum.left = "L"; datum.right = "R"; ByteArrayOutputStream out = new ByteArrayOutputStream(); DatumWriter<StringPair> writer = new SpecificDatumWriter<StringPair>(StringPair.class); Encoder encoder = EncoderFactory.get().binaryEncoder(out, null); writer.write(datum, encoder); encoder.flush(); out.close(); DatumReader<StringPair> reader = new SpecificDatumReader<StringPair>(StringPair.class); Decoder decoder = DecoderFactory.get().binaryDecoder(out.toByteArray(), null); StringPair result = reader.read(null, decoder); assertThat(result.left.toString(), is("L")); assertThat(result.right.toString(), is("R")); From Avro 1.6.0, the generated Java code has getters and setters, so you can instead write datum.setLeft("L") and result.getLeft(). Avro’s object container file format is for storing sequences of Avro objects. It is very similar in design to Hadoop’s sequence files, which are described in SequenceFile. The main difference is that Avro datafiles are designed to be portable across languages, so, for example, you can write a file in Python and read it in C (we will do exactly this in the next section). A datafile has a header containing metadata, including the Avro schema and a sync marker, followed by a series of (optionally compressed) blocks containing the serialized Avro objects. Blocks are separated by a sync marker that is unique to the file (the marker for a particular file is found in the header) and that permits rapid resynchronization with a block boundary after seeking to an arbitrary point in the file, such as an HDFS block boundary. Thus, Avro datafiles are splittable, which makes them amenable to efficient MapReduce processing. Writing Avro objects to a datafile is similar to writing to a stream. We use a DatumWriter as before, but instead of using an Encoder, we create a DataFileWriter instance with the DatumWriter. Then we can create a new datafile (which, by convention, has a .avro extension) and append objects to it: File file = new File("data.avro"); DatumWriter<GenericRecord> writer = new GenericDatumWriter<GenericRecord>(schema); DataFileWriter<GenericRecord> dataFileWriter = new DataFileWriter<GenericRecord>(writer); dataFileWriter.create(schema, file); dataFileWriter.append(datum); dataFileWriter.close(); The objects that we write to the datafile must conform to the file’s schema; otherwise, an exception will be thrown when we call append(). This example demonstrates writing to a local file ( java.io.File in the previous snippet), but we can write to any java.io.OutputStream by using the overloaded create() method on DataFileWriter. To write a file to HDFS, for example, get an OutputStream by calling create() on FileSystem (see Writing Data). Reading back objects from a datafile is similar to the earlier case of reading objects from an in-memory stream, with one important difference: we don’t have to specify a schema, since it is read from the file metadata. Indeed, we can get the schema from the DataFileReader instance, using getSchema(), and verify that it is the same as the one we used to write the original object: DatumReader<GenericRecord> reader = new GenericDatumReader<GenericRecord>(); DataFileReader<GenericRecord> dataFileReader = new DataFileReader<GenericRecord>(file, reader); assertThat("Schema is the same", schema, is(dataFileReader.getSchema())); DataFileReader is a regular Java iterator, so we can iterate through its data objects by calling its hasNext() and next() methods. The following snippet checks that there is only one record and that it has the expected field values: assertThat(dataFileReader.hasNext(), is(true)); GenericRecord result = dataFileReader.next(); assertThat(result.get("left").toString(), is("L")); assertThat(result.get("right").toString(), is("R")); assertThat(dataFileReader.hasNext(), is(false)); Rather than using the usual next() method, however, it is preferable to use the overloaded form that takes an instance of the object to be returned (in this case, Generic Record), since it will reuse the object and save allocation and garbage collection costs for files containing many objects. The following is idiomatic: GenericRecord record = null; while (dataFileReader.hasNext()) { record = dataFileReader.next(record); // process record } If object reuse is not important, you can use this shorter form: for (GenericRecord record : dataFileReader) { // process record } For the general case of reading a file on a Hadoop filesystem, use Avro’s FsInput to specify the input file using a Hadoop Path object. DataFileReader actually offers random access to Avro datafiles (via its seek() and sync() methods); however, in many cases, sequential streaming access is sufficient, for which DataFileStream should be used. DataFileStream can read from any Java InputStream. To demonstrate Avro’s language interoperability, let’s write a datafile using one language (Python) and read it back with another (C). The program in Example 4-10 reads comma-separated strings from standard input and writes them as StringPair records to an Avro datafile. Like the Java code for writing a datafile, we create a DatumWriter and a DataFileWriter object. Notice that we have embedded the Avro schema in the code, although we could equally well have read it from a file. Python represents Avro records as dictionaries; each line that is read from standard in is turned into a dict object and appended to the DataFileWriter. Example 4-10. A Python program for writing Avro record pairs to a datafile import os import string import sys from avro import schema from avro import io from avro import datafile if __name__ == '__main__': if len(sys.argv) != 2: sys.exit('Usage: %s <data_file>' % sys.argv[0]) avro_file = sys.argv[1] writer = open(avro_file, 'wb') datum_writer = io.DatumWriter() schema_object = schema.parse("\ { "type": "record", "name": "StringPair", "doc": "A pair of strings.", "fields": [ {"name": "left", "type": "string"}, {"name": "right", "type": "string"} ] }") dfw = datafile.DataFileWriter(writer, datum_writer, schema_object) for line in sys.stdin.readlines(): (left, right) = string.split(line.strip(), ',') dfw.append({'left':left, 'right':right}); dfw.close() Before we can run the program, we need to install Avro for Python: % easy_install avro To run the program, we specify the name of the file to write output to (pairs.avro) and send input pairs over standard in, marking the end of file by typing Ctrl-D: % python avro/src/main/py/write_pairs.py pairs.avro a,1 c,2 b,3 b,2 ^D Next we’ll turn to the C API and write a program to display the contents of pairs.avro; see Example 4-11.[40] Example 4-11. A C program for reading Avro record pairs from a datafile #include <avro.h> #include <stdio.h> #include <stdlib.h> int main(int argc, char *argv[]) { if (argc != 2) { fprintf(stderr, "Usage: dump_pairs <data_file>\n"); exit(EXIT_FAILURE); } const char *avrofile = argv[1]; avro_schema_error_t error; avro_file_reader_t filereader; avro_datum_t pair; avro_datum_t left; avro_datum_t right; int rval; char *p; avro_file_reader(avrofile, &filereader); while (1) { rval = avro_file_reader_read(filereader, NULL, &pair); if (rval) break; if (avro_record_get(pair, "left", &left) == 0) { avro_string_get(left, &p); fprintf(stdout, "%s,", p); } if (avro_record_get(pair, "right", &right) == 0) { avro_string_get(right, &p); fprintf(stdout, "%s\n", p); } } avro_file_reader_close(filereader); return 0; } The core of the program does three things: Opens a file reader of type avro_file_reader_t by calling Avro’s avro_ file_reader function[41] Reads Avro data from the file reader with the avro_file_reader_read function in a while loop until there are no pairs left (as determined by the return value rval) Closes the file reader with avro_file_reader_close The avro_file_reader_read function accepts a schema as its second argument to support the case where the schema for reading is different from the one used when the file was written (this is explained in the next section), but we simply pass in NULL, which tells Avro to use the datafile’s schema. The third argument is a pointer to a avro_datum_t object, which is populated with the contents of the next record read from the file. We unpack the pair structure into its fields by calling avro_record_get, and then we extract the value of these fields as strings using avro_string_get, which we print to the console. Running the program using the output of the Python program prints the original input: % ./dump_pairs pairs.avroa,1 c,2 b,3 b,2 We have successfully exchanged complex data between two Avro implementations. We can choose to use a different schema for reading the data back (the reader’s schema) from the one we used to write it (the writer’s schema). This is a powerful tool because it enables schema evolution. To illustrate, consider a new schema for string pairs with an added description field: { "type": "record", "name": "StringPair", "doc": "A pair of strings with an added field.", "fields": [ {"name": "left", "type": "string"}, {"name": "right", "type": "string"}, {"name": "description", "type": "string", "default": "} ] } We can use this schema to read the data we serialized earlier because crucially, we have given the description field a default value (the empty string),[42] which Avro will use when there is no field defined in the records it is reading. Had we omitted the default attribute, we would get an error when trying to read the old data. To make the default value null rather than the empty string, we would instead define the description field using a union with the null Avro type: {"name": "description", "type": ["null", "string"], "default": null} When the reader’s schema is different from the writer’s, we use the constructor for GenericDatumReader that takes two schema objects, the writer’s and the reader’s, in that order: DatumReader<GenericRecord> reader = new GenericDatumReader<GenericRecord>(schema, newSchema); Decoder decoder = DecoderFactory.get().binaryDecoder(out.toByteArray(), null); GenericRecord result = reader.read(null, decoder); assertThat(result.get("left").toString(), is("L")); assertThat(result.get("right").toString(), is("R")); assertThat(result.get("description").toString(), is(")); For datafiles, which have the writer’s schema stored in the metadata, we only need to specify the readers’s schema explicitly, which we can do by passing null for the writer’s schema: DatumReader<GenericRecord> reader = new GenericDatumReader<GenericRecord>(null, newSchema); Another common use of a different reader’s schema is to drop fields in a record, an operation called projection. This is useful when you have records with a large number of fields and you want to read only some of them. For example, this schema can be used to get only the right field of a StringPair: { "type": "record", "name": "StringPair", "doc": "The right field of a pair of strings.", "fields": [ {"name": "right", "type": "string"} ] } The rules for schema resolution have a direct bearing on how schemas may evolve from one version to the next, and are spelled out in the Avro specification for all Avro types. A summary of the rules for record evolution from the point of view of readers and writers (or servers and clients) is presented in Table 4-12. Another useful technique for evolving Avro schemas is the use of name aliases. Aliases allow you to use different names in the schema used to read the Avro data than in the schema originally used to write the data. For example, the following reader’s schema can be used to read StringPair data with the new field names first and second instead of left and right (which is what it was written with). { "type": "record", "name": "StringPair", "doc": "A pair of strings with aliased field names.", "fields": [ {"name": "first", "type": "string", "aliases": ["left"]}, {"name": "second", "type": "string", "aliases": ["right"]} ] } Note that the aliases are used to translate (at read time) the writer’s schema into the reader’s, but the alias names are not available to the reader. In this example, the reader cannot use the field names left and right, because they have already been translated to first and second. Avro defines a sort order for objects. For most Avro types, the order is the natural one you would expect—for example, numeric types are ordered by ascending numeric value. Others are a little more subtle. For instance, enums are compared by the order in which the symbol is defined and not by the value of the symbol string. All types except record have preordained rules for their sort order, as described in the Avro specification, that cannot be overridden by the user. For records, however, you can control the sort order by specifying the order attribute for a field. It takes one of three values: ascending (the default), descending (to reverse the order), or ignore (so the field is skipped for comparison purposes). For example, the following schema (SortedStringPair.avsc) defines an ordering of StringPair records by the right field in descending order. The left field is ignored for the purposes of ordering, but it is still present in the projection: { "type": "record", "name": "StringPair", "doc": "A pair of strings, sorted by right field descending.", "fields": [ {"name": "left", "type": "string", "order": "ignore"}, {"name": "right", "type": "string", "order": "descending"} ] } The record’s fields are compared pairwise in the document order of the reader’s schema. Thus, by specifying an appropriate reader’s schema, you can impose an arbitrary ordering on data records. This schema (SwitchedStringPair.avsc) defines a sort order by the right field, then the left: { "type": "record", "name": "StringPair", "doc": "A pair of strings, sorted by right then left.", "fields": [ {"name": "right", "type": "string"}, {"name": "left", "type": "string"} ] } Avro implements efficient binary comparisons. That is to say, Avro does not have to deserialize a binary data into objects to perform the comparison, because it can instead work directly on the byte streams.[43] In the case of the original StringPair schema (with no order attributes), for example, Avro implements the binary comparison as follows. The first field, left, is a UTF-8-encoded string, for which Avro can compare the bytes lexicographically. If they differ, the order is determined, and Avro can stop the comparison there. Otherwise, if the two-byte sequences are the same, it compares the second two ( right) fields, again lexicographically at the byte level because the field is another UTF-8 string. Notice that this description of a comparison function has exactly the same logic as the binary comparator we wrote for Writables in Implementing a RawComparator for speed. The great thing is that Avro provides the comparator for us, so we don’t have to write and maintain this code. It’s also easy to change the sort order just by changing the reader’s schema. For the SortedStringPair.avsc or SwitchedStringPair.avsc schemas, the comparison function Avro uses is essentially the same as the one just described. The differences are which fields are considered, the order in which they are considered, and whether the sort order is ascending or descending. Later in the chapter we’ll use Avro’s sorting logic in conjunction with MapReduce to sort Avro datafiles in parallel. Avro provides a number of classes for making it easy to run MapReduce programs on Avro data. For example, AvroMapper and AvroReducer in the org.apache.avro.mapred package are specializations of Hadoop’s (old-style) Mapper and Reducer classes. They eliminate the key-value distinction for inputs and outputs, since Avro datafiles are just a sequence of values. However, intermediate data is still divided into key-value pairs for the shuffle. Let’s rework the MapReduce program for finding the maximum temperature for each year in the weather dataset, this time using the Avro MapReduce API. We will represent weather records using the following schema: { "type": "record", "name": "WeatherRecord", "doc": "A weather reading.", "fields": [ {"name": "year", "type": "int"}, {"name": "temperature", "type": "int"}, {"name": "stationId", "type": "string"} ] } The program in Example 4-12 reads text input (in the format we saw in earlier chapters) and writes Avro datafiles containing weather records as output. Example 4-12. MapReduce program to find the maximum temperature, creating Avro output public class AvroGenericMaxTemperature extends Configured implements Tool { private static final Schema SCHEMA = new Schema.Parser().parse( "{" + " \"type\": \"record\"," + " \"name\": \"WeatherRecord\"," + " \"doc\": \"A weather reading.\"," + " \"fields\": [" + " {\"name\": \"year\", \"type\": \"int\"}," + " {\"name\": \"temperature\", \"type\": \"int\"}," + " {\"name\": \"stationId\", \"type\": \"string\"}" + " ]" + "}" ); public static class MaxTemperatureMapper extends AvroMapper<Utf8, Pair<Integer, GenericRecord>> { private NcdcRecordParser parser = new NcdcRecordParser(); private GenericRecord record = new GenericData.Record(SCHEMA); @Override public void map(Utf8 line, AvroCollector<Pair<Integer, GenericRecord>> collector, Reporter reporter) throws IOException { parser.parse(line.toString()); if (parser.isValidTemperature()) { record.put("year", parser.getYearInt()); record.put("temperature", parser.getAirTemperature()); record.put("stationId", parser.getStationId()); collector.collect( new Pair<Integer, GenericRecord>(parser.getYearInt(), record)); } } } public static class MaxTemperatureReducer extends AvroReducer<Integer, GenericRecord, GenericRecord> { @Override public void reduce(Integer key, Iterable<GenericRecord> values, AvroCollector<GenericRecord> collector, Reporter reporter) throws IOException { GenericRecord max = null; for (GenericRecord value : values) { if (max == null || (Integer) value.get("temperature") > (Integer) max.get("temperature")) { max = newWeatherRecord(value); } } collector.collect(max); } private GenericRecord newWeatherRecord(GenericRecord value) { GenericRecord record = new GenericData.Record(SCHEMA); record.put("year", value.get("year")); record.put("temperature", value.get("temperature")); record.put("stationId", value.get("stationId")); return record; } } @Override public int run(String[] args) throws Exception { if (args.length != 2) { System.err.printf("Usage: %s [generic options] <input> <output>\n", getClass().getSimpleName()); ToolRunner.printGenericCommandUsage(System.err); return -1; } JobConf conf = new JobConf(getConf(), getClass()); conf.setJobName("Max temperature"); FileInputFormat.addInputPath(conf, new Path(args[0])); FileOutputFormat.setOutputPath(conf, new Path(args[1])); AvroJob.setInputSchema(conf, Schema.create(Schema.Type.STRING)); AvroJob.setMapOutputSchema(conf, Pair.getPairSchema(Schema.create(Schema.Type.INT), SCHEMA)); AvroJob.setOutputSchema(conf, SCHEMA); conf.setInputFormat(AvroUtf8InputFormat.class); AvroJob.setMapperClass(conf, MaxTemperatureMapper.class); AvroJob.setReducerClass(conf, MaxTemperatureReducer.class); JobClient.runJob(conf); return 0; } public static void main(String[] args) throws Exception { int exitCode = ToolRunner.run(new AvroGenericMaxTemperature(), args); System.exit(exitCode); } } This program uses the generic Avro mapping. This frees us from generating code to represent records, at the expense of type safety (field names are referred to by string value, such as "temperature").[44] The schema for weather records is inlined in the code for convenience (and read into the SCHEMA constant), although in practice it might be more maintainable to read the schema from a local file in the driver code and pass it to the mapper and reducer via the Hadoop job configuration. (Techniques for achieving this are discussed in Side Data Distribution.) There are a couple of differences from the regular Hadoop MapReduce API. The first is the use of a org.apache.avro.mapred.Pair to wrap the map output key and value in MaxTemperatureMapper. (The reason that the org.apache.avro.mapred.AvroMapper doesn’t have a fixed output key and value is so that map-only jobs can emit just values to Avro datafiles.) For this MapReduce program, the key is the year (an integer), and the value is the weather record, which is represented by Avro’s GenericRecord. Avro MapReduce does preserve the notion of key-value pairs for the input to the reducer, however, because this is what comes out of the shuffle, and it unwraps the Pair before invoking the org.apache.avro.mapred.AvroReducer. The MaxTemperatureReducer iterates through the records for each key (year) and finds the one with the maximum temperature. It is necessary to make a copy of the record with the highest temperature found so far, since the iterator reuses the instance for reasons of efficiency (and only the fields are updated). The second major difference from regular MapReduce is the use of AvroJob for configuring the job. AvroJob is a convenience class for specifying the Avro schemas for the input, map output, and final output data. In this program the input schema is an Avro string because we are reading from a text file, and the input format is set correspondingly, to AvroUtf8InputFormat. The map output schema is a pair schema whose key schema is an Avro int and whose value schema is the weather record schema. The final output schema is the weather record schema, and the output format is the default, AvroOutputFormat, which writes to Avro datafiles. The following command line shows how to run the program on a small sample dataset: % hadoop jar avro-examples.jar AvroGenericMaxTemperature \ input/ncdc/sample.txt output On completion we can look at the output using the Avro tools JAR to render the Avro datafile as JSON, one record per line: % java -jar $AVRO_HOME/avro-tools-*.jar tojson output/part-00000.avro{"year":1949,"temperature":111,"stationId":"012650-99999"} {"year":1950,"temperature":22,"stationId":"011990-99999"} In this example, we used an AvroMapper and an AvroReducer, but the API supports a mixture of regular MapReduce mappers and reducers with Avro-specific ones, which is useful for converting between Avro formats and other formats, such as SequenceFiles. See the documentation for the Avro MapReduce package for details. In this section we use Avro’s sort capabilities and combine them with MapReduce to write a program to sort an Avro datafile (Example 4-13). Example 4-13. A MapReduce program to sort an Avro datafile public class AvroSort extends Configured implements Tool { static class SortMapper<K> extends AvroMapper<K, Pair<K, K>> { public void map(K datum, AvroCollector<Pair<K, K>> collector, Reporter reporter) throws IOException { collector.collect(new Pair<K, K>(datum, null, datum, null)); } } static class SortReducer<K> extends AvroReducer<K, K, K> { public void reduce(K key, Iterable<K> values, AvroCollector<K> collector, Reporter reporter) throws IOException { for (K value : values) { collector.collect(value); } } } @Override public int run(String[] args) throws Exception { if (args.length != 3) { System.err.printf( "Usage: %s [generic options] <input> <output> <schema-file>\n", getClass().getSimpleName()); ToolRunner.printGenericCommandUsage(System.err); return -1; } String input = args[0]; String output = args[1]; String schemaFile = args[2]; JobConf conf = new JobConf(getConf(), getClass()); conf.setJobName("Avro sort"); FileInputFormat.addInputPath(conf, new Path(input)); FileOutputFormat.setOutputPath(conf, new Path(output)); Schema schema = new Schema.Parser().parse(new File(schemaFile)); AvroJob.setInputSchema(conf, schema); Schema intermediateSchema = Pair.getPairSchema(schema, schema); AvroJob.setMapOutputSchema(conf, intermediateSchema); AvroJob.setOutputSchema(conf, schema); AvroJob.setMapperClass(conf, SortMapper.class); AvroJob.setReducerClass(conf, SortReducer.class); JobClient.runJob(conf); return 0; } public static void main(String[] args) throws Exception { int exitCode = ToolRunner.run(new AvroSort(), args); System.exit(exitCode); } } This program (which uses the generic Avro mapping and hence does not require any code generation) can sort Avro records of any type, represented in Java by the generic type parameter K. We choose a value that is the same as the key, so that when the values are grouped by key we can emit all of the values in the case that more than one of them share the same key (according to the sorting function), thereby not losing any records.[45] The mapper simply emits an org.apache.avro.mapred.Pair object with this key and value. The reducer acts as an identity, passing the values through to the (single-valued) output, which will get written to an Avro datafile. The sorting happens in the MapReduce shuffle, and the sort function is determined by the Avro schema that is passed to the program. Let’s use the program to sort the pairs.avro file created earlier, using the SortedStringPair.avsc schema to sort by the right field in descending order. First, we inspect the input using the Avro tools JAR: % java -jar $AVRO_HOME/avro-tools-*.jar tojson input/avro/pairs.avro{"left":"a","right":"1"} {"left":"c","right":"2"} {"left":"b","right":"3"} {"left":"b","right":"2"} Then we run the sort: % hadoop jar avro-examples.jar AvroSort input/avro/pairs.avro output \ ch04-avro/src/main/resources/SortedStringPair.avsc Finally, we inspect the output and see that it is sorted correctly. % java -jar $AVRO_HOME/avro-tools-*.jar tojson output/part-00000.avro{"left":"b","right":"3"} {"left":"c","right":"2"} {"left":"b","right":"2"} {"left":"a","right":"1"} For languages other than Java, there are a few choices for working with Avro data. AvroAsTextInputFormat is designed to allow Hadoop Streaming programs to read Avro datafiles. Each datum in the file is converted to a string, which is the JSON representation of the datum, or just to the raw bytes if the type is Avro bytes. Going the other way, you can specify AvroTextOutputFormat as the output format of a Streaming job to create Avro datafiles with a bytes schema, where each datum is the tab-delimited key-value pair written from the Streaming output. Both of these classes can be found in the org.apache.avro.mapred package. For a richer interface than Streaming, Avro provides a connector framework (in the org.apache.avro.mapred.tether package), which is the Avro analog of Hadoop Pipes. At the time of this writing, there are no bindings for other languages, but a Python implementation will be available in a future release. It’s also worth considering Pig and Hive for doing Avro processing, since both can read and write Avro datafiles by specifying the appropriate storage formats. For some applications, you need a specialized data structure to hold your data. For doing MapReduce-based processing, putting each blob of binary data into its own file doesn’t scale, so Hadoop developed a number of higher-level containers for these situations. Imagine a logfile where each log record is a new line of text. If you want to log binary types, plain text isn’t a suitable format. Hadoop’s SequenceFile class fits the bill in this situation, providing a persistent data structure for binary key-value pairs. To use it as a logfile format, you would choose a key, such as timestamp represented by a LongWritable, and the value would be Writable that represents the quantity being logged. SequenceFiles also work well as containers for smaller files. HDFS and MapReduce are optimized for large files, so packing files into a SequenceFile makes storing and processing the smaller files more efficient. (Processing a whole file as a record contains a program to pack files into a SequenceFile).[46] To create a SequenceFile, use one of its createWriter() static methods, which return a SequenceFile.Writer instance. There are several overloaded versions, but they all require you to specify a stream to write to (either an FSDataOutputStream or a File System and Path pairing), a Configuration object, and the key and value types. Optional arguments include the compression type and codec, a Progressable callback to be informed of write progress, and a Metadata instance to be stored in the SequenceFile header. The keys and values stored in a SequenceFile do not necessarily need to be Writable. Any types that can be serialized and deserialized by a Serialization may be used. Once you have a SequenceFile.Writer, you then write key-value pairs using the append() method. When you’ve finished, you call the close() method ( SequenceFile.Writer implements java.io.Closeable). Example 4-14 shows a short program to write some key-value pairs to a SequenceFile using the API just described. Example 4-14. Writing a SequenceFile public class Sequence);); } } } The keys in the sequence file are integers counting down from 100 to 1, represented as IntWritable objects. The values are Text objects. Before each record is appended to the SequenceFile.Writer, we call the getLength() method to discover the current position in the file. (We will use this information about record boundaries in the next section when we read the file nonsequentially.) We write the position out to the console, along with the key and value pairs. The result of running it is shown here: % hadoop SequenceFileWriteDemo Reading sequence files from beginning to end is a matter of creating an instance of SequenceFile.Reader and iterating over records by repeatedly invoking one of the next() methods. Which one you use depends on the serialization framework you are using. If you are using Writable types, you can use the next() method that takes a key and a value argument and reads the next key and value in the stream into these variables: public boolean next(Writable key, Writable val) The return value is true if a key-value pair was read and false if the end of the file has been reached. For other, non- Writable serialization frameworks (such as Apache Thrift), you should use these two methods: public Object next(Object key) throws IOException public Object getCurrentValue(Object val) throws IOException In this case, you need to make sure that the serialization you want to use has been set in the io.serializations property; see Serialization Frameworks. If the next() method returns a non- null object, a key-value pair was read from the stream, and the value can be retrieved using the getCurrentValue() method. Otherwise, if next() returns null, the end of the file has been reached. The program in Example 4-15 demonstrates how to read a sequence file that has Writable keys and values. Note how the types are discovered from the SequenceFile.Reader via calls to getKeyClass() and getValueClass(), and then ReflectionUtils is used to create an instance for the key and an instance for the value. By using this technique, the program can be used with any sequence file that has Writable keys and values. Example 4-15. Reading a SequenceFile public class SequenceFileReadDemo { public static void main(String[] args) throws IOException { String uri = args[0]; Configuration conf = new Configuration(); FileSystem fs = FileSystem.get(URI.create(uri), conf); Path path = new Path(uri); SequenceFile.Reader reader = null; try { reader = new SequenceFile.Reader(fs, path, conf); Writable key = (Writable) ReflectionUtils.newInstance(reader.getKeyClass(), conf); Writable value = (Writable) ReflectionUtils.newInstance(reader.getValueClass(), conf); long position = reader.getPosition(); while (reader.next(key, value)) { String syncSeen = reader.syncSeen() ? "*" : "; System.out.printf("[%s%s]\t%s\t%s\n", position, syncSeen, key, value); position = reader.getPosition(); // beginning of next record } } finally { IOUtils.closeStream(reader); } } } Another feature of the program is that it displays the position of the sync points in the sequence file. A sync point is a point in the stream that can be used to resynchronize with a record boundary if the reader is “lost”—for example, after seeking to an arbitrary position in the stream. Sync points are recorded by SequenceFile.Writer, which inserts a special entry to mark the sync point every few records as a sequence file is being written. Such entries are small enough to incur only a modest storage overhead—less than 1%. Sync points always align with record boundaries. Running the program in Example 4-15 shows the sync points in the sequence file as asterisks. The first one occurs at position 2021 (the second one occurs at position 4075, but is not shown in the output): % hadoop SequenceFileReadDemo [590] 90 One, two, buckle my shoe ... There are two ways to seek to a given position in a sequence file. The first is the seek() method, which positions the reader at the given point in the file. For example, seeking to a record boundary works as expected: reader.seek(359); assertThat(reader.next(key, value), is(true)); assertThat(((IntWritable) key).get(), is(95)); But if the position in the file is not at a record boundary, the reader fails when the next() method is called: reader.seek(360); reader.next(key, value); // fails with IOException The second way to find a record boundary makes use of sync points. The sync(long position) method on SequenceFile.Reader positions the reader at the next sync point after position. (If there are no sync points in the file after this position, then the reader will be positioned at the end of the file.) Thus, we can call sync() with any position in the stream—a nonrecord boundary, for example—and the reader will reestablish itself at the next sync point so reading can continue: reader.sync(360); assertThat(reader.getPosition(), is(2021L)); assertThat(reader.next(key, value), is(true)); assertThat(((IntWritable) key).get(), is(59)); SequenceFile.Writer has a method called sync() for inserting a sync point at the current position in the stream. This is not to be confused with the identically named but otherwise unrelated sync() method defined by the Syncable interface for synchronizing buffers to the underlying device. Sync points come into their own when using sequence files as input to MapReduce, since they permit the file to be split and different portions of it can be processed independently by separate map tasks. See SequenceFileInputFormat. The hadoop fs command has a -text option to display sequence files in textual form. It looks at a file’s magic number so that it can attempt to detect the type of the file and appropriately convert it to text. It can recognize gzipped files and sequence files; otherwise, it assumes the input is plain text. For sequence files, this command is really useful only if the keys and values have a meaningful string representation (as defined by the toString() method). Also, if you have your own key or value classes, you will need to make sure they are on Hadoop’s classpath. Running it on the sequence file we created in the previous section gives the following output: % hadoop fs -text numbers.seq | head100 One, two, buckle my shoe 99 Three, four, shut the door 98 Five, six, pick up sticks 97 Seven, eight, lay them straight 96 Nine, ten, a big fat hen 95 One, two, buckle my shoe 94 Three, four, shut the door 93 Five, six, pick up sticks 92 Seven, eight, lay them straight 91 Nine, ten, a big fat hen The most powerful way of sorting (and merging) one or more sequence files is to use MapReduce. MapReduce is inherently parallel and will let you specify the number of reducers to use, which determines the number of output partitions. For example, by specifying one reducer, you get a single output file. We can use the sort example that comes with Hadoop by specifying that the input and output are sequence files and by setting the key and value types: % sorted% hadoop fs -text sorted/part-00000 | head1 Nine, ten, a big fat hen 2 Seven, eight, lay them straight 3 Five, six, pick up sticks 4 Three, four, shut the door 5 One, two, buckle my shoe 6 Nine, ten, a big fat hen 7 Seven, eight, lay them straight 8 Five, six, pick up sticks 9 Three, four, shut the door 10 One, two, buckle my shoe Sorting is covered in more detail in Sorting. As an alternative to using MapReduce for sort/merge, there is a SequenceFile.Sorter class that has a number of sort() and merge() methods. These functions predate MapReduce and are lower-level functions than MapReduce (for example, to get parallelism, you need to partition your data manually), so in general MapReduce is the preferred approach to sort and merge sequence files. A sequence file consists of a header followed by one or more records (see Figure 4-2). The first three bytes of a sequence file are the bytes SEQ, which acts as a magic number, followed by a single byte representing the version number. The header contains other fields, including the names of the key and value classes, compression details, user-defined metadata, and the sync marker.[47] Recall that the sync marker is used to allow a reader to synchronize to a record boundary from any position in the file. Each file has a randomly generated sync marker, whose value is stored in the header. Sync markers appear between records in the sequence file. They are designed to incur less than a 1% storage overhead, so they don’t necessarily appear between every pair of records (such is the case for short records). Figure 4-2. The internal structure of a sequence file with no compression and with record compression The internal format of the records depends on whether compression is enabled, and if it is, whether it is record compression or block compression. If no compression is enabled (the default), each record is made up of the record length (in bytes), the key length, the key, and then the value. The length fields are written as four-byte integers adhering to the contract of the writeInt() method of java.io.DataOutput. Keys and values are serialized using the Serialization defined for the class being written to the sequence file. The format for record compression is almost identical to no compression, except the value bytes are compressed using the codec defined in the header. Note that keys are not compressed. Block compression compresses multiple records at once; it is therefore more compact than and should generally be preferred over record compression because it has the opportunity to take advantage of similarities between records. (See Figure 4-3.) Records are added to a block until it reaches a minimum size in bytes, defined by the io.seqfile.compress.blocksize property; the default is 1 million bytes.. MapFile can be thought of as a persistent form of java.util.Map (although it doesn’t implement this interface), which is able to grow beyond the size of a Map that is kept in memory. Writing a MapFile is similar to writing a SequenceFile: you create an instance of MapFile.Writer, then call the append() method to add entries in order. (Attempting to add entries out of order will result in an IOException.) Keys must be instances of WritableComparable, and values must be Writable. Contrast this to SequenceFile, which can use any serialization framework for its entries. The program in Example 4-16 creates a MapFile and writes some entries to it. It is very similar to the program in Example 4-14 for creating a SequenceFile. Example 4-16. Writing a MapFile public class Map); IntWritable key = new IntWritable(); Text value = new Text(); MapFile.Writer writer = null; try { writer = new MapFile.Writer(conf, fs, uri, key.getClass(), value.getClass()); for (int i = 0; i < 1024; i++) { key.set(i + 1); value.set(DATA[i % DATA.length]); writer.append(key, value); } } finally { IOUtils.closeStream(writer); } } } Let’s use this program to build a MapFile: % hadoop MapFileWriteDemo numbers.map If we look at the MapFile, we see it’s actually a directory containing two files called data and index: % ls -l numbers.maptotal 104 -rw-r--r-- 1 tom tom 47898 Jul 29 22:06 data -rw-r--r-- 1 tom tom 251 Jul 29 22:06 index Both files are SequenceFiles. The data file contains all of the entries, in order: % hadoop fs -text numbers.map/data | head1 One, two, buckle my shoe 2 Three, four, shut the door 3 Five, six, pick up sticks 4 Seven, eight, lay them straight 5 Nine, ten, a big fat hen 6 One, two, buckle my shoe 7 Three, four, shut the door 8 Five, six, pick up sticks 9 Seven, eight, lay them straight 10 Nine, ten, a big fat hen The index file contains a fraction of the keys and contains a mapping from the key to that key’s offset in the data file: % hadoop fs -text numbers.map/index1 128 129 6079 257 12054 385 18030 513 24002 641 29976 769 35947 897 41922 As we can see from the output, by default only every 128th key is included in the index, although you can change this value either by setting the io.map.index.interval property or by calling the setIndexInterval() method on the MapFile.Writer instance. A reason to increase the index interval would be to decrease the amount of memory that the MapFile needs to store the index. Conversely, you might decrease the interval to improve the time for random selection (since fewer records need to be skipped on average) at the expense of memory usage. Because the index is only a partial index of keys, MapFile is not able to provide methods to enumerate, or even count, all the keys it contains. The only way to perform these operations is to read the whole file. Iterating through the entries in order in a MapFile is similar to the procedure for a SequenceFile: you create a MapFile.Reader, then call the next() method until it returns false, signifying that no entry was read because the end of the file was reached: public boolean next(WritableComparable key, Writable val) throws IOException A random access lookup can be performed by calling the get() method: public Writable get(WritableComparable key, Writable val) throws IOException The return value is used to determine whether an entry was found in the MapFile; if it’s null, no value exists for the given key. If key was found, the value for that key is read into val, as well as being returned from the method call. It might be helpful to understand how this is implemented. Here is a snippet of code that retrieves an entry for the MapFile we created in the previous section: Text value = new Text(); reader.get(new IntWritable(496), value); assertThat(value.toString(), is("One, two, buckle my shoe")); For this operation, the MapFile.Reader reads the index file into memory (this is cached so that subsequent random access calls will use the same in-memory index). The reader then performs a binary search on the in-memory index to find the key in the index that is less than or equal to the search key, 496. In this example, the index key found is 385, with value 18030, which is the offset in the data file. Next, the reader seeks to this offset in the data file and reads entries until the key is greater than or equal to the search key (496). In this case, a match is found and the value is read from the data file. Overall, a lookup takes a single disk seek and a scan through up to 128 entries on disk. For a random-access read, this is actually very efficient. The getClosest() method is like get(), except it returns the “closest” match to the specified key rather than returning null on no match. More precisely, if the MapFile contains the specified key, then that is the entry returned; otherwise, the key in the MapFile that is immediately after (or before, according to a boolean argument) the specified key is returned. A very large MapFile’s index can take up a lot of memory. Rather than reindex to change the index interval, it is possible to load only a fraction of the index keys into memory when reading the MapFile by setting the io.map.index.skip property. This property is normally 0, which means no index keys are skipped; a value of 1 means skip one key for every key in the index (so every other key ends up in the index), 2 means skip two keys for every key in the index (so one third of the keys end up in the index), and so on. Larger skip values save memory but at the expense of lookup time, since on average, more entries have to be scanned on disk. Hadoop comes with a few variants on the general key-value MapFile interface: SetFile is a specialization of MapFile for storing a set of Writable keys. The keys must be added in sorted order. ArrayFile is a MapFile where the key is an integer representing the index of the element in the array and the value is a Writable value. BloomMapFile is a MapFile that offers a fast version of the get() method, especially for sparsely populated files. The implementation uses a dynamic bloom filter for testing whether a given key is in the map. The test is very fast because it is in-memory, but it has a nonzero probability of false positives, in which case the regular get() method is called. There are two tuning parameters: io.mapfile.bloom.size for the (approximate) number of entries in the map (default 1,048,576) and io.mapfile.bloom.error.rate for the desired maximum error rate (default 0.005, which is 0.5%). One way of looking at a MapFile is as an indexed and sorted SequenceFile. So it’s quite natural to want to be able to convert a SequenceFile into a MapFile. We covered how to sort a SequenceFile in Sorting and merging SequenceFiles, so here we look at how to create an index for a SequenceFile. The program in Example 4-17 hinges around the static utility method fix() on MapFile, which re-creates the index for a MapFile. Example 4-17. Re-creating the index for a MapFile public class MapFileFixer { public static void main(String[] args) throws Exception { String mapUri = args[0]; Configuration conf = new Configuration(); FileSystem fs = FileSystem.get(URI.create(mapUri), conf); Path map = new Path(mapUri); Path mapData = new Path(map, MapFile.DATA_FILE_NAME); // Get key and value types from data sequence file SequenceFile.Reader reader = new SequenceFile.Reader(fs, mapData, conf); Class keyClass = reader.getKeyClass(); Class valueClass = reader.getValueClass(); reader.close(); // Create the map file index file long entries = MapFile.fix(fs, map, keyClass, valueClass, false, conf); System.out.printf("Created MapFile %s with %d entries\n", map, entries); } } The fix() method is usually used for recreating corrupted indexes, but because it creates a new index from scratch, it’s exactly what we need here. The recipe is as follows: Sort the sequence file numbers.seq into a new directory called number.map that will become the MapFile (if the sequence file is already sorted, you can skip this step; instead, copy it to a file number.map/data, and go to step 3): % numbers.map Rename the MapReduce output to be the data file: % hadoop fs -mv numbers.map/part-00000 numbers.map/data Create the index file: % hadoop MapFileFixer numbers.mapCreated MapFile numbers.map with 100 entries The MapFile numbers.map now exists and can be used. [34] For a comprehensive set of compression benchmarks, is a good reference for JVM-compatible libraries (includes some native libraries). For command-line tools, see Jeff Gilchrist’s Archive Comparison Test at. [35] This example is based on one from the article “Supplementary Characters in the Java Platform.” [36] Twitter’s Elephant Bird project () includes tools for working with Thrift and Protocol Buffers in Hadoop. [38] Avro also performs favorably compared to other serialization libraries, as the benchmarks at demonstrate. [39] Avro can be downloaded in both source and binary forms from. Get usage instructions for the Avro tools by typing java -jar avro-tools-*.jar. [40] For the general case, the Avro tools JAR file has a tojson command that dumps the contents of a Avro datafile as JSON. [42] Default values for fields are encoded using JSON. See the Avro specification for a description of this encoding for each data type. [43] A useful consequence of this property is that you can compute an Avro datum’s hash code from either the object or the binary representation (the latter by using the static hashCode() method on BinaryData) and get the same result in both cases. [44] For an example that uses the specific mapping with generated classes, see the AvroSpecificMaxTemperature class in the example code. [45] We encounter this idea of duplicating information from the key in the value object again in Secondary Sort. [46] In a similar vein, the blog post “A Million Little Files” by Stuart Sierra includes code for converting a tar file into a SequenceFile ((). [47] Full details of the format of these fields may be found in SequenceFile’s documentation and source code. No credit card required
https://www.safaribooksonline.com/library/view/hadoop-the-definitive/9781449328917/ch04.html
CC-MAIN-2018-26
en
refinedweb
Qt WebEngine Core C++ Classes Provides public API shared by both QtWebEngine and QtWebEngineWidgets More... This module was introduced in Qt 5.6. Classes Detailed Description To include the definitions of the module's classes, use the following directive: #include <QtWebEngineCore> If you use qmake to build your projects, Qt WebEngine Core is usually indirectly included through the Qt WebEngine or Qt WebEngine Widgets modules. To link against the module, add this line to your qmake project file: QT += webenginecore However, webenginecore is implied by adding webengine or webenginewid.
http://doc.qt.io/qt-5/qtwebenginecore-module.html
CC-MAIN-2018-26
en
refinedweb
Metadata Application Profiles - Briana Clark - 1 years ago - Views: Transcription 1 Metadata Application Profiles Rachel Heery, UKOLN, University of Bath Robina Clayphan, British Library DC-2005: International Conference on Dublin Core and Metadata Applications, University Carlos III of Madrid. Tutorial 5: Application Profiles (part I) 15 September 2005 2 Tutorial will answer.. What is an application profile? Why do we need application profiles? Why should I declare an application profiles? How can I build an application profile? What is best practice for documenting an application profile? And what is happening in the real world? Case study 1 : British Library Application Profile Can I find out more? (yes, there is a reading list!) 3 DC Application Profile definition Specifies which metadata terms an organization, information provider, or user community uses in its metadata Identifies the terms used to describe a resource Optionally provides additional information about term usage e.g. how encoding schemes constrain values see DCAP Guidelines, CEN Workshop Agreement 14855:2003 4 More definitions Term: The generic name for a property (i.e. element or element refinement), vocabulary encoding scheme, syntax encoding scheme or concept taken from a controlled vocabulary (concept space). A property is a specific aspect, characteristic, attribute, or relation used to describe resources. Within DCMI, element is typically used as a synonym for property. A vocabulary encoding scheme is a class that indicates that the value of a property is taken from a controlled vocabulary (or concept-space), such as the Library of Congress Subject Headings. From DC Abstract Model 5 Context Evolution of DCMI metadata vocabulary 10 years old! Experience after 10 years of implementation Informing practice for extensions and customisation Connected work on schemas and registries DESIRE, SCHEMAS, CORES, MEG Registry MMI-DC workshop within the European Committee for Standardisation (CEN) CEN Working Agreements CWA 14855:2003, CWA 15248:2005 6 Why do we need application profiles? Why should I declare an application profile? 7 Proliferation of metadata Metadata is required for: Resource discovery Enterprise portals Subject gateways Metasearch Managing high throughput escience Expressing Digital Rights Ensuring preservation Appropriate terms must be identified wherever metadata is needed 8 Proliferation of metadata Increase in metadata vocabularies DCMI IEEE LOM MODS MARC 21 UNIMARC MPEG-7 FOAF RSS 9 Implementor perspective Implementors are seeking a metadata vocabulary for their particular service or system Implementors approve of re-use Implementors acknowledge importance of interoperability. but there is pressure to satisfy local requirements and to be innovative Tension between using standard terms in a vocabulary and localisation 10 Proliferation of localised extensions Metadata standards vocabularies are published but Implementor adaptations and extensions are not made widely available Sharing semantics will reduce duplication and repetition 11 We need to exchange information about metadata terms we use What terms do your metadata descriptions use? A DCAP expresses in a structured way Which standard terms are used in an application Source of terms Usage constraints 12 Benefits of documenting terms we use To provide authoritative specification of term usage To facilitate interoperability by informing potential users To support evolution of vocabulary To encourage alignment To enable interpretation of legacy metadata 13 Profiling standards is not new Z39.50 application profiles sub-sets of standard appropriate for application area IEEE LOM UK Common Metadata Format METS profiles and so on 14 Extensibility of metadata vocabularies is not new Warwick Metadata Workshop, 1996 MARC 9XX local tags PRISM (Publishing Requirements for Industry Standard Metadata) and so on 15 How do I build an application profile? need to meet service and systems requirements for metadata 16 Reviewing requirements for metadata Analyse functionality required ( by means of use cases) Will an existing standard vocabulary meet the requirements? If not what extensions are needed? For comparing metadata and functionality see TEL matrix 17 TEL metadata functionality matrix Score whether: element contributes to a function element is required or contributes to a large extent element s presence may trigger the portal to offer a function Functionality criteria: Resource discovery Identification Multilinguality Authority service Administration Authorisation Copy cataloguing And so on Britta Woldering The European Library: Integrated access to the national libraries of Europe January 2004, Ariadne Issue 38. 18 Making choices between metadata vocabularies Look at what others in the domain are using Consider: stability/volatility of the standard (and whether it really IS a standard) how the community for the standard integrates new needs and ideas startup and maintenance costs for use in an individual project (higher for more complex formats and implementations) Document choices and reasoning for your successors (they will thank you) (acknowledgements to Diane Hillmann!) 19 What terms to use to meet your requirements? Decision tree: Use existing DCMI term whenever possible Can requirement be met with a new encoding scheme value, or a new encoding scheme? Are there suitable terms already used and declared in other DC application profiles? If not declare a new local property. 20 Examples of DC Application Profiles JISC IE Services Registry AP TEL AP (The European Library) DCMI APs Library AP Collection Description AP Education AP 21 The European Library (TEL) Application Profile Starting point was DC-Lib AP TEL-specific additions to support desired functionality e.g. OpenURL (get local services for this record) RecordId (get original record) Thumbnail (thumbnail image) Why? acknowledged need for controlled evolution of metadata terms the ability to add future functionality may depend on additional terms new sectors/collections may require specific terms 22 Declaring an application profile. 23 What does an application profile express? Implementors need to declare various characteristics of their schema Terms in use Whether a term is mandatory Any particular usages Permitted encoding schemes for values Other rules for content 24 DCAPs: human readable First step is to address need for human readable DCAP Drawing on: CEN guidelines DC WG practice DC Usage Board advice DC Abstract Model 25 CEN Workshop Agreement Dublin Core Application Profile Guidelines. Thomas Baker, Makx Dekkers, Thomas Fischer, Rachel Heery 26 September cwa/cwa14855.asp 26 DCAPs : machine readable Ongoing work CWA suggests a machine-processable representation using conventions of RDF Would support automated services such as data exchange, query Subject of ongoing experimentation and research Need to reach consensus on a DCAP data model 27 Caveat DCAPs are in transition Differences in terminology and attributes from CWA to CWA As DC Abstract Model becomes embedded further adjustments will occur Things change! 28 What is good practice for documenting application profiles?..based on CWA 14855 29 Format of (human readable) DCAPs Normalized and readable view of Dublin Core based schemas for use by humans No particular format mandated: plain text, Web pages, Powerpoint Enough structure for future conversion into machine-processable expressions (eg, RDF) Future conversion not assumed to be automatic Caveat: normalized documentation does not in itself address deeper problems of interoperability between metadata models. 30 DCAPs for a class Declares the property usages in a class of metadata descriptions e.g. DC Collection Description application profile describes the properties and encoding schemes (terms) used in a description of a collection TEL application profile describes properties and encoding schemes used in a description of a European national libraries resource DC education application profile describes properties and encoding schemes used in a description of an educational resource. 31 DCAPs: Good practice Follow DC Abstract Model (terms should adhere to definitions of properties, subproperties, encoding schemes etc) Should consist of Descriptive Header and Term Usages Descriptive Header DC-based description Optional Preamble Term Usage Terms used identified with "appropriate precision" May be annotated with additional attributes and constraints 32 Descriptive header Should include: Description of the AP using Dublin Core Title Contributor Date Identifier Description (explaining context in which DCAP is intended to be used) 33 Descriptive headers Mandatory Header Optional preamble Description of the AP using Dublin Core Title Contributor Date Identifier Description explaining context in which DCAP is intended to be used Technical or formatting conventions Documenting namespace prefixes Citing web pages where terms used are defined e.g. cuments/dcmi-terms 34 Attributes of Term Usages Identifying attributes Term URI, Name, Label, Defined By Definitional attributes Definition, Comments, Type of Term Relational attributes Refines, Refined By, Encoding Scheme For, Uses Encoding Scheme,Similat To Constraints Obligation, Condition, Datatype, Occurrence 35 Principle of Appropriate Identification Terms should be identified as precisely as possible ("appropriate precision") URIs should be used when available (see CORES Resolution) Terms to which URIs have not (or not yet) been assigned should be identified using other attributes as appropriate 36 Declaring terms Preferred: cite term's URI if available Term URI Or if a term has been declared somewhere, cite the defining document and its name Name attendancepattern Label Attendance Pattern Defined By If term has not been declared elsewhere, Defined By should cite the DCAP itself Name starratings Label Star Ratings Defined By 37 Principle of Readability include enough information in Term Usages to be of optimal usefulness for the intended audience" Even if this includes redundant information which, in a machine-processable schema, might be fetched dynamically from another source Order of attributes may be changed for readability (though it may make visual comparison harder) Unused attributes can simply be omitted from display 38 Readability of Term Usages Principle of Readability allows flexibility in presentational style Redundant attributes do not need to be displayed (as blank) Order of attributes may be altered for visual effect (not significant for future machine-processable representations) DCAP may want to group terms by Type of Term Attributes should be repeated as necessary 39 Declaring controlled vocabulary terms Generally not the role of DCAPs to declare controlled vocabularies of values Ideally, should be declared in separately citable documents external to a DCAP However, short lists of possible values may be documented in a Comment field 40 Declaring Encoding Schemes Options Can be declared one-by-one in the Term Usage of an Element in the field "Has Encoding Scheme" Field "Has Encoding Scheme" can point to a list of encoding schemes somewhere (e.g. "use RDN Subject Encoding Schemes ") If Encoding Schemes need to be annotated, a separate Term Usage may be created for each 41 Cite URIs of terms URIs are (ideally) unique and unambiguous: Example: For readability Qualified Names can be cited in Name field Example: dc:title Explain in the Preamble that this is the case Cite the URIs 42 Example: JISC IE Service Registry Application Profile - Namespaces Term URI Name dc: Label Dublin Core Term URI Name dcterms: Label Dublin Core terms Term URI Name rslpcd: Label RSLP Collection Description Term URI Name colldesctype: Label NISO Metasearch Initiative Collection Description Type Vocabulary Term URI Name iesr: Label JISC Information Environment Service Registry 43 Examples of well structured DCAPs RDN OAI application profile Renardus Application Profile JISC IE Services Registry Application Profile DC Collection Description Application profile 44 RDN OAI Application Profile - header Title Contributor Date RDN OAI Application Profile Andy Powell Identifier Description This document expresses the application profile established by the Resource Discovery Network (RDN) to be used by RDN partners for harvesting of records using the Open Archives Initiative Protocol for Metadata Harvesting (OAI-PMH). The Application Profile is expressed according to guidelines published by the CEN/ISSS [Reference]. Full user documentation for the Application Profile, together with associated XML schemas, is available at 45 RDN OAI Application Profile term usage Name Term URI Has Encoding Scheme Has Encoding Scheme Comment Obligation Subject DC Subject Encoding Schemes RDN Subject Encoding Schemes RDN Subject Encoding Schemes are available from Recommended 46 IE Service Registry application profile - header dc:title dc:creator dc: date dc:identifiewr dc:description dc:rights version status JISC Information Environment Service Registry (IESR) Application Profile Ann Apps An application profile for the JISC Information Environment Service Registry (IESR), described according to the Dublin Core Application Profile Guidelines (CEN/ISSS CWA14855). This work is licensed under a Creative Commons Licence: Attribution Required; Non- Commercial; Share-Alike Implemented 47 IE Service Registry application profile - term usage Term URI Name Definition Comments Has encoding scheme DataType Occurrence Searchable Locator The URI of the access point for the service For Z39.50 sevices this will be a URI beginning z3950s <URI> Min 1;Max , 1016, 1017 etc 48 Further reading CEN Workshop Agreement 14855: Dublin Core Application Profile Guidelines. Available at: s/cwa/cwa14855.asp CEN Workshop Agreement 15248: Guidelines for machineprocessable representation of Dublin Core Application Profiles. Available at: s/cwa/cwa asp Thomas Baker, Makx Dekkers, Rachel Heery, Manjula Patel, Gauri Salokhe, What Terms Does Your Metadata Use? Application Profiles as Machine-Understandable Narratives. Journal of Digital Information, Vol.2, no. 2, November Thomas Baker and Makx Dekkers, Identifying metadata elements with URIs: the CORES Resolution. D-Lib magazine, July/August 49 Acknowledgements to colleagues, in particular Tom Baker and Diane Hillmann. Many thanks to Pete Johnston for his continuing efforts to formalise application profiles. 50 Questions? 51 Case study. 52 DCMI: Properties and Values Resource URI Statement ex:book1 Property URI dc:subject Value string (or Value URI) Semantic Web see Pete Johnston Element Refinement in Dublin Core Metadata June The Dublin Core THE ELEMENT SET From Metadata Fundamentals for All Librarians by Priscilla Caplan. Copyright 2003 by the American Library Association. All rights reserved. Permission granted to reproduce for nonprofit, educational purposes. Notes about possible technical criteria for evaluating institutional repository (IR) software Notes about possible technical criteria for evaluating institutional repository (IR) software Introduction Andy Powell UKOLN, University of Bath December 2005 This document attempts to identify some of International Conference on Dublin Core and Metadata Applications International Conference on Dublin Core and Metadata Applications Tutorial 1: Dublin Core History and Basics 22 September 2008 Jane Greenberg, Associate Professor Univ. of North Carolina The European Library (TEL): Access to European national library collections The European Library (TEL): Access to European national library collections Maja Žumer National and University Library, Slovenia Theo van Veen Koninklijke Bibliotheek, The Netherlands Introduction TEL Joint Steering Committee for Development of RDA Page 1 of 11 To: From: Subject: Joint Steering Committee for Development of RDA Gordon Dunsire, Chair, JSC Technical Working Group RDA models for authority data Abstract This paper discusses the models Information Management Resource Kit. Module on Digitization and Digital Libraries Information Management Resource Kit Module on Digitization and Digital Libraries UNIT 3. METADATA STANDARDS AND SUBJECT INDEXING LESSON 3. METADATA STANDARDS: ELEMENT QUALIFICATION AND EXTENSION NOTE Please METADATA FOR LEARNING MATERIALS: AN OVERVIEW OF EXISTING STANDARDS AND CURRENT DEVELOPMENTS As published in Technology, Instruction, Cognition and Learning vol 7 (3-4) 2010, pp 225-243. URL This (final, post referee) version Creating HTML Meta-tags Using the Dublin Core Element Set Creating HTML Meta-tags Using the Dublin Core Element Set Christopher Sean Cordes Assistant Professor Instructional Technology Librarian Parks Library Iowa State University Abstract The breadth and scope Celebrating 10 Years of Government of Canada Metadata Standards Celebrating 10 Years of Government of Canada Metadata Standards Margaret Devey Treasury Board Secretariat of Canada, Canada [email protected] Marie-Claude Côté Treasury Board Secretariat of Canada, Library and Archives Data Structures Library and Archives Data Structures EAD, MODS, RSLP Collection Description Merrilee Proffitt, RLG Differences, similarities All data structure standards 3 flavors of XML: DTDs, XML Schema Language, RDF Agricultural Metadata Element Set: Standardization and Information Dissemination Agricultural Metadata Element Set: Standardization and Information Dissemination Some background on Metadata normally described as data about data it enables effective, efficient, and accurate use of data Big data is all the rage BUT Larger parts of research use small data The 2011 survey by Science, found that 48.3% of respondents were Metadata for electronic information resources: From variety to interoperability Information Services & Use 25 (2005) 35 45 35 IOS Press Metadata for electronic information resources: From variety to interoperability Gail Hodge Information International Associates, Inc., 312 Walnut,, Queensland recordkeeping metadata standard and guideline Queensland recordkeeping metadata standard and guideline June 2012 Version 1.1 Queensland State Archives Department of Science, Information Technology, Innovation and the Arts Document details Security AGLS Victoria Metadata Implementation Manual. Information Victoria AGLS Victoria Metadata Implementation Manual Information Victoria A guide to implementing and managing AGLS metadata in Victorian Government departments and agencies JULY 2011 Version 4.0 AGLS Victoria: About the I iti ti Dublin C Page 1 of 16 Dublin Core Metadata Initiative logo About the I iti ti Dublin C Documen Tools d Working G Meetings Resource Projects Dublin Core Metadata Initiative Home > Documents > 2001 > 04 > 12 > Usageguide DC2AP: A Dublin Core Application Profile to Analysis Patterns DC2AP: A Dublin Core Application Profile to Analysis Patterns Lucas Francisco da Matta Vegi, Jugurta Lisboa-Filho, Glauber Luis da Silva Costa, Alcione de Paiva Oliveira and José Luís Braga Departamento Integration of Heterogeneous Metadata in Europeana. Cesare Concordia [email protected] Institute of Information Science and Technology-CNR Integration of Heterogeneous Metadata in Europeana Cesare Concordia [email protected] Institute of Information Science and Technology-CNR Outline What is Europeana The Europeana data model The data.bris: collecting and organising repository metadata, an institutional case study Describe, disseminate, discover: metadata for effective data citation. DataCite workshop, no.2.. data.bris: collecting and organising repository metadata, an institutional case study David Boyd data.bris Semantic Web & its Content Creation Process Journal of Information & Communication Technology Vol. 3, No. 2, (Fall 2009) 87-98 Semantic Web & its Content Creation Process Zia Ahmed Shaikh Institute of Business &Technology, Biztek, Pakistan Noor DFS C2013-6 Open Data Policy DFS C2013-6 Open Data Policy Status Current KEY POINTS The NSW Government Open Data Policy establishes a set of principles to simplify and facilitate the release of appropriate data by NSW Government agencies. Collections and Collection Description Collection Description Focus Briefing Paper 1 January 2002 Collections and Collection Description Pete Johnston & Bridget Robinson Collection Description Focus Introduction The managers of the valuable Working with the British Library and DataCite A guide for Higher Education Institutions in the UK Working with the British Library and DataCite A guide for Higher Education Institutions in the UK Contents About this guide This booklet is intended as an introduction to the DataCite service that UK organisations Metadata and Syndication: Interoperability and Mashups. CS 431 March 5, 2008 Carl Lagoze Cornell University Metadata and Syndication: Interoperability and Mashups CS 431 March 5, 2008 Carl Lagoze Cornell University Mashups Combining data from several web sources Treating the web as a database rather than a document Future Library Systems : Beyond the Electronic Card Catalogue Future Library Systems : Beyond the Electronic Card Catalogue Geoffrey Payne General Manager, Information Services Vision Australia Foundation [email protected] Abstract: This paper contrasts the capabilities 12 The Semantic Web and RDF MSc in Communication Sciences 2011-12 Program in Technologies for Human Communication Davide Eynard nternet Technology 12 The Semantic Web and RDF 2 n the previous episodes... A (video) summary: Michael RDF Resource Description Framework RDF Resource Description Framework Fulvio Corno, Laura Farinetti Politecnico di Torino Dipartimento di Automatica e Informatica e-lite Research Group Outline RDF Design objectives Wagging the Long Tail Wagging the Long Tail Current Metadata Practices for Long Tail Research Data Kathleen Shearer, Executive Director, COAR Co-chair, RDA Long Tail for Research Data Interest Group Co-chair, RDA Libraries Course description metadata (CDM) : A relevant and challenging standard for Universities Course description metadata (CDM) : A relevant and challenging standard for Universities The context : Universities, as knowledge factories have always been major players in the R&D on information and Creating metadata that work for digital libraries and Google Creating metadata that work for digital libraries and Google Alan Dawson, Senior Researcher/Programmer at the Centre for Digital Library Research, Department of Computer and Information Sciences, University Versioning Vocabularies in a Linked Data World Submitted on: 6/19/2014 Versioning Vocabularies in a Linked Data World Diane I. Hillmann Metadata Management Associates LLC), Jacksonville, NY, USA. E-mail address: [email protected] Gordon Dunsire, Information Standards on the Net Information Standards on the Net Today and Tomorrow Olle Olsson Swedish W3C Office Swedish Institute of Computer Science (SICS) Information Specialists April 2014 Contents (2) The information world & standards Service Road Map for ANDS Core Infrastructure and Applications Programs Service Road Map for ANDS Core and Applications Programs Version 1.0 public exposure draft 31-March 2010 Document Target Audience This is a high level reference guide designed to communicate to ANDS external ECM Governance Policies ECM Governance Policies Metadata and Information Architecture Policy Document summary Effective date 13 June 2012 Last updated 17 November 2011 Policy owner Library Services, ICTS Approved by Council Reviewed - 1 Building a metadata schema where to start 1 1 Building a metadata schema where to start 1 1.1 Introduction Purpose Metadata has been defined as data describing the context, content and structure of records and their management through time 2. It Metadata for Data Discovery: The NERC Data Catalogue Service. Steve Donegan Metadata for Data Discovery: The NERC Data Catalogue Service Steve Donegan Introduction NERC, Science and Data Centres NERC Discovery Metadata The Data Catalogue Service NERC Data Services Case study: Government of Alberta Metadata Management Glossary Government of Alberta Metadata Management Glossary Revision History Version Date Author Description 0.1 March 31, 2014 Colin Lynch Draft glossary 0.2 October 14, 2014 Colin Lynch Revised draft 0.3 October Languages and Semantic Web Architecture Languages and Semantic Web Architecture The Semantic Web Tower what is the semantic web Problems Layering the Semantic Web The problem in detail and suggested approaches Øyvind Evensen What is the semantic Enhancing the Europeana Data Model (EDM) Enhancing the Europeana Data Model (EDM) By Valentine Charles and Antoine Isaac, Europeana Foundation, 30 May 2015 This work was supported by Europeana V3.0 1. Introduction 2 2. The role of EDM in Europe XML for Manufacturing Systems Integration Information Technology for Engineering & Manufacturing XML for Manufacturing Systems Integration Tom Rhodes Information Technology Laboratory Overview of presentation Introductory material on XML N... Towards an architecture for open archive networks in Agricultural Sciences and Technology Towards an architecture for open archive networks in Agricultural Sciences and Technology Imma Subirats, Irene Onyancha, Gauri Salokhe, Johannes Keizer Food and Agriculture Organization of the United Nations, HOW-TO-DO-IT MANUALS NUMBER USING XML A How-To-Do-It Manual and CD-ROM for Librarians KWONG BOR NG HOW-TO-DO-IT MANUALS NUMBER 154 NEAL-SCHUMAN PUBLISHERS, INC. New York London Published by Neal-Schuman Publishers, Inc. 100 William Network Working Group Network Working Group Request for Comments: 2413 Category: Informational S. Weibel OCLC Online Computer Library Center, Inc. J. Kunze University of California, San Francisco C. Lagoze Cornell University Secure Semantic Web Service Using SAML Secure Semantic Web Service Using SAML JOO-YOUNG LEE and KI-YOUNG MOON Information Security Department Electronics and Telecommunications Research Institute 161 Gajeong-dong, Yuseong-gu, Daejeon KOREA Metadata Architecture and Applications Metadata Architecture and Applications UNC ischool Summer Session 2, Instructor: Sam Oh (SKKU ischool, Korea) Course Description: The course covers fundamentals of metadata, metadata building blocks including OSLC Primer Learning the concepts of OSLC OSLC Primer Learning the concepts of OSLC It has become commonplace that specifications are precise in their details but difficult to read and understand unless you already know the basic concepts. A good STORRE: Stirling Online Research Repository Policy for etheses STORRE: Stirling Online Research Repository Policy for etheses Contents Content and Collection Policies Definition of Repository Structure Content Guidelines Submission Process Copyright and Licenses Metadata Wagging the Long Tail Wagging the Long Tail Improving Discovery Practices for Long Tail Research Data Kathleen Shearer, Executive Director, COAR Co-chair, RDA Long Tail for Research Data Interest Group Kathleen Shearer IASSIST From OPAC to Archive: integrated discovery and digital libraries with open source Submitted on: February 6, 2013 79th IFLA General Conference and Assembly - Future Libraries: Infinite Possibilities : Inspiring solutions emerging from open source From OPAC to Archive: integrated discovery Starting date: 01 January 2006 Ending date: 30 June 2007 Project Acronym: ELEONET Project Title: European Learning Object Network Contract Number: C517336 Starting date: 01 January 2006 Ending date: 30 June 2007 Deliverable Number: Title of the Deliverable: Case Study. Introduction Case Study Submitted to Dublin Core Metadata Initiative, Global Corporate Circle by Sarah A. Rice, Senior Information Architect, Seneb Consulting, USA. May, 2004 Introduction This metadata GUIDELINES FOR THE CREATION OF DIGITAL COLLECTIONS GUIDELINES FOR THE CREATION OF DIGITAL COLLECTIONS Best Practices for Descriptive Metadata This document sets forth guidelines for creating descriptive metadata for items in CARLI Digital Collections (CDC) Care Management and Health Records Domain Technical Committee July 8, 2009 Version 2.5 HITSP Summary Documents Using HL7 Continuity of Care Document (CCD) Component HITSP/C32 Submitted to: Healthcare Information Technology Standards Panel Submitted by: Care Management Knowledge Management using Open Source Repository Knowledge Management using Open Source Repository GIULIO CONCAS, FILIPPO EROS PANI, MARIA ILARIA LUNESU Department of Electric and Electronic Engineering, Agile Group University of Cagliari Piazza d Armi, James Hardiman Library. Digital Scholarship Enablement Strategy James Hardiman Library Digital Scholarship Enablement Strategy This document outlines the James Hardiman Library s strategy to enable digital scholarship at NUI Galway. The strategy envisages the development, Sharing Digital Resources and Metadata for Open and Flexible Knowledge Management Systems Sharing Digital Resources and Metadata for Open and Flexible Knowledge Management Systems Martin Memmel and Rafael Schirru (Knowledge Management Department, German Research Center for Artificial Intelligence Using OAI-PMH and METS for exporting metadata and digital objects between repositories Using OAI-PMH and METS for exporting metadata and digital objects between repositories Jonathan Bell and Stuart Lewis Authors: Jonathan Bell is the Repository Bridge Project Officer, Information Services, The Irish Public Service Metadata Standard The Irish Public Service Metadata Standard Version 1.0 Part 2 Element Set and Implementation August 2001 IPSMS Page 1 Irish Public Service Metadata Element Set The elements included in the Irish Public Introduction to Service Oriented Architectures (SOA) Introduction to Service Oriented Architectures (SOA) Responsible Institutions: ETHZ (Concept) ETHZ (Overall) ETHZ (Revision) - Version from: 26.10.2007 1 Content 1. Introduction COMMON EVENT EXPRESSION (CEE) OVERVIEW COMMON EVENT EXPRESSION (CEE) OVERVIEW The CEE Editorial Board 4 November 2010 VERSION: 1.0 EDITORS: Eric Fitzgerald, Microsoft Corporation Dr. Anton Chuvakin, Security Warrior Consulting Bill Heinbockel, CHAPTER 1 INTRODUCTION CHAPTER 1 INTRODUCTION 1.1 Introduction Nowadays, with the rapid development of the Internet, distance education and e- learning programs are becoming more vital in educational world. E-learning alternatives
http://docplayer.net/23905553-Metadata-application-profiles.html
CC-MAIN-2018-26
en
refinedweb
Current Version: Linux Kernel - 3.80 Synopsis #include <fmtmsg.h> int fmtmsg(long classification, const char *label, int severity, const char *text, const char *action, const char *tag); Description The classification argument - MM_OK - Everything went smooth. - MM_NOTOK - Complete failure. - MM_NOMSG - Error writing to stderr. - MM_NOCON - Error writing to the console. Environment Attributes Conforming To Notesand after MSGVERB=text:action; export MSGVERBthe output becomes: unknown mount option TO FIX: See mount(8). See Also Colophon License & Copyright Copyright 2002 walter harms ([email protected]) %%%LICENSE_START(GPL_NOVERSION_ONELINE) Distributed under GPL %%%LICENSE_END adapted glibc info page This should run as 'Guru Meditation' (amiga joke :) The function is quite complex and deserves an example Polished, aeb, 2003-11-01
https://community.spiceworks.com/linux/man/3/fmtmsg
CC-MAIN-2018-26
en
refinedweb
1 /*2 3 Copyright 2000.gvt.text;19 20 21 /**22 * Class that encapsulates information returned from hit testing23 * a <tt>TextSpanLayout</tt> instance.24 * @see org.apache.batik.gvt.text.TextSpanLayout25 *26 * @author <a HREF="mailto:[email protected]">Bill Haneman</a>27 * @version $Id: TextHit.java,v 1.13 2005/03/27 08:58:35 cam Exp $28 */29 public class TextHit {30 31 private int charIndex;32 private boolean leadingEdge;33 34 /**35 * Constructs a TextHit with the specified values.36 *37 * @param charIndex The index of the character that has been38 * hit. In the case of bidirectional text this will be the logical39 * character index not the visual index. The index is relative to40 * whole text within the selected TextNode.41 * @param leadingEdge Indicates which side of the character has42 * been hit. 43 */44 public TextHit(int charIndex, boolean leadingEdge) {45 this.charIndex = charIndex;46 this.leadingEdge = leadingEdge;47 }48 49 /**50 * Returns the index of the character that has been hit.51 *52 * @return The character index.53 */54 public int getCharIndex() {55 return charIndex;56 }57 58 /**59 * Returns whether on not the character has been hit on its leading edge.60 *61 * @return Whether on not the character has been hit on its leading edge.62 */63 public boolean isLeadingEdge() {64 return leadingEdge;65 }66 }67 68 Java API By Example, From Geeks To Geeks. | Our Blog | Conditions of Use | About Us_ |
http://kickjava.com/src/org/apache/batik/gvt/text/TextHit.java.htm
CC-MAIN-2018-26
en
refinedweb
Red Hat Bugzilla – Bug 972292 lgetxattrs can't show the file attribute list with ntfs FS in rhel7 Last modified: 2014-04-25 05:21:14 EDT Description of problem: lgetxattrs can't show the file attribute list with ntfs FS though execute no error Version-Release number of selected component (if applicable): libguestfs-1.22.2-1.el7.x86_64 How reproducible: 100% Steps to Reproduce: # guestfish -N fs:ntfs Welcome to guestfish, the guest filesystem shell for editing virtual machine filesystems and disk images. Type: 'help' for help on commands 'man' to read the manual 'quit' to quit the shell ><fs> trace 1 ><fs> mount-options user_xattr /dev/sda1 / libguestfs: trace: mount_options "user_xattr" "/dev/sda1" "/" libguestfs: trace: mount_options = 0 ><fs> touch /test.txt libguestfs: trace: touch "/test.txt" libguestfs: trace: touch = 0 ><fs> lsetxattr security.name "hello" 5 /test.txt libguestfs: trace: lsetxattr "security.name" "hello" 5 "/test.txt" libguestfs: trace: lsetxattr = 0 ><fs> lsetxattr security.type "ascii file" 10 /test.txt libguestfs: trace: lsetxattr "security.type" "ascii file" 10 "/test.txt" libguestfs: trace: lsetxattr = 0 ><fs> lgetxattrs /test.txt libguestfs: trace: lgetxattrs "/test.txt" libguestfs: trace: lgetxattrs = <struct guestfs_xattr_list *> ><fs> Actual results: lgetxattrs don't have output Expected results: lgetxattrs can show the attribute list ><fs> lgetxattrs /test.txt [0] = { attrname: security.name attrval: hello } [1] = { attrname: security.type attrval: ascii file } Additional info: 1. lgetxattrs work with ext FS 2. has same issue with libguestfs-1.20.8-4.el6.x86_64 in rhel6 I'm pretty sure I've seen the same bug in ntfs-3g itself. The problem was that ntfs-3g wouldn't return all the xattrs when you use listxattr(2). Should we expect that security.* xattrs can be set arbitrarily? The security.* namespace is reserved by kernel security modules. From attr(5):‐ bility. So the fact this worked for ext4 is just luck. If you use the user.* namespace instead, then everything works fine even on NTFS: $ guestfish -N fs:ntfs -m /dev/sda1:/:user_xattr <<EOF touch /test.txt lsetxattr user.name "hello" 5 /test.txt lsetxattr user.type "ascii file" 10 /test.txt lgetxattr /test.txt user.name echo lgetxattrs /test.txt EOF hello [0] = { attrname: user.name attrval: hello } [1] = { attrname: user.type attrval: ascii file } So I would say this is not a bug. I looked at the description again, and it's not expected that you should be able to set arbitrary security.* xattrs. That namespace is reserved for the kernel. Try setting user.* xattrs instead -- those should work.
https://bugzilla.redhat.com/show_bug.cgi?id=972292
CC-MAIN-2018-26
en
refinedweb
Here is the minimal set of steps needed to retrieve data from a URL using a URLConnection object: Construct a URL object. Invoke the URL object's openConnection( ) method to retrieve a URLConnection object for that URL. Invoke the URLConnection 's getInputStream( ) method. Read from the input stream using the usual stream API. The getInputStream() method returns a generic InputStream that lets you read and parse the data that the server sends. public InputStream getInputStream( ) Example 15-1 uses the getInputStream() method to download a web page. import java.net.*; import java.io.*; public class SourceViewer2 { public static void main (String[] args) { if (args.length > 0) { try { //Open the URLConnection for reading URL u = new URL(args[0]); URLConnection uc = u.openConnection( ); InputStream raw = uc.getInputStream( ); InputStream buffer = new BufferedInputStream(raw); // chain the InputStream to a Reader Reader r = new InputStreamReader(buffer); int c; while ((c = r.read( )) != -1) { System.out.print((char) c); } } catch (MalformedURLException ex) { System.err.println(args[0] + " is not a parseable URL"); } catch (IOException ex) { System.err.println(ex); } } // end if } // end main } // end SourceViewer2 It is no accident that this program is almost the same as Example 7-5. The openStream( ) method of the URL class just returns an InputStream from its own URLConnection object. The output is identical as well, so I won't repeat it here. The differences between URL and URLConnection aren't apparent with just a simple input stream as in this example. The biggest differences between the two classes are: URLConnection provides access to the HTTP header. URLConnection can configure the request parameters sent to the server. URLConnection can write data to the server as well as read data from the server.
https://flylib.com/books/en/1.135.1.95/1/
CC-MAIN-2018-26
en
refinedweb
Python tools to sample randomly with dont pick closest `n` elements constraints. Also contains a batch generator for the same to sample with replacement and with repeats if necessary. Project description Sampling Utils Python tools to sample randomly with dont pick closest n elements constraints. Also contains a batch generator for the same to sample with replacement and with repeats if necessary. Installation Simply install using pip pip install sampling_utils Usage Dont Pick Closest from sampling_utils import sample_from_list sample_from_list([1,2,3,4,5,6,7,8], dont_pick_closest=2) You are guaranteed to get samples that are at least dont_pick_closest apart# (in value, not in indices). Here you will get samples where sample - any_other_sample is always greater than 2. For example, if 2 is picked, no other item in range [2+ dont_pick_closest and 2- dont_pick_closest] will be picked Another example looped 5 times: for _ in range(5): sample_from_list([1,2,3,4,5,6,8,9,10,12,14], dont_pick_closest=2) # Output # [5, 10, 2, 14] # [9, 6, 14, 1] # [3, 8, 12] # [10, 3, 6, 14] # [2, 5, 8, 12] If 12 is sampled, sampling 10 and 14 are not allowed since dont_pick_closest is 2. In other words, if n is sampled, then sampling anything from [n-dont_pick_closest, ... n-1, n , n+1, ... n+dont_pick_closest] is not allowed (if present in the list). #Will be called as dont_pick_closest rule hereafter. Number of samples You can also specify how many samples you want from the list using number_of_samples parameter. By default, you get maximum possible samples (without replacement). for _ in range(5): sample_from_list([1,2,3,4,5,6,8,9,10,12,14], dont_pick_closest=2, num_samples=2) # Output # [8, 2] # [6, 3] # [12, 1] # [4, 10] # [9, 1] If you try to sample more than what's possible, you will get an error saying that it's not possible. Min and max samples You may want to just know how much you can sample from a given list obeying the dont_pick_closest rule from sampling_utils import get_min_samples, get_max_samples print(get_min_samples([1,2,3,4,5,6,8,9,10,12,14], dont_pick_closest=2)) print(get_max_samples([1,2,3,4,5,6,8,9,10,12,14], dont_pick_closest=2)) # Output # Min 3 # Max 4 Sampling without replacement successively / Generating batches of samples for one epoch If you want to successively sample without replacement i.e. sample as many samples from the list without repeating, you can use batch_rand_generator as shown below. This is particularly useful to generate batches of data until no more batches can be generated (equivalent to one epoch). from sampling_utils import batch_rand_generator from sampling_utils import get_batch_generator_elements batch_size = 2 brg = batch_rand_generator([1,2,3,4,5,6,8,9,10,12,14], batch_size=batch_size, dont_pick_closest=2) print(get_batch_generator_elements(brg, batch_size=batch_size)) # Output # [[1, 4], [8, 5], [14, 3], [2, 6]] Notice that the elements - within each batch obey the dont_pick_closest rule (e.g. 1 and 4 from batch 1) - from different batches need not obey the rule (e.g. 4 and 5 from batch 1 and 2 respectively). Contributing Pull requests are very welcome. - Fork the repo - Create new branch with feature name as branch name - Check if things work with a jupyter notebook - Raise a pull request Licence Please see attached Licence Project details Release history Release notifications Download files Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
https://pypi.org/project/sampling-utils/
CC-MAIN-2019-51
en
refinedweb
table of contents NAME¶popen_nosh, pclose_nosh, popen_execs, pclose_execs, - pipe stream to or from a process without using a shell SYNOPSIS¶#include <stdio.h> #include <execs.h> FILE *popen_nosh(const char *command, const char *type); int pclose_nosh(FILE *stream); FILE *popen_execsp(const char *command, const char *type); int pclose_execsp(FILE *stream); FILE *popen_execs(const char *path,const char *command, const char *type); int pclose_execs(FILE *stream); These functions are provided by libexecs. Link with -lexecs. DESCRIPTION¶popen_nosh, popen_execsp and pclose_nosh are almost drop in replacement for popen(3) and pclose(3) provided by the libc. popen_nosh and popen_execsp are synonyms: they parse the command string and run the command directly, without using a shell. Command arguments in args are delimited by space characters (blank, tabs or new lines). Single or double quotes can be used to delimitate command arguments including spaces and a non quoted backslash (\) is the escape character to protect the next char. The executable file is sought using the PATH environment variable as explained for execlp(3). pclose_nosh closes a stream opened by popen_nosh. popen_execs requires the path of the executable to be specified as its first parameter so it does not use the PATH environment variable. pclose_execs closes a stream opened by popen_execs.
https://manpages.debian.org/buster/libexecs-dev/pclose_nosh.3.en.html
CC-MAIN-2019-51
en
refinedweb
modern developers have learned that ‘sticking with HEAD’ (the most recent stable release) can be the best way to keep their application more secure. In this new ‘devops’ world there’s a fine line between using the latest and greatest, and breaking changes introduced by an upgrade. In this post we’ll explore some configuration options in Red Hat OpenShift which can make keeping up with the latest release easier, while reducing the impact of breaking changes. For more information on image streams I encourage you to read the source-to-image FAQ by Maciej Szulik. Background Many people, when they deploy an application on OpenShift, use source-to-image. It can provide a lot of functionality out of the box, including base images for language runtimes. Those base images install the runtime itself and usually some sort of tool to build the application which runs on top. When building new versions of your image you pick up new libraries. You might want the runtime and build tool to update as well. By default, OpenShift sticks with whatever source-to-image base image was the latest at the time the image streams were installed. The default image streams won’t pull a new image from an external registry unless an image stream is tagged to a new version, or if they are ‘scheduled’. By default, an OpenShift upgrade, using the upgrade ansible playbooks, updates the Image Streams. In this example I’m going to use the upstream Centos images so that I can push them to Docker Hub without worrying about license restrictions placed on RHEL images, and because I want to be able to push an image update to the ‘latest’ tag without waiting for that to happen naturally on the official Red Hat Container Catalogue registry. However if you find the concepts outlined here compelling, I encourage you to modify the existing image streams to be scheduled. Setting up the test environment Let’s explore this topic by creating our own image stream from a registry we control. We use a registry we control so that we can push a new image there, however these steps should work with any external registry. The image streams which come installed with OpenShift Container Platform (OCP) 3.10 use images from the Red Hat Container Catalogue. I’d recommend using that registry for Red Hat official images because it can offer security features, such as Deep Container Inspection. When experimenting with this feature I used OCP 3.10. I then modified the configuration so that we don’t have to wait so long for new images to be pulled from the external registry. The default is to import new images every 15 minutes. $ ssh [email protected] [master.example.com] $ vi /etc/origin/master/master-config.yaml After: imagePolicyConfig: internalRegistryHostname: docker-registry.default.svc:5000 Add: scheduledImageImportMinimumIntervalSeconds: 60 [master.example.com] $ master-restart controllers 2 I created an image in an external repository by first pulling the bucharestgold/centos7-s2i-nodejs:10.9.0 image locally, tagging it with my own namespace and pushing it using the ‘latest’ tag. $ docker pull docker.io/bucharestgold/centos7-s2i-nodejs:10.9.0 $ docker tag docker.io/bucharestgold/centos7-s2i-nodejs:10: ba8f35ef3b854b1dab87c20d2b9e8a1b15c219717526970c4aa196ca2fc8d3ad Creating an Image Stream Then, as an administrator I create a new image stream in the ‘openshift’ project. I use the ‘openshift’ project because then my image stream is available to other users, but these steps should also work with an imagestream created in a developer project. $ oc import-image docker.io/jazinner/centos7-s2i-nodejs:latest \ --confirm --scheduled=true The import completed successfully. Name:centos7-s2i-nodejs Namespace:openshift Created:1 second ago Labels:<none> Annotations:openshift.io/image.dockerRepositoryCheck=2018-09-12T02:54:11Z Docker Pull Spec:172.30.1.1:5000/openshift/centos7-s2i-nodejs Image Lookup:local=false Unique Images:1 Tags:1 latest updates automatically from registry docker.io/jazinner/centos7-s2i-nodejs:latest prefer registry pullthrough when referencing this tag * 1 second ago Image Name:centos7-s2i-nodejs:latest Docker Image Name:sha256:ba8f35ef3b854b1dab87c20d2b9e8a1b15c219717526970c4aa196ca2fc8d3ad ... Using the Image Stream We can then build a new image which uses the imported source-to-image image stream. For this, switch to a developer account, and use a new project called ‘myproject’. $ oc login -u developer Logged into "" as "developer" using existing credentials. You have one project on this server: "myproject" Using project "myproject". $ oc new-app centos7-s2i-nodejs~ --> Found image a3effc2 (2 days old) in image stream "openshift/centos7-s2i-nodejs" under tag "latest" for "centos7-s2i-nodejs" ... --> Creating resources ... imagestream "nodejs-ex" created buildconfig "nodejs-ex" created deploymentconfig "nodejs-ex" created service "nodejs-ex" created --> Success Build scheduled, use 'oc logs -f bc/nodejs-ex' to track its progress. Application is not exposed. You can expose services to the outside world by executing one or more of the commands below: 'oc expose svc/nodejs-ex' Run 'oc status' to view your app. Running the container pod allows us to verify the NodeJS version in use: $ oc get pods -w NAME READY STATUS RESTARTS AGE nodejs-ex-1-build 1/1 Running 0 40s nodejs-ex-1-deploy 0/1 Pending 0 0s .. nodejs-ex-1-deploy 0/1 ContainerCreating 0 0s nodejs-ex-1-build 0/1 Completed 0 2m ... nodejs-ex-1-q8dsg 0/1 ContainerCreating 0 0s nodejs-ex-1-deploy 1/1 Running 0 3s nodejs-ex-1-q8dsg 1/1 Running 0 2s $oc rsh nodejs-ex-1-q8dsg node --version V10.9.0 Verifying scheduled imports If we push a new image to the docker.io/jazinner/centos7-s2i-nodejs:latest tag a new source-to-image build of our application picks up the new image. $ docker pull docker.io/bucharestgold/centos7-s2i-nodejs:10.10.0 $ docker tag docker.io/bucharestgold/centos7-s2i-nodejs:10: sha256:de0c8f343594c096d209e492f1e694886280f53e2997a50c9e9ab57ae1aad02b size: 1583 Once the Scheduled import minimum interval has expired the new 10.10.0 image will be pulled from the external registry. You can verify that a new image has been pulled using the ‘oc describe’ feature. Notice this time we use the ‘-n’ flag to reference resources in a different project. $ oc describe is/centos7-s2i-nodejs -n openshift Name:centos7-s2i-nodejs Namespace:openshift Created:About an hour ago Labels:<none> Annotations:openshift.io/image.dockerRepositoryCheck=2018-09-12T03:12:54Z Docker Pull Spec:172.30.1.1:5000/openshift/centos7-s2i-nodejs Image Lookup:local=false Unique Images:2 Tags:1 latest updates automatically from registry docker.io/jazinner/centos7-s2i-nodejs:latest prefer registry pullthrough when referencing this tag * docker.io/jazinner/centos7-s2i-nodejs@sha256:d25befaa1961d8b8634fb6afe4e1d74c6b1d9d03253027c264bd89f1e1b0b86a About an hour ago docker.io/jazinner/centos7-s2i-nodejs@sha256:de0c8f343594c096d209e492f1e694886280f53e2997a50c9e9ab57ae1aad02b About an hour ago The Annotation field shows us the timestamp the image was updated: openshift.io/image.dockerRepositoryCheck=2018-09-12T03:12:54Z If you prefer not to schedule image imports from an external registry, you can do it on demand for an image stream by tagging it. You can manually tag a new version using a command like this: $ oc import-image openshift/centos7-s2i-nodejs:latest The import completed successfully. Name:centos7-s2i-nodejs Namespace:myproject Created:47 hours ago Labels:<none> Annotations:openshift.io/image.dockerRepositoryCheck=2018-09-13T01:50:26Z Docker Pull Spec:docker-registry.default.svc:5000/myproject/centos7-s2i-nodejs Image Lookup:local=false Unique Images:3 Tags:1 latest tagged from docker.io/jazinner/centos7-s2i-nodejs:latest * 4 seconds ago ... By default a build configuration created by ‘oc new-app’ is setup to trigger a build when a new base image is imported. We can see this by describing the build configuration $ oc describe buildconfigs/nodejs-ex Name:nodejs-ex Namespace:myproject Created:2 hours ago Labels:app=nodejs-ex Annotations:openshift.io/generated-by=OpenShiftNewApp Latest Version:2 Strategy:Source URL: From Image:ImageStreamTag openshift/centos7-s2i-nodejs:latest Output to:ImageStreamTag nodejs-ex:latest Build Run Policy:Serial Triggered by:Config, ImageChange … BuildStatusDurationCreation Time nodejs-ex-2 complete 16s 2018-09-12 13:12:54 +1000 AEST nodejs-ex-1 complete 1m54s 2018-09-12 12:54:43 +1000 AEST From this output we can also see that a new build ‘nodejs-ex-2’ was kicked off at the same time as the import happened. Note that the 2 times have a different timezones however. You could change this behaviour by updating the build configuration triggers. Here’s a command you can use to remove the ImageChange build trigger. It uses an index to refer to the ImageChange option, so we first check that the type is correct before removing it. $ oc set triggers bc nodejs-ex --remove --from-image='openshift/centos7-s2i-nodejs:latest' buildconfig "nodejs-ex" updated Now if a new image is pushed to the external registry it will be updated in the centos7-s2i-nodejs image stream. However when it’s updated a new build won’t be triggered for the application. A developer will have to trigger a build in some other way in order to pick up the new base image. With this configuration of source-to-image base images being updated automatically, and developers manually triggering new builds which use those base images we have a good balance of security and compatibility. Breaking changes made to the base image should be picked up when a developer builds a source-to-image application and tests it. Also, the cluster continues to get updates to base images without requiring a full upgrade. Conclusion Using scheduled source-to-image base image streams, along with a build configuration which disables ImageChange triggers, we can strike a nice balance between “sticking with head”, and avoiding breaking changes. Consider updating the pre-installed image streams in the ‘openshift’ project to allow your developers get the latest security updates in language runtimes and build tools. While I used CentOS images for demonstration purposes in this post, I’d recommend using RHEL images for your production applications. The Red Hat Container Catalogue contains regularly updated and certified container images, fully supported by Red Hat.
https://www.redhat.com/en/blog/sticking-head-openshift-image-streams
CC-MAIN-2019-51
en
refinedweb
google.appengine.ext.remote_api.throttle module Summary Client-side transfer throttling for use with remote_api_stub. This module is used to configure rate limiting for programs accessing AppEngine services through remote_api. See the Throttle class for more information. An example with throttling: — from google.appengine.ext import db from google.appengine.ext.remote_api import remote_api_stub from google.appengine.ext.remote_api import throttle from myapp import models import getpass import threading - def auth_func(): return (raw_input(‘Username:’), getpass.getpass(‘Password:’)) remote_api_stub.ConfigureRemoteDatastore(‘my-app’, ‘/remote_api’, auth_func) full_throttle = throttle.DefaultThrottle(multiplier=1.0) throttle.ThrottleRemoteDatastore(full_throttle) # Register any threads that will be using the datastore with the throttler full_throttle.Register(threading.currentThread()) # Now you can access the remote datastore just as if your code was running on # App Engine, and you don’t need to worry about exceeding quota limits! houses = models.House.all().fetch(100) for a_house in houses: a_house.doors += 1 db.put(houses) — This example limits usage to the default free quota levels. The multiplier kwarg to throttle.DefaultThrottle can be used to scale the throttle levels higher or lower. Throttles can also be constructed directly for more control over the limits for different operations. See the Throttle class and the constants following it for details. Contents - class google.appengine.ext.remote_api.throttle.DatastoreThrottler(throttle)source Bases: google.appengine.ext.remote_api.throttle.Throttler - exception google.appengine.ext.remote_api.throttle.ThreadNotRegisteredErrorsource Bases: google.appengine.ext.remote_api.throttle.Error An unregistered thread has accessed the throttled datastore stub. - class google.appengine.ext.remote_api.throttle.Throttle(get_time=function, thread_sleep=InterruptibleSleep, layout=None)source Bases: object A base class for upload rate throttling. Transferring large number of entities, too quickly, could trigger quota limits and cause the transfer process to halt. In order to stay within the application’s quota, we throttle the data transfer to a specified limit (across all transfer threads). This class tracks a moving average of some aspect of the transfer rate (bandwidth, records per second, http connections per second). It keeps two windows of counts of bytes transferred, on a per-thread basis. One block is the “current” block, and the other is the “prior” block. It will rotate the counts from current to prior when ROTATE_PERIOD has passed. Thus, the current block will represent from 0 seconds to ROTATE_PERIOD seconds of activity (determined by: time.time() - self.last_rotate). The prior block will always represent a full ROTATE_PERIOD. Sleeping is performed just before a transfer of another block, and is based on the counts transferred before the next transfer. It really does not matter how much will be transferred, but only that for all the data transferred SO FAR that we have interspersed enough pauses to ensure the aggregate transfer rate is within the specified limit. These counts are maintained on a per-thread basis, so we do not require any interlocks around incrementing the counts. There IS an interlock on the rotation of the counts because we do not want multiple threads to multiply-rotate the counts. There are various race conditions in the computation and collection of these counts. We do not require precise values, but simply to keep the overall transfer within the bandwidth limits. If a given pause is a little short, or a little long, then the aggregate delays will be correct. - AddTransfer(throttle_name, token_count)source Add a count to the amount this thread has transferred. Each time a thread transfers some data, it should call this method to note the amount sent. The counts may be rotated if sufficient time has passed since the last rotation.Parameters throttle_name – The name of the throttle to add to. token_count – The number to add to the throttle counter. - ROTATE_PERIOD = 600 - Sleep(throttle_name=None)source Possibly sleep in order to limit the transfer rate. Note that we sleep based on prior transfers rather than what we may be about to transfer. The next transfer could put us under/over and that will be rectified after that transfer. Net result is that the average transfer rate will remain within bounds. Spiky behavior or uneven rates among the threads could possibly bring the transfer rate above the requested limit for short durations.Parameters throttle_name – The name of the throttle to sleep on. If None or omitted, then sleep on all throttles. - class google.appengine.ext.remote_api.throttle.ThrottleHandler(throttle)source Bases: urllib2.BaseHandler A urllib2 handler for http and https requests that adds to a throttle. - google.appengine.ext.remote_api.throttle.ThrottleRemoteDatastore(throttle, remote_datastore_stub=None)source Install the given throttle for the remote datastore stub.Parameters throttle – A Throttle instance to limit datastore access rates remote_datastore_stub – The datstore stub instance to throttle, for testing purposes. - exception google.appengine.ext.remote_api.throttle.UnknownThrottleNameErrorsource Bases: google.appengine.ext.remote_api.throttle.Error A transfer was added for an unknown throttle name.
https://cloud.google.com/appengine/docs/standard/python/refdocs/google.appengine.ext.remote_api.throttle?hl=JA
CC-MAIN-2019-51
en
refinedweb
Hello, Use of predefined QoS profiles from NDDS_QOS_PROFILES.example.xml DataReaders are running in own threads Compiled with gcc 4.9.1 (-std=c++1y) and QtCreator as build system Use boost.signals2 ,just headers , no need to compile the boost library Best regards, Daniel C++ library Hello, Hello Daniel, Thanks for sharing this! I see many interesting ideas in that code like using signals and also introducing classes to represent the builtin QoS profiles and Writers/Readers that use that Qos... One thing I am now sure how it would be handled is the fact that the Qos has a lot of parameters that can take value over a continuum. The builtin QosProfiles provide specific values for these parameters, but often a user would want to modify some of these... For example a Reliability Qos Policy has a max_blocking_time value with can be any number of second and nanoseconds. It would seem that if one defined specialized DataWriter classes for each Qos, e.g for the ReliableDataWriter, it would have to use the builtin Qos as defined and not be able to modify any parameters there. Is that correct? Thank you for your positive feedback Gerardo! About working with customized QoS profiles the library did not cover this scenario. I've added this feature using the following approach.All customized QoS profiles should be saved in USER_QOS_PROFILES.xml and in the initialization phase the application is loading also the profiles from USER_QOS_PROFILES.xml. In the libray the Readers/Writers that are using the customized QoS profiles I've separated in another namespace: customQoS. So the Readers/Writers that are using the builtin QoS profiles are in the namespace easydds and all Readers/Writers that are using the custom QoS profiles are in the namespace customQoS.
https://community.rti.com/forum-topic/c-library
CC-MAIN-2019-51
en
refinedweb
import "cuelang.org/go/pkg/encoding/json" Compact generates the JSON-encoded src with insignificant space characters elided. HTMLEscape returns createsStream turns a list into a stream of JSON objects. Unmarshal parses the JSON-encoded data. Valid reports whether data is a valid JSON encoding. Validate validates JSON and confirms it matches the constraints specified by v. Package json imports 7 packages (graph) and is imported by 2 packages. Updated 2019-12-05. Refresh now. Tools for package owners.
https://godoc.org/cuelang.org/go/pkg/encoding/json
CC-MAIN-2019-51
en
refinedweb
If you want to use `is` in your DSL you could try: def check(condition) { // Define and initialize a new map def map = [:] // Remove the `is` method from the map's metaclass map.metaClass.is = null // Add the key-value pair we care for the DSL map[is] = { bool -> println "checking if $condition yields $bool, with 'is'" } // Return the map map } I don't know if the above follows good practices or at very least is a good idea (remember that I'm very new) but it works. On Wed, Oct 28, 2015 at 12:19 AM, Edinson E. Padrón Urdaneta < [email protected]> wrote: > Well, I'm very new to groovy so I could be very wrong but `is` is a method > of `GroovyObjectSupport`, so maybe you are invoking that method in your DSL > without knowing that. > > On Tue, Oct 27, 2015 at 10:47 PM, Marc Paquette <[email protected]> wrote: > >> Playing with DSL here (going through chapter 19 of « Groovy In Action, >> second edition », well worth the read). It seems that one cannot use the >> word ‘is’ to build a command chain dsl, but ‘IS’ or ‘Is’ or ‘iS’ are ok… Or >> is it something I’m doing wrong ? >> >> ``` >> [marcpa@MarcPaquette dsl]$ groovy --version >> Groovy Version: 2.4.3 JVM: 1.8.0_60 Vendor: Oracle Corporation OS: Mac OS >> X >> [marcpa@MarcPaquette dsl]$ cat chainWithLowerCaseIsFails.groovy >> def check(condition) { >> [is: { bool -> >> println "checking if $condition yields $bool, with 'is'" >> }, >> IS: { bool -> >> println "checking if $condition yields $bool, with 'IS'" >> }] >> } >> >> cond = (1<2) >> check cond is true >> check cond IS true >> [marcpa@MarcPaquette dsl]$ groovy chainWithLowerCaseIsFails.groovy >> checking if true yields true, with 'IS' >> [marcpa@MarcPaquette dsl]$ >> ``` >> >> Marc Paquette >> >> >
http://mail-archives.eu.apache.org/mod_mbox/groovy-users/201510.mbox/%3CCACtcGtwq794bcy_LxhJuzgXt-YdqW-AtA6B9dekj=0B-sKabTw@mail.gmail.com%3E
CC-MAIN-2019-51
en
refinedweb
U_Blox device connector Fork of mbed-os-example-client by mbed_client_config.h - Committer: - surajdagar - Date: - 2017-02-02 - Revision: - 63:81c0432cb506 - Parent: - 0:7d5ec759888b File content as of revision 63:81c0432cb506: /* * Copyright (c) 2016_CLIENT_CONFIG_H #define MBED_CLIENT_CONFIG_H // Defines the number of times client should try re-connection towards // Server in case of connectivity loss , also defines the number of CoAP // re-transmission attempts.Default value is 3 #define M2M_CLIENT_RECONNECTION_COUNT 3 // Defines the interval (in seconds) in which client should try re-connection towards // Server in case of connectivity loss , also use the same interval for CoAP // re-transmission attempts. Default value is 5 seconds #define M2M_CLIENT_RECONNECTION_INTERVAL 5 // Defines the keep-alive interval (in seconds) in which client should send keep alive // pings to server while connected through TCP mode. Default value is 300 seconds #define M2M_CLIENT_TCP_KEEPALIVE_TIME 300 // Defines the maximum CoAP messages that client can hold, maximum value is 6 #define SN_COAP_DUPLICATION_MAX_MSGS_COUNT 2 // Defines the size of blockwise CoAP messages that client can handle. // The values that can be defined uust be 2^x and x is at least 4. // Suitable values: 0, 16, 32, 64, 128, 256, 512 and 1024 #define SN_COAP_MAX_BLOCKWISE_PAYLOAD_SIZE 1024 // Many pure LWM2M servers doen't accept 'obs' text in registration message. // While using Client against such servers, this flag can be set to define to // disable client sending 'obs' text for observable resources. #undef COAP_DISABLE_OBS_FEATURE // Disable Bootstrap functionality in client in order to reduce code size, if bootstrap // functionality is not required. #undef M2M_CLIENT_DISABLE_BOOTSTRAP_FEATURE #endif // MBED_CLIENT_CONFIG_H
https://os.mbed.com/users/surajdagar/code/U_Blox_DeviceConnector/file/81c0432cb506/mbed_client_config.h/
CC-MAIN-2019-51
en
refinedweb
offers code snippets demonstrating common tasks you may wish to perform. Opening new browser windows To open a new browser window, you can simply use window.open(). However, window.open() returns a Window object for content, not for the browser window itself, so you should get the chrome Window first. The simplest way to do that is to use nsIWindowMediator. Example window.open(); //This open a pop-up window that could be "blocked" client-side //The following code generate an error as describe in the following warning box var wm = Components.classes["@mozilla.org/appshell/window-mediator;1"] .getService(Components.interfaces.nsIWindowMediator); var newWindow = wm.getMostRecentWindow("navigator:browser"); var b = newWindow.gBrowser; The code generate a TypeError from firefox console. In particular the Components.classes is undefined and The Components object is deprecated. It will soon be removed. Draggable windows To make a window draggable by clicking on the window's contents, you can use the mousedown and mousemove events. The following code does not care which element is clicked on, simply responding to all mousedown events equally. You could improve this code by checking the event.target element and only setting the startPos if the element matches some criteria. Example var startPos = null; function mouseDown(event) { startPos = [event.clientX, event.clientY]; } function mouseMove(event) { if (startPos) { var newX = event.screenX - startPos[0]; var newY = event.screenY - startPos[1]; window.moveTo(newX, newY); } } function mouseUp(event) { startPos = null; } window.addEventListener("mousedown", mouseDown, false); window.addEventListener("mouseup", mouseUp, false); window.addEventListener("mousemove", mouseMove, false); XUL Titlebar Element XUL Applications can take advantage of the titlebar element to achieve a similar result without extra JavaScript code. Re-using and focusing named windows While specifying the name parameter to window.open or window.openDialog will prevent multiple windows of that name from opening, each call will actually re-initialize the window and thus lose whatever state the user has put it in. Additionally, if the window is in the background, it may not be brought to the front. This code will check for a window of the provided name. If it finds one, it focuses it. If it doesn't, it opens one. var wenum = Components.classes["@mozilla.org/embedcomp/window-watcher;1"] .getService(Components.interfaces.nsIWindowWatcher) .getWindowEnumerator(); var index = 1; var windowName = "yourWindowName"; while (wenum.hasMoreElements()) { var win = wenum.getNext(); if (win.name == windowName) { win.focus(); return; } index++ } window.open("chrome://to/your/window.xul", windowName, "features"); Uniquely identifying DOM windowsRequires Gecko 2.0(Firefox 4 / Thunderbird 3.3 / SeaMonkey 2.1) In Gecko, each DOM window has a unique 64-bit ID number. You can get a DOM window's ID using the nsIDOMWindowUtils attribute outerWindowID. Each time a new window is created, it gets assigned an ID one greater than the last created window. This can be used in cases in which you need to uniquely identify a DOM window during the duration of the application's lifespan: var util = win.QueryInterface(Components.interfaces.nsIInterfaceRequestor).getInterface(Components.interfaces.nsIDOMWindowUtils); var windowID = util.outerWindowID; After running that code, windowID contains the outer window's unique ID. Similarly, you can get the current inner window ID using the nsIDOMWIndowUtils attribute currentInnerWindowID: var util = win.QueryInterface(Components.interfaces.nsIInterfaceRequestor).getInterface(Components.interfaces.nsIDOMWindowUtils); var windowID = util.currentInnerWindowID; Programatically modifying HTML When attempting to modify HTML elements, it is important to specify the namespace. For example, the following code will add a horizontal rule. var hr = document.createElementNS("", "html:hr"); document.getElementById("id1").appendChild(hr); See also - More about Working with windows in chrome code.
https://developer.mozilla.org/en-US/docs/Archive/Add-ons/Code_snippets/Windows
CC-MAIN-2019-51
en
refinedweb
Hello, I've encountered a strange bug that appears to be either in gcc's gomp implementation or in how python loads extension modules linked against gomp. Here's the error: Using gcc (multiple versions) on linux, I compile an empty c extension module and pass -lgomp as a linker arg. If I import it, running a simple script in matplotlib causes a segfault. Not passing -lgomp or not loading the empty module makes the code works fine. More specifically, if I compile: #include "Python.h" static struct PyMethodDef methods[] = { {0, 0, 0, 0} }; PyMODINIT_FUNC initempty(void) { Py_InitModule4("empty", methods, 0, 0, PYTHON_API_VERSION); } using ``ext_modules = [Extension("empty", ["empty.c"], extra_link_args = ["-lgomp"])]``, then import empty import matplotlib.pylab as plt plt.figure() plt.plot([0,1], [0,1], '-b') plt.show() causes the program to segfault (removing ``import empty`` makes it fine). Looking at a traceback: #0 0x00f78bc7 in __cxa_allocate_exception () from /usr/lib/libstdc++.so.6 #1 0x008f51f2 in py_to_agg_transformation_matrix (obj=0x8223f58, errors=false) at src/agg_py_transforms.cpp:20 #2 0x008fdd73 in _path_module::update_path_extents (this=0x8e45f90, args=...) at src/path.cpp:378 #3 0x009048bd in Py::ExtensionModule<_path_module>::invoke_method_varargs (this=<value optimized out>, method_def=0x8e9ae30, args=...) at ./CXX/Python2/ExtensionModule.hxx:184 #4 0x008f0d96 in method_varargs_call_handler (_self_and_name_tuple=0x8e6eeac, _args=0x94e683c) at CXX/Python2/cxx_extensions.cxx:1714 #5 0x080dc0d0 in PyEval_EvalFrameEx () #6 0x080dddf2 in PyEval_EvalCodeEx () While occurring in some of matplotlib's extension code (and I haven't found another library that crashes it), the fact that the deciding factor is whether I link against gomp indicates the it's probably upstream somewhere. I encountered this error a year ago and asked about it on the matplotlib mailing list, but found a quick workaround then, and with deadline pressure I forgot about it. However, it's come up again, and then I was asked to bump it to python-dev, which is why I'm posting it here. I can reproduce it on the following systems. In all cases, matplotlib is compiled from source on the development branch (r8969) and uses QT4Agg as the backend, as is numpy, scipy, etc. If needed, I can track down more versions. gcc (Ubuntu/Linaro 4.4.4-14ubuntu5) 4.4.4, 64bit, Python 2.6.6, ubuntu 10.10 gcc (Ubuntu 4.4.3-4ubuntu5) 4.4.3, 64bit, Python 2.6.5, ubuntu 10.04 gcc (Ubuntu 4.4.1-4ubuntu9) 4.4.1, 32bit, Python 2.6.4, ubuntu 9.10 gcc 4.5.2 (source build), Python 2.6.5, ubuntu 10.04. On this build, the given source example does not produce the result, and I haven't been able to tweak it so it does. However, linking to a much larger extension library that uses many different parts of openmp causes exactly the same crash. If I recompile that library without openmp support, then everything works fine; with openmp support it corrupts something and matplotlib crashes in exactly the same way. gcc 4.3.2, Python 2.6.2, ubuntu 9.04 (I don't have access to this system any more, since it got upgraded, but it had the same problem a year ago). I'd be happy to provide any more information if needed. I attached example code that reproduces it. Let me know if I should file a bug report (and where to file it -- which is why I haven't yet). Thanks, --Hoyt python-gomp-bug.tar.gz (672 Bytes) ··· ++++++++++++++++++++++++++++++++++++++++++++++++ + Hoyt Koepke + University of Washington Department of Statistics + + [email protected]... ++++++++++++++++++++++++++++++++++++++++++
https://discourse.matplotlib.org/t/bug-in-linking-to-gomp-with-python-causes-crash-in-matplotlib/15062
CC-MAIN-2019-51
en
refinedweb
IPlayerEvent Link to iplayerevent This interface is extended by all events that have a player. That means you can use the getter below to access the player. Importing the class Link to importing-the-class It might be required to import the class to avoid errors. import crafttweaker.event.IPlayerEvent; Extending ILivingEvent Link to extending-ilivingevent This interface extends ILivingEvent, which means that all functionality that ILivingEvent offers is also present in IPlayerEvent ZenGetters Link to zengetters
https://docs.blamejared.com/1.12/en/Vanilla/Events/Events/IPlayerEvent
CC-MAIN-2022-40
en
refinedweb
Introduction to Spring Batch Processing Spring batch processing is characterized by non-interactive, frequently long-running background execution, and bulk-oriented is utilized in almost every industry and for a wide range of tasks. Batch processing can be data or computationally heavy, run sequentially or in parallel, and be started using different invocation models, such as ad hoc, scheduled, or on-demand. Spring Batch is a lightweight, feature-rich framework that makes it easier to create reliable batch applications. What is spring batch processing? - Any developer should be knowledgeable and comfortable with the fundamental notions of batch processing. - It introduces spring Batch’s fundamental concepts and phrases in batch processing. - A Job, which is made up of numerous Steps, usually encapsulates a batch operation. ItemProcessor, ItemReader, and ItemWriter are usually present in each Step. - A JobLauncher executes a job, while a JobRepository store’s metadata about jobs configured and executed. - Each Job can have several JobInstances, each of which is defined by its own set of job parameters. For example, a JobExecution is the name for a single run of a Job Instance. - Every Job is made up of one or more steps, each of which is an independent, specific portion of a batch Job. - A single StepExecution, similar to a Job, represents a single attempt to perform a Step. StepExecution keeps track of current and exit statuses, start and finish times, and pointers to the corresponding Step and JobExecution instances. Spring batch processing Application setup Below examples shown to set up the project of spring batch processing are as follows. - Create project template of spring batch processing by using spring initializer - In the below step, we have provided project group name as com.example, artifact name as SpringBatchProcessing, project name as SpringBatchProcessing, and selected java version as 8. Also, we have defined the spring boot version as 2.6.0, defined the project as maven. - We have selected spring web, spring batch, spring data JPA, and PostgreSQL driver dependency in the below project to implement the spring batch processing project. Group – com.example Artifact name – SpringBatchProcessing Name – SpringBatchProcessing Spring boot – 2.6.0 Project – Maven Java – 8 Package name - com.example.SpringBatchProcessing Project Description - Project for SpringBatchProcessing Dependencies – spring web, PostgreSQL driver, spring batch, Spring data JPA. > admin dependency in the spring batch project. Code – data layer – Code – @Entity(name = "student") @Getter @Setter @AllArgsConstructor @NoArgsConstructor @EntityListeners (AuditingEntityListener.class) public class Stud {@Id @Column(name = "id") @GeneratedValue (strategy = GenerationType.AUTO) private int stud_id; @Override public String toString() { return "stud_id: " + stud_id; } } - Create repository layer – Code – public interface StudentRepo extends JpaRepository<Stud, Long> { } - Create processor – Code – public class StudProcessor implements ItemProcessor { private static final Logger l = (Logger) LoggerFactory.getLogger(StudProcessor.class); public String process(final Stud st) throws Exception { final String firstName = st.getStud_ID ().toUpperCase(); String student = null; l.info("Convert (" + st + ") into (" + student + ")"); return student; } @Override return null; } } - Create configuration layer – Code – @Configuration @EnableBatchProcessing public class Config { @Autowired public JobBuilderFactory jbf; @Autowired public StepBuilderFactory sbf; @Bean public FlatFileItemReader<Stud> reader() { return new FlatFileItemReaderBuilder<Stud>() .name("studReader") .resource(new ClassPathResource("stud.csv")) .delimited() .names(new String[]{"Stud_id"}) .fieldSetMapper(new BeanWrapperFieldSetMapper<>() {{ setTargetType(Stud.class); }}) .build(); } @Bean public RepositoryItemWriter<Stud> writer() { RepositoryItemWriter<Stud> iwriter = new RepositoryItemWriter<>(); CrudRepository<Stud, ?> studRepo = null; iwriter.setRepository(studRepo); iwriter.setMethodName("Save"); return iwriter; } - Create controller layer Code – @RestController @RequestMapping(path = "/batch")// Root path public class Controller { @Autowired private JobLauncher jl; @Autowired private Job j; @GetMapping(path = "/start") public ResponseEntity<String> startBatch () throws org.springframework.batch.core.repository.JobRestartException { JobParameters p = new JobParametersBuilder() .addLong("started", System.currentTimeMillis()).toJobParameters(); return new ResponseEntity<>("Process of batch is started", HttpStatus.OK); } } - Configure application.properties file – Code server.port=8080 spring.batch.job.enabled=false - Run the application – Spring batch processing Framework - Spring Batch is a lightweight, feature-rich batch framework that enables the creation of dependable batch applications that are critical to enterprise systems’ day-to-day operations. - Batch operations that handle large amounts of data can take advantage of the framework in a highly scalable way. - Spring Batch is based on the Spring Framework; we should be familiar with the capabilities and functions of spring. - Spring batch has the benefit of having few project dependencies, making it easier to get up and running quickly. Key Concepts and Terminology - The ExecutionContext is saved by Spring Batch, which is useful if you need to restart a batch job. - All of this persistence is made possible through the JobRepository mechanism in Spring Batch. In addition, it offers CRUD operations for JobLauncher, Job, and Step instantiations. - A JobExecution is retrieved from the repository after a Job is launched, and StepExecution and JobExecution instances persist during the execution process. - To develop a spring boot processing application, we need to add spring web, spring batch, spring data JPA and PostgreSQL driver dependency in the pom.xml file. Conclusion Any developer should be knowledgeable and comfortable with the fundamental notions of batch processing. Spring Batch is a lightweight, feature-rich batch framework. Spring batch is characterized by non-interactive, frequently long-running background execution, and bulk-oriented is utilized in almost every industry and for a wide range of tasks. Recommended Articles This is a guide to Spring Batch Processing. Here we discuss the Spring batch processing Framework along with the Key Concepts and Terminology. You may also have a look at the following articles to learn more –
https://www.educba.com/spring-batch-processing/?source=leftnav
CC-MAIN-2022-40
en
refinedweb
customized widgets. A quick demo First let's have a look at some of the most common PyQt widgets. The following code creates a range of PyQt widgets and adds them to a window layout so you can see them together. We'll cover how layouts work in Qt in the next tutorial. import sys from PySide6.QtCore import Qt from PySide6.QtWidgets import ( QApplication, QCheckBox, QComboBox, QDateEdit, QDateTimeEdit, QDial, QDoubleSpinBox, QFontComboBox, QLabel, QLCDNumber, QLineEdit, QMainWindow, QProgressBar, QPushButton, QRadioButton, QSlider, QSpinBox, QTimeEdit, QVBoxLayout, QWidget, ) # Subclass QMainWindow to customize your application's main window class MainWindow(QMainWindow): def __init__(self): super().__init__() self.setWindowTitle("Widgets App") layout = QVBoxLayout() widgets = [ QCheckBox, QComboBox, QDateEdit, QDateTimeEdit, QDial, QDoubleSpinBox, QFontComboBox, QLCDNumber, QLabel, QLineEdit, QProgressBar, QPushButton, QRadioButton, QSlider, QSpinBox, QTimeEdit, ] for w in widgets: layout.addWidget(w()) widget = QWidget() widget.setLayout(layout) # Set the central widget of the Window. Widget will expand # to take up all the space in the window by default. self.setCentralWidget(widget) app = QApplication(sys.argv) window = MainWindow() window.show() app.exec_() Run it! You'll see a window appear containing all the widgets we've created. Big ol' list of widgets on Windows, Mac & Ubuntu Linux. Lets have a look at all the example widgets, from top to bottom: There are far more widgets than this, but they don’t fit so well! You can see them all by checking the Qt documentation. Next, we'll step through some of the most commonly used widgets and look at them in more detail. To experiment with the widgets we'll need a simple application to put them in. Save the following code to a file named app.py and run it to make sure it's working. import sys from PySide6.QtWidgets import ( QMainWindow, QApplication, QLabel, QCheckBox, QComboBox, QListWidget, QLineEdit, QLineEdit, QSpinBox, QDoubleSpinBox, QSlider ) from PySide6.QtCore import Qt class MainWindow(QMainWindow): def __init__(self): super(MainWindow, self).__init__() self.setWindowTitle("My App") app = QApplication(sys.argv) w = MainWindow() w.show() app.exec_() In the code above we've imported a number of Qt widgets. Now we'll step through each of those widgets in turn, adding them to our application and seeing how they behave. QLabel We'll start the tour with QLabel, arguably one of the simplest widgets available in the Qt toolbox. This is a simple one-line piece of text that you can position in your application. You can set the text by passing in a str as you create it: widget = QLabel("Hello") Or, by using the .setText() method: widget = QLabel("1") # The label is created with the text 1. widget.setText("2") # The label now shows 2. You can also adjust font parameters, such as the size of the font or the alignment of text in the widget. class MainWindow(QMainWindow): def __init__(self): super(MainWindow, self).__init__() self.setWindowTitle("My App") widget = QLabel("Hello") font = widget.font() font.setPointSize(30) widget.setFont(font) widget.setAlignment(Qt.AlignHCenter | Qt.AlignVCenter) self.setCentralWidget(widget) QLabel on Windows, Mac & Ubuntu Linux. Font tip Note that if you want to change the properties of a widget font it is usually better to get the current font, update it and then apply it back. This ensures the font face remains in keeping with the desktop conventions. The alignment is specified by using a flag from the Qt. namespace. The flags available for horizontal alignment are: The flags available for vertical alignment are: You can combine flags together using pipes ( |), however note that you can only use vertical or horizontal alignment flag at a time. align_top_left = Qt.AlignLeft | Qt.AlignTop Note that you use an OR pipe (`|`) to combine the two flags (not A & B). This is because the flags are non-overlapping bitmasks. e.g. Qt.AlignLeft has the hexadecimal value 0x0001, while Qt.AlignBottomis 0x0040. By ORing together we get the value 0x0041 representing 'bottom left'. This principle applies to all other combinatorial Qt flags. If this is gibberish to you, feel free to ignore and move on. Just remember to use | Finally, there is also a shorthand flag that centers in both directions simultaneously: Weirdly, you can also use QLabel to display an image using .setPixmap(). This accepts an pixmap, which you can create by passing an image filename to QPixmap. In the example files provided with this book you can find a file otje.jpg which you can display in your window as follows: widget.setPixmap(QPixmap('otje.jpg')) "Otje" the cat. What a lovely face. By default the image scales while maintaining its aspect ratio. If you want it to stretch and scale to fit the window completely you can set .setScaledContents(True) on the QLabel. widget.setScaledContents(True) QCheckBox The next widget to look at is QCheckBox() which, as the name suggests, presents a checkable box to the user. However, as with all Qt widgets there are number of configurable options to change the widget behaviors. class MainWindow(QMainWindow): def __init__(self): super(MainWindow, self).__init__() self.setWindowTitle("My App") widget = QCheckBox() widget.setCheckState(Qt.Checked) # For tristate: widget.setCheckState(Qt.PartiallyChecked) # Or: widget.setTriState(True) widget.stateChanged.connect(self.show_state) self.setCentralWidget(widget) def show_state(self, s): print(s == Qt.Checked) print(s) QCheckBox on Windows, Mac & Ubuntu Linux. You can set a checkbox state programmatically using .setChecked or .setCheckState. The former accepts either True or False representing checked or unchecked respectively. However, with .setCheckState you also specify a particular checked state using a Qt. namespace flag: A checkbox that supports a partially-checked ( Qt.PartiallyChecked) state is commonly referred to as 'tri-state', that is being neither on nor off. A checkbox in this state is commonly shown as a greyed out checkbox, and is commonly used in hierarchical checkbox arrangements where sub-items are linked to parent checkboxes. If you set the value to Qt.PartiallyChecked the checkbox will become tristate. You can also set a checkbox to be tri-state without setting the current state to partially checked by using .setTriState(True) You may notice that when the script is running the current state number is displayed as an int with checked = 2, unchecked = 0, and partially checked = 1. You don’t need to remember these values, the Qt.Checked namespace variable == 2 for example. This is the value of these state's respective flags. This means you can test state using state == Qt.Checked. QComboBox The QComboBox is a drop down list, closed by default with an arrow to open it. You can select a single item from the list, with the currently selected item being shown as a label on the widget. The combo box is suited to selection of a choice from a long list of options. You have probably seen the combo box used for selection of font faces, or size, in word processing applications. Although Qt actually provides a specific font-selection combo box as QFontComboBox. You can add items to a QComboBox by passing a list of strings to .addItems(). Items will be added in the order they are provided. class MainWindow(QMainWindow): def __init__(self): super(MainWindow, self).__init__() self.setWindowTitle("My App") widget = QComboBox() widget.addItems(["One", "Two", "Three"]) # The default signal from currentIndexChanged sends the index widget.currentIndexChanged.connect(self.index_changed) # The same signal can send a text string widget.currentTextChanged.connect(self.text_changed) self.setCentralWidget(widget) def index_changed(self, i): # i is an int print(i) def text_changed(self, s): # s is a str print(s) QComboBox on Windows, Mac & Ubuntu Linux. The .currentIndexChanged signal is triggered when the currently selected item is updated, by default passing the index of the selected item in the list. There is also a .currentTextChanged signal which instead provides the label of the currently selected item, which is often more useful. QComboBox can also be editable, allowing users to enter values not currently in the list and either have them inserted, or simply used as a value. To make the box editable: widget.setEditable(True) You can also set a flag to determine how the insert is handled. These flags are stored on the QComboBox class itself and are listed below: To use these, apply the flag as follows: widget.setInsertPolicy(QComboBox.InsertAlphabetically) You can also limit the number of items allowed in the box by using .setMaxCount, e.g. widget.setMaxCount(10) For a more in-depth look at the QComboBox take a look at my QComboBox documentation. QListWidget QListWidget. It’s very similar to QComboBox, differing mainly in the signals available. class MainWindow(QMainWindow): def __init__(self): super(MainWindow, self).__init__() self.setWindowTitle("My App") widget = QListWidget() widget.addItems(["One", "Two", "Three"]) # In QListWidget there are two separate signals for the item, and the str widget.currentItemChanged.connect( self.index_changed ) widget.currentTextChanged.connect( self.text_changed ) self.setCentralWidget(widget) def index_changed(self, i): # Not an index, i is a QListItem print(i.text()) def text_changed(self, s): # s is a str print(s) QListWidget on Windows, Mac & Ubuntu Linux. QListWidget offers an currentItemChanged signal which sends the QListItem (the element of the list box), and a currentTextChanged signal which sends the text. To support developers in [[ countryRegion ]] I give a [[ localizedDiscount[couponCode] ]]% discount with the code [[ couponCode ]] — Enjoy! For [[ activeDiscount.description ]] I'm giving a [[ activeDiscount.discount ]]% discount with the code [[ couponCode ]] — Enjoy! QLineEdit The QLineEdit widget is a simple single-line text editing box, into which users can type input. These are used for form fields, or settings where there is no restricted list of valid inputs. For example, when entering an email address, or computer name. class MainWindow(QMainWindow): def __init__(self): super(MainWindow, self).__init__() self.setWindowTitle("My App") widget = QLineEdit() widget.setMaxLength(10) widget.setPlaceholderText("Enter your text") #widget.setReadOnly(True) # uncomment this to make readonly widget.returnPressed.connect(self.return_pressed) widget.selectionChanged.connect(self.selection_changed) widget.textChanged.connect(self.text_changed) widget.textEdited.connect(self.text_edited) self.setCentralWidget(widget) def return_pressed(self): print("Return pressed!") self.centralWidget().setText("BOOM!") def selection_changed(self): print("Selection changed") print(self.centralWidget().selectedText()) def text_changed(self, s): print("Text changed...") print(s) def text_edited(self, s): print("Text edited...") print(s) QLineEdit on Windows, Mac & Ubuntu Linux. As demonstrated in the above code, you can set a maximum length for the text in a line edit. The QLineEdit has a number of signals available for different editing events including when return is pressed (by the user), when the user selection is changed. There are also two edit signals, one for when the text in the box has been edited and one for when it has been changed. The distinction here is between user edits and programmatic changes. The textEdited signal is only sent when the user edits text. Additionally, it is possible to perform input validation using an input mask to define which characters are supported and where. This can be applied to the field as follows: widget.setInputMask('000.000.000.000;_') The above would allow a series of 3-digit numbers separated with periods, and could therefore be used to validate IPv4 addresses. QSpinBox and QDoubleSpinBox QSpinBox provides a small numerical input box with arrows to increase and decrease the value. QSpinBox supports integers while the related widget QDoubleSpinBox supports floats. class MainWindow(QMainWindow): def __init__(self): super().__init__() self.setWindowTitle("My App") widget = QSpinBox() # Or: widget = QDoubleSpinBox() widget.setMinimum(-10) widget.setMaximum(3) # Or: widget.setRange(-10,3) widget.setPrefix("$") widget.setSuffix("c") widget.setSingleStep(3) # Or e.g. 0.5 for QDoubleSpinBox widget.valueChanged.connect(self.value_changed) widget.textChanged.connect(self.value_changed_str) self.setCentralWidget(widget) def value_changed(self, i): print(i) def value_changed_str(self, s): print(s) Run it and you'll see a numeric entry box. The value shows pre and post fix units, and is limited to the range +3 to -10. QSpinBox on Windows, Mac & Ubuntu Linux. The demonstration code above shows the various features that are available for the widget. To set the range of acceptable values you can use setMinimum and setMaximum, or alternatively use setRange to set both simultaneously. Annotation of value types is supported with both prefixes and suffixes that can be added to the number, e.g. for currency markers or units using .setPrefix and .setSuffix respectively. Clicking on the up and down arrows on the widget will increase or decrease the value in the widget by an amount, which can be set using .setSingleStep. Note that this has no effect on the values that are acceptable to the widget. Both QSpinBox and QDoubleSpinBox have a .valueChanged signal which fires whenever their value is altered. The raw .valueChanged signal sends the numeric value (either an int or a float) while .textChanged sends the value as a string, including both the prefix and suffix characters. QSlider QSlider provides a slide-bar widget, which functions internally much like a QDoubleSpinBox. Rather than display the current value numerically, it is represented by the position of the slider handle along the length of the widget. This is often useful when providing adjustment between two extremes, but where absolute accuracy is not required. The most common use of this type of widget is for volume controls. There is an additional .sliderMoved signal that is triggered whenever the slider moves position and a .sliderPressed signal that emits whenever the slider is clicked. class MainWindow(QMainWindow): def __init__(self): super().__init__() self.setWindowTitle("My App") widget = QSlider() widget.setMinimum(-10) widget.setMaximum(3) # Or: widget.setRange(-10,3) widget.setSingleStep slider widget. Drag the slider to change the value. QSlider on Windows, Mac & Ubuntu Linux. You can also construct a slider with a vertical or horizontal orientation by passing the orientation in as you create it. The orientation flags are defined in the Qt. namespace. For example -- widget.QSlider(Qt.Vertical) Or -- widget.QSlider(Qt.Horizontal) QDial Finally, the QDial is a rotatable widget that functions just like the slider, but appears as an analogue dial. This looks nice, but from a UI perspective is not particularly user friendly. However, they are often used in audio applications as representation of real-world analogue dials. class MainWindow(QMainWindow): def __init__(self): super().__init__() self.setWindowTitle("My App") widget = QDial() widget.setRange(-10, 100) widget.setSingleStep(0 circular dial, rotate it to select a number from the range. QDial on Windows, Mac & Ubuntu Linux. The signals are the same as for QSlider and retain the same names (e.g. .sliderMoved). Conclusion This concludes our brief tour of the common widgets used in PySide6 applications. To see the full list of available widgets, including all their signals and attributes, take a look at the Qt documentation.
https://www.pythonguis.com/tutorials/pyside6-widgets/
CC-MAIN-2022-40
en
refinedweb
Introduction to Tokens in C Tokens in C language is the most important concept used in developing a C program. We can say the token in the C language is the smallest individual part. Let suppose even we have a lot of words we can’t make a sentence without combining them, the same way we can’t develop the application without using tokens in C language. So, we can say that tokens in C language are the building block of C programming language. Top 6 Types of Tokens in C C Supports 6 Types of Tokens - Keywords - Identifiers - Strings - Operators - Constants - Special Symbols 1. Keywords Keywords in C language are predefined or reserved keywords used to expose the behavior of the data. There are 32 keywords in C. Each keyword has its functionality to do. Syntax: 2. Identifier Identifier in C language is used for naming functions, variables, structures, unions, arrays, etc. The identifier is user-defined words. These identifiers can be composed of uppercase, lowercase letters, digits, underscore. Identifiers never used for keywords. Rules to construct identifiers is below - The first character should be either alphabet or underscore and then followed by any character, digit. - Identifiers are case sensitive as there is A and a treated as different. - Commas and blank space are not allowed - Keywords can’t be used for identifiers. - The length of the identifiers should not be more than 31 characters. - Naming convention should understandable to the user. Syntax: dataType _abc1= Valid dataType 123abcZ=Invalid dataType int=Invalid dataType abc, ap=Invalid 3. Strings Strings in C is an array of characters having null character ‘\0’ at the end of the string. Strings in C are enclosed in double-quotes(“”) and Characters are enclosed in single quotes(”). Syntax: char a[10]={'1','2','3'}; char a[]="Amardeep"; char a[10]="Paramesh"; 4. Operators This is used to perform special operations on data. Unary Operator: Applied with a single operand. Binary Operator: Applied between 2 operands. - Arithmetic Operators - Relational Operators - Shift Operators - Logical Operators - Bitwise Operators - Conditional Operators - Assignment Operator - Misc Operator 5. Constants A constant in C language is used to make the value fixed, we can’t change constant value. There are 2 ways of declaring a constant: 1. Using const keyword const variableName; 2. By Using #define pre-processor #define NAME value; Types of Constants 6. Special Symbols - Square brackets [ ]: Used for single and multi-dimensional arrays. - Simple brackets ( ): Used for function declaration. - Curly braces { }: Used for opening and closing the code. - The comma (,): Used to separate variables. - Hash/pre-processor (#): Used for the header file. - Asterisk (*): Used for Pointers. - Tilde (~): Used for destructing the memory. - Period (.): Used for accessing union members. Examples to Implement Tokens in C Below are the examples mentioned: Example #1 Keywords Code: #include <stdio.h>//Add all the basic C language libraries int main() { //declare integer variable int i=121; //declare float variable float f=11.11; //declare character variable char c='C'; //declare String variable in 2 ways char s1[20]="Paramesh"; char s3[]="Paramesh"; //declare constant variable const constant=3.14; //declare short variable short s=10; //declare double variable double d=12.12; //displaying output of all the above keywords printf("INT: %d\n", i); printf("SHORT: %d\n", s); printf("FLOAT: %f\n", f); printf("DOUBLE: %f\n", d); printf("CHAR: %c\n", c); printf("STRING 1: %s\n", s1); printf("STRING 3: %s\n", s3); printf("CONSTANT: %d\n", constant); return 0; } Output: Example #2 Switch Code: #include <stdio.h>//Add all the basic C language libraries#include //main method used for running the application int main() { //decalre variable int n; //asking enter any choice between 1 to 4 printf("Enter any choice between 1 to 4=>"); scanf("%d",&n); //switch case, based on choice it will gives us output //if we did not take break each case then where ever it is true that value and rest are printf //none are true then default value will be print switch (n) { case 1: printf("I am Paramesh"); break; case 2: printf("I am Amardeep"); break; case 3: printf("I am Venkatesh"); break; case 4: printf("I am Krishna"); break; default: printf("Opps! I am default"); } return 0; } Output: Example #3 Functions Code: #include <stdio.h>//Add all the basic C language libraries#include int input(void);//declaring method int getSquareArea(int side);//declaring method int getCube(int cube);//declaring method //main method used for running the application int main() { int i=input(); int sArea= getSquareArea(i); int cube=getCicrcleArea(i); //displaying output printf("Square Area is = %d\n",sArea); printf("Cube of the number is = %d\n",cube); return 0; } //method definination //this for asking the user input int input(void) { int n; //asking the user to input printf("Enter any number=> "); scanf("%d",&n); return n; } //method definination //this for getting square area int getSquareArea(int input) { return input*input; } //method definination //this for getting cube of the number int getCicrcleArea(int cube) { return cube*cube*cube; } Output: Example #4 Typedef Code: #include <stdio.h>//Add all the basic C language libraries #include <string.h>//Add the String library to perform string actions //typedef for give struct keyword to user wanted keyword as like below (Courses) typedef struct Courses { char courseName[60];//declare character variable float CourseFee;//declare float variable char companyName[100];//declare character variable int loginID;//declare integer variable } Courses; //To make work user defined keyword we have call the keyword from here //main method to execute application code int main( ) { //Taken Courses name as course( alias name) Courses course; //Copying character values into varaible strcpy( course.courseName, "C Programming"); strcpy( course.companyName, "EDUCBA"); //Initailize float values into varaible course.CourseFee = 5000.00; //Initailize integer values into varaible course.loginID=2452; //display the output of all the declared variable below printf( "Course Name : %s\n", course.courseName); printf( "Company Name : %s\n", course.companyName); printf( "Course Fee : %f\n", course.CourseFee); printf( "Login ID : %d\n", course.loginID); return 0; } Output: Conclusion Tokens in C language are said to the building block of the application. It can have Keywords, Identifiers, Constants, Strings, Operators, and Special Symbols. Which all are gives one complete structure the C language code. Recommended Articles This is a guide to Tokens in C. Here we discuss an introduction, the top 6 types of token, and examples for better understanding. You can also go through our other related articles to learn more –
https://www.educba.com/tokens-in-c/
CC-MAIN-2022-40
en
refinedweb
The demo application – time for code In this section we will take a closer look at the actual code of the demo project. Thereafter, we will do some simple modifications to the code and also use the debugger. Inspecting an example code of the demo application Let us take a first look at the generated code of MyDemo.java from the demo project. The following code listing shows the class definition: public class MyDemo implements ApplicationListener { // ... } As you can see the MyDemo class implements the ApplicationListener interface. Before we move on to the implementation details of the interface, we will spend some time on the remaining part of this class. You will find a definition of four member variables, each with a class provided by Libgdx. private ... Get Learning Libgdx Game Development now with the O’Reilly learning platform. O’Reilly members experience live online training, plus books, videos, and digital content from nearly 200 publishers.
https://www.oreilly.com/library/view/learning-libgdx-game/9781782166047/ch02s06.html
CC-MAIN-2022-40
en
refinedweb
[[[ To any NSA and FBI agents reading my email: please consider ]]] [[[ whether defending the US Constitution against all enemies, ]]] [[[ foreign or domestic, requires you to follow Snowden's example. ]]] > FWIW, I proposed a minimum of 2 chars (plus hyphen). > I think that's good. What's a good reason for going > to 3 instead of 2? The namespace of 2-letter prefixes seems somewhat cramped to me. Every package that uses such a prefix will have to be discussed regarding whether it is entitled to one. A rule saying "use at least three" would not cause any real trouble and would mostly eliminate that problem. -- Dr Richard Stallman Chief GNUisance of the GNU Project () Founder, Free Software Foundation () Internet Hall-of-Famer ()
https://lists.gnu.org/archive/html/emacs-devel/2020-05/msg00639.html
CC-MAIN-2022-40
en
refinedweb
>> - Background A Background is added to have a group of steps. It is close to a Scenario. We can add a context to multiple Scenarios with Background. It is run prior to every Scenario of a feature, but post the execution of before hooks. Background is generally used for executing preconditions like login Scenarios or database connection, and so on. A Background description can be added for the better human readability. It can appear only for a single time in a feature file and must be declared prior to a Scenario or Scenario Outline. A Background should not be used to create a complex state (only if it cannot be avoided). This segment should be brief and authentic. Also, we should avoid having a large number of scenarios within one feature file. Feature File with Background The feature file with background for the feature titled payment process is as follows − Feature − Payment Process Background: Given launch application Then Input credentials Scenario − Credit card transaction Given user is on credit card payment screen Then user should be able to complete credit card payment Scenario − Debit card transaction Given user is on debit card payment screen Then user should be able to complete debit card payment Corresponding Step Implementation File The file is given below − from behave import * @given('launch application') def launch_application(context): print('launch application') @then('Input credentials') def input_credentials(context): print('Input credentials') @given('user is on credit card payment screen') def credit_card_pay(context): print('User is on credit card payment screen') @then('user should be able to complete credit card payment') def credit_card_pay_comp(context): print('user should be able to complete credit card pay') @given('user is on debit card payment screen') def debit_card_pay(context): print('User is on debit card payment screen') @then('user should be able to complete debit card payment') def debit_card_pay_comp(context): print('user should be able to complete debit card payment') Output The output obtained after running the feature file is mentioned below and the command used here is behave --no-capture -f plain. The continued output is as follows − The output shows the Background steps (Given Launch applications & Then Input Credentials) running twice before each of the Scenarios.
https://www.tutorialspoint.com/behave/behave_background.htm
CC-MAIN-2022-40
en
refinedweb
When you’re building a website that needs to be updated in real-time, your first thought is probably to add WebSockets to your application. In this article, you will learn how to add MQTT to your angular web. What is MQTT? MQTT means Message Queuing Telemetry Transport. It’s a connectivity protocol used in the IoT world to communicate between machines, but has a whole load of other applications too. You can read more about MQTT on Wikipedia and also on the official MQTT site. Currently, MQTT protocol is used in a lot of IoT platforms to communicate between IoT devices.Currently, MQTT protocol is used in a lot of IoT devices. Architecture An MQTT protocol ecosystem has the following components: - Publisher: Responsible for publishing MQTT messages to the system. Usually an IoT device. - MQTT Broker: The server that gets the published data and sends it to the corresponding subscribers. - Subscriber: The device that is listening for incoming data from devices. Publish/Subscribe Model As we have seen in the architecture overview, MQTT uses the publish/subscribe methodology. So they don’t know each other, they just need to agree on how data is going to be sent. It also allows the use of multiple publishers or subscribers, so various clients can create an MQTT connection and subscribe to data from a single device. MQTT Topics An MQTT Topic is the concept used to communicate between publishers and subscribers. When a subscriber wants to get data from a device, it subscribes to a specific topic, which will be where the device publishes its data. A Topic is a hierarchical UTF-8 string, and here you have an example: /device/garden_sensor/temperature MQTT Over Websockets In the introduction, we said that MQTT is a high-level protocol and the great thing is that it can use different protocols to get its job done. It can adopt its own MQTT protocol, but this protocol is not supported by web browsers; however MQTT can also be used over WebSockets connection, so we can easily use MQTT on any web browser that supports WebSockets. Which MQTT Broker Should I Use? There are various MQTT brokers you can use for your project. On one hand you can use cloud/hosted solutions; alternatively you can choose an on-premise option, either by installing on your own servers or using through Docker. You can see a comprehensive list of the existing brokers in this Github repo. In our case we have used the open source Eclipse Mosquitto with great success. MQTT Client on Angular Apps Now let’s see how can we use MQTT protocol on an Angular app. The easiest way to do it is to use some of the existing Javascript libraries. In this case, we will use the ngx-mqtt library. This offers support for Javascript/Typescript observables, so it’s really helpful when writing an MQTT client on an Angular app. Installing ngx-mqtt You have all the information on the library site, but it’s as easy as installing the npm packages. npm install ngx-mqtt --save Configuration Once the library is installed, you need to initialize it. You can follow the instructions on the ngx-mqtt site, but you will probably have multiple environments in your Angular code, so you will need a different configuration for each environment. So let’s create an mqtt section in our environment files. Here’s an example: src/environments/environment.prod.ts export const environment = { production: true, hmr: false, http: { apiUrl: '<>', }, mqtt: { server: 'mqtt.myweb.com', protocol: "wss", port: 1883 } }; You can edit all other environment configuration files to set the right values for each one. Now we need to initialize the MQTT library, and for this we recommend changing to app.module.ts: ... import { IMqttServiceOptions, MqttModule } from "ngx-mqtt"; import { environment as env } from '../environments/environment'; const MQTT_SERVICE_OPTIONS: IMqttServiceOptions = { hostname: env.mqtt.server, port: env.mqtt.port, protocol: (env.mqtt.protocol === "wss") ? "wss" : "ws", path: '', }; @NgModule({ declarations: [AppComponent], imports: [ ... MqttModule.forRoot(MQTT_SERVICE_OPTIONS), ], ... }) export class AppModule { } Creating Services With this you can now start using MQTT in your app, but to achieve a more structured code we recommend you create a service class for each Topic you are going to use. Let’s create a service that subscribes to a topic called events , where the Topic name is similar to /events/deviceid. For this we create the Typescript file src/app/services/event.mqtt.service.tswith the following code: import { Injectable } from '@angular/core'; import { IMqttMessage, MqttService } from "ngx-mqtt"; import { Observable } from "rxjs"; @Injectable() export class EventMqttService { private endpoint: string; constructor( private _mqttService: MqttService, ) { this.endpoint = 'events'; } topic(deviceId: string): Observable<IMqttMessage> { let topicName = `/${this.endpoint}/${deviceId}`; return this._mqttService.observe(topicName); } } Using this service class, we have all the MQTT-related code in a single file and now we only need to use this service when it’s needed. Remember to add all the services files to the providers section of your AppModule, otherwise you won’t be able to use them. Using the MQTT Services Now it’s time to use the MQTT services we have created. So, for example, let’s create an EventStream component that prints all the events that a device generates. The code of this file will be similar to: import { Component, OnInit } from '@angular/core'; import { EventDataModel } from 'app/models/event.model'; import { Subscription } from 'rxjs'; import { EventMqttService } from 'app/services/api/event.mqtt.service'; import { IMqttMessage } from "ngx-mqtt"; @Component({ selector: 'event-stream', templateUrl: './event-stream.component.html', styleUrls: ['./event-stream.component.scss'], }) export class EventStreamComponent implements OnInit { events: any[]; private deviceId: string; subscription: Subscription; constructor( private readonly eventMqtt: EventMqttService, ) { } ngOnInit() { this.subscribeToTopic(); } ngOnDestroy(): void { if (this.subscription) { this.subscription.unsubscribe(); } } private subscribeToTopic() { this.subscription = this.eventMqtt.topic(this.deviceId) .subscribe((data: IMqttMessage) => { let item = JSON.parse(data.payload.toString()); this.events.push(item); }); } } It’s important to remember that we need to unsubscribe from the subscription when we destroy the component. Now, we should have an Angular app that can subscribe to MQTT topics and show the user the information every time a device generates an MQTT message. Debugging MQTT Angular Apps When working with Angular and MQTT, there are more moving parts than in common Angular apps where you have your Javascript frontend and a RESTFul API to consume (usually also a Javascript backend). We can list a few extra things you need to take care of: - Websockets : they are not easy to debug with current browsers, especially when using MQTT as data is sent in binary format. - MQTT Broker: this is a new component you need to take care of and make sure you have the right configuration for each environment. - Devices: you might be able to test the app on some devices, but once the app is live in production, the users might have some devices you didn’t know about, or a firmware update of a device can break your code. Google Chrome Websockets debugging. As you can see, information is hard to read because it’s shown in binary format. This is why Bugfender can be really helpful in debugging MQTT Angular apps. You’ll probably experience some bugs when developing the app and trying to use it in the production environment, and probably also when the app is used in the real world. If you use Bugfender, you’ll be able to get all the Javascript exceptions that occur among your final users and if a device breaks your code, you’ll also be able to inspect the MQTT data that individual devices are sending. Moreover, Bugfender sends all console logs to our serves so you can see everything that’s happening in your Javasacript app remotely. If you want to know how to install Bugfender in your Angular app, you can check the BugfenderSDK Angular App Sample. Install Bugfender: npm i @bugfender/sdk Initiate the library in your AppModule : Bugfender.init({ appKey: '<YOUR_APP_KEY_HERE>', version: '<version>', build: '<build>', }); If you don’t have an App Key you can get a free one just signing up in Bugfender. We recommend you install a custom error handler so if there’s any Javascript exception, this is sent to Bugfender. Now, let’s update our component. We send the MQTT messages we get to Bugfender, so later we can check whether there’s any problem with the information sent by a particular device. ... private subscribeToTopics() { this.subscription = this.eventMqtt.topic(this.deviceId) .subscribe((data: IMqttMessage) => { let item = JSON.parse(data.payload.toString()); Bugfender.sendLog({tag: 'MQTT', text: "Got data from device " + this.deviceId}) Bugfender.log(item); this.events.push(item); }); } We also recommend that you add a log when a subscription to a topic is created, so you will know which device is causing problems. Bugender Log Viewer with MQTT debugging information As you can see in the screenshot, we can easily identify the sensor that is sending the data and the data that is being sent. The good thing about using Bugfender is that you can enable or disable specific devices, so you can enable a certain device when you know there’s a problem and won’t waste logs with useless information. The Bugfender JS SDK is our new SDK to complement the native iOS and Android SDK. We are continuously creating new tutorials and content to help the JS developer community. If you want to be notified when new JS tutorials are available you can join our quarterly newsletter in the box below. Top comments (0)
https://dev.to/bugfenderapp/using-mqtt-on-angular-apps-5don
CC-MAIN-2022-40
en
refinedweb
flutter_facebook_auth 5.0.0-dev.3 flutter_facebook_auth: ^5.0.0-dev.3 copied to clipboard Features # - Login on Android, iOS, Web and macOS. - Express login on Android. - Granted and declined permissions. - User information, picture profile and more. - Provide an access token to make request to the Graph API. Full documentation 👉 ✅ Don't forget to leave your like if this plugin was useful for you. IMPORTANT: When you install this plugin you need to configure the plugin on Android before run the project again . If you don't do it you will have a No implementation found error because the facebook SDK on Android throws an Exception when the configuration is not defined yet and this locks the other plugins in your project. If you don't need the plugin yet please remove or comment it. macOS support # in your macos/runner/info.plist folder you must add <key>com.apple.security.network.server</key> <true/> Now in xcode select the Runner target and go to Signing & Capabilities and enable Outgoing Connections Unlinke ios, android and web for desktop app the facebook session data is not stored by default. In that case this plugin uses flutter_secure_storage to secure store the session data. To use flutter_secure_storage on macOS you need to add the Keychain Sharing capability Finally in your main.dart you need to initialize this plugin to be available for macOS import 'package:flutter/foundation.dart' show defaultTargetPlatform; void main() async { if (defaultTargetPlatform == TargetPlatform.macOS) { await FacebookAuth.i.webAndDesktopInitialize( appId: "1329834907365798", cookie: true, xfbml: true, version: "v13.0", ); } runApp(MyApp()); } If your app also support web you must use the next code instead of above code import 'package:flutter/foundation.dart' show defaultTargetPlatform, kIsWeb; void main() async { if (kIsWeb || defaultTargetPlatform == TargetPlatform.macOS) { await FacebookAuth.i.webAndDesktopInitialize( appId: "1329834907365798", cookie: true, xfbml: true, version: "v13.0", ); } runApp(MyApp()); }
https://pub.flutter-io.cn/packages/flutter_facebook_auth/versions/5.0.0-dev.3
CC-MAIN-2022-40
en
refinedweb
defines a list of directories where the engine should look for template source files, in search order. APP_DIRStells. get_template(template_name, using=None)[source]¶(template_name_list, using=None)[source]¶ select_template() is just like get_template(), except it takes a list of template names. It tries each name in order and returns the first template that exists. If loading a template fails, the following two exceptions, defined in django.template, may be raised: TemplateDoesNotExist(msg, tried=None, backend=None, chain=None)[source]¶ This exception is raised when a template cannot be found. It accepts the following optional arguments for populating the template postmortem on the debug page: backend tried (origin, status), where originis an origin-like object and statusis a string with the reason the template wasn’t found. chain TemplateDoesNotExistexceptions raised when trying to load a template. This is used by functions, such as get_template(), that try to load a given template from multiple engines. TemplateSyntaxError(msg)[source]¶ This exception is raised when a template was found but contains errors. Template objects returned by get_template() and select_template() must provide a render() method with the following signature: Template. render(context=None, request=None)¶(template_name, context=None, request=None, using=None)[source]¶ render_to_string() loads a template like get_template() and calls its render() method immediately. It takes the following arguments. template_name select_template()instead of get_template()to find the template. context dictto be used as the template’s context for rendering. request HttpRequestthat will be available during the template’s rendering process. using NAME. The search for the template will be restricted to that engine.: engines¶ Template engines are available in django.template.engines: from django.template import engines django_engine = engines['django'] template = django_engine.from_string("Hello {{ name }}!") The lookup key — 'django' in this example — is the engine’s NAME. DjangoTemplates[source]¶ the value of FILE_CHARSET. . Jinja2[source]¶ Requires Jinja2 to be installed: $: Unless all of these conditions are met, passing a function to the template is simpler simply by calling a function in Jinja2 templates, as shown in the example above. Jinja2’s global namespace removes the need for template context processors. The Django template language doesn’t have an equivalent of Jinja2 tests.: from django.template import TemplateDoesNotExist, TemplateSyntaxError from django.template.backends.base import BaseEngine from django.template.backends.utils import csrf_input_lazy, csrf_token_lazy import foobar class FooBar(BaseEngine): # Name of the subdirectory containing the templates for this engine # inside an installed application. app_dirname = 'foobar' def __init__(self, params): params = params.copy() options = params.pop('OPTIONS').copy() super().__init__(params) self.engine = foobar.Engine(**options) def from_string(self, template_code): try: return Template(self.engine.from_string(template_code)) except foobar.TemplateCompilationFailed as exc: raise TemplateSyntaxError(exc.args) def get_template(self, template_name): try: return Template(self.engine.get_template(template_name)) except foobar.TemplateNotFound as exc: raise TemplateDoesNotExist(exc.args, backend=self) except foobar.TemplateCompilationFailed as exc: raise TemplateSyntaxError(exc.args) class Template: def __init__(self, template): self.template = template def render(self, context=None, request=None): if context is None: context = {} if request is not None: context['request'] = request context['csrf_input'] = csrf_input_lazy(request) context['csrf_token'] = csrf_token_lazy(request) return self.template.render(context) See DEP 182 for more information. The Django debug page has hooks to provide detailed information when a template error arises. Custom template engines can use these hooks to enhance the traceback information that appears to users. The following hooks are available:. About this section This is an overview of the Django template language’s syntax. For details see the language syntax reference. A Django template is simply. Implementing a custom context processor is as simple as defining a function. A {% comment %}tag provides multi-line comments.
https://django.readthedocs.io/en/2.1.x/topics/templates.html
CC-MAIN-2022-40
en
refinedweb
GraphQL: Understanding Spring Data JPA/Spring Boot — Part 2 This article explores the service layer in GraphQL and looks at an example. Join the DZone community and get the full member experience.Join For Free In Part 1, we looked at an example with .graphqls file. In this part, let's understand the service layer. We have EmployeeService.java, which is used in the controller. In service, we first need to access a resource, which is the employee.graphqls file via the following code: @Value("classpath:employee.graphqls") Resource resource; We have a method annotated with @PostConstruct, which will be called after our service is initialized. @PostConstruct private void loadSchema() throws IOException { // get the schema File schemaFile = resource.getFile(); // parse schema TypeDefinitionRegistry typeRegistry = new SchemaParser().parse(schemaFile); RuntimeWiring wiring = buildRuntimeWiring(); GraphQLSchema schema = new SchemaGenerator().makeExecutableSchema(typeRegistry, wiring); graphQL = GraphQL.newGraphQL(schema).build(); } private RuntimeWiring buildRuntimeWiring() { return RuntimeWiring.newRuntimeWiring() .type("Query", typeWiring -> typeWiring .dataFetcher("allEmployee", allEmployeeDataFetcher)) .build(); } In this method, we are parsing the .graphqls file in the registry and passing it to the SchemaGenerator with runTimeWiring. See the "allEmployee" in the runtime wiring, which will map the allEmployee query in employee.graphqls with the allEmployeeDataFetcher. We are setting the GraphQL object from this method, which will be used in the controller. allEmployeeDataFetcher is simply returning a list of all employees by calling repo.findAll(). @Component public class AllEmployeeDataFetcher implements DataFetcher<List<Employee>>{ @Autowired EmployeeRepo repo; @Override public List<Employee> get(DataFetchingEnvironment environment) { return repo.findAll(); } } It implements the DataFetcher with the TypeObject as ListOfEmployee. DataFetchingEnvironment lets you access the content of the request if any ID parameters are passed in the request to get the employee of the specific ID. In our controller, we have: public ResponseEntity<Object> getEmployeeConfigs(@RequestBody String empReqst) { ExecutionResult execute= service.getGraphQL().execute(empReqst); return new ResponseEntity<>(execute, HttpStatus.OK); } ExecutionResult's object will contain the result of the query passed as empReqst. Only that data will be present, which is requested in empReqst. You could refer to GitHub for the full code. Opinions expressed by DZone contributors are their own.
https://dzone.com/articles/graphql-understanding-with-springdatajpaspringboot-1
CC-MAIN-2022-40
en
refinedweb
In this post, I’ll share the top best answers to the above-mentioned problem. Problem: I am. Answer #1: That’s because the Scanner.nextInt method does not read the newline character in your input created by hitting “Enter,” and so the call to Scanner.nextLine returns after reading that newline. You will encounter the similar behaviour when you use Scanner.nextLine after Scanner.next() or any Scanner.nextFoo method (except nextLine itself). Workaround: - Either put a Scanner.nextLinecall after each Scanner.nextIntor Scanner.nextFooto consume rest of that line including newline int option = input.nextInt(); input.nextLine(); // Consume newline left-over String str1 = input.nextLine(); - Or, even better, read the input through Scanner.nextLineand convert your input to the proper format you need. For example, you may convert to an integer using Integer.parseInt(String)method. int option = 0; try { option = Integer.parseInt(input.nextLine()); } catch (NumberFormatException e) { e.printStackTrace(); } String str1 = input.nextLine(); Answer (); Answer #3: Use scanner.skip("\\R") (since skip uses regex where \R represents line separators) before each scanner.newLine() call, which is executed after: scanner.next() scanner.next*TYPE*()method, like scanner.nextInt(). OR safer variant: scanner.skip("\\R?")before each scanner.nextLine() if you are not sure if it will be called after scanner.next() or scanner.next*TypeName*() . ? will make line separator sequence optional (this will prevent skip method from (a) waiting for matching sequence – in case of still opened source of data like System.in (b) throwing java.util.NoSuchElementException in case of terminated/ended source of data like File or String) Things you need to know: - text which represents few lines also contains non-printable characters between lines (we call them line separators) like - carriage return (CR – in String literals represented as "\r") - line feed (LF – in String literals represented as "\n") - when you are reading data from the console, it allows the user to type his response and when he is done he needs to somehow confirm that fact. To do so, the user is required to press “enter”/”return” key on the keyboard. What is important is that this key beside ensuring placing user data to standard input (represented by System.in which is read by Scanner) also sends OS dependant line separators (like for Windows \r\n) after it. So when you are asking the user for value like age, and user types 42 and presses enter, standard input will contain "42\r\n". Problem Scanner#nextInt (and other Scanner#nextType methods) doesn’t allow Scanner to consume these line separators. It will read them from System.in (how else Scanner would know that there are no more digits from the user which represent age value than facing whitespace?) which will remove them from standard input, but it will also cache those line separators internally. What we need to remember, is that all of the Scanner methods are always scanning starting from the cached text. Now Scanner#nextLine() simply collects and returns all characters until it finds line separators (or end of stream). But since line separators after reading the number from the console are found immediately in Scanner’s cache, it returns empty String, meaning that Scanner was not able to find any character before those line separators (or end of stream). BTW nextLine also consumes those line separators. Solution So when you want to ask for number and then for entire line while avoiding that empty string as result of nextLine, either - consume line separator left by nextIntfrom Scanners cache by - calling nextLine, - or IMO more readable way would be by calling skip("\\R")or skip("\r\n|\r|\n")to let Scanner skip part matched by line separator, - don’t use nextInt(nor next, or any nextTYPEmethods) at all. Instead read entire data line-by-line using nextLineand parse numbers from each line (assuming one line contains only one number) to proper type like intvia Integer.parseInt. BTW: Scanner#nextType methods can skip delimiters (by default all whitespaces like tabs, line separators) including those cached by scanner, until they will find next non-delimiter value (token). Thanks to that for input like "42\r\n\r\n321\r\n\r\n\r\nfoobar" code int num1 = sc.nextInt(); int num2 = sc.nextInt(); String name = sc.next(); will be able to properly assign num1=42 num2=321 name=foobar. Answer #4:(); } Answer #5: Use 2 scanner objects instead of one Scanner input = new Scanner(System.in); System.out.println("Enter numerical value"); int option; Scanner input2 = new Scanner(System.in); option = input2.nextInt(); I hope your query has been resolved. Follow Programming Articles for more!
https://programming-articles.com/scanner-is-skipping-nextline-after-using-next-or-nextfoo-solved/
CC-MAIN-2022-40
en
refinedweb
OSCKitOSCKit Open Sound Control library for macOS, iOS and tvOS written in Swift. - OSC address pattern matching and dispatch - Convenient OSC message value type masking, validation and strong-typing - Modular: use the provided UDP network layer by default, or use your own - Support for custom OSC types - Thread-safe - Fully unit tested Note: Swift 5.7 and Xcode 14 are minimum requirements. OSCKit 0.3.1 can be used with Xcode 13. Getting StartedGetting Started Swift Package Manager (SPM)Swift Package Manager (SPM) Add OSCKit as a dependency using Swift Package Manager. In an app project or framework, in Xcode: - Select the menu: File → Swift Packages → Add Package Dependency... - Enter this URL: In a Swift Package, add it to the Package.swift dependencies: .package(url: "", from: "0.4.0") Import the library: import OSCKit Or to import OSCKit without networking I/O in order to implement your own UDP sockets: import OSCKitCore The Examples folder contains projects to get started. Sending OSCSending OSC Create OSC ClientCreate OSC Client A single global OSC client is all that is needed to send OSC packets. It can be used to send OSC messages to any receiver. let oscClient = OSCClient() OSC MessagesOSC Messages To send a single message, construct an OSCMessage and send it using a global OSCClient instance. let msg = OSCMessage("/msg2", values: ["string", 123]) oscClient.send(msg, to: "192.168.1.2", port: 8000) OSC BundlesOSC Bundles To send multiple OSC messages or nested OSC bundles to the same destination at the same time, pack them in an OSCBundle and send it using a global OSCClient instance. // Option 1: build elements separately let msg1 = OSCMessage("/msg1") let msg2 = OSCMessage("/msg2", values: ["string", 123]) let bundle = OSCBundle([msg1, msg2]) // Option 2: build elements inline let bundle = OSCBundle([ .message("/msg1"), .message("/msg2", values: ["string", 123]) ]) // send the bundle oscClient.send(bundle, to: "192.168.1.2", port: 8000) Sending with a Future Time TagSending with a Future Time Tag OSC bundles carry a time tag. If not specified, by default a time tag equivalent to "immediate" is used, which indicates to receivers that they should handle the bundle and the message(s) it contains immediately upon receiving them. It is possible to specify a future time tag. When present, a receiver which adheres to the OSC 1.0 spec will hold the bundle in memory and handle it at the future time specified in the time tag. // by default, bundles use an immediate time tag; these two lines are identical: OSCBundle([ ... ]) OSCBundle(timeTag: .immediate(), [ ... ]) // specify a non-immediate time tag of the current time OSCBundle(timeTag: .now(), [ ... ]) // 5 seconds in the future OSCBundle(timeTag: .timeIntervalSinceNow(5.0), [ ... ]) // at the specified time as a Date instance let date = Date( ... ) OSCBundle(timeTag: .future(date), [ ... ]) // a raw time tag can also be supplied let timeTag: UInt64 = 16535555370123264000 OSCBundle(timeTag: .init(timeTag), [ ... ]) Receiving OSCReceiving OSC Create OSC ServerCreate OSC Server Create a server instance. A single global instance is often created once at app startup to receive OSC messages on a specific port. The default OSC port is 8000 but it may be set to any open port if desired. let oscServer = OSCServer(port: 8000) Set the receiver handler. oscServer.setHandler { [weak self] oscMessage, timeTag in // Note: handler is called on the main thread // and is thread-safe if it causes UI updates do { try self?.handle(received: oscMessage) } catch { print(error) } } private func handle(received oscMessage: OSCMessage) throws { // handle received messages here } Then start the server to begin listening for inbound OSC packets. // call this once, usually during your app's startup try oscServer.start() If received OSC bundles contain a future time tag and the OSCServer is set to .osc1_0 mode, these bundles will be held in memory automatically and scheduled to be dispatched to the handler at the future time. Note that as per the OSC 1.1 proposal, this behavior has largely been deprecated. OSCServer will default to .ignore and not perform any scheduling unless explicitly set to .osc1_0 mode. Address ParsingAddress Parsing Option 1: Imperative address pattern matchingOption 1: Imperative address pattern matching // example: received OSC message with address "/{some,other}/address/*" private func handle(received message: OSCMessage) throws { if message.addressPattern.matches(localAddress: "/some/address/methodA") { // will match // perform methodA action using message.values } if message.addressPattern.matches(localAddress: "/some/address/methodB") { // will match // perform methodB action using message.values } if message.addressPattern.matches(localAddress: "/different/methodC") { // won't match // perform methodC action using message.values } } Option 2: Using OSCAddressSpace for automated address pattern matching OSCKit provides an abstraction called OSCAddressSpace. This object is generally instanced once and stored globally. Each local OSC address (OSC Method) is registered once with this object in order to enable it to perform matching against received OSC message address patterns. Each method is assigned an ID, and can optionally store a closure. Method IDs, method closures, or a combination of both may be used for maximum flexibility. Method IDsMethod IDs - Registration will return a unique ID token to correspond to each method that is registered. This can be stored and used to identify methods that OSCAddressSpacematches for you. - When an OSC message is received: - Pass its address pattern to the methods(matching:)method of the OSCAddressSpaceinstance. - This method will pattern-match it against all registered local addresses and return an array of local method IDs that match. - You can then compare the IDs to ones you stored while registering the local methods. // instance address space and register methods only once, usually at app startup. let addressSpace = OSCAddressSpace() let idMethodA = addressSpace.register(localAddress: "/methodA") let idMethodB = addressSpace.register(localAddress: "/some/address/methodB") func handle(message: OSCMessage) throws { let ids = addressSpace.methods(matching: message.addressPattern) try ids.forEach { id in switch id { case idMethodA: let str = try message.values.masked(String.self) performMethodA(str) case idMethodB: let (str, int) = try message.values.masked(String.self, Int?.self) performMethodB(str, int) default: print("Received unhandled OSC message:", message) } } } func performMethodA(_ str: String) { } func performMethodB(_ str: String, _ int: Int?) { } Method Closure BlocksMethod Closure Blocks - When registering a local method, it can also store a closure. This closure can be executed automatically when matching against a received OSC message's address pattern. - When an OSC message is received: - Pass its address pattern to the dispatch(_:)method of the OSCAddressSpaceinstance. - This method will pattern-match it against all registered local addresses and execute their closures, optionally on a specified queue. - It also returns an array of local method IDs that match exactly like methods(matching:)(which may be discarded if handling of unregistered/unrecognized methods is not needed). - If the returned method ID array is empty, that indicates that no methods matched the address pattern. In this case you may want to handle the unhandled message in a special way. // instance address space and register methods only once, usually at app startup. let addressSpace = OSCAddressSpace() addressSpace.register(localAddress: "/methodA") { values in guard let str = try? message.values.masked(String.self) else { return } performMethodA(str) } addressSpace.register(localAddress: "/some/address/methodB") { values in guard let (str, int) = try message.values.masked(String.self, Int?.self) else { return } performMethodB(str, int) } func handle(message: OSCMessage) throws { let ids = addressSpace.dispatch(message) if ids.isEmpty { print("Received unhandled OSC message:", message) } } func performMethodA(_ str: String) { } func performMethodB(_ str: String, _ int: Int?) { } Parsing OSC Message ValuesParsing OSC Message Values Option 1: Use masked() to validate and unwrap expected value types Since local OSC "addresses" (OSC Methods) are generally considered methods (akin to functions) which take parameters (OSC values/arguments), in most use cases an OSC Method will have a defined type mask. OSCKit provides a powerful and flexible API to both validate and strongly type an OSC value array. Validate and unwrap value array with expected member String: let str = try oscMessage.values.masked(String.self) print("string: \(str)") The special wrapper type AnyOSCNumberValue is able to match any number and provides easy type-erased access to its contents, converting value types if necessary automatically. Validate and unwrap value array with expected members String, Int, <number>?: let (str, int, num) = try oscMessage.values.masked(String.self, Int.self, AnyOSCNumberValue?.self) print(str, int, num.intValue) print(str, int, num.doubleValue) print(str, int, num.base) // access to the strongly typed integer or floating-point value Option 2: Manually unwrap expected value typesOption 2: Manually unwrap expected value types It is generally easier to use masked() as demonstrated above, since it handles masking, strongly typing, as well as translation of interpolated ( Int8, Int16, etc.) and opaque ( AnyOSCNumberValue, etc.) types. Validate and unwrap value array with expected member String: guard oscMessage.values.count == 1 else { ... } guard let str = oscMessage.values[0] as? String else { ... } // compulsory print(str) // String Validate and unwrap value array with expected members String, Int32?, Double?: guard (1...3).contains(oscMessage.values.count) else { ... } guard let str = oscMessage.values[0] as? String else { ... } // compulsory let int: Int32? = oscMessage.count > 1 ? oscMessage.values[1] as? Int32 : nil // optional let dbl: Double? = oscMessage.count > 2 ? oscMessage.values[2] as? Double : nil // optional print(str, int, dbl) // String, Int32?, Double? Option 3: Parse a variable number of valuesOption 3: Parse a variable number of values It may be desired to imperatively validate and cast values when their expected mask may be unknown. oscMessage.values.forEach { oscValue switch oscValue { case let val as String: print(val) case let val as Int32: print(val) default: // unhandled } } OSC Value TypesOSC Value Types The following OSC value types are available, conforming to the Open Sound Control 1.0 specification. OSCKit adds the following interpolated types: Int // transparently encodes as Int32 core type, converting any BinaryInteger Int8 // transparently encodes as Int32 core type Int16 // transparently encodes as Int32 core type UInt // transparently encodes as Int64 core type UInt8 // transparently encodes as Int32 core type UInt16 // transparently encodes as Int32 core type UInt32 // transparently encodes as Int64 core type Float16 // transparently encodes as Float32 core type Float80 // transparently encodes as Double extended type Substring // transparently encodes as String core type OSCKit also adds the following opaque type-erasure types: AnyOSCNumberValue // wraps any BinaryInteger or BinaryFloatingPoint DocumentationDocumentation Will be added in future. In the meantime, refer to this README's Getting Started section, and check out the Example projects. AuthorAuthor Coded by a bunch of LicenseLicense Licensed under the MIT license. See LICENSE for details. SponsoringSponsoring If you enjoy using OSCKit and want to contribute to open-source financially, GitHub sponsorship is much appreciated. Feedback and code contributions are also welcome. ContributionsContributions Contributions are welcome. Feel free to post an Issue to discuss.
https://swiftpackageregistry.com/orchetect/OSCKit
CC-MAIN-2022-40
en
refinedweb
In the .NET Framework 4, there have been significant enhancements within the Windows Communication Foundation (WCF) 4 and Windows Workflow Foundation (WF) namespaces. .NET developers can use these technologies either independently, or together, to eliminate the tradeoff between ease of service authoring and performant, scalable services. This Developer Center helps you navigate the developer-oriented information and documentation for the new versions of WCF and WF, as it is released to the public. More... Discuss and ask questions about Windows Communication Foundation and Windows Workflow Foundation in .NET Framework 4 prerelease. Visual Studio 2010 and .NET Framework 4 Beta 1Visual Studio 2010 and .NET Framework 4 focuses on the core pillars of developer experience, support for the latest platforms, targeted experiences for specific application types, and core architecture improvements. Windows Communication Foundation (WCF) and Windows Workflow Foundation (WF) Samples for .NET Framework 4.0 Beta 1This package contains samples for exploring the new features in Windows Communication Foundation (WCF) and Windows Workflow Foundation (WF) for .NET Framework 4.0 Beta 1. WCF / WF 4 Training KitT. Visual Studio 2010 and .NET Framework 4 Training KitThe Visual Studio 2010 and .NET Framework 4 Training Kit includes presentations, hands-on labs, and demos. This content is designed to help you learn how to utilize the Visual Studio 2010 features and a variety of framework technologies
http://msdn.microsoft.com/en-us/netframework/cc896557.aspx
crawl-002
en
refinedweb
The official blog of the Live Search team at Microsoft We want to answer the most common questions that have appeared in the comments section in response to yesterday's post about Friday's cashback outage (Black Friday cashback blackout). How do I receive credit for an order that is not showing the correct rebate in my Live Search cashback account?. I placed an order directly through the store's website. Will I be able to receive cashback? Orders placed directly at the store's website are not eligible for the Microsoft Live Search cashback program and terms. Orders must have been placed through Live Search to qualify. We are unable to give credit for purchases outside of our system. Will the HP deal be restarted soon? We're working actively to determine next steps for any specific HP promotions.. "If your account is showing a 3% rebate or not displaying any rebate for an eligible order, please contact customer support with your Live Search cashback ID and order number to receive your full rebate" PLEASE let us know when this "backlog" of processing will be completed (again). At least most of you can get into your cashback account. I got in once after I made my first purchase and haven't been able to access it since. What a mess. I got email from live.com saying that they would credit all cashback by December 2nd. I have not got any confirmation email :( . Rajat, please do something to resolve this issue.. please... How to determine whether an order is "ELIGIBLE" or not.. You only agreed that you site was down and not working "properly". How can you say whether the someone placed the order through live.com or directly at hpshopping.com? What to do if Microsoft denies cashback saying that I made the purchase directly at hpshopping.com not through live.com? where actually I went through live.com and made the purchase... Please clarify on how you are going to determine who is "eligibile"? Rajat, I AM SERIOUSLY FRUSTRATED WITH THIS ISSUE.. MICROSOFT IS GOOD FOR NOTHING.. IF I DON'T HEAR ABOUT MY 40% CASHBACK BY TOMORROW I AM GOING TO CLAIM MY CREDIT CARD CHARGE AS FRAUD.. Not only have you wasted our time by asking your customers to put together information to email that you should already have, but you've also wasted our energy worrying over this issue. How many hours have been wasted on the slickdeals forums trying to find information about this fiasco that your customer service agents won't give us? I got an email today telling me to wait another three days. I leave the country on Friday and after that I won't be able to cancel my order until it's too late at HP. Thanks a lot for backing me into a corner, along with everyone else who can't spend hours a day babysitting you so that you don't rip us off. Why don't you have a phone number to call so that we can at least speak to someone? Its pretty easy to guess why they don’t have a phone number… They’d actually have to staff “real” employees instead of the robots that answer the e-mails. Are we even sure Rajat is a real human? Or a robot programmed by Microsoft legal. 1. Microsoft promised a repeat of the promotion. 2. Microsoft promised everyone who successfully completed an order would be credited. 3. Microsoft claims to have answered our questions. Keep lying, and we'll keep hounding you until you make this right! First you say you'll redo the 40% offer "within a day or so", now you lie and take that back? How can we ever trust Microsoft??????? It seems as though the answers to the first and second question are contradictory. If you know those who followed the live.com why don't they have their cashback already? I find it hard to believe that on business day number 3 of this fiasco that you are still unaware if a large subgroup of people actually used your search engine or not. Additionally, the idea that we should continue to use live.com to other great shopping deals is laughable. For those of us who have received no cashback as of yet, how are we supposed to have faith in the system? For those of us who have received 3 or 25% cashback, how are we supposed to believe that the current 20% at eBay won't turn into 6% once the transaction is completed? Please rectify this situation soon as I need to let HP know to cancel my order before it ships. I'd hate to put HP out shipping both ways (per their return policy) because you dragged your feet on a resolution. It's now the third day since you promised to restart the HP 40% promotion. Another lie, perhaps? Call it LIE search- be HONEST. Great news guys, I just received my 40% cash back! The patience paid off :) I sent email on Nov 30, got a reply to wait until Dec 2nd. Replied the email on Dec 2nd saying I didn't receive 40% Got cash back today :) A QUOTE from a Microsoft SPOKESPERSON ." Well, make good on your promises, Microsoft!! I just want this to be over. Either give the discount or tell everyone you aren't going to do it. At the very least follow up on the emails that we followed up on as instructed in your generic email replys to our first email. I can not believe I'm actually losing sleep over this but I am. My indecision over canceling the orders or sticking it out is overwhelming. Just canceled my HP order and I am ordering a Mac. This was the final straw, Microsoft. Goodbye. Hi Rajat, Like thousands of others I am waiting for SOME sign you will honor your cashback promotion. I receive the same canned e-mails as others, no response is ever given. Lucky for me I did receive your survey today. Let me share one answer...consider it my Christmas gift to you in the form of "Free Consultation" How would you rate the overall quality of Live Search cashback? Gosh….I only have an MBA but I would start by having it actually work. I would do a little research and maybe have ample servers when I advertise the sale of the year. Maybe I would actually credit people with the cash back I promised instead of canned e-mails. Lastly I would invest in a telephone, no contact sends a message you have something to hide…..in this case you do! In your intro you say How about a timeline for credit? i contacted CS by email (the only option I could find) 8 days ago regarding issues with cashback account, have not received any response! 3-5 days is too long to wait for a reply, but over 5 days is piss poor service! Just received the cashback in pending status, think MS will solve all the problem in a few days. Good luck! Weihus - How much did you receive? Did you receive 40% for a HP purchase? I made a purchase on Thangs giving through live.com and still haven't receive any notification on my 40% cash back. I got a response to my mail to [email protected] saying i didnt purchase through the below login ID. I do not have screen shot of my transaction or anything to prove that i did go through live.com. I spent almost 5-6 hrs trying to get through and feel really bad being denied. I just think i will have to cancel the order to ASDF: Yes, it's HP 40% off by MS Live Cashback, so just keep calm and wait :) "Yes, it's HP 40% off by MS Live Cashback, so just keep calm and wait :)" Or better yet, buy something that doesn't have a garbage OS from a company that actually seems to care about their customers. Rajat...I have your solution! Award an extra one% off for every day a customer goes without getting cash back. Now we will be upset when the money hits our account as opposed to being mad when we see all zeros day after day... Your thoughts- This is a way to say sorry and reward those who wait! If not, what are your ideas? Please answer I really would like to know your view! In Massachusetts, small claims court can award triple damages for deceptive advertising claims (Chapter 93A). $800 order, should have been $320 cashback, should become $960 in small claims court. Maybe this will be worth it. But this was quite the introduction to Live Search. I'd never heard of it before Friday, and now I'll actively avoid it. Like so many others I had nothing, not even the 3% to prove that I went through the Live process. I just know I did. I wonder how many returns HP will get because of this. Don't forget, HP has free return shipping. Make them use it. For those of you that are counting on Microsoft to pay your rebates- don't hold your breath. Once you get to the point I am at, you begin to realize that this entire program is grossly under/mismanaged. Microsoft is in over their head and won't admit it. The "cashback" department can't seem to get five transactions that I made over four months ago straight. Five legitimate ebay buy it now transactions made over a period of two days are sitting in limbo. Based on what has happened so far, I don't expect to ever see the rebates. Chats (when they had them)- unresponsive bbb complaint- unresponsive I wonder if the marketing departments of live.com advertisers know what a mess this promotion is? Hi everyone- my readers on Notebooks.com are up in arms about his issue as well. While this isn't the best answer MS could offer, at least they're on the record stating that everyone will get the 40% Cash Back eventually. HP tracks the sources of each visit/sale. I imagine MS has access to this data and they are working together towards a resolution. Where do you want to go today? Well I got an email from Joel of cashback department telling that he will active resolve the 405 live.com cashback issue. He asked for my HP order email which I sent just now. Lets see what happens. The same problem occurred with a lot of people purchasing from Circuit City. Live.com advertised 20% cashback on Nov. 26, and a lot of people who purchased big ticket items like HDTVs (>$1000) got only 5% cashback. I wanted to purchase a TV at Sears because it was cheaper without the cashback, but ended up buying it at Circuit City because of this cashback. I now see only 5% cashback credited to my account, meaning that the TV actually was much more costlier to me and I lost out on all other deals because I purchased one from Circuit City. On contacting live.com, I was told that the issue would be resolved by Tuesday, which has come and gone. I contacted them again and was told to wait 5 more days. This is basically false advertising. Because of this fiasco, I not only lost money on this TV, but also lost out on other good deals. Microsoft needs to correct this issue and post correct cashback amounts to everyone ASAP. I've had the same problem with the Circuit City crediting only 5% when it clearly stated 20% for purchases made around Black Friday. After emailing cashback support numerous times and waiting patiently, the only responses I'm receiving is the generic: "Hello, Thank you for contacting Live Search cashback Customer Care. We are aware of the issue and we are working diligently to resolve this problem. Thank you for your patience while we fix this issue. Live Search cashback Customer Support" This is ridiculous. It SHOULD NOT take so long to resolve such simple issues. I have heard cases where others were requested to forward their receipts to cashback to get credited. I do not see a point in this since each cashback account lists each transaction including the amount and place purchased. It all seems they are just wasting our time and prolonging the situation. ^ Well, the longer they prolong this, the less chance you'll have to return your items since HP and CircuitCity will not accept returns on electronics after (usually) 15 days. I'm still trying to get live.com to respond to my missing 20% cashback from circuit city. I'm losing my confidence in this process. Just received this email from live.com. Seems like a step in the right direction: Hello, Thank you for using Live Search and for your recent cashback purchase on. Microsoft regrets that you experienced difficulties placing your order due to our limited site availability on November 28th and apologizes for any inconvenience that this caused. Your purchase (order number ----------) received a 3% cashback reward because it was completed after the end of the limited time 40% cashback promotion. However because of the issues with site availability earlier in the day, Microsoft will honor the 40% cashback reward for your purchase eligible transactions. Within a week, your cashback account rebate will be corrected. You will see a cancellation for the original 3% cashback followed by a new purchase with a 40% cashback reward. At that point, your purchase will be processed in the same way as all normal cashback sales and will stay in “pending” status for a period of up to 60 days, to account for returns. After this, all eligible purchases will be marked as "available" in your account and the associated rewards will be available for redemption. To view the details for this purchase or your other Live Search cashback transactions, sign into your Live Search cashback account. Please refer to complete program terms and conditions located here. We appreciate your patience as we resolve this issue. If you have other questions about cashback, please visit our FAQ. You’ll also find a Help link on the FAQ page to contact support. Thanks, Angus Cunningham Sr. Director Live Search cashback Operations You promised to offer the promo within "a day or so"- it's been that timeframe. So many people spent all day trying to get an order placed. Make good on that promise! ac, I received the same e-mail. Too late, I already canceled my HP and ordered a Macbook Pro. MS botched this entire promotion, and I have no faith that when it comes time for my refund that they'll do the right thing. I can't afford to take that chance. Microsoft needs to downsize in a big way to be an effective company. Allow me to make a contribution by taking my business elsewhere. Well, I waited another day and surprise, nothing has happened. All sarcasm aside, I do feel for the CSRs that are stuck trying to fix this mess. Something tells me that HP is going to be getting a bunch of hardware back from many folks. Somewhere Steve Jobs is laughing... I'm also waiting for any sign that Microsoft intends to credit me the 20% cashback from Circuit City which I'm entitled to. I took plenty of screenshots proving the existence of the offer in anticipation of Microsoft pulling a fast one on me. I love the TV that I bought, but it was purchased with the idea that I'd be getting back $260 of the total price. Without the cashback, there's no deal. Circuit City's gonna love me when I show up wanting to return the open-box TV (thank gawd there's no restocking fee). Microsoft needs to pull they sheeit together. Honestly, unlike almost everyone I know, I've always paid the retail price for MS software... knowing that I could have easily visited the pirates and gotten it for.... aaarrrgghh, I don't know... FREE?! How about you return the favor and actually follow through with your advertised promotion? So I buy during the timeframe, through live search, through the cashback link, signed in etc. No 40% back for me. Now I'm seeing on all these other forums that there are people that acknowledge they ordered after 7pm PST, got 3%, then sent in a work ticket, and now have received an e-mail stating they would be credited with the full 40%. I haven't received not one freakin reply since my initial work ticket was opened on the second. These people sent one in after and had it resolved before. I'm so mad I can't stand it. I too bought a TV from circuitcity.com thinking i am getting a 20% cashback, but I got an email for 5%. I have saved the screenshots while I was doing this. Sent couple of emails, but all i get is the standard message that everyone is getting. I hope this is resolved as soon as possible, else Circuit City will end up with lots of open box items. I also received the "wait 2 days before contacting us again"...so I waited, replied to the email, and haven't had a response back in the last 2 days. Very frustrating. Please o please increase it to 35% or 40%. I was just waiting for Christmas but it the discount seems to have peaked around Black Friday instead. I for one would like to be informed by MS when we can avail of maximum discount at sites like eBay. It keeps changing every 2 days. I lost out on the deal and think that MS should have had a working system for the deal to be meaningful. But this discussion here is filled with irony. MS has said that it intends on bumping folks who got 3% cashback to 40%. So, my humble suggestion might be to wait. This is a MS hosted blog and any promises here would probably hold water in any court. If you don't trust, then stop crying and return your laptops! But, I know that you won't do it because deep down u know that you will get the money and you WANT that money! Free money for which u did nothing! MS seems to be paying the cashback from its pockets and doing us shoppers a benefit. We seem to ask for promo reruns, etc as if it is our constitutional right and demand that the promotion be turned back on. I am sure it costs a ton of money to give back 40% on the price of a laptop. The cashback site states that any deals could be turned off anytime... BTW, do u have any alternatives? Is anyone else giving you 20% cashback on EBay? I don't think cashback is helping MS's search query, so at this time all this is free money! So, eat it while it lasts and stop crying! I'm another person who was supposed to get? AT this rate Microsoft is going to have to rename Cashback program to some other name to avoid the stink.. Thanks for the listing of the most common questions in FAQ. That helps a lot and saves the time for us. Day four- still don't see a repeat of the failed promo. People, the lesson here is to use real cashback sites like Fatwallet.com, Ebates.com and Purchance.com. Moral of the story is if it sounds too good to be true, then it probably is. I know that won't be fooled again. I realize now there isn't anything 'live' about 'live cashback.' Yesterday I received by Live Cashback for only 25%. I went through the Live site on the 28th during the promotion window (It took me 6 + hours). So I write back to Live telling them the amount was wrong and I should have received 40% cashback. So later inthe day I get an email saying I cancelled my order (Which I did not do) and they took back the 25% so now I'm back to nothing. What is going on here! How difficult is this to get right. I tried to reply to the e-mail and the mailbox is full!!!!! This is crazy. Microsoft at least send me an e-mail with my order number on it and the correct dollar amount. This way you can take a week to fix it and I'll have something to hold on to. --Rocco-- While it is true that it is not our constitutional right to have sales and deals whenever we want it, when a company advertises a promotion, induces people to make a purchase based on that promotion (most of us factored in the Cashback amount to decide if the purchase we were going to make was the best value), and then the company refuses to pay, that is a basic example of fraud. I have sent numerous e-mails to Cashback, and received the standard reply "We want to assure you that your issue is very important to us. Our agents respond to all service requests in the order in which they are received." I have faxed my e-mails to Microsoft's corporate office, and have yet received a reply. This weekend, I will escalate the issue to the BBB, FTC and Washington State Attorney General's Office. I would recommend that others do the same. Just a quick Google search (a reliable search engine) reveals hundreds of websites with people who have been cheated by Microsoft's cashback program. Sad, but all we can do is keep pushing to get back what has been offered to us. While some have said this is "free" money, a contract is a contract. If you read the business deal that Microsoft has with their clickthru partners, you can see that Microsoft makes some money on each of our clicks. Whether the server problems (designed by Dell) were intentional or unintentional (negligent?), each person who was offered a cashback incentive, and then accepted that incentive by clicking on the link and making a purchase - a contract was formed. Microsoft needs to fulfill their part of the bargain. In the meantime, join me in calling Attorney General Rob McKenna at 1-800-551-4636, or contacting Microsoft at the number in my previous posting. This entire charade is designed to string customers along until past the return period, past the credit card chargeback period, past when we can do anything about this cashback scam. MS and HP are hoping you're too stupid to realize that. I've started returning my HP order today. One item at a time, one each day. All the finger-pointing between MS and HP is a distraction from the reality that this was a joint promotion by both companies. HP paid for overnight shipping to get the items here, and they're paying for each item to come back on separate labels. I've lost a bunch of time, HP has lost a bunch of money, and MS has lost a reputation (and probably a bunch of money once HP totals up their losses and has a little chat with MS). Too bad MS and HP didn't want a better solution. I'm typing this on my new MacBook, and in my other browser window I'm searching for a new non-HP laser printer for my office. No more MS and HP in my office as long as I'm in charge of purchasing. It's just not worth being treated this way. I am so sorry that I didn't get any cashback on my laptop. If I can't get it, I want to cancel my order. I have sent three emails to your customers, but I didn't get any reply on it. So could you give me any reply as soon as possible! What about the Circuit City 20%? I've sent several emails, received the automated reply and yet to hear. When are you going to correct the Circuit City fiasco? I can't wait to see how many open box Sony TV's Circuit City winds up getting from all the people who are going to return TVs. I am also on the circuitcity.com fiasco-boat. Like most, I wouldn't have ordered my item if it had not been for the 20% savings, I made the purchase on the morning quoted 20% drove 35 miles to the nearest CC picked it up later that day (through rush hour traffic, mind you) returning to find that I would only be credited 5% the following morning. Fix this or I, and many others will pleasantly leave an open box hdtv on CC's front door. I'm sure they'll love that. I was trying to complete my order most of the day Friday for the 40% off promotion, which didn't happen and I am concerned with how this is going to be resolved. If this online services business is supposed to be "building trust" with the customer and "delighting" them one experience at a time, then they need to reissue the 40% off promotion once they correct the amounts credited to customers who already made a purchase. The idea of them just thinking this will go away or not be on every news channel is not the smartest move. This is killing their combined ad spending this half to gain goodwill and enable trust and show percieved value in their search engine. Also, the amount they will need to credit HP for their ad buys/cashback promotion and the impact that will have with their long standing partnership alone should have motivated a more substantial and resolute response. Anything short of fully honoring and rerunning this promotion as promised earlier this week and credited all purchases made on Friday with the 40% is sure to not only spurn consumers but business partners as well when weighing upcoming opportunities to partner and/or contine long standing arrangements given the decreased brand value of live search and the online services businesses at Microsoft. Got my 40% cashback just this afternoon. I hope you all get it soon. I believe MSFT should have given something extra to placate the customers for handling this crisis in such unprofessional way. I am in no rush here - if MS does not keep its end of the bargain, I will return the product to HP - I am sure HP will not want this and will make sure MS does its end and neither will MS as they will loose out on booking a whole bunch of revenue. Good luck! I am another one of the MANY who spent many frustrating hours because of this promotion and have absolutely nothing to show for it. If this is not resolved (ideally with either a 40% coupon for those who tried but weren't able to access the website, or with another day of this promotion) I will be spreading the word that both Microsoft Live and HP are apparently in the business of bait and switch tactics and enjoy wasting their customer's time. Unfortunately most people who were affected similarly won't read or post here, but there are most certainly thousands of angry customers. Im on the same boat with all of you folks. I haven't received any cashback and I'm e-mailing MS every day, and even trying to call them. Still no luck, I think they're even tired of sending automated e-mails at this point. I really don't know what to do besides return my product at this point. I was an HP shopper on Black Friday who went through all the necessary steps for 40% off, yet nothing showed in my cashback account. After sending the Cashback team an e-mail on Dec. 2nd with all the information they requested, I received a canned response. I sent another on the 4th, and received the same canned response. This morning I received an e-mail that I was credited with my 40% cashback. Patience goes a long way. Although I believe the Cashback team could have handled this better, they did come through on their promise...at least in my case. If you legitimately qualified for cashback, just be patient. And good luck. Nice Clinton impression, Rajat. You need to stop all this mumbo jumbo doublespeak and make good on what was offered -- even for those frustrated F5ers who spent their day off with Live, all to no avail. In my case, I got to the greenlights twice, but couldn't get past the captcha. Though interestingly enough, your system had no problem offering me the chance to complete the Live registration process. There is only one correct and acceptable response here: RERUN THE 40% OFFER. Anything short of that is BULLoney!! Although I was skeptical at first, I just received an email saying that I got my 40%. The delay was frustrating but in the end, MS came through. Thanks to Rajat and his team for making good (at least for my situation). i have been email them for the past 1 week and there is no response... is there a way reaching the MS people directly instead of thro CSR?? I have waited patiently after my initial email on Saturday that said that i need to wait till Dec 2nd. Despite waiting till 2nd and since then sending a bunch of email, i have not got a single response that addressed to me that made me feel that some one was actually looking at my email. I am so disappointed with not seeing the Cash Back. Spending more than 6 hours on Friday without having fun and in the end not seeing Cash back is so disappointing. Without the Cash back i would have gotten better deals from other vendors for the laptop and i missed those opportunities too. Whos to blame? is there any chance of ms responding to the emails i have sent? i placed an order at 4:50 pm pst on friday nov 28 through the live.com link and i still haven't seen my cashback nor is microsoft replying to my emails despite them telling me to email them on the 2nd if my issue was not resolved. my order has shipped as well, and i want to return it if they aren't going to honor their promotion. I got my order in before 7:00 pm on Black Friday, cashback account doesn't show it. Sent at least 5 emails to MS, no response yet other than unattended mail response. It seems that MS is helping the people got 3% cashback first. It is so unfair that MS helps them ahead of the people like me who made the purchase in time. I am so mad. Rerun the 40% cash back for hp shopping ASAP as promised, you will not get away with just correcting the few people's cash back amounts who got through in the few minutes of the 12 hour promotion that it actually worked. YOU NEED TO RUN THE 40% PROMOTION AGAIN for the amount of time advertised and actually have it work. Anything less than that is not truthful and a horrible blow to any goodwill you might have had with the end user. I just read on live search's blog "we have now reached out to all affected customers whose email addresses and purchase details we have on file." .... is this TRUEEE...!!!!! Please tell me that is not true that you have reached all the affected customers! I have sent 7 emails with no responses after a week of constantly checking my email! I don't know what's up with you will receive a response to your feedback in 3-5 days but maybe it should be changed to you may receive a response and then again you may not. Patient only goes so far. If you offer a promotion than you should honor it! There was a mistake on your company's end. If you need to bring in extra staff to correct the people and respond to people. That is what you should do. Customer service and satisfaction should be number 1. Please resolve this situation so we know if we need to return the products that are on their way! I am so frustrated with the lack of responses from MS. This sediment seems to be spreading through the forums that I visit. If MS doesn't get a handle on this soon, customers will stop using the service. Why would you use it if you can't trust it and never get I purchased a laptop from Hp, through your cashback referral follwoing the procedure to the boot, within the time frame the 40% cashaback was allowed on Black Friday. I can not afford a full priced item. Cashback was was shwon for a couple of days, and then upon writing emails, I was approved a cash back of 5% for a computer configuration I didnot purchase on a date I didnot purchase; where as they have denied the real 40% cashback today, saying that they have no records of my going through their referral program! They have a record of a purchase I did not make! ROFL. I sent them the order confirmations ane the details showing of my order but I still do not get the cashback! I am utterly disappointed and it is hurting my wallet. Please make the situation good. Thanks Emailed twice, both time automated replies telling me to wait in line and they will get to me in the order the email was received. It has been 9 days since I sent my first email and so far absolutely no response from MS. Does anyone know how long it will take MS to get through all the cashback issues, or are they effectively done and those who haven't heard back are screwed? I guess I have until Christmas to make the call on a return (i.e. if no cashback refund, then HP computer, printer, and accessories all get sent back to HP). What a shame that customers who got through on this deal are still being left in the dark. What is your service request number ackmiller? On 11/28 I ordered ~$1,000 worth of computer, monitor & accessories through the 40% off Live Cashback link. Nothing showed up in my account. Waited 2 business days (per MS's website instructions) still nothing, then I emailed cust. service. Waited 5 business days, per the instructions in the automated email response, still nothing. Day 5, also got a survey requesting feedback on the customer service I never received. Resent my request, referencing my CS request number, only to get another automated response with another CS request number. Day ?, still waiting for any kind of response, and wondering just how long I can wait before I am forced to return everything to HP. What is going on with live.com customer support? I have emailed them numerous times regarding the cashback that is still shows as processing in my account for a month and half. I opened atleast a dozen tickets, no reply to any of them. Is the BBB only way to talk to them? I SURE WOULD LIKE TO SPEAK TO SOMEONE AT LIVVE SEARCH. HOWEVER, I QUALIFIED FOR A $60 REWARD NOV 2 AND SUBMITTED MY REQUEST. I HAVE STILL NOT RRECEIVED IT. I HAD BEEN IN CONTAAAACT WITH BEN VIA EMAIL MANY TIMES AND GET MANY EXCUSES AND PROMISES AND NOW AM BEING TOTALLY IGNORED. CAN ANYONE HELP ME? I SURE WOULD LIKE TO SPEAK TO SOMEONE AT LIVE SEARCH. HOWEVER, I QUALIFIED FOR A $60 REWARD NOV 2 AND SUBMITTED MY REQUEST. I HAVE STILL NOT RECEIVED IT. I HAD BEEN IN CONTACT WITH BEN VIA EMAIL MANY TIMES AND GET MANY EXCUSES AND PROMISES AND NOW AM BEING TOTALLY IGNORED. CAN ANYONE HELP ME? STANLEY LEVINE [email protected] 910 794 1505 Well, I had three orders that had CB issues and all denied. No rebuttal, all final. Email to them have no responses. It's been 5 days and no replies. CB is a hoax. Another way for MS to stick it to us again. This is getting bad. They use us to drive business to live and they get all the benefits. FAKE I am a very dissatisfied Microsoft customer! I purchased a laptop on Black Friday after trying to get on the site all day, making 5 calls to HP about being able to purchase, and trying to contact Microsoft. I clicked on the cashback icon that showed 40% cashback for a set period of time. I went into the live.com site, set up a cashback account and purchased my product. I was sent an email finally last week. It stated that I clicked in the wrong place to make my purchase. I think that is really crappy of Microsoft! I clicked where it said 40% cashback, on Microsofts gold dollar sign icon! If I did click the wrong place I think it was very misleading and that I should still get my 40% cashback! I made every effort all day to take advantage of the promotion. Now I can not even get an email response from Microsoft. I need to know if I need to be contacting HP to pick up my products. I think it is unbelieveable how long it is taking for their customer service to get back to people. I tried to be very understanding at first because of all the people they had to contact but now after telling me I did not click the right place and not replying to my e-mail to resolve me issue in almost 3 weeks is just too much. If I don't get a response from them in the next couple of days I will have to contact HP to return my item and will never purchase another Microsoft product again! Microsoft CashBack Program is a fraud. I have lost $350 in cashback bonus. FRAUD and I still get no contact after 5 months from Live.com representatives!! I guess you are right. I thought they would want to please their customers so they would have return customers but it looks like they are going to lose many customers over this black friday mess! I had made an HP purchase via the Live cashback link on Nov 25. By Nov 26th I had seen the note about the newer 40% cashback (even made a screen print of the promo). I had contacted HP to try and get a credit for the difference between the 2 cashback amounts but was told it is a MS problem. So, all day on Black Friday between 7 AM PST and 7 PM PST I tried unsucessfully to access HP thru the Live site. I was going to re-buy the same item at 40% cashback and return, or cancel, the identical HP item I purchased the day prior. Since then I've sent numerous emails to HP and Live Cashback support with no resolution. My situation is no different than what people do when they purchase something at one price, then see it at a lower price the next day and go back to the merchant for a price adjustment. It happens all the time and I've done it many times. I wish I had a postal address of someone in MS Cashback that I can send all of my documentation to. Does anyone have that information? I made a purchase and was upposed to have been issued a check on November 7, 2008. Still not recieved it. Customer service has not been helpful at all. Sent them numnerous complaints with ho update. It really sucks as they have no live support. I would not recommend anybody to go with Microsoft cashback If they do not contact me I am also going to tell everyone I know not to use live.com or cashback! I opened an account to make a purchase. I could see my account balance ($0 at the time). I was able to access my account (n fact, I seemed to be always logged on). Then, one day later, I made my purchase. I received an email regarding my cashback. Yet, I cannot log in into my account! The support center keeps responding to my queries in an unhelpful, basically automated way. The told me: your ID is not a valid ID. That's exactly the problem; do something about it! There is (was?) money for me, and, if by mistake or glitch or whatever, Microsoft messed up my access to my account, the money should still be mine (if nothing else given Microsoft's email telling that I had earned that amount). I asked the live.com support people to reinstate my account with the $ credit on it. I'll doubt they will do it: they will probably send me the 6th automated message. If anyone can give a MAILING ADDRESS, I'd prefer to write them a letter at this point. Others may also find it helpful, I am sure. Thanks! Why is it that I cant get on the Misrosoft Cashback account site to view my cashback? Did I just get screwd? I only had a couple of days left to get close to 500.00 in cash back and now I can't even access the web site. Does anyone know whats going on? This is a warning to stay far away from this shady service. At the beginning of this week, I had nearly $150 is my Live cashback account. Today I have ZERO. Not only that, I don't have any account history. It as if like my account never existed. What a disappointment. I was looking forward to having a couple extra bucks at the beginning of year. As a summary, STAY AWAY FROM THIS SERVICE. If it sounds too good to be true, it is!
http://blogs.msdn.com/livesearch/archive/2008/12/02/answers-to-your-comments-about-the-cashback-blackout.aspx
crawl-002
en
refinedweb
A blog on coding, .NET, .NET Compact Framework and life in general..... If you would like to receive an email when updates are made to this post, please register here RSS This is cool found via Google. One draw back is that the methods are tied to a specific enum type (CoolValue). If there was a way of making a Generic method that would return the data for any enum: <pre> public struct EnumHelper { public(); } public static Collection<KeyValuePair<string, string>> GetList(Type enumType) string[] names = Enum.GetNames(enumType); Array values = Enum.GetValues(enumType); Collection<KeyValuePair<string, string>> tempList = new Collection<KeyValuePair<string, string>>(); for (int counter = 0; counter < names.GetLength(0); counter++) { MemberInfo[] memInfo = enumType.GetMember(names[counter]); string description = names[counter]; if (memInfo != null && memInfo.Length > 0) { object[] attrs = memInfo[0].GetCustomAttributes(typeof(Description), false); if (attrs != null && attrs.Length > 0) description = ((Description)attrs[0]).Text; } tempList.Add(new KeyValuePair<string, string>(values.GetValue(counter).ToString(), description)); } return tempList; } </pre> One further enhancement is test and validating that an enum type is being passed. Anyway this was my updates after toying around with this for an hour or two. Any how I can set a DataSource to a list. The columns are Key, Value. And if need be use those column names in the designer to show or hide the Key. uxCoolValueComboBox = EnumHelper.GetList(TypeOf(CoolValue)) PingBack from I've done something similar using System.ComponentModel.DescriptionAttribute and extended EnumConverter to test for the presence of the attribute. This works fine on the property grid but web controls don't seem to use type converters to get string representations of enum values. Does anyone have any ideas? Thank you all very much for the sample code (by Guy). However I modified a little for WinForm ComboBox (2.0) public struct EnumHelper public static List <KeyValuePair<string, string>> GetList(Type enumType) string[] names = Enum.GetNames(enumType); Array values = Enum.GetValues(enumType); List <KeyValuePair <string, string>> tempList = new List <KeyValuePair<string, string>>(); for (int counter = 0; counter < names.GetLength(0); counter++) { MemberInfo[] memInfo = enumType.GetMember(names[counter]); string description = names[counter]; if (memInfo != null && memInfo.Length > 0) { DescriptionAttribute[] attrs = (DescriptionAttribute[])memInfo[0].GetCustomAttributes(typeof(DescriptionAttribute), false); if (attrs != null && attrs.Length > 0) description = attrs[0].Description; } tempList.Add(new KeyValuePair<string, string>(values.GetValue(counter).ToString(), description)); } return tempList; // Implementation side MyCombo.DataSource = EnumHelper.GetList(typeof(MyEnum)); MyCombo.ValueMember = "Key"; MyCombo.DisplayMember = "Value"; Thanks again. You Da Man! Loved the enum Description. Sweeeeet :) <to get all the values as an array see here > Sometimes you need to do something in code and you Great article. Check out the EnumDescConverter class over at Codeproject. I've used this one quite a few times -- works great. <a href=""></a> Guess I clobbered the URL above. Whoops. if one cannot override ToString please explain me how they do that using System; using System.IO; namespace test_console_application class Program public static void Main() NotifyFilters filter = NotifyFilters.Attributes | NotifyFilters.Size; Console.WriteLine(filter); Output: Attributes, Size in case anyone cares I have found the answer to my question: in order to achieve the above you have to apply the attribute [Flags] to the enum declaration Here is an example of how you can use a generic class to make a wrapper around any enum. LocalizedEnumDescription.Description is implemented using the attribute method described above. When you put your enum into the combobox, you wrap in an EnumHolder. This seems to work pretty well. public class EnumHolder<T> public readonly T Value; public EnumHolder( T enumValue) Value = enumValue; public override string ToString() return LocalizedEnumDescription.Description(Value as System.Enum ); Just for completeness sake: If you need the enum string in XML serialization, there is another attribute for that, which the XmlSerializer takes into account. public enum MyValues [System.Xml.Serialization.XmlEnumAttribute("Value one")] Value1, [System.Xml.Serialization.XmlEnumAttribute("Value two")] Value2, ... When using WCF, you should use the EnumMemberAttribute: [System.Runtime.Serialization.EnumMemberAttribute(Value = "Value one")] [System.Runtime.Serialization.EnumMemberAttribute(Value = "Value two")] Of course, both can be applied at the same time, if neccessary. Here's a solid implementation of a C# string enumerator that behaves exactly like a regular one. You might find it handy :) Happy new year! Sometimes, you would like to assign string values to the fields in an enumeration. This might be very PingBack from Me he encontrado en el blog de Fresh Logic Studios con un post donde describen una técnica interesante How I can serialize enum into the view: <DaysOfWeek> <Sunday /> <Tuesday /> <Friday /> </DaysOfWeek> Very nice, just what i was looking for. and for even more simplicity i added an extentionmethod to enum so that i can use .ToDescription on any enum and get the description, no functions with passing variables needed. cheers. For enum serialization in C# and C++, it's [System.Xml.Serialization.XmlEnumAttribute(Name="Value one")] For VB, leave off the Name= part. Thanks for the code for string enum. It really helped me. :) Cheers. Another similar approach involving explicit casts: <code> using System.Reflection; enum Coolness : byte [Description("Not so cool")] NotSoCool = 5, Cool, [Description("Very cool")] VeryCool = NotSoCool + 7, [Description("Super cool")] SuperCool class Description : Attribute public string Text; public Description(string text) Text = text; public static explicit operator Description(Enum en) FieldInfo field = en.GetType().GetField(en.ToString()); Description d = GetCustomAttribute(field, typeof(Description)) as Description; return d ?? new Description(en.ToString()); class Program static void Main(string[] args) Coolness coolType1 = Coolness.Cool; Coolness coolType2 = Coolness.NotSoCool; Console.WriteLine( ((Description)coolType1).Text ); ((Description)coolType2).Text Console.ReadLine(); </code> Thanks to the ideas you provided, I was able to add functionality to NHibernate's EnumStringType to allow transparent storage of complex enum descriptions in a database. You can see my approach here. welcome Matthew 本文转自: Your solution is not correct because you are saying that overring ToString in title. GetDescripton is NOT overriding anything :) just a function call , please correct it. You can use more suitable title because your solution is at different point. I suppose you could use extension methods as well. public static string GetDescription(this Coolness type) // Do your thing The following method implements AsString() to all enums which behaves similarly to ToString() except it uses the Description attribute. In addition it implements a ParseEnum method that can parse based on the ToString() or the AsString() results. This method requires LINQ and uses Extension Methods. // The coolness enum with descriptions [Description("Not so cool")] NotSoCool = 5, Cool, // since description same as ToString no attr are used [Description("Very cool")] VeryCool = NotSoCool + 7, [Description("Super cool")] SuperCool // A class to add extension methods static class ExtensionMethods // Adds an AsString() method to every enum which uses the built in DescriptionAttribute public static string AsString(this Enum enumValue) FieldInfo fi = enumValue.GetType().GetField(enumValue.ToString()); if (fi != null) object[] attrs = fi.GetCustomAttributes(typeof(DescriptionAttribute), true); if ((attrs != null) && (attrs.Length > 0)) { return ((DescriptionAttribute)attrs[0]).Description; } return enumValue.ToString(); // Adds a ParseEnum method to every enum that parses from the AsString // Since value types are also IComparable, IFormattable and IConvertible they will // get the same methods, but will throw an InvalidCastException if used. public static T ParseEnum<T>(this T enumValue, string value) where T : IComparable, IFormattable, IConvertible if (!typeof(Enum).IsAssignableFrom(typeof(T))) throw new InvalidCastException(); IEnumerable<T> values = from Enum o in Enum.GetValues(typeof(T)) where o.AsString() == value select (T)((object)o); if (values.Count() == 1) return values.ElementAt(0); else // try using ToString() instead values = from Enum o in Enum.GetValues(typeof(T)) where o.ToString() == value select (T)((object)o); if (values.Count() == 1) return values.ElementAt(0); throw new FormatException(); // Implements a TryParseEnum method on all enums using the ParseEnum method above. public static bool TryParseEnum<T>(this T enumValue, string value, out T result) try result = enumValue.Parse(value); return true; catch result = default(T); return false; static void Main(string[] args) Coolness coolness; if (!Coolness.Cool.TryParse(args[0], out coolness)) IEnumerable<Coolness> cools = from Enum o in Enum.GetValues(typeof(Coolness)) select (Coolness)o; Console.WriteLine("Acceptable values:"); foreach (Coolness c in cools) Console.WriteLine("\t{0}", c.ToString()); if (c.ToString() != c.AsString()) { Console.WriteLine("\t{0}", c.AsString()); } Console.WriteLine("{0} is {1}/{2}", args[0], coolness.ToString(), coolness.AsString());
http://blogs.msdn.com/abhinaba/archive/2005/10/20/483000.aspx
crawl-002
en
refinedweb
MOSS 2007 has been developed completely using the .NET Framework 2.0. This is as clear as rain, since the list of pre-requisites begins with the .NET 2.0 redistributable. Given this dependency, MOSS 2007 interacts by nature with Visual Studio .NET 2005. There are multiple variants of the VS2005 and all are equally capable of talking with MOSS. So, the primary requirement for beginning MOSS development is having some variant of VS 2005 installed on the dev box. As with v2, there are hacks to separate the server and the dev box, but more on this later. Once you ahve this installed, you are ready to begin custom development. Due to the enormity of the new product as well as due to the way the product is structured, there are a whole bunch of assemblies that crop up in the "Add Reference" dialog. These assemblies have gone through some changes over the beta cycle and it does look like there are going to be more changes in the offing as we march towards RTM. A quick look at the Add Reference dialog: Of the whole list of assemblies, these are the assemblies that are of interest. What does each of these do? Microsoft.SharePoint.Publishing - This is the Publishing DLL as the name suggests. Functionality embedded here is brought on from CMS 2002 as well as some new functionality for Portals. Microsoft.Office.Server - this DLL is available only with MOSS and will not be available with WSS. Includes overlapping functionality with Microsoft.SharePoint.dll but with some refinement. Also includes functionality specific to MOSS such as BDC, reports, etc. Microsoft.Office.Policy/Microsoft.Office.Workflow - these refer to the Document Life Cycle part of the story with functionality for document management and workflows. Microsoft.SharePoint.Search - this is the Search functionality corresponding to WSS Search. Microsoft.SharePoint.* - traditional namespaces from v2 with added classes and method references. The kind of projects that can be created remain much the same. Windows Applications/Class libraries etc can be used in case of standalone apps that talk with the SharePoint OM. Though these need to be residing on the server after deployment incase of OM calls. These can alternatively use web service references and reside on client boxes. Web applications, can be deployed on the server and can use the direct references as usual. These can also be deployed on other boxes and talk to the server using OOB/custom web services. As of now there are no web part templates available for VS as they were for v2. But we are getting there and you should see some developments in that area. -Harsh PingBack from 2007 MOSS Resource Links (Microsoft Office SharePoint Server) Here is an assortment of various 2007 Microsoft
http://blogs.msdn.com/harsh/archive/2006/07/24/676813.aspx
crawl-002
en
refinedweb
. . First off, my apologies in taking so long to post the next step in creating the policy. Down below the framework for policy creation is listed; this template could be used whenever creating a new policy. Let start coding some more: Let us update the constructor: public NoTabsPolicy() { interestedExtensions = new SortedList(); } * This SortedList contains the files extensions we are interested in; certainly we do not want to run this on every file type VS supports. The IPolicyDefinition is sufficient for now; we will add a UI to the Edit method later which will allow the user to customize this policy. Now to the IPolicyEvaluation… We need to update the Initialize method to keep a hold of the IPendingCheckin and to add an event handler. public void Initialize(IPendingCheckin pendingCheckin) pendingCheckinsDialog = pendingCheckin; pendingCheckin.PendingChanges.CheckedPendingChangesChanged += new EventHandler(pendingCheckin_CheckedPendingChangesChanged); This event will notify our policy when items (files) are selected/unselected from the pending checkins toolwindow (or checkin dialog); when files are selected/unselected, we will re-run the policy to only search for tabs in those specific files (and the files matching the extensions we are interested in). Update the Dispose method: public void Dispose() pendingCheckinsDialog.PendingChanges.CheckedPendingChangesChanged -= new EventHandler(pendingCheckin_CheckedPendingChangesChanged); policyDisposed = true; PolicyStateChanged = null; for (int i = 0; i < fileWatchers.Count; i++) { fileWatchers[i] = null; } fileWatchers = null; Notice that we remove the event handler – we do not want to receive events when we are disposed and not cleaned up. Also, notice the cleanup of the fileWatchers elements – for each file checked in the pending checkins (and matching the extensions we are interested in) a FileWatcher is created; this file watcher notifies us if the file changes. If the file does change, we need to check to see if file contains tabs again. Once complete, we can tell VS of the policy failures or clear existing failures. This is useful, so the user can make changes to files and see the policy failures disappear as the problems are addressed. Next, lets make the evaluate methods actually do something useful: public PolicyFailure[] Evaluate() if (policyDisposed) throw new ObjectDisposedException(Strings.policyType, Strings.policyDisposedMessage); ArrayList changes = new ArrayList(); PendingChange[] checkedFiles = pendingCheckinsDialog.PendingChanges.CheckedPendingChanges; foreach (PendingChange change in checkedFiles) if (InterestedFileExtension(change.LocalItem)) { if ((change.ChangeType == ChangeType.Edit) || (change.ChangeType == ChangeType.Add)) { if (DoesFileContainTabs(change.LocalItem)) { PolicyFailure failure = new PolicyFailure(change.ChangeType + " : " + change.LocalItem, this); changes.Add(failure); } RegisterForFileEvent(change.LocalItem); } } return (PolicyFailure[])changes.ToArray(typeof(PolicyFailure)); } First off, throw exception is we are disposed; we should never be disposed and a method call on the policy. Next, we need to create a list of failures which we will return; I broke out the next few lines to make it easier to read; the FileContainedInAffectedPortfolioProject method verifies that the file in question is in a team project (formally, known as portfolio project) which has this policy installed. It is possible to have two files checked out of the same solution where each file resides in a different team project (and those team projects may have different policies installed). Next the InterestedFileExtension verifies that the file we are looking at contains a file extension we are interested in. We are only interested in Edit and Add (basically, ignoring renames, deletes, branches, …). Finally, lets see if the file does contains a tab. If it does, create a new policy failure and add it to the ArrayList of policy failures. The first value in the PolicyFailure constructor is the message the user will see in VS. Also, whether the file contains tabs or not, we want to place a FileWatcher on it to see if it is updated later. Return the array back to VS. Code up the helper methods listed above: private bool InterestedFileExtension(string filePathAndName) string ext = Path.GetExtension(filePathAndName); if (interestedExtensions.ContainsKey(ext)) return true; return false; private bool DoesFileContainTabs(string filePathAndName) try StreamReader sr = new StreamReader(filePathAndName, true); string fileContents = sr.ReadToEnd(); bool result = fileContents.Contains(Strings.tab); sr.Close(); return result; catch (Exception) return false; Add the SortedList to class (in the serialize portion). SortedList interestedExtensions; Now, let us finish up with implementation of the eventing methods. private void RegisterForFileEvent(string filePathName) return; FileSystemWatcher watcher = new FileSystemWatcher(Path.GetDirectoryName(filePathName), Path.GetFileName(filePathName)); watcher.IncludeSubdirectories = false; watcher.Changed += new FileSystemEventHandler(OnSourcesChanged); watcher.Renamed += new RenamedEventHandler(OnSourceRenamed); watcher.NotifyFilter = NotifyFilters.FileName | NotifyFilters.LastWrite; watcher.EnableRaisingEvents = true; if (fileWatchers.ContainsKey(filePathName)) fileWatchers.Add(filePathName, watcher); * You may be wondering why the Changed and Renamed are both added above; the reason is that Change is needed if the file is modified outside of VS; the renamed is needed for file which change in VS (VS actually writes file X to Y then does a rename on the save). Handle the renamed event… private void OnSourcesRenamed(object sender, RenamedEventArgs e) OnSourcesChanged(); Handle the Changed event… private void OnSourcesChanged(object sender, FileSystemEventArgs e) At this point, we know a file has been modified/saved, so lets just evaluate it again and send event back to VS. private void OnSourcesChanged() PolicyFailure[] failures = Evaluate(); OnPolicyStateChanged(failures); Do the actual eventing back to VS. protected virtual void OnPolicyStateChanged(PolicyFailure[] failures) PolicyStateChangedHandler handler = PolicyStateChanged; if (handler != null) handler(this, new PolicyStateChangedEventArgs(failures, this)); Here, we know that the file selection has changed in VS, so let re-evaluate the file again. private void pendingCheckin_CheckedPendingChangesChanged(Object sender, EventArgs e) OnPolicyStateChanged(Evaluate());; First); policyDisposed = true; if (policyDisposed) throw new ObjectDisposedException(Strings.policyType, Strings.policyDisposedMessage); return null; public void Activate(PolicyFailure failure) return; Finally, we need some non-serialized data.. Ok – now more details on policies. NOTE: The interfaces and methods listed below are NOT in concrete and may change slightly prior to shipping. A policy can be configured to run each time a checkin is issued – either through the command line checkin or through Visual Studio. To implement a policy, the developer must implement 2 interfaces: IPolicyDefinition and IPolicyEvaluation. There are two locations where policies can be accessed: the first is during the configuration/installation of the policy. To install the policy, you must first be in the admin group for a particular portfolio project. Once in that group, you select to add a policy to this portfolio project (you may have any number of policies installed/configured for a portfolio project). Once the policy is added to the portfolio project, you are able to configure the policy; since every policy is different, you (the implementer of the interfaces) are responsible for displaying a dialog for the user to configure; of course, if there is no configuration available for your policy, you can just ‘return’ from that method. Once the configuration is complete, the policy is serialized and is sent to the server (Yukon database). This functionality is coded when the IPolicyDefinition interface is implemented. The second time the policy is accessed is during the actual checkin. When checking in a file in the portfolio project where the policy is configured, the policy will be evaluated. If the policy has a failure (or numerous failures), the policy will need to return the list of failures to be displayed in the policy toolwindow. Also, you may subscribe to events to notify your policy when files are checked out (or checked/unchecked in Visual Studio Source Control toolwindow). You may also notify Visual Studio when a policy fails without Visual Studio asking. This functionality is coded when the IPolicyEvaluation interface is implemented. To help explain how policies work, we will create a policy over the next couple postings. The policy which we will create will verify that there are no tabs in specific files; here are the requirements for this policy: - Allow the administrator the ability to configure which file extensions should be scanned for tabs. - Using the configuration above, verify the policy fails for each file containing tabs. - If the user selects/un-selected files from the pending checkins toolwindow, verify those files are scanned for failures dynamically. - Once a file is being ‘watched’ for tabs, automatically add a failure to Visual Studio for that file if file is saved and contains tabs. - Once a file is being ‘watched’ for tabs, automatically remove failure from Visual Studio for that file if file is saved and no longer contains tabs. To create this policy, we will do it in steps: Earlier,...
http://blogs.msdn.com/jimpresto/default.aspx
crawl-002
en
refinedweb
Random thoughts on all things .NET... The. NAB 2009 rocked !! It was exhausting working the booth, standing on my feet all day, talking to so many people over the course of four days, but it was so exciting at the same time. We showed many cool things at the Microsoft booth, including Silverlight 3, IIS 7 Smooth Streaming, our Fast search engine, our Advertising solutions, a ton of solutions from our partners, and last but not the least – some very interesting open source starter kits that my team built, and that I will blog about in coming posts. But I am especially excited about a specific application I was directly involved in. : - It is a great proof point that Silverlight is not just for consumer facing scenarios on the web, but is equally suited for more rigorous applications in broadcast media workflow. - It is one of the first production applications to use the h.264 playback capabilities being enabled in Silverlight 3. MTV creates all their proxies as QuickTime .mov files, with the essence encoded using h.264 compression, either in SD or in HD resolutions. Since QT is essentially a variant of the MP4 container structure, and SL 3 supports parsing MP4 and decoding h.264 natively, we could playback all of MTV’s QT content natively in SL3, without any further transcoding. This was a huge win-win for all involved both from a time and cost perspective. I provided some of the necessary technology guidance to a joint team from Microsoft, Vertigo and MTV in implementing the solution. You can read more about the general press release from Viacom CIO Joe Simon here and about the specific case study here. Recently I needed to bind some embedded images to data templates. If you look at the Image type in Silverlight 2, you will see that it exposes a Source property of type ImageSource that can be set to the URI of an image either relative to the XAP, or in its absolute form. If the URI is valid, the image stream is opened and read at runtime, an underlying BitmapImage is created around the stream and is then fed into Image.Source (BitmapImage derives from ImageSource). However this is all great when the images are on a web site. But what about images that are packaged with my XAP ? It is actually not very hard to bind those either. Assuming you have a XAP assembly named Foo (with Foo being the default namespace), and say your image, Bar.png is stored in a project folder named Images, once you compile the assembly, the image is embedded into the assembly as a resource named Foo.Images.Bar.png. To get this done through Visual Studio mark your image as an Embedded Resource. However to access the embedded image and create a BitmapImage out of it, you will have to write some code like this: BitmapImage bim = new BitmapImage(); bim.SetSource(this.GetType().Assembly.GetManifestResourceStream("Foo.Images.Bar.png")); This BitmapImage instance can then be bound directly to the Image.Source property using a traditional binding expression. However, you may already know all of this, and in any case I wanted to make this a little more general purpose. I did not quite like the fact that the string literal representing the image (in the above case “Foo.Images.Bar.png” ) could not be directly fed to the Image element in my XAML like a URI. I had to create some sort of artificial property in some type that would instead expose a BitmapImage instance, and then bind that property to my Image.Source. In effect what I wanted to do was something like this: <Image Source="Foo.Images.Bar.png" /> but sadly that would not work. So instead I took the approach of using a value converter. I wrote a converter that looks like this: public class ImageResourceNameToBitmapImageConverter : IValueConverter { public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture) { //check to see that the parameter types are conformant if (!(value is string) || targetType != typeof(ImageSource) ) return null; BitmapImage MenuItemImage = new BitmapImage(); try { MenuItemImage.SetSource(this.GetType().Assembly. GetManifestResourceStream(value as string)); } catch (Exception Ex) { return null; } return MenuItemImage; } public object ConvertBack(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture) { throw new NotImplementedException(); } } Now in my XAML I can declare the converter: <local:ImageResourceNameToBitmapImageConverter x: and then an Image element like this: <Image Source="{Binding Converter={StaticResource REF_ImageResourceNameToBitmapImageConverter}}" DataContext="Foo.Images.Bar.png" /> This does the trick. Since the Binding does not specify a path, the converter gets the DataContext (which is the qualified image resource string name) passed in as the value parameter, and all I do in the converter is use the same code as before to create and pass out the BitmapImage instance. Came in pretty handy and saved me the grief of creating unnecessary CLR properties for each necessary image binding. Our I have been inconspicuously absent on blogosphere for a while now. For my handful readers – I hope you missed me :-). I am back to blogging and hope to put out some more interesting stuff for you guys in the coming weeks. First for exciting news. We are close, very close to finishing up Silverlight 2. The product team just made the first release candidate available, and you can download it here. You can read more about the release in Scott Guthrie’s blog post here. We also just announced the first service pack to Expression Encoder 2. Video is very important to my work, and there are some tremendous changes to be included in the SP. H.264/AAC output – finally !!!. Read more about it in Ben’s blog post here and James’ post here. I have also been busy finishing my book on Silverlight 2, that I have been coauthoring with my teammate Rob Cameron. You can pre-order the book here. We are in the final phases of editing, but APress is also planning to put out an e-book version in their Alpha book program that allows you to pre-purchase the book and progressively read chapters as they are being edited. You can find more details at the APress web site. Rob and I are really excited about the book, and for those of you who decide to give it a try, we hope you enjoy reading it as much as we enjoyed writing it. It was hard writing a book targeting the RTM version of a technology that was still being built while we wrote. But we are pretty proud of the end product, and if you are planning to work with Silverlight 2, we are confident you will find the book useful. Until the next post… Woo - !! Sone folks pointed that the code sample attachment in my previous post on the Async Multiple File Upload Control for Silverlight 2 was broken. I have fixed it in the post as well provided a link below to the code on my Windows Live SkyDrive. Sorry for the incovinience. By :. Note that upping the boundary may be a lucrative option for very large file uploads to achieve faster uploads, but this is client memory, and you can soon get OutOfMemory exceptions if you are not careful. Note that upping the boundary may be a lucrative option for very large file uploads to achieve faster uploads, but this is client memory, and you can soon get OutOfMemory exceptions if you are not careful.. Also the service now puts all uploaded files in a subfolder called Assets under the service directory. This is hardwired in the service code. Change it as you see fit, but do remember to change service code accordingly as well. Also the service now puts all uploaded files in a subfolder called Assets under the service directory. This is hardwired in the service code. Change it as you see fit, but do remember to change service code accordingly as well. There are a lot of things incomplete in the : I!!!!!: <Button RenderTransformOrigin="0.625,2.55" Grid. <Button.Content> <Grid> <Grid.RowDefinitions> <RowDefinition /> <RowDefinition/> </Grid.RowDefinitions> <RadioButton Content="RB 1" Grid. <CheckBox Content="CB 2" Grid. </Grid> </Button.Content> </Button>. <ListBox IsSynchronizedWithCurrentItem="True" HorizontalAlignment="Left" Margin="158,142,0,194" Width="96" Template="{DynamicResource CTListBox}"> <ListBoxItem Content="Item 1"/> <ListBoxItem Content="Item 2"/> <ListBoxItem Content="Item 3"/> <ListBoxItem Content="Item 4"/> </ListBox> : <ListBox IsSynchronizedWithCurrentItem="True" HorizontalAlignment="Left" Margin="158,142,0,194" BorderBrush="LightBlue" BorderThickness="7" Background="Black" Width="96" Template="{DynamicResource CTListBox}"> <ListBoxItem Content="Item 1"/> <ListBoxItem Content="Item 2"/> <ListBoxItem Content="Item 3"/> <ListBoxItem Content="Item 4"/> </ListBox> <ListBoxItem Content="Item 1"/> <ListBoxItem Content="Item 2"/> <ListBoxItem Content="Item 3"/> <ListBoxItem Content="Item 4"/> </ListBox> <Button Content="Hello World" RenderTransformOrigin="0.625,2.55" Grid.. Scott Guthrie announced a CTP release for ASP.Net Extensions available for public download. Lots of exciting features that you can play with, including the new ASP.Net MVC Framework, as well as the Entity Framework. ASP.Net 3.5 Extensions CTP MVC Toolkit Extras Quick Starts Also download the beta 3 build of Entity Framework Tools for Visual Studio 2008 RTM from here. ADO.Net Entity Framework Tools Dec 07 Community Technology Preview It is becoming increasingly obvious that designing telecommunication architectures in a service oriented way actually makes a lot of sense. Joe Hofstader, another Architect on our team, has tons of experience building service based solutions for the telecom industry. Check out his article on Caas here. Joe does an excellent job in positioning a Caas Reference architecture based on SIP and IMS. If. Customers that I demonstrate Silverlight to, often ask me about Live Streaming using Silverlight. It is actually pretty trivial to demo a live stream. To create the live source, all you need is a digital video camera that plugs into either a USB port or the 1394 port on your laptop. Your standard DV Handycam is fine(I have tried my Sony Mini DV successfully) , and so are any of the typical clip-on style video conferencing cameras (like a Microsoft Lifecam). Obviously this provides an SD source – to get HD you will probably have to shell out some more money and get one of the new fangled HD consumer cameras. You will also need an encoder (either Expression Media Encoder or Windows Media Encoder works fine) and a MediaElement on a page pointing to the URL where the encoder publishes the stream. If you want to get fancy and demonstrate a somewhat more realistic scenario, you can also add Windows Media Services as the streaming service to this mix – I typically use Windows Media Services 2008 running in a VM. Once you plug in the camera and switch to Live Streaming mode in your encoder, xMedia Encoder or WM Encoder will pick up the camera as both a video and an audio source. Below is a snapshot of xMedia Encoder using my Lifecam as a source. The default publishing options for xMedia Encoder is to broadcast over port 8080 - make sure you check the Streaming checkbox in the Output tab. Your MediaElement declaration can look like so: <MediaElement x: And below is the result - my handsome mug in all its glory :-). If you want to make the scenario a little bit more realistic, you may want to add a streaming service to the mix. It is highly unlikely that a production environment would allow players to directly connect to an encoder. I have been pretty successfully using Windows Media Services 2008 on a Windows Server 2008 Enterprise RC0 VM. Once you install Media Services, you will need to add the Streaming Media Server role to the server instance. You will then need to take the following steps to set up Windows Media Server to stream your live content: Once you are done, revisit Expression Media Encoder, and change the Streaming settings in the Output tab to publish to the publishing point you just set up, by providing the URL to the publishing point. The URL is of the format http://[Media Server Name]:[Port You Selected]/[Publishing Point Name]. Clicking the Pre Connect button will confirm connection, and may ask for credentials depending on your domain settings. With this out of the way, if you start Encoding, the stream will automatically be pushed to the Publishing Point by Expression Media Encoder. <MediaElement x: And that's all you need to do to get Windows Media Server into the streaming process.
http://blogs.msdn.com/jitghosh/
crawl-002
en
refinedweb
Out of the Angle Brackets This is the first of a multi-post series (#2 is now online). Pingback: Please provide VB 9.0 code examples along with the C# 3.0 (for a change). --rj I found this post on the struggle that the XML team has had to try and get streaming to work intuitively... In the first post in this series we gave some background to a problem the LINQ to XML design team has As S. Somasegar announced , Orcas Beta 1 is ready to ship and will be generally available for download A team within Microsoft ran an "app week" recently to build applications that implement customer scenarios LINQ to XML and the XML API that underpins it contained in the System.Xml.Linq namespace is essentially...
http://blogs.msdn.com/xmlteam/archive/2007/03/05/streaming-with-linq-to-xml-part-1.aspx
crawl-002
en
refinedweb
Design Guidelines, Managed code and the .NET Framework The MSDN folks keep giving this morning… They just posted a highres version of the namespace poster we gave out here at the PDC. Enjoy! I’d still love to hear you feedback… I love helping developers understand our developer platform... one of the fun ways I get to do that is
http://blogs.msdn.com/brada/archive/2005/09/15/PDC2005NamespacePoster.aspx
crawl-002
en
refinedweb
EDM Changes 1. CommandText attribute on Function element in SSDL schema has been changed to a child Element. Mitigation If you used the CommandText attribute on Function elements, change it to a Child Element. Beta 2 Code <Function Name="InsertProduct" IsComposable="false" CommandText="Insert Products ..."> Beta 3 Code <Function Name="InsertProduct" IsComposable="false" > <CommandText>Insert Products ...</CommandText> 2. Changed all Enumeration values in Schema Files to have Pascal Casing so that they are consistent. Change the SchemaFiles to reflect the new values. Csdl Changes Area Beta 2 Beta 3 DateTimeKind UTC Utc Mode in In out Out inout InOut ConcurrencyMode none None fixed Fixed MaxLength max Max Ssdl Changes StoreGeneratedPattern identity Identity computed Computed ProviderManifest Changes CSMapping Changes Version original Original current Current CodeGeneration Changes Access public Public internal Internal private Private Getter/Setter 3. GetMappedPrimitiveType method on MetadataWorkspace and ItemCollection class has been removed. Beta 2 Code PrimitiveTypeKind edmType = ((PrimitiveType) sourceProperty.Type.EdmType).PrimitiveTypeKind; PrimitiveType sqlType = workspace.GetMappedPrimitiveType(edmType, DataSpace.SSpace); Beta 3 Code TypeUsage edmType = sourceProperty.TypeUsage; EntityConnection connection = context.Connection as EntityConnection; DbProviderServices services = DbProviderServices.CreateProviderServices (connection.StoreConnection); DbProviderManifest manifest = services.GetProviderManifest TypeUsage sqlType = manifest.GetStoreType(edmType); 4. StoreItemCollection that is Constructed over SqlConnection needs an Open or Openable connection. Previously a non-null SqlConnection would have worked even if it could not be opened. If you were previously using a SqlConnection that was not openable and you don't prefer the provider to open a connection, you would need to use a new Constructor added to the StoreItemCollection that takes in DBProviderFactory instead of DBConnection. This would only work if the SSDL file passed into the constructor had a ProviderManifestToken attribute added to the Schema element. storeItemCollection = new StoreItemCollection( new SqlConnection(), ssdlFilePath); storeItemCollection = new StoreItemCollection(SqlClientFactory.Instance, ssdlFilePath); 5. Unsigned types have been removed from EDM/CSDL type system. No mitigation for this. Entity Services Changes 6. Obtaining the native SQL generated for a given command has changed. EntityCommand - DbProviderServices.CreateCommandDefinition, ObjectQuery.CreateCommandTree() and DbProviderServices.CreateCommandDefinition are no longer available There is a new, simpler, pattern. Use EntityCommand.ToTraceString() or ObjectQuery.ToTraceString(). string esql = "SELECT VALUE product \n" + "FROM Northwind.Products AS product\n" + "WHERE LEFT(product.ProductName, 1) = 'C' \n" + "ORDER BY product.ProductName";EntityCommand productsCmd = connection.CreateCommand();productsCmd.CommandText = esql;connection.Open();productsCmd .Prepare();IServiceProvider serviceProvider = (IServiceProvider)EntityProviderFactory.Instance;DbProviderServices providerServices = (DbProviderServices)serviceProvider.GetService(typeof(DbProviderServices));EntityCommandDefinition commandDefinition = (EntityCommandDefinition)providerServices.CreateCommandDefinition(productsCmd );foreach (string commandText in commandDefinition.MappedCommands){ Console.WriteLine(commandText);} // For EntityCommand string esql = "SELECT VALUE product \n" + "FROM Northwind.Products AS product\n" + "WHERE LEFT(product.ProductName, 1) = 'C' \n" + "ORDER BY product.ProductName";EntityCommand productsCmd = connection.CreateCommand();productsCmd.CommandText = esql;connection.Open();Console.WriteLine(productsCmd.ToTraceString()); // For ObjectQuery ObjectQuery<Northwind.Product> products = northwind.Products .Where("LEFT(it.ProductName, 1) = 'C'") .OrderBy("it.ProductName");northwind.Connection.Open();Console.WriteLine(products.ToTraceString()); 7. Canonical function Edm.Length() ignores trailing white space when connected to SQL Server (any version). Previously Edm.Length() was trying to include trailing spaces. Starting with Beta 3 it maps directly to SqlServer.Len() which ignores trailing spaces. Consider trimming trailing white space on literals and properties before sending them down the pipeline. Edm.Length('abc ') -- T-SQL: LEN('abc ' + '.') - LEN('.')-- Returns: 4 Edm.Length('abc ') -- T-SQL: LEN('abc ') -- Returns: 3 LINQ to Entities Changes 8. Group By can no longer be applied on a navigation property Add the key properties of the related entity to the query after the navigation property. var query = from p in context.Products group p by p.Category into g select new { CategoryID = g.Key, AveragePrice = g.Average(p=>p.UnitPrice) }; var query = from p in context.Products group p by p.Category.CategoryID into g select new { CategoryID = g.Key, AveragePrice = g.Average(p=>p.UnitPrice) }; Object Services Changes 9. ObjectStateManager.GetObjectStateEntry() no longer accepts an entity object instance as a parameter Pass an EntityKey instead. var order = context.Orders.First(); var state = context.ObjectStateManager.GetObjectStateEntry(order); var state = context.ObjectStateManager.GetObjectStateEntry(order.EntityKey); 10. ObjectQuery.First(), -FirstOrDefault(), and -Exists() have been removed. Use the LINQ to Entities implementation through IQueryable. Product product = northwind.Products.First(); using System.Linq; 11. ObjectQuery.Parameters collection is locked once the query is compiled/executed. Ability to add or remove paramters to the parameter collection once the query is compiled was an error. Now Entity Framework explicitly throws on such attempts. Note: values of existing parameters may be changed, and subsequent executions of the query will use the new values. passes throws InvalidOperationException 12. EntityKey.EntityKeyValues has changed from ReadOnlyCollection<KeyValuePair<string, object>> to EntityKeyMember[]. An EntityKeyMember is a KeyValuePair that can be serialized using Xml serialization. It contains both a string key name and an object key value. 13. ObjectContext no longer opens a connection during the constructor. The ObjectContext class no longer opens the underlying EntityConnection as part of the constructor call. As a result, the MetadataWorkspace that is returned from the MetadataWorkspace property will not contain the SSpace and CSSpace metadata immediately. These metadata collections will be available the first time the ObjectContext opens the underlying EntityConnection. 14. EntityKey class no longer implements IXmlSerializable The EntityKey class is still serializable using the XmlSerializer, but uses public properties rather than an explicit implementation of IXmlSerializable. 15. EntityKey(EntitySet entitySet, IEnumerable<KeyValuePair<string, object>> entityKeyValues) constructor has been removed. Use an alternative constructor. EntityKey key = new EntityKey(entitySet, keyValues); EntityKey key = new EntityKey(entitySet.EntityContainer.Name + "." + entitySet.Name, keyValues) 16. EntityKey(string qualifiedEntitySetName, string[] keyNames, object[] keyvalues) constructor has been removed Use an alternative constructor such as EntityKey key = new EntityKey("EC.ES", new string[] {"K1", "K2"}, new object[] {key1, key2}); EntityKey key = new EntityKey("EC.ES", new EntitykeyMember[] { new EntityKeyMember("K1", key1), new EntityKeyMember("K2", key2)}); 17. ObjectStateManager.GetEntityKey(object) has been removed. To get an EntityKey for an object instance, call ObjectContext.GetEntityKey(entitySetName, object). This key can then be used to lookup an ObjectStateEntry in the ObjectStateManager to determine if the object is being tracked. EntityKey key = stateManager.GetEntityKey(object); EntityKey key = context.GetEntityKey(entitySetName, object); 18. EntityCollection.CollectionChanged event has been renamed to AssociationChanged Use the AssociationChanged event instead of the CollectionChanged event collection.CollectionChanged += handler; collection.AssociationChanged += handler; 19. ObjectQuery IListSource implementation is explicitly implemented. You will need to cast the ObjectQuery to an IListSource before calling ContainsListCollection property or the GetList method. IList list = query.GetList(); IList list = ((IListSource)query).GetList(); 20. ObjectContext.Refresh no longer takes a params array of objects to refresh. The overloads for Refresh include one that takes a single object to refresh, as well as one that takes an IEnumerable of objects to refresh. ctx.Refresh(RefreshMode.ServerWins, o1, o2, o3); ctx.Refresh(RefreshMode.ServerWins, new object[] {o1, o2, o3}); 21. ObjectQuery.GetResultType() requires the user to open the connection. The GetResultType() call requires that the user have the CSSpace and SSpace metadata collections loaded into the ObjectContext's MetadataWorkspace. To do this, the ObjectContext's connection must have opened at some point. The connection can be forced to open by calling ctx.Connection.Open(). Tools Changes 22. EDMX files created in CTP1 don't always open in CTP2 of the designer The file format of .edmx files has changed in CTP2. Opening .edmx files created with earlier versions of the designer is not supported.To resolve this issue:Recreate the .edmx file in CTP2 of the designer. 23. Build error when projects with .edmx files created in Visual Studio Beta 2 and EDM Designer CTP 1 are rebuilt in Visual Studio 2008 RTM Projects with .edmx files created in earlier CTPs had a reference to EdmxDeploy.exe in the project post-build event. Building such projects in VS 2008 RTM causes a build failure with a message that EdmxDeploy.exe cannot be found.To resolve this issue:The functionality provided by EdmxDeploy.exe is now available in the EntityDeploy MSBUILD task. Modify the post-build event in project properties and remove the reference to EdmxDeploy.exe If you would like to receive an email when updates are made to this post, please register here RSS There were a number of changes to the Entity Framework between Beta 2 and Beta 3 that will require updates 1-> ADO.NET Entiry Framework Bet3 La beta 3 de l' ADO.Net Entity Framework pour Visual Studio 2008 RTM , et la CTP de Décembre des Entity Buenas, mientras en el equipo de Soluciones de Avanade Spain , seguimos debatiendo sobre las mejores Новости про ADO.NET Entity Framework Beta 3 - что нового, кто поддерживает ADO.N In Beta2, edmgenerator does not successfully generate classes if the table contains a primary key of type guid. Is this issue fixed in Beta3? Here are some tips that may be helpful when developing and testing a data provider that supports Entity This code does not match the current constructors. The current constructors are asking for Sqlconnection and filepath. Can someone help. Thanks.
http://blogs.msdn.com/adonet/pages/breaking-changes-entity-framework-beta-3.aspx
crawl-002
en
refinedweb
Can There Be a Non-US Internet? 406. (Score:5, Funny) Re:Oblig. (Score:5, Insightful) Non-US Internet (Score. Re:Non-US Internet (Score. .... 6. Control the ideas/speech of all websites within Iran. Technically yes; practically unlikely (Score:5, Insightful) Re:Technically yes; practically unlikely (Score:5, Interesting) )). Amazon.*** namespaces (Score): (Score:2): (Score:2) Why ironic? Re: (Score:2, Interesting) Re: (Score:2) Re: (Score:3) WTF is the point? (Score:5, Insightful): ): (Score:2) Also, and not to sound like an apologist, pretty much every other country has just as crappy government reputations for things like privacy. Re: (Score:2) No. Re:Yes, but it won't make any difference. (Score:4, Insightful): ). (Score:5, Informative) Re: (Score:2) Re: (Score:3): (Score:2) They just follow the old doctrine of communism: There's no need to conquer by force. Nothing to do with communism. That's Sun Tzu [wikipedia.org] 25 centuries ago. Re: (Score) wi Re: (Score:2) politic Why do we keep discussing this... (Score:5, Insightful) ..: (Score:3) dea Re:Why do we keep discussing this... (Score:5, Insightful) ..: ) (Score:3) anoth (Score:2, Insightful) That is not what they declared (Score:5, Informative).) t Re:WWW (Score:5, Informative): (Score:2) By the way, the actual invention was done not by a programmer but by the an engineer who was doing the real work. Re: (Score:2) Re: (Score:3, Interesting)) Re: (Score:2) *word Re: (Score.
https://tech.slashdot.org/story/13/09/25/231220/can-there-be-a-non-us-internet?sdsrc=nextbtmnext
CC-MAIN-2017-43
en
refinedweb
Creating a ComboBox for AD Users Started by jazzyjeff, 4 - By satanico64 Hi huys ! how are you ? family ? dog, cat ? well.. I've got a problem: _GUICtrlComboBox_GetCueBanner i can't get it to work. Simple: even the example from help does'nt work... I insist, it's excactly the example from the help, no modifications #include <GuiComboBox.au3> #include <GUIConstantsEx.au3> #include <WindowsConstants.au3> Global $g_idMemo Example() Func Example() Local $idCombo ; Create GUI GUICreate("ComboBox Get Count", 400, 296) $idCombo = GUICtrlCreateCombo("", 2, 2, 396, 296) _GUICtrlComboBox_SetCueBanner($idCombo, "Select an Item") $g_idMemo = GUICtrlCreateEdit("", 10, 50, 376, 234, $WS_VSCROLL) GUICtrlSetFont($g_idMemo, 9, 400, 0, "Courier New") GUISetState(@SW_SHOW) ; Add files _GUICtrlComboBox_BeginUpdate($idCombo) _GUICtrlComboBox_AddDir($idCombo, @WindowsDir & "\*.exe") _GUICtrlComboBox_EndUpdate($idCombo) MemoWrite("Cue Banner: " & _GUICtrlComboBox_GetCueBanner($idCombo)) ; Loop until the user exits. Do Until GUIGetMsg() = $GUI_EVENT_CLOSE GUIDelete() EndFunc ;==>Example ; Write a line to the memo control Func MemoWrite($sMessage) GUICtrlSetData($g_idMemo, $sMessage & @CRLF, 1) EndFunc ;==>MemoWrite I also added the display of the cuebanner in the loop. It never display what actually appears in the combo If you can show me any king of working example. Thanks Guys ! Nicolas. Actually autoit v3.3.14.2 - By Terenz Hello, I have searched everywhere but on the forum there isn't an example of a combobox with checkbox. I think is a very useful control but require subclassing. Several example in C++, one of this: CheckComboBox Control If somone has some time to check it out. If need i can provide the source code. Thanks
https://www.autoitscript.com/forum/topic/134320-creating-a-combobox-for-ad-users/
CC-MAIN-2017-43
en
refinedweb