text
stringlengths
454
608k
url
stringlengths
17
896
dump
stringclasses
91 values
source
stringclasses
1 value
word_count
int64
101
114k
flesch_reading_ease
float64
50
104
In my MVC project I have MyEnum: public enum MyEnum { a, b, c, d } I also have class: public class MyClass { public MyEnum SelectType { get; set; } public Enum[] NotSupportedTypes{ get; set; } } In my class for NotSupportedTypes I can use only Enum[] type. When I'm creating object of class MyClass how can I check that in NotSupportedTypes only enums of type MyEnum are pushed? var model = new MyClass(); //good model.NotSupportedTypes = new Enum[] { MyEnum.a } //bad model.NotSupportedTypes = new Enum[] { SomeOtherEnum.a } You could check it in the property, for example with Array.TrueForAll: private Enum[] _NotSupportedTypes; public Enum[] NotSupportedTypes { get { return _NotSupportedTypes; } set { if (!Array.TrueForAll(value, x => x.GetType() == typeof(MyEnum))) throw new ArgumentException("All enums must be MyEnum"); _NotSupportedTypes = value; } } As mentioned by Xanatos this won't protect you from changes in the array. So you could replace one MyEnum in it with a different enum type later. Arrays are not readonly. So why don't you use a MyEnum[] in the first place?
http://databasefaq.com/index.php/answer/111159/c-enums-ienumerable-how-to-detect-enum-type-passed-to-enum
CC-MAIN-2018-39
refinedweb
167
59.5
The Kite SDK makes it easy to add print on demand functionality to your app. Harness our worldwide print and distribution network. We'll take care of all the tricky printing and postage stuff for you! To get started, you will need to have a free Kite developer account. Go to kite.ly to sign up for free. Use our SDK to unlock hidden revenue streams and add value for your users. In under ten minutes you could be selling: If you're using CocoaPods just add the following to your Podfile: pod "Kite-Print-SDK" You can also provide your own photo source (for example from within your app or a custom back end). Please read the documentation here. You can find example projects for Swift and Objective-C. We really mean it when we say integration can be done in minutes. Objective-C: #import <OLKitePrintSDK.h> Swift: import KiteSDK Objective-C: [OLKitePrintSDK setAPIKey:@"YOUR_API_KEY" withEnvironment:OLKitePrintSDKEnvironmentLive]; //Or OLKitePrintSDKEnvironmentSandbox for testing Swift: OLKitePrintSDK.setAPIKey("YOUR_API_KEY", with: .live) //Or .sandbox for testing Read about SCA (Strong Customer Authentication) requirements here. Add a URL Scheme to your info.plist: <key>CFBundleURLTypes</key> <array> <dict> <key>CFBundleURLSchemes</key> <array> <string>myappname123456</string> </array> </dict> </array> Pass the URL Scheme you defined to the Kite SDK: Objective-C: [OLKitePrintSDK setUrlScheme:@"myappname123456"]; Swift: OLKitePrintSDK.urlScheme = "myappname123456" Implement the following method in your app delegate: Objective-C - (BOOL)application:(UIApplication *)app openURL:(NSURL *)url options:(NSDictionary<UIApplicationOpenURLOptionsKey,id> *)options { return [OLKitePrintSDK handleUrlCallBack:url]; } Swift: func application(_ app: UIApplication, open url: URL, options: [UIApplication.OpenURLOptionsKey : Any] = [:]) -> Bool { return OLKitePrintSDK.handleUrlCallBack(with: url) } Objective-C: OLKiteViewController *vc = [[OLKiteViewController alloc] initWithAssets:@[[OLAsset assetWithURL:[NSURL URLWithString:@""]]]]; [self presentViewController:vc animated:YES completion:NULL]; Swift: let kiteViewController = OLKiteViewController.init(assets: [OLAsset(url: URL(string: ""))]) present(kiteViewController!, animated: true, completion: nil) 💰💵💶💷💴 iOS includes a security feature called App Transport Security. In order to connect to the Kite servers you will need to add some exceptions to your project's info plist file. We need to add forward secrecy exceptions for Amazon S3 (which Kite uses) and PayPal (optional). The following is what you need to copy your app's info plist: <key>NSAppTransportSecurity</key> <dict> <key>NSExceptionDomains</key> <dict> <key>paypal.com</key> <dict> <key>NSExceptionRequiresForwardSecrecy</key> <false/> <key>NSIncludesSubdomains</key> <true/> </dict> <key>amazonaws.com</key> <dict> <key>NSExceptionRequiresForwardSecrecy</key> <false/> <key>NSIncludesSubdomains</key> <true/> </dict> </dict> </dict> There are a few more entries to add if you opt for Facebook and Instagram integration as mentioned above. More info here. The Print SDK supports two primary use cases: Kite Print Shop Experience, and Custom User Experience. The Kite SDK includes a robust product selection, photo editing and payment experience that's proven to convert well with users. It can take care of everything for you, no need to spend time building any user interfaces. This is the quickest approach to integration and perfect if you don't want to spend a great deal of time building a custom experience. You can be up & running within minutes! To use our Print Shop experience: OLKiteViewControllerpassing it an array of photos, we'll do the rest. You can build your own UI if you don't want to use or customize the provided Print Shop experience. You can still use the Print SDK to handle the print order creation and submission: Your mobile app integration requires different API Keys values for each environment: Live and Test (Sandbox). You can find these Kite API credentials under the Credentials section of the development dashboard. Your Sandbox API Key can be used to submit test print orders to our servers. These orders will not be printed and posted but will allow you to integrate the Print SDK into your app without incurring cost. During development and testing you'll primarily want to be using the sandbox environment to avoid moving real money around. To test the sandbox payment you can use your own PayPal sandbox account or contact us at [email protected] When you're ready to test the end to end printing and postage process; and before you submit your app to the App Store, you'll need to swap in your live API key. Your Live API Key is used to submit print orders to our servers that will be printed and posted to the recipient specified. Live orders cost real money. This cost typically passed on to your end user (although this doesn't have to be the case if you want to cover it yourself). Logging in to our Developer Dashboard allow's you to dynamically change the end user price i.e. the revenue you want to make on every order. Payment in several currencies is supported so that you can easily localize prices for your users. The dashboard also provides an overview of print order volume and the money you're making. See our ApplePay setup documentation if you want to enable checkout via ApplePay. Depending on your use case you might want to launch to a specific product, or even bypass the product selection/creation process entirely and jump straight to the checkout/payment journey. See our SDK entry point documentation for more details. We also have a REST print API for those who prefer to invent wheels :) Please see the Migration Documentation to migrate to newer versions The iOS Print SDK uses software created by the Open Source community, you can find a full list of acknowledgements here. Kite iOS Print SDK is available under a modified MIT license. See the LICENSE file for more info.
https://awesomeopensource.com/project/OceanLabs/iOS-Print-SDK
CC-MAIN-2020-40
refinedweb
929
55.24
I would like to talk about static typing and dynamic typing. This topic has been written on and debated a lot on the Internet and I’m no Simon Peyton-Jones, Larry Wall or Alan Kay, so these opinions are probably nothing new. I am not bringing anything new to the debate, except perhaps bad metaphors. The reason I am writing this post is that I can’t seem to figure out what I think about typing, and I want to write it down to hopefully untangle my own thoughts. I’m also more interested in the reliability vs flexibility aspect of the debate, so I will not be discussing the issue of speed. Definitions To make sure we all understand each other, I’ll start by defining some terms. Static typing: A typing system where the values and the variables have types. A number variable cannot hold anything other than a number. Types are determined and enforced at compile-time, or declaration-time. Dynamic typing: A typing system where the values have types, but not the variables. It is thus possible to successively put a number then a string inside the same variable. Types are determined and checked at run-time. Weak typing: weak typing is often used to mean dynamic typing, however they are two different things. Weak typing refers to how typing is done. Examples of weakly typed languages include JavaScript, Perl and PHP (which, incidentally, are also all dynamically typed languages.) A weakly typed language will do type conversions in the background if the programmer hasn’t done them explicitly. For example, in Perl, 3 + "4" returns 7. The + operation is specifically defined to operate on numbers, but since "4" is a string, Perl implicitly converts it to a number before performing the addition. Strong typing: strong typing is the opposite of weak typing. This family includes Lisp dialects, Python, Haskell, etc. A strong typing system will not try to implicitly convert values for us. With those languages, the previous example would fail. We would need to explicitly convert "4" to a number. Type inference: A technique by which the compiler determines the type of a variable or function without help from the programmer. For example, the compiler can deduce that the variable s in s = "Hello" will have the type string, because "hello" is a string. OK, with definitions out of the way, let’s see what’s on my mind… Static typing is great… We live in an era where the influence of computers has never been greater: we work from home, we buy products from Internet stores, we pay our bills online, the billing systems of every company is computerized, the global market is just a bunch of bits, etc. In a time where so much of our society’s infrastructure is dependent on computer software, it is essential that those programs be reliable (something that doesn’t happen often enough, unfortunately.) One of the many things that can help us make sure that our programs are safe and sound is static typing. Or at least, that’s what the static typing advocates would have us believe. With such a system, all the interactions between the different functions and variables are checked during the compilation phase and any mistake is treated as a fatal error, and the compilation stops. With static typing, it is impossible to build a program that would try to apply the length function to a number. With a dynamically typed program, the compiler wouldn’t check for that possibility, and the error would happen at run-time. That sure makes static typing sound like a sweet deal! After all, humans program computers, and we’re not known for our infallibility. In fact, we’re quite the opposite: anything can disrupt our concentration and this can lead to the introduction of bugs in our software. Surely, it is nice to know that the compiler is there to point out our mistakes when we’re not fully focused. Static typing also helps us make modifications to existing code: if it doesn’t compile, we know there is a problem with our modification. It also helps us use the code of other programmers, because there is a protocol on how functions should be used. In the Haskell and ML communities, there is a saying: “if it compiles, it works.” This is not a fact, of course, static typing cannot help us with everything that could go wrong in our program, but it shows how dependant these programmers are on the type checker to find common mistakes (and even not so common mistakes.) … but so constraining! This safety comes at a price however: some tasks become a lot harder with a statically typed language and a few are practically impossible. For instance, in Haskell the functions fst and snd respectively return the first and second element of a two-elements tuple. They do not work on tuples of any other size. It is not possible to write a generic version of those functions. Static typing also impairs code generated at run-time. A lot of dynamically typed languages have a function called eval that can evaluate arbitrary code at run-time. Although the use of eval is generally discouraged, it can be used to generate code that simplifies the programmer’s task. One of the best known example is Ruby on Rails, which creates methods with the names of the columns of a table in a database for a model. This sort of code generation is much harder in statically typed languages, because the code is generated after the compilation phase, and therefore, it cannot be type checked without being ran. Dynamic languages such as Smalltalk, Lisp and Erlang also allow hot code swapping: we can load new code while the application is running and the new code will immediately be used. I have yet to see this in a statically typed language. Another problem of static typing is that it introduces an extra layer of complexity in the language; the static languages all have their own set of extra features (templates, generics, type classes, etc.) to make sure that the compiler is satisfied that what we are writing is sound. def my_len(L): x = 0 for e in L: x += 1 return x The previous Python function (naïvely) returns the length of a list. The list can contain elements of any types. (Actually, this isn’t true; it doesn’t work only on lists, it returns the length of any iterable object.) To write the same function in C++, we would need to use templates to convince the compiler that the function is type safe. Dynamic typing is like flying! At the other end of the spectrum, we have dynamic typing. Dynamic typing is also perfect for the kind of world we live in: face-paced and ever changing. Clients want their software really quickly, they want their software to be extremely flexible and they will change their minds about what it is they want three times in the first month. And programmers are expected to deliver, we do not have the luxury of bridge engineers to say “it cannot be done.” Dynamic languages are extremely flexible in what they allow the programmers to accomplish. Generally speaking, dynamically typed languages are much more permissive than statically typed languages; in a sense, they seem closer to how “real life” works. If I’m packing a bag for a trip, I can put anything I please into it. The bag will not spit out my iPod because there are clothes in it and it can only hold one type of objects. (I told you the metaphors would be bad.) This is how lists (or arrays) work in dynamically typed languages: we can put anything we want into them, the language doesn’t mind one bit. This flexibility is really helpful when we want to quickly develop a prototype, when we want to test something, or when we’re not even sure of how something is going to work. For example, instead of using a proper tree data structure and creating all the functions to support that tree, we could simply use a regular list — which can contain scalar values (leaves) and other lists (branches) — to explore if a tree seems like an appropriate structure for the problem at hand. As I mentioned earlier, dynamically typed languages also offer features that are much harder to implement in statically typed languages. Hot code swapping is an extremely powerful feature that I’ve seen only in dynamic languages. Being able to load new code without shutting down an application is a really important feature to have if we want programs that can run for months, even years without interruption. The most common example are the Ericsson switches written in Erlang which have nine nines of reliability (99.9999999%), but the benefits are also visible in applications like Emacs where a user using elisp can add significant functionality to the program without having to restart it. I also briefly mentioned that dynamically typed languages are the kings of code generated at run-time. This feature has been used to fix existing methods, add methods to existing classes, generate classes and methods at runtime, using the programming language as the configuration language, etc. We can use this to “fix” parts of the language, improve parts of the language and grow the language. Dynamically typed languages are also often simpler than static languages. The rules of Forth or Lisp can be learnt in a couple of hours; I know a lot of programmers who learned Python in an afternoon. I don’t believe anyone can claim that the rules of C++ can be explained this quickly (much less mastered.) But without a parachute! This flexibility and simplicity is achieved by assuming that the programmer knows what he’s doing. But we agreed that humans are fallible, so how do the programmers working with Python and JavaScript manage to create solid software? With a whole lot of testing. By writing automated unit tests, the programmers make sure that all the functions of their program behave as they expect them with valid and invalid input. Any time they change something in the program, they re-run the tests to make sure that they didn’t break anything. Dynamic typing advocates claim that type errors are actually pretty rare and that unit testing makes static typing unnecessary. While it is true that tests go a long way toward making software reliable, they are not a proof, they are a demonstration that the code behaves properly for the subset of inputs that they test. Also, because tests are written by the same fallible humans, they could possibly be wrong. The myth of short code A common misconception among some programmers is that the reason why people like dynamic typing is because it makes the code shorter. We don’t need to type those pesky type descriptions everywhere, so the resulting code is obviously shorter. The existence of type inference nullifies this point. With good type inference, a programmer can enjoy the benefits of static typing with the terseness of dynamic typing. This does not mean that type inference closes the debate and that we should all use static typing. As I described earlier, they are other more fundamental differences between the two typing systems. Furthermore, I believe that powerful abstraction mechanisms are the more likely culprits for short code. Ruby (dynamic) and Haskell (static) both usually require less code to write the same things as in Java (static) or PHP (dynamic). I firmly believe that the reason is that Ruby and Haskell support more advanced abstractions (like lexical closures ;)). Optional typing In a typical “we want our cake and it eat too” fashion, programmers have asked about static typing and dynamic typing “can’t we have both?” Some languages already support the mixing of both types. In Common Lisp, a dynamic language, it is possible to declare the type of variables. The next versions of Perl and JavaScript, both dynamically typed, will have optional static typing. It was announced recently that C# 4.0 would have a dynamic keyword to allow optional dynamic typing. The obvious question then is: “how should optional typing be done?” Should we add static typing to dynamic languages or vice versa? I thought about this, and I think that the former is preferable; create a language that is flexible and can be used to explore a problem space and its solutions, and when the prototyping is over, make it easy to add type annotations to get the safety of static typing. Conclusion I stated in the beginning of this post that I wanted to try and untangle the different opinions I had on type systems, and I believe this post was successful in that respect. I had a very easy time talking about the importance of reliable software, I cannot imagine not caring that a program I build is robust. I also had an easy time talking about the importance of flexibility in the current market. This leads me to believe that both approaches are valid and can be used to make solid software, but that languages which will be able to mix both techniques and give to the developers the advantages of both systems are obviously going to become very popular in the near future, and I can already feel that I’m going to like them. Finally, I would like to thank Jeremy Fincher and Steven Pigeon for proof reading this post. February 15, 2008 at 10:00 pm | I think you should have left out your definitions of weak and strong typing altogether, as they don’t really do any work in the rest of the essay. Furthermore, C++ (which everyone agrees is strongly statically typed) can be made to do what Perl does with operator overloading, or pretty nearly so: you might not literallly be able to define an operator + whose arguments are strings, or strings and numbers, but I bet you can get pretty close. Also, the hard line breaks make the post hard to read. June 1, 2008 at 1:29 am | For network applications here is the basic dividing factor… If you control the data source, go static, you know when you’re going to change your data structure and can prepare. If you don’t control your data source (ie: you pull data from YouTube, Blogger , Delicious, Google or any server outside of your control), start thinking dynamically, the last thing you need is a widely distributed, mission critical application crashing because you mapped data which is now missing directly to a static type’s property and the data structure changed without warning. Granted, the above listed services will most likely alway support legacy structures for a time, but if you aren’t working with a large, predictable conglomerate’s service then you really need to do your preparation before hand. And that’s really the difference between dynamic and static now isn’t it, when you do your preparation ;) June 1, 2008 at 1:46 am | Oh yeah, and bite my lexical closure!!! Oh wait, you can’t, I’ve declared it as private :P
http://gnuvince.wordpress.com/2008/02/15/static-typing-%E2%88%A7-dynamic-typing/
crawl-002
refinedweb
2,545
59.23
Opened 9 years ago Closed 9 years ago #6315 closed bug (fixed) [pthread] Unkillable thread Description After reducing the testcase a lot, I ended up with #include <iostream> #include <pthread.h> #include <stdlib.h> #include <unistd.h> pthread_cond_t ptcond; pthread_mutex_t *ptmux; void* fun(void*) { pthread_mutex_lock(ptmux); while (true) pthread_cond_wait(&ptcond,ptmux); for(;;) sleep(1000); } int main(int argc, char *argv[]) { pthread_mutex_t ptm; pthread_mutex_init(&ptm,__null); pthread_cond_init(&ptcond,__null); ptmux = &ptm; pthread_t pt; pthread_create(&pt, 0, fun, 0); for(;;) sleep(100); } The main thread for this process is unkillable. Interestingly, sending SIGTERM, SIGINT or SIGKILL to the other thread kills the process. Change History (5) comment:1 by , 9 years ago comment:2 by , 9 years ago When ptm is made global, the thread is no longer unkillable. comment:3 by , 9 years ago comment:4 by , 9 years ago comment:5 by , 9 years ago Note: See TracTickets for help on using tickets. hrev37286, VBox 3.1, gcc4+2 hybrid
https://dev.haiku-os.org/ticket/6315
CC-MAIN-2019-43
refinedweb
160
55.95
(10) Dhananjay Kumar (10) Scott Lysle(4) Shivprasad (3) Abhimanyu K Vatsa(3) Vijai Anand Ramalingam(3) Charles Petzold(3) Dipal Choksi(2) Mike Gold(2) Ben Simmons(2) John Charles Olamendy(2) Nipun Tomar(2) Puran Mehra(2) Jayant Mukharjee(1) Shivani (1) Ashish Banerjee(1) Ravi Ramnath(1) Rajesh VS(1) Edwin Lima(1) Ashish Jaiman(1) Daniel Olson(1) Doug Doedens(1) azwardurrani (1) Prashant Tailor(1) gsuttie (1) Dan Clark(1) vivekchauhan (1) Stephen Grover(1) Robert Pohl(1) Wdenton (1) Sudheer Adimulam(1) Levent Camlibel(1) Andrew Karasev(1) aghiondea2 (1) Shashi Jeevan M P(1) Susan Abraham(1) Subramanian Veerappan(1) Binoy R(1) Santhi Maadhaven(1) Rajesh Charagandla(1) Pradeep Tiwari(1) Santhosh Veeraraman(1) Bechir Bejaoui(1) Sateesh Arveti(1) renuka krishnan(1) Nikhil Kumar(1) rajesh p v(1) Jaish Mathews(1) Andrey Lakhov(1) Kirtan Patel(1) Raj Kumar(1) Destin joy(1) Hiren Soni(1) Sarika Gaikwad(1) Jean Paul(1) Srihari Chinna(1) Rafal Wozniak(1) Shankey (1) theLizard (1) Manikavelu Velayutham(1) Venkatesan Jayakantham(1) Ashish Shukla(1) Hung Hung(1) Suthish Nair(1) Karthikeyan Anbarasan(1) Resources No resource found Get IP Address of a Host Dec 03, 2000. The .Net DNS class can be used to get a host name or an IP of a given host name. To use DNS class in your project, you need to include System.Net Get a database table properties Jan 22, 2001. Get a table properties such as column names, types etc using DataColumn and DataTable. Creating a Windows Service in C# Jan 23, 2001. Windows Services is a new name for NT Services in .NET. This tutorial steps you through creating a Windows Service and how to install and start it. Naming Guidelines in .NET Apr 20, 2001. Commenting and following a uniform naming guidelines in your code is one of good programming practices to make code more useful. Color Guide Jun 11, 2001. This Program will generate all the colors that are supported in C# according to the Name. What's in Mobile Internet Tool? Jul 05, 2001. The New Name For .NET Mobile Web Is Mobile Internet Toolkit. A Simple C# Utility to Help You Invent Names Jul 10, 2001. I wrote this simple console utility to help me think of a new name for a project I was launching.. Enumerators in C# Oct 25, 2001. An enumeration (enum) is a special form of value type, which inherits from System.Enum and supplies alternate names for the values of an underlying primitive type. Redirecting Standard Input/Output using the Process Class Dec 18, 2001. When a program starts, a new process (a program in execution) is created by the operating system,and this process is identified by its process Id and also a name. .NET COM Interoperability - Part 2: Using .NET Component from COM Apr 02, 2002. When a COM client calls a DotNet object, the DotNet framework will create a COM callable wrapper (CCW). COM clients use the CCW as a proxy for the managed object.. Assembly Browser: Browsing a .NET Assembly May 17, 2002. This program lets you browse an assembly and lists the methods and the parameter name and parameter type for each assembly.. Create FTP and Web IIS Virtual Directory using C# Jul 03, 2002. In this example we will create a Windows Form Project that will create new FTP and Web IIS Virtual Directories from code based on the name and path specified by the user.. DataGrid Customization Part-II: Custom Sorting and DataGrid Column Hiding Aug 13, 2002. How to I get the name and index of the Column headers? How do I find out if mouse click right click was on a column Getting System Information Sep 26, 2002. The attached source code returns the system information for your machine such as machine name, operating system, current user and logical drives. Customizing Default Project Setting Sep 26, 2002. "How do I change the default exe name of my project?". I received this question in an email. Low Down on Installing a .NET Assembly into the Global Assembly Cache (GAC) Jan 02, 2003. This article will walk you through the process of giving your assembly a strong name, and installing it into the GAC. Global Assembly Cache(GAC) Hell Jan 03, 2003.. Using Stored Procedures in Conjuction with DataAdapter Jan 09, 2003. A stored procedure is a named collection of SQL statements that are stored in the database. To the client a stored procedure acts similar to a function.. Code Generator for Basic Stamp II Microcontroller Oct 15, 2003. The Basic II Stamp is programmed by the language its named after, Basic. The language is a combination of Basic syntax and built in key words that control the Basic Stamp II chip.). Debugging a Compiled Component Feb 02, 2004. After an assembly is compiled into a dll in a release mode, it is very difficult to gather information from it such as runtime performance, parameters values, etc.. Line Count Utility Jun 12, 2004. Program returns count of code lines and file names in which code lines will be counted.. Public Key Token Generation Algorithm Jan 31, 2005. The PublicKeyTokenGenerator class and a small utility that generates Public Key Token from the Public Key using that class.. Meter Windows Control May 02, 2005. This article is a revised version of previous article named Windows Forms Controls in C# and .NET (Analog Meter).. Creating a Dynamic Configuration Dialog in C# and .NET Jul 10, 2005. This article will show you how to create a configuration dialog that builds itself from the existing application configuration name-value pairs contained in the appSettings of the app.config file. Utilize the Full Functionality of the Whidbey File Management Nov 15, 2005. This article is based on a pre-release version of Microsoft Visual Studio 2005, formerly code named "Whidbey". All information contained herein is subject to change.. Convert Long to Short File Names in C# Mar 17, 2006. Here in this article is very simple code for short to long and long to short file names conversion. Tip related to sub containers and SqlDataSource Dec 06, 2006. This article provides some tips when working With Master page or SqlDataSource insert function In VS 2005.. Creation of objects using Late-Binding technique Sep 10, 2007. This article will explain how we can create objects in runtime, using late binding technique. Especially for a situation where you will come to know the class name only in. Introduction to the Assembly Concept Jan 17, 2008. This is a brief introduction to the assembly concept, it shows importants issues for a programmer to know. Geocoding a physical address using yahoo web services and c# Jan 17, 2008. This article tells you about the web service named yahoo geocoding service. Killing Processes From a Windows Form Application in C# May 01, 2008. This article provides you a simple example of how to use the System.Diagnostics.Process library to display a list of running processes, and to select and kill processes by their process name and ID. Introduction to "Acropolis" Mar 12, 2009. This article explains about Microsoft code-named Acropolis for creating windows client applications. Using a Combobox to Select Colors Mar 19, 2009. This is a short article on how to use a combo box control to display and select all the named colors. Backup utility in .Net Apr 03, 2009. This is a article named backup is used to create a backup of your data and can restore your deleted data also.. C# 4.0: Named Parameters Jun 15, 2009. C# 4.0 has introduced a number of interesting features which includes Optional Parameters, Default Values, and Named Parameters. Enable and Rename SA account in SQL Server 2005/2008 Jul 09, 2009. This Article shows How to Enable/Disable sa Account in SQL Server. DriveInfo Class in C# Jul 16, 2009. In this article I will explain about DriveInfo class of System.IO namespace which is used to get information about disk drives.. Named Argument in C# 4.0 Jul 27, 2009. In this article I will talk about a very new and highly useful feature of c# 4.0. I will give introduction of Named Argument. I will give one sample on possible usage of Named Argument.. Programmatically Fetching User Name of SharePoint site collection using Object Model Aug 11, 2009. In this article, I will show you how to fetch all the user name of a SharePoint site collection using program or Visual Studio. Find Controls by Name in WPF Oct 03, 2009. FindName method of FrameworkElement class is used to find elements or controls by their Name properties. This article shows how to find controls on a Window by name. Data Components in Visual Studio .NET: Part I Oct 13, 2009. In this article, I will help you in understanding using the Server Explorer for Adding a new Connection. Populating name of files from SharePoint Document library in a drop down list Nov 04, 2009. This article will show how to iterate through SharePoint document library and list out all the file names and bind the list to a drop down list. Connecting to a Data Source in ADO.NET Dec 30, 2009. In this article I will explain Connecting to a Data Source in ADO.NET.. A named permission set in C# Mar 09, 2010. In this article I will explain you about a named permission set in C#. Method Parameters in .NET 4.0 Apr 20, 2010. In this article I explain about optional parameters and named parameters. New features of C# 4.0 Apr 27, 2010. In this article, I want to talk about the new features being integrated with the new version of C# 4.0 language... Enumerate the ALL SQL Server Instances in Network Jun 01, 2010. In this article I will teach you how to get names and all other information of sql server instances that are in network. How to get System Environment information in WPF Jun 07, 2010. This article demonstrates how to get system environment information like Operating System,.NET Version, Machine Name, Username, Domain Name, Directory Name, Command Line using wpf. How to change the existing Name Server Jul 06, 2010. This article will demonstrate how to change the existing Name Server and details about Domain Control Panel. Three State Work flow in Sharepoint Aug 18, 2010. Here I am showing you how to use sharepoint default work flow named three state work flows. WebException or Remote Server Name Could not be Resolved in WCF Data Service Aug 19, 2010. This article will give a brief explanation on how to handle remote server name could not resolved exception in WCF Data Service. Get Property and Method Name of WMI Classes Programmatically in C# Sep 03, 2010. This article shows how you can get property name and method name programmatically instead of writing explicitly. How to configure default catalog and channel name of commerce server into sharepoint channel configuration list programmatically Sep 20, 2010. This will configure sharepoint channel configuration list programmatically to avoid manual configuration of commerce server's default catalog and channel name as part of integration of sharepoint site and commerce server. Generic Method for Parsing Value Type in C# Oct 07, 2010. In this article I am going to explain how to create a generic method named GetValue() that can parse int, float, long, double data types. C# 4.0 Method Parameters Oct 29, 2010. This article talks about optional parameters.. CUDA integration with C# Nov 25, 2010. This. Named arguments in C# 4.0 Dec 02, 2010. This new feature of c# 4.0 allows users to define arguments in the calling statement in any order rather than defined in the parameter list.. How to get the User Profile Synchronization Connection names from SharePoint 2010 using C# Dec 28, 2010. In this article we will be seeing how to get the User Profile Synchronization Connection names from SharePoint 2010. How to remove the user profile from SharePoint 2010 using C# and Powershell Dec 28, 2010. In this article we will be seeing how to remove the user profile based on the specified Account Name from the user profile database in SharePoint 2010. Get All the Tables Name using LINQ Dec 28, 2010. In this article you will learn how to get the names of all the tables using LINQ Listing columns name with type of a table using LINQ Dec 29, 2010. After my last article, I got a question asking how to list all the Column names of a given table using LINQ. Animating Perspective Transforms in Windows Phone 7 Dec 31, 2010. Silverlight 3 introduced a new UIElement property named Projection that allows setting non-affine transforms on graphical objects, text, controls, and media. Non-affine transforms do not preserve parallelism. Using Stored Procedure in LINQ Jan 04, 2011. We have a strored procedure as below. It is a very simple SP returning grades of the student. This stored procedure name is GetStudentGrade .. How to Set Focus to Any Form Control Jan 20, 2011. This article will show you how to move focus from one control to the next without the need to name the controls. Adding Groups / User names and Permissions for a Directory in C# Feb 09, 2011. This article shows you the procedure to create a directory, adding a specific Group or the User Name account for that directory and providing the required permission for the same. Dynamically Naming the Constraint Mar 04, 2011. A constraint is nothing but a condition placed on the column or object. Let's see a small example of creating a Primary Key constraint.. How to use LINQ in .NET Apr 22, 2011. LINQ stands for Language Integrated Query, so named since it is part of the programming language like C#. Sharepoint list and data types Apr 29, 2011. Here we Understand the concept of Database, SharePoint List table in SQL server VS, SharePoint List Template, SharePoint and custom data types and Column Name and will see to add, delete, edit the elements in SharePoint List Convert Rows to Columns in SQL Server May 29, 2011. This article will help to convert values in rows to column/fields name or headers. Optional and Named Arguments in C# May 31, 2011. In this quick article you will learn about Optional and Named Arguments in C#. Fetching Mobile Operator Name in Windows 7.1 Phone [Mango] Jun 10, 2011. Here you will see how to fetch the mobile operator's name in Windows 7.1 Phone. pascalCase and camelCase Naming System Jun 17, 2011. In this quick post we will take a look at some un-avoidable naming systems in C#.. About Naming.
http://www.c-sharpcorner.com/tags/Naming-Conventions
CC-MAIN-2016-36
refinedweb
2,472
66.33
Hi, In the program below, in the cout statement I want to understand what the code in the (ptr –arr) is doing. I understand ptr is the result of the find algorithm but I don’t know what the –arr does. If you can explain that to me I would appreciate it. I’m sure it is something simple but I don’t remember nor can find it. Thanks!! Shanna // Finds the first object with a specified value #include <iostream> #include <algorithm> using namespace std; int arr[] = {11, 22, 33, 44, 55, 66, 77, 88}; int main() { int *ptr; ptr = find(arr, arr+8, 33); cout << "First object with value 33 found at offset " << (ptr -arr) << endl; system("pause"); return 0; }
https://www.daniweb.com/programming/software-development/threads/437445/use-of-ptr-arr-in-the-following-code
CC-MAIN-2017-26
refinedweb
121
73.51
I am creating a custom tool that involves 3 steps. First, allow the user to pick one or more feature classes from a geodatabase. Next, from those chosen features, generate a list of fields that are from those selected feature classes. Lastly, export each selected feature class to another database, and if the field was selected, do not include that field (if it exists of course). It all kinda works like this code: import arcpy import os fc = arcpy.GetParameterAsText(0).split(";") if arcpy.GetParameterAsText(0).find(";") > -1 else [arcpy.GetParameterAsText(0)] fields = arcpy.GetParameterAsText(1).split(";") if arcpy.GetParameterAsText(1).find(";") > -1 else [arcpy.GetParameterAsText(1)] output_database = arcpy.GetParameterAsText(2) arcpy.AddMessage(fc) # From the selected features, create a list feature_list = [] for each in fc: # arcpy.CopyFeatures_management(each, "{}_Layer".format(each)) arcpy.AddMessage(each) arcpy.MakeFeatureLayer_management(each, "{0}_lyr".format(os.path.splitext(os.path.basename(each))[0])) feature_list.append("{0}_lyr".format(os.path.splitext(os.path.basename(each))[0])) # From the selected features list, create a list with their field names fieldList = [] for each in feature_list: fieldnames = [f.name for f in arcpy.ListFields(each)] for fields in fieldnames: if fields not in fieldList: fieldList.append(fields) print(fieldList) # Using fieldList, exclude these fields from Field_mapping # ........... So far, I have lines of code that accomplish the first two steps, but I am unsure how to incorporate this into a custom script. I am assuming I need to use the tool validation? def updateParameters(self): """Modify the values and properties of parameters before internal validation is performed. This method is called whenever a parameter has been changed.""" if self.params[0].value: lyr = self.params[0].valueAsText.split(";") fieldList = [f.name for f in arcpy.ListFields(lyr)] self.params[1].value=fieldList return When I run this with the tool I get an IOError: *file path* does not exist. I get this error a lot and I have no idea what causes it. I don't know how I did it before but I managed to pass the fields from multiple feature classes, but the tool wouldn't work if I only selected one feature class. I have since attempted to fix that issue but I got the above error message. In my efforts to fix this error I have basically had to start over. Anyway, my question is, how can I pass field names from the MultiValue Feature Class parameter to my next MultiValue Field parameter (which will also be used for another step)? Is your multivalue input for fields a boolean value list (checkboxes) or something else? I managed to get the tool to stop the file path error but now it only lists the fields from first feature class (wControlValve). When I remove that one, it lists the fields from the wHydrants. Right now my tool looks like this: All the Python Toolboxes I've seen have updateParameters defined like def updateParameters(self, parameters): So you should have a parameters argument that you can use instead of self.params, but that's just more of a curiosity. self.params[0].values should return a list of values instead of splitting the delimited string. And I don't see where you're actually iterating over the list of feature classes. Try something like if self.params[0].values: lyrs = self.params[0].values fieldList = [] for lyr in self.params[0].values: fieldList.append([f.name for f in arcpy.ListFields(lyr)]) self.params[1].values = sorted(fieldList) However, I've never worked with multivalue inputs so I could be way off. I tried your suggestion and it did not work unfortunately. I did a hybrid but now I get a message saying "ListFields(*gp_fixargs(args, True))) IOError: "C" does not exist" if self.params[0].values: lyrs = self.params[0].valueAsText.split(";")[0] fieldList = [] for lyr in lyrs: fieldList.append([f.name for f in arcpy.ListFields(lyr)]) self.params[1].values = sorted(fieldList) For debugging, try only having this in updateParameters() just to see what you're working with self.params[0].setWarningMessage(self.params[0].values) Sorry for the late reply, but I tried your suggestion and nothing seemed to happen when I added this. When I open the tool and add Feature Classes for my first parameter, nothing shows up in the fields list, but no errors either. It would show up in the yellow warning icon next to the input. You could also print it out with arcpy.AddMessage() but you have to comment out enough code to get it to run so you can see the message in the geoprocessing results. I got my code working so far with no errors, and my field list updates properly when I add or remove feature classes, but now I have a new problem. When I press the "Select All" or "Unselect All" buttons, they don't to do anything, and if I click anywhere (even in another application), all of the boxes are re-check themselves. I suspect it is because of the updateParameters section of the tool Validator, but I can't wrap my head around the logic the tool is using. No matter what my order of indentation is in the code it always wants to refresh the list. Here is my code so far: def updateParameters(self): """Modify the values and properties of parameters before internal validation is performed. This method is called whenever a parameter has been changed.""" if self.params[0].value: fclist = self.params[0].valueAsText.split(";") if self.params[0].valueAsText.find(";") > -1 else [ self.params[0].valueAsText] if ";" in fclist: fclist.split(";") elif "'" in fclist: [f.strip("'") for f in fclist] else: [f.strip("'") for f in fclist] if self.params[0].altered: fieldlist = [] for each in fclist: fieldnames = [f.name for f in arcpy.ListFields(each)] for fields in fieldnames: if fields not in fieldlist: fieldlist.append(fields) self.params[1].value = fieldlist return
https://community.esri.com/t5/python-questions/passing-field-names-from-a-multivalue-parameter/m-p/1053938
CC-MAIN-2021-25
refinedweb
990
50.84
<button class="btn btn-warning" onclick="@SayHelloToBlazor">Click me!</button>Then define the .Net method to handle the onclick event. @using Microsoft.AspNetCore.Blazor.Browser.Interop private async void ShowAlert() { if (RegisteredFunction.InvokeThe code invokes a registered function with the invoke method and passing in the method name and an argument. Note that you must add the Interop namespace to Blazor in AspNetCore. We then add the Js function, but Blazor will give you a compiler error if you put the Js function in the same file as the Blazor page. Instead, add it in the index.html file under wwwroot folder of your Blazor project (check the wwwroot folder). You can define the Js function in a .js file or right into the index.html file. ("showAlert", "Hello World!")) Console.WriteLine("The Js function showAlert was called!"); } Blazor.registerFunction('showAlert', (msg) => { console.log(msg); alert(msg); return true; });Note that if you refactor the Js method, your reference in the .DotNet code of Blazor will of course go stale, and you must update it. Since we return true (as Blazor wants you to do), we can act upon that in the Blazor code as a callback (check the async modifier of the DotNet method). That is what you need to do to get started with calling Javascript from Blazor page running in DotNetCore 2.1 and later.
http://toreaurstad.blogspot.com/2018/05/
CC-MAIN-2020-29
refinedweb
228
68.87
. Since DokuWiki doesn't rely on a database back end, you need only a Web server with PHP to install and run the software. Download the latest release of DokuWiki, unpack the downloaded archive, and move the resulting folder (you might want to rename it to "dokuwiki") to your Web server. You can also install DokuWiki into the root of your server by moving the contents of the unpacked folder into the server's root directory. Make sure that the conf and data directories are writable by the server. To do this, use an FTP client to set permissions for both directories to 777. Then point your browser to to start the DokuWiki installer. To install DokuWiki, you must give your wiki a name, enable access control lists, and choose the initial ACL policy for your wiki. Press then the Save button, and your wiki is ready to go. Once DokuWiki is installed, you can start populating it with pages. The easiest way to do this is to create the start page (the default page you land at when you point your browser to) by pressing the Create this page button. Like any wiki system, DokuWiki allows you to add links to non-existing pages, so you can "grow" your wiki as you go. To insert an empty link into the currently edited page, put the page name in double brackets: [[link_to_empty_page[[. Although DokuWiki doesn't have a WYSIWYG editor, it does include a toolbar that contains buttons for frequently used formatting options such as bold, italics, headings, lists, links, and more. To make it easier to edit long pages, DokuWiki includes a nifty feature that automatically breaks a page into sections that can be edited separately. It does so by using page headings, and it breaks a page into sections only if the page contains more than three headings (this default value can be adjusted in the Configuration Settings section of the wiki). DokuWiki also automatically generates a table of contents (TOC) for any page that has more than three headings (this value can also be adjusted). This helps readers quickly locate sections in a long page. You can turn this feature off for individual pages by inserting the ~~NOTOC~~ flag somewhere in the page. Each time you click the Save button, DokuWiki saves the previous version of the page you're working on. You can then use the Old revisions button to view a list of previous versions of the page and compare two or more versions. DokuWiki uses color codes to mark differences between compared page revisions, which makes it easier to track changes. Users can also keep track of changes made to wiki pages using RSS feeds automatically generated by DokuWiki. The Recent changes feed tracks modifications in all wiki pages, while the Current namespace feed monitors pages only in a particular namespace. You can organize pages in your wiki by topic or any other criteria using so-called namespaces, which act as virtual folders. To create a new namespace, insert a link into the currently edited page using the format [[namespace:page[[. For example, if you want to create a page called "idioms" in a namespace called "english," the link would be [[english:idioms[[. To keep tabs on pages and namespaces, DokuWiki offers an Index page that contains an expandable tree which you can use to browse through namespaces and pages. You can jump to it using the Index button at the bottom of every wiki page. The Search feature provides another way to quickly locate pages in your wiki. Start typing the name of the page you want to find, and DokuWiki automatically displays a list of matching pages and namespaces, narrowing the results as you continue to type. Pressing the Search button returns a list of found pages and highlights the search term in the page summaries. DokuWiki supports page templates, which can come in handy in situations when every page must include static text such as a disclaimer or copyright notice. To set up a template, create a new wiki page (or use an existing one) and format it the way you want it. Then copy the contents of the page and paste it into a plain text file. Alternatively, you can use a text editor to create and format a template if you are familiar with DokuWiki's formatting options. Save the file as _template.txt and move it into the desired namespace using an FTP client. The system will then apply the template to any page created in that namespace. The clever part is that you can create different templates for different namespaces, so you can, for example, create one template for articles and another template for tips. Administering and extending DokuWiki The Admin button at the bottom of every wiki page provides access to DokuWiki's administrative features, including the Access Control List Management and Configuration Settings sections. The former allows you to control access privileges for individual pages and namespaces. The available tools allow you to grant granular privileges to specific users and groups. For example, you can allow a certain user to read and edit pages in a particular namespace while restricting the user's ability to create new pages, delete existing ones, and upload files. The Configuration Settings section allows you to tweak virtually every aspect of your wiki. The Authentication section contains the Disable DokuWiki actions option, which lets you turn DokuWiki's features on and off. For example, if you want to disable the revisions feature, you can do so by ticking the Old Revisions check box. The Advanced Settings section contains another useful option called Hide matching pages. It allows you to hide pages that match a specific regular expression. For example, if you want to hide all pages that contain the "hidden" string in their names, you can do so by specifying the regular expression ^.*?:hidden$. You can also use pipes to specify multiple page names; for example, ^.*?:hidden$|temporary$. Keep in mind, though, that this feature only hides pages from DokuWiki's search and RSS feeds, and it's not designed to protect confidential information in wiki pages. The Administration part of DokuWiki contains the Manage Plugins section, which lets you install and manage plugins to extend the default functionality. To install a plugin, enter its link into the URL field and press the Download button. Since the plugin manager requires write access to the plugins folder, it may not always work on your particular DokuWiki installation. In that case, you can install plugins manually. Download the plugin package in zip or tar.gz format, unpack it, and upload the resulting folder to the lib/plugins directory in your DokuWiki installation. The official plugin page contains more than 100 useful plugins, and which one you choose to install depends, of course, on your needs. There are, however, a few must-have plugins for any DokuWiki installation. The ODT Export plugin, for example, allows you to save any page in DokuWiki as an OpenOffice.org Writer document. With this plugin installed, you can add an ODF export button to any wiki page by inserting the ~~ODT~~ flag somewhere in it. Tag is another plugin worth installing. It adds tagging capabilities to DokuWiki. The plugin lets you tag wiki pages using simple markup like {{tag>tag1 tag2 tag3}}; for example, {{tag>english language idioms}}. You can then generate a list of all pages containing a certain tag or tags using the syntax {{topic>tag1 tag2}}; for example, {{topic>idioms}}. Final word Behind DokuWiki's lightweight and elegant appearance hides a powerful and flexible wiki engine that can help you to publish information and collaborate with consummate ease. Moreover, using the available plugins, you can beef up DokuWiki's default functionality and even transform it into a blog, a database, or a task manager. Finally, if you decide to go with DokuWiki, check the DokuWiki Manual and Tips and Tricks pages, which can help you get the most out of this excellent wiki engine.
https://www.linux.com/news/dokuwiki-elegant-and-lightweight-wiki-engine
CC-MAIN-2017-09
refinedweb
1,340
60.65
The Next Logical Step Welcome to my last blog as the “Storage Marketing Guy” at Sun. Just over two years after coming with the StorageTek team to Sun, I am heading to a role in the Strategic Alliances and Licensing team. I am really excited by the opportunity and will blog more about it when I know which way is up! For the Storage team there is also change. David Kenyon will be taking over as VP of Storage Marketing at Sun. David was with us at StorageTek and has been running the products management and business operations team for a while. Perfect guy for the job. It was also announced today that we are combining the Storage team into the Systems team. Or, more realistically, we're combining the Server team and the Storage team into a Systems team. It may sound like semantics, but it's really not. If you look around at all the major “systems” companies you find that the server team and the storage team are always under the same umbrella organization. Given that Sun's focus is to be a Systems company, probably a higher corporate priority for Sun than any of the other major “systems” companies, that's a pretty good place to be. And it will also create some synergies. Now as I learned through the STK acquisition – synergies can go both ways. While many people think they mean lay-offs, in the Sun-STK action they actually meant revenue and development benefits. Let me give you two examples: - The Sun StorageTek VTL-V solution runs on a Sun X4500 (aka Thumper), running Solaris with ZFS. It is a Virtual Tape Library that can backup Windows, Linux, HP-UX, AIX and Solaris - it just happens to use Solaris as its OS. In STK days we would have had to license, buy, rent or invent nearly all of that for ourselves. Clearly the StorageTek solutions are better as part of Sun. - The storage market is changing rapidly – files over block, iSCSI, SAS, Objects, Integrated Search, File Systems – I could go on. More and more these sound like a cross between an OS, a server and a storage device. They are and there is no point developing the same thing twice. So, it is clear to me this is good for Sun, but is it good for our customers? When I talk to customers they really all ask for the same things: quality products that deliver high value functions at a low cost and with ever improving 'eco' characteristics. I think the integrated development team will accelerate us along that path and will therefore deliver what the customers want. Here's how: - quality products require good design, good development and good test. Each of these areas is better off with a larger 'talent pool' than a smaller one. The Sun StorageTek solutions will get better as we share more with the Systems team. From ASIC design to physical packaging – there is much that can get better. - high value function is more and more being delivered as part of an OS. OK, it may be delivered as a appliance but it is function that's going into the OS or the file system. Think of the VTL-V examples and what ZFS can do to offer a RAID capability without the need for the hardware and with no real performance impact. - lower cost can come from common components, shared resources and volume. All come with the larger group. - Eco – if you saw my blog of a couple of weeks ago, you will know that our 'Systems-like' approach is one of the key elements that differentiates the Sun Storage Eco story – so we have more to build off. I think the other interesting aspect of this, starting to think about my new role, is to ask the “off platform question”. What happens to Sun Storage sales to the customers that don't connect to Solaris? The obvious answer is that we will of course continue to sell tape and disk to the those customers – all of whom will get better solutions and faster in this new world. But let's explore what “off platform” means in at Sun today. At Sun we can help you with your Solaris needs, but we can also help you with you Linux needs and now we can help you with you Windows needs – so there is a lot of stuff that's not off platform anymore! Moreover, with millions of Solaris licenses being deployed on x86 on HP, DELL and IBM servers and partners like IBM committing to Solaris in public – what is the “platform” we're talking about? A chip or an operating system? It's a different world out there and our solutions and organizations need to change to match them. But what if our customer's platform is an IBM mainframe? No problem – happy to do business with you. Did we mention that we have over 80% share in the market for tape libraries over 1000 slots (i.e., tapes)? Did we tell you we have a new mainframe mid-range library coming next year? What about two new tape drives in next 6 moths? An update to our encryption solution just weeks away? The new ST9990V and ST9985V mainframe disk solutions already announced? Sounds like a pretty healthy portfolio to me and it is only getting better. Oh, we will use Solaris to help us make it even better. Should that worry our customers? No, if IBM's VTS can run AIX then we can use Solaris. I know which I would prefer! So will customers worry? Of course, none of us likes changes within our suppliers – it has the potential to add risk. But in the long run I believe this move actually could do the opposite. It could add longevity and certainty where some would say it has been missing. Good luck to my friends and colleagues in the storage world. I think the best is yet to come. To my mainframe friends let me just say this, from me, for the moment, z_eod. Posted at 01:06PM Oct 01, 2007 by Nigel Dessau in Sun Storage | Comments[1] StorEcology Someone just asked me to highlight the storage messages from the Sun Eco Innovation Initiative. I thought it sounded like a great blog (decide for yourself!) ... We believe that Sun Storage differentiates itself in the Eco area around three things: - A balanced approach to storage - Building better products - Being part of the Sun Systems family. Let's take them one by one. A Balanced Approach In a world where customers want to use as little power and cooling as they can – you can't get better than $0. That's fundamentally the cost of keeping a piece of data on a piece of tape. Given we can store over 70,000 1TB tapes in a SL8500 library, it's great on space too. Clearly you have to use power to read, write and move the tapes – but you get the point. A possible problem with this approach is that you may want some data faster than you can read it from a tape drive. It is interesting to note that Sun has a unique product in the tape market called the 9840 that's designed for fast access – so we give you capacity and speed. Where millisecond access is required, disk is king. Sometimes it's very fast enterprise type disk, like our ST9990V, and sometimes it's SATA type performance, like our ST6000 family of modular storage. In between disk and tape is virtual tape – whether it is for the mainframe, with our VSM, or for open systems, with our VTL solutions. What's interesting about our VSM and VTL solutions, unlike most of the competition, it's not about eliminating tape, it's about optimizing price performance and Eco through a tiered storage architecture. Building Better Products The balanced approach is vital but it is not enough. We have to be able to help our customers with better products at every stage. I am not going to use this blog to make a competitive point-by-point argument for each of our products but here are three eco-examples: - Our new low-end VTL-V solutions, based on a X4500 (aka Thumper) with Solaris and ZFS, uses 60% less power and 66% less space than EMC's DL210 - In terms of power alone, the SL8500 is 57% more “Power Efficient” than the IBM TS3500 - If value for watt is an issue, in $/W/GB the ST6540 is twice the value of the IBM DS4800 (which are built from some of the same parts) The 6540 example is an important one because it makes the point that Sun has been thinking about this for sometime. Both the ST6540 and the DS4800 have the same LSI controller in them and probably even use some of the same disks – but we packaged it very differently. So not only will the ST6540 win price and performance benchmarks but Eco ones too. Another set of considerations are functions like 'thin provisioning' – announced on our ST9990V. Using this technique, customer can increase the utilization of their enterprise disk solutions from under 40% to over 60% - for some from under 30% to over 70%. Doubling utilization can mean you need to buy less boxes, which means less power, less heat, less people to manage, etc. Keeping It in the Family Finally, it is about being part of a systems company. More and more customers buy solutions, i.e. combinations of servers, software and storage, to solve specific business problems – they are not just buying for their infrastructure. In Sun the Systems, Software, Storage and Services teams work together to make sure we can put the best solutions into the hands of our customers. From High Performance Computing to running your ERP systems – we design Eco in, not tack it on afterwards. Together at Last So, put these three reasons together and you don't just have a good Eco story – you may just have the best story in the industry. Posted at 09:43AM Sep 13, 2007 by Nigel Dessau in Sun Storage | Comments[0] Getting Thin for the Fall – Twice the Utilization at No Extra Cost! Often I am asked what our 'virtualization strategy' is. Like it should be one product or one solution. The reality is that we all have the same strategy – to help customers mask the complexity of managing multiple instances and increase the utilization of the assets, at the same time. For Sun Storage this means – disk virtualization, tape virtualization and with our partners, fabric based virtualization. It's worth remembering that Sun has an incredible portfolio of virtualization across Systems and Software – which combined with the Storage really provides an unparalleled solution design. It is also very Eco friendly – more in the next blog. We have just added another part to our disk virtualization portfolio - the Sun StorageTek 9985V system. Like its bigger sibling the ST9990V , the ST9985V has the ability to virtualize multiple storage devices from all vendors and present them to the application as a single pool of resources. It also has the ability to let the application see more storage than actually exists on the physical disks within the system. So what? In the past, the number one priority was to ensure that the application had access to enough storage - no matter what. This meant that data center managers had to allocate extra capacity in case there was a spike in demand for the application, and to ensure that there was enough space for all the data copies needed for business continuity or to recover from a disaster. In addition, adding storage when a new application was deployed lead to lots of storage devices that had to be managed independently, that couldn't access each other's resources, and that all had a lot of overhead. There had to be a better way. Technologies such as the virtualization and thin provisioning capabilities in the ST9985V can help alleviate this inefficiency by giving all devices the same management interface and by reducing the amount of physical capacity required to support the application. More importantly, these technologies can help data center managers move towards a tiered storage architecture where data is stored on a device according to a pre-assigned value set by the organization. Since both of these considerations change over time, it's important that the tiered architecture have the appropriate tiers (primary disk, secondary disk, virtual tape, tape archive, etc.) and you have the ability to move the data from tier to tier according to policy. Bottom line: Thin provisioning can increase your disk utilization from under 30% to over 60%. That's more power to your bottom line not your next disk array! Posted at 09:00AM Sep 10, 2007 by Nigel Dessau in Sun Storage | Comments[4] Not Just Being Diligent? Recently, Sun signed a standard reseller agreement with Diligent, which allows Sun to resell Diligent's ProtecTIER as a field-integrated solution, combining Sun hardware and Diligent software. This has caused some excitement around our partnership with FalconStor and our strategy (which hasn't changed). I thought it was worth explaining what we have done and why. We've added the Diligent-branded product to our Professional Services 3rd party software price list. This means we can sell Diligent software as part of an integrated Sun solution. In this model, Sun will support its components and Diligent will support its software. We do this with lots of software and it is really designed to support deals in the marketplace. The Diligent relationship does not change Sun's commitment to its relationship with FalconStor or the current Sun StorageTek-branded VTL roadmap. The Sun VTL roadmap integrates FalconStor base software with Sun software and hardware IP into an end-to-end Sun-tested and manufactured solution. The agreement with Diligent also does not change Sun's commitment to integrate FalconStor's de-duplication software (SIR) into the roadmap which we are working on with FalconStor. Sun StorageTek VTL has significant differentiation from other VTLs in the market, based on superior testing and integration, integration of tape management capabilities, Sun Solaris operating system, and Sun's server roadmap. Because Sun is the single source for all the components of the solution - software, OS, server, disk, AND tape - Sun is uniquely able to support all components of the solution, resolving all problems with the customer without hand-offs to third parties. A recent de-dup market study by The 451 Group showed that 28% of non de-dup users planned to buy de-dup in the next 6 months. The Diligent agreement provides Sun with expanded access to market opportunities for de-dup until we have SIR available on our price list and supporting Sun's VTL solution. Diligent's de-dup architecture is 'inline'. FalconStor's approach with SIR is 'post-processing'. The jury is out on which architecture will end up dominating and, as with any emerging market, our enterprise customers will demand a choice. The Diligent agreement is also in alignment with our strategy to support the applications our customers need. No one would expect us to just support one ERP vendor – why should we just support one storage software vendor? For example, for backup software we work with Veritas, Legato, TSM and BakBone – so is life. The Diligent agreement is also part of a bigger story to create an application ecosystem around x4500 (aka Thumper). Today we are working with Luminex for mainframe VTL-type solution, Greenplum for data Warehousing, ipConfigure for security/surveillance, etc. The more people who use our x4500 the better! So in the end it is about choice not about change. Posted at 02:52PM Sep 05, 2007 by Nigel Dessau in Sun Storage | Comments[1] pNFS: Imagining the future and delivering on it. Lots of buzz about the first pNFS Open Solaris code drop. For storage people the things that strike me are: Unlimited Horizontal Scale: pNFS delivers a global namespace for file systems - think of the problem with NetApp, when you fill up one NetApp box, you get another, etc. and then you have to deal with remembering which files are on which box. With pNFS you get one file namespace, regardless of the number of servers. It achieves this via an industry standard protocol (that's what the NFS v4.1 spec is defining, the over-the-wire protocol used between the clients needing to access a file, and the server that stores that file). This means that vendors can now start delivering interoperable, horizontally scalable solutions. In all other "clustered" file system solutions today, the implementation is proprietary – you have to get all the parts of the solution from one vendor. The next interesting part is that we are making this available via open source, in order to continue to propagate the standard to ensure customers get high quality, interoperable, next gen solutions for file. Bottom line: true seamless horizontal scale across multiple NAS boxes or file servers. A desktop application will no longer have to remember which NAS or server is storing their file ... imagine that! Posted at 06:10PM Jul 16, 2007 by Nigel Dessau in Sun Storage | Comments[2] A Short Blog Entry In my last blog I referenced Randy Chalfant. He now has his own blog. Have a look and send him a comment. Posted at 06:01AM May 31, 2007 by Nigel Dessau in Sun Storage | Comments[0] Time to Get Thin (Provisioning That Is) Utilization in storage is a big issue. A bank told one of our team, Randy Chalfant, that their Unix based database gave them a 4% utilization efficiency. Unix will commonly have a 40% allocation efficiency. So here is the math for that bank... if they had a 100GB database that was 40% allocated with 4% utilization, then they are effectively using only 1.6GB of the 100 they bought. Not a great return! Every customer I talk with says they need to do more with less, data is growing exponentially, budgets are tight, and yet they are forced to over-provision storage to make sure they don't run out of capacity. This week we are launching our new high end disk system with thin provisioning features. This plays well into Sun's overall virtualization strategy and offers market-driven advances in ROI and massively improved utilization rates. Improved utilization also means less boxes – which means less power – which means less CO2 – which means, eco-friendly! It surprises some, but we've enjoyed some great wins over the five year history of the high end disk portfolio, the Sun StorageTek 9900 family: with over 2700 machines installed and over $2b in total revenues to Sun. The good news is that we'll be rolling the product out officially in early July and naming it StorageTek 9990V. It'll be just what the customers want – a high performance solution packed with advanced data services features that are actually pretty cool and clearly differentiate it from the competition in the market. Posted at 06:00AM May 22, 2007 by Nigel Dessau in Sun Storage | Comments[0] Reality or Spin? In a recent blog I talked about our Key Management Strategy. Two comments – one positive and one negative. Thanks for both. Let me deal with the negative. You can read it for yourself but here are a couple of key sentences: “Do you really expect that Decru will back off OpenKey or RSA will give up years of investment to come make Sun the King of KMS? No more likely than Sun suddenly adopting OpenKey! Until Decru, RSA, NeoScale, Sun, IBM, Vormetric, et al. come to the table and agree to deprecate your proprietary APIs and use a common standard (which doesn't yet exist), this is really just vendor posturing for positive press. It means nothing to us in industry.” Obviously I wasn't clear or this was a competitor trying to justify their stance (anyone want to vote?). So, let me try again. - We would love a standard. - We would love a standard today. - We would love a standard today that we all agreed to. - We would love it today not in three years. - We will do anything we need to do to make it happen. My only point was that if giving our KMS technology to our partners would move this along I would be happy to do that. Let's think about our customers not about our proprietary solutions. It's not about the industry – it's about helping customers manage their data explosion better. Hope that helps! (I doubt it.) Posted at 07:29AM May 11, 2007 by Nigel Dessau in Sun Storage | Comments[0] Sun's Mainframe Commitment (In German) I am in Germany this week and have had the request from our local team to re-post my earlier blog entry about our commitment to the mainframe - but in German. So here we go. By the way, I don't speak German so I hope I'm not ordering Pizzas for the whole company! Donnerstag, den 15. Februar 2007 Im Laufe der Woche bin ich an dieser Stelle auf einige Fragen eingegangen, die mir auf der Sun-Analysten-Konferenz gestellt wurden. Meine Antworten waren Anlass für weitere Fragen, von denen sich viele mit unserem Engagement für Mainframe-Produkte beschäftigen. Die FUD-Maschinerie von IBM (war ich mal ein Teil davon?) versucht immer noch, einige Kunden davon zu überzeugen, dass Suns Verpflichtung gegenüber unseren Mainframe-Storage-Kunden nicht ernst gemeint wäre. Viele, die mit mir zusammenarbeiten, wissen, dass ich eine große Leidenschaft für den Mainframe hege. In meinem ersten Job schrieb ich Testprogramme für eine Vector Facility unter VM auf einer 3090-Maschine; Mainframes begleiten mich seit 20 Jahren. Auch wenn ich heute für Sun arbeite, meine Tage als Mainframe-SE lange vorbei sind, und ein Sun Server vieles von dem leisten kann, was ein Mainframe tut, denke ich immer noch, dass Mainframes für unsere zahlreichen z/OS-Kunden und ihre daten- und transaktionsorientierten Umgebungen eine bedeutende Rolle spielen. Aber ich verstehe, dass sich diese Kunden Sorgen machen. Sun hatte in der Vergangenheit eine negative Einstellung Mainframes gegenüber; ist also das Mainframe-Business von Storage Tek in den Händen von Sun gut aufgehoben? Die Antwort lautet JA. Und, wichtiger noch, wahrscheinlich besser aufgehoben als vor der Integration in den Händen von Storage Tek. Für Jonathan Schwartz und das gesamte Management-Team ist es selbstverständlich, dass wir mit unseren Kunden zusammenarbeiten - auf allen Gebieten und mit allem, was sie heute installiert haben – Mainframes, Linux, Windows – was auch immer. Jonathan übermittelt diese Botschaft schon seit fast einem Jahr unseren Storage-Kunden, zum Beispiel auf dem Forum im letzten Oktober und erneut auf der Analysten-Konferenz von Sun in der letzten Woche. Aber Taten sprechen eine deutlichere Sprache als Worte: - Letztes Jahr haben wir über 8 Millionen Dollar in Mainframe-Hardware und Mainframe-Software investiert. Wir besitzen einen nagelneuen z9-Rechner mit der aktuellsten Kanal-Technologie; wie die übrige Welt tun wir alles, um auf dem neuesten z/OS-Stand zu bleiben. Fred Casanova hat mich gerade erst über den aktuellen Stand informiert. Nach dem Mainframe-Upgrade verfügen wir nun über 5269 MIPS statt über 2100 MIPS zuvor. Unsere LPARs laufen unter z/OS 1.4 bis z/OS 1.8; für die Version 1.6 stehen 2500 MIPS zur Verfügung. - In der Entwicklung haben wir erneut den Head Count erhöht; es würde mich nicht überraschen, wenn nun bei Sun mehr Personen an der Entwicklung unserer Mainframe-Produkte arbeiten als früher bei Storage Tek. - Auf dem Markt der Virtuellen Tape-Produkte sind wir seit letztem Jahr mit den beiden neuen Systemen VSM4e und VSM5 vertreten. Der Performance-Update für die SL8500 ist seit kurzem verfügbar und innerhalb der nächsten 90 Tagen werden wir die Partitionierung an Sie ausliefern. Gerade seit gestern ist die FICON-Version unseres Encryption-Laufwerkes T10000 allgemein verfügbar – das waren einige arbeitsreiche Monate. - Voraussichtlich nächstes Jahr werden Sie VSM6 zu sehen bekommen, außerdem eine neue Library für mittlere Kapazitäten, weiterentwickelte Software sowie die nächsten Versionen unserer Laufwerke T10000 und 9840 – alle diese Neuerungen sind für den Mainframe. (Nebenbei, Fred ist einer der Gründe, warum unsere Kunden Tape-Produkte von Sun kaufen sollten: Sie werden doch nicht installieren wollen, was Fred zuvor nicht ausgiebig getestet hat?) Sie sehen, wir arbeiten kontinuierlich an der Weiterentwicklung der kompletten Produktreihe. Ich verstehe, wie einfach es ist, uns zu fragen, ob wir es mit dem Mainframe ernst nehmen. Aber ich könnte auch fragen, wie gut Tape in der Verantwortung von IBM aufgehoben ist. (Ok, ich habe einiges an FUD verbreitet, aber ich kann jederzeit damit aufhören!) Ich erinnere mich an das Jahr 1990, als ich die Ausbildung zum IBM-Verkäufer durchlief: 'Niemand braucht Tape. Nur Verrückte kaufen Tape-Silos. Tape hat keine Zukunft.' Dennoch hat das Storage Magazine letztes Jahr berichtet, dass mehr als die Hälfte aller großen Tape-Kunden davon ausgehen, in diesem Jahr mehr Geld für Tape-Storage auszugeben – und auch mehr für Disk. In einem späteren BLOG vielleicht mal mehr über die Zukunft von Tape – aus meiner Sicht lässt sich jedenfalls sagen, sie sieht recht gut aus. Die Wahrheit ist, dass die meisten, wenn nicht sogar alle entscheidenden Innovationen auf dem Gebiet der Tape-Verarbeitung und der Tape-Automatisierung von STK kamen oder aber wegen des Wettbewerbs zu STK vorangetrieben wurden. Wettbewerb ist gut für jeden Markt, und wir haben nicht die Absicht, IBM den Tape-Markt oder den Mainframe-Tape-Markt alleine zu überlassen. Posted at 07:28AM May 04, 2007 by Nigel Dessau in Sun Storage | Comments[0] The Key Is the Key (Management) for Tape So phase one of the great tape encryption debate is over. Those who had to do it have done it. Most had to pick sides – us or IBM. Sun provides a solution that is 100% independent of the rest of the customer's data structure – hardware and software. IBM has a solution that fits snugly into an IBM environment. Sun StorageTek's customers chose us and IBM's customers chose them. Some moved from one to another. I am sure we will claim victory and so will IBM but if we are both honest – it's fundamentally a draw. Either way – not as many went as we thought they might. So why? Well first, let's set some ground rules: -. Sorry – what was the last one again?! There will not be one key management solution in the world. Coming to that understanding is holding most customers up. Despite what we or anyone else will tell you, we don't believe there will be one key management solution in the world. I suspect customers don't want too many but they don't want one either - unless you just want to be locked into IBM mainframes (through ICSF). It's a heterogeneous world and that means multiple key management solutions. If the world is going to have multiple solutions then we need to have a way to pass keys from system to system. We believe that without this, the world will be stuck in phase one. Customers are asking about how we will share our keys and make life easier. In the short term, all providers of encryption have their own solution for key management – in response to the urgency of customers' needs. This is not ideal, but a natural part of the evolution of the encryption market.. Now we need the rest of the industry to come and play nice too. Sun is working hard with other suppliers and even competitors to drive towards a universal language for key management that will get us to where we need to be. Until then – we like everyone else will ship our own solution. * IP and legal team willing! Actually the team has asked me to point out that this means that we will freely share our APIs which are how the KMS talks to an encryption device. I assume that does not mean we are giving away free KMS appliances. Sorry. Posted at 12:48PM May 01, 2007 by Nigel Dessau in Sun Storage | Comments[2] SNW Ramblings So after a week of recovering from the excitement of SNW - what did I learn? Well, I think three trends emerged from the show. The show floor at SNW was full of exciting and new storage devices. Most use general purpose servers (AMD or Intel – both at SNW this year) and an Open Source operating systems like Linux or Solaris. The problem with most of them (mostly the ones running Linux) is that while the suppliers are getting the economic benefit – the customers don't seem to be yet. Still lots of 70% margin gadgets on the floor. I say most of them because there are some exceptions – mostly around Solaris and the Sun X4500 (aka Thumper). You could see Thumper on the show floor running Solaris and any number of applications, including:— IPConfig for video surveillance — Greenplum for open source data warehousing — Luminex for a mainframe virtual channel — FalconStor for remote backup using IPStore — BakBone for data protection Five great examples of how a customer can get the benefits of low cost hardware, open source software and storage applications. 2. Storage Virtualization is bananas. I think we can mostly accept that storage virtualization is NOW not tomorrow. I asked people why they thought this had 'tipped' this year and the answer: VMWare. So many virtual servers are causing a huge need for storage virtualization. Still, lots of choices in the market and all will not survive. Time to pick your favorite. 3. Disk goes deep. We all know that the role of tape in our customers environments is changing – not going away, just changing. Despite that fact, every year there is another technology that claims to be the death of tape. Not sure I saw one technology this year that made that claim, but there is an emerging set that may further change the landscape. Imagine this: hundreds of hard disks, that are interchangeable for bigger drives at any time, that can be bought in your local computer store with 5-9s availability and SW RAID, which can be powered up or powered down, where your data is de-duplicated and then backed off to tape. Sound interesting? Sound like deep archive on disk? Maybe. Time will tell. Posted at 08:22AM Apr 26, 2007 by Nigel Dessau in Sun Storage | Comments[0] How Cool Is That? This week is SNW and I think some interesting trends emerged. More next week. For this week - a funny sight. Lots of the demo kits are in the corridors of the Hyatt in San Diego. I noted some IBM and some Sun kits next to each other. I did like the new IBM cooling system. Posted at 04:39PM Apr 20, 2007 by Nigel Dessau in Sun Storage | Comments[0] That's one small step for Sun, one giant leap for the storage industry... A couple of weeks ago I shared my thoughts on storage and Solaris. As I mentioned, one of the things we MUST do is grow the community of storage developers and Solaris users. Today we announced the launch of the Storage community within OpenSolaris. The storage industry has grown to be a roughly $77b/year industry from being a closed, proprietary business. Today's announcements by Sun, represent a small step in the company's journey to openness, but has huge implications to the storage industry... Posted at 03:10PM Apr 10, 2007 by Nigel Dessau in Sun Storage | Comments[1] The Next Step Towards New Economics for the Storage Industry Sun made an announcement today around its Storage and Micro-electronic businesses. I really like the idea that we are taking Open Source economics to the last bastions of the closed worlds – storage and micros. Let me focus on what this means to our storage business. First – we have a new leader. David Yen is head off to manage the micro business (and who better to do so!) and Jon Benson – who we all know well, is going to pick up the mantle for Storage at Sun. David Yen did a great job focusing the team on the key thing we needed – getting our road-maps clear and viable. While we are sad to lose David, he has left us focused on our products and our value propositions – with road-maps that show us having a long and clear view of where we are going. Jon will be just the right guy to help us drive these through so we can deliver the products. Second – we've shifted people to help accelerate the adoption of Solaris as the 'storage OS of choice.' See my last entry on the how's and why's. Lisa Sieker, Aisling MacRunnels and my other peers around Sun are working closely to make sure we remain connected - but the truth is our teams talk daily anyway, so we are not sure we will see much difference. We all live in The Matrix! But what does this mean to customers: - Basically we are aligning the Sun organization with changes in the market to increase the speed of adoption of General Purpose Systems and their economics (for our storage portfolio) - We can improve time to market by simplifying development processes through strong collaboration across all Sun development teams, and finally, - We are maintaining a strong focus on Tape, Archive and long term data retention through a dedicated Business Unit run by one of the world's experts in the area. So next for me – the press calls. Should be interesting to see what the feedback is! Posted at 01:30PM Mar 27, 2007 by Nigel Dessau in Sun Storage | Comments[2] The]
http://blogs.sun.com/nigeldessau/
crawl-002
refinedweb
5,657
70.23
List Rotation March 27, 2020 This is easy: (define (rots xs) (define (rot1 xs) (append (cdr xs) (list (car xs)))) (do ((n (length xs) (- n 1)) (zs (list xs) (cons (rot1 (car zs)) zs))) ((= n 1) zs))) > (rots '(a b c d e)) ((e a b c d) (d e a b c) (c d e a b) (b c d e a) (a b c d e)) You can run the program at. Here is a simple solution in standard R7RS Scheme and a couple of helpers from SRFI 1. It uses a slightly different approach than the one in the sample solution by @progammingpraxis (which doesn’t handle the empty-list case). Output: Klong version Here’s a very simple solution in Racket Haskell one-liner, which handles infinite lists as well: Klong, version 2 Here’s a solution in Common Lisp, using the handling proposed by @matthew in an earlier problem to prevent duplicates. (defun rotations (l) (if (null l) (list) (let ((a (concatenate ‘list l l)) (n (length l))) (labels ((rec (b) (let ((c (subseq b 0 n))) (if (equal c l) (list) (cons c (rec (cdr b))))))) (cons (subseq a 0 n) (rec (cdr a))))))) Example: Here it is again, hopefully with the correct indentation. One last time, hopefully correct now. I used emacs—which I don’t use often—for its SLIME plugin. I didn’t realize I was using tabs as opposed to spaces. @Daniel: if you don’t know already, “(setq-default indent-tabs-mode nil)” in your .emacs will sort that out (not tabs in existing files – “M-x untabify” will do that for the current buffer. Here it is in SML, using a ‘t vector instead of a ‘t list as input, and a ‘t slice list instead of a ‘t list list as output. fun rotations v = let val n = Vector.length v val s = Vector.concat([v, v]) in List.tabulate(n, fn offset => VectorSlice.slice(s, offset, SOME n)) end The key point is that this takes O(n) time and space. The same technique works in Common Lisp using displaced arrays. input = “abcd” str1 = input if len(input) > 1: for i in range(len(input)): str2 = str1[1:]+str1[0] print(str2) str1 = str2 A Scheme solution that works by splitting the list into la and lb parts and iterating the breakpoint from left to right. Here is a solution in Python n = [‘a’, ‘b’, ‘c’, ‘d’, ‘e’] def list_rotation(n): for i in range(len(n)): popped = n.pop(0) n.append(popped) print(n) list_rotation(n)
https://programmingpraxis.com/2020/03/27/list-rotation/2/
CC-MAIN-2020-40
refinedweb
432
68.4
-----BEGIN PGP SIGNED MESSAGE----- Hash: SHA1 While profiling a page full of dynamically-generated links, I was interested to see Python's 'urllib._fast_quote' show up quite high in the total time list. After looking at it, I have found a pretty huge speed win available, posted to Python's SF tracker as bug #1285086: Advertising Zope makes *heavy* use of urllib.quote (quoting each element of the path in 'absolute_url', for instance), which makes it a particularly interesting speedup for us. I'm attaching the speed test and the patch, for consideration by the Zope development community: if this is enough of a win, we might consider including a patched urllib in Zope2/Zope3 (or monkey-patching urllib.quote). Tres. - -- =================================================================== Tres Seaver +1 202-558-7113 [EMAIL PROTECTED] Palladion Software "Excellence by Design" -----BEGIN PGP SIGNATURE----- Version: GnuPG v1.2.5 (GNU/Linux) Comment: Using GnuPG with Thunderbird - iD8DBQFDIG9X+gerLs4ltQ4RArBaAJwIWac5xvHjmQg2S3oXXIFWzrecjACghGuw 5NnQQGNw55JDWjrzRyCEitA= =iIpp -----END PGP SIGNATURE----- urllib_fast_quote_speed_test.py Description: application/httpd-cgi *** urllib.py.org 2005-09-08 11:08:59.866913960 -0400 --- urllib.py 2005-09-08 12:27:19.054528856 -0400 *************** *** 27,32 **** --- 27,33 ---- import os import time import sys + import re __all__ = ["urlopen", "URLopener", "FancyURLopener", "urlretrieve", "urlcleanup", "quote", "quote_plus", "unquote", "unquote_plus", *************** *** 1112,1131 **** '0123456789' '_.-') _fast_safe_test = always_safe + '/' ! _fast_safe = None ! def _fast_quote(s): ! global _fast_safe ! if _fast_safe is None: ! _fast_safe = {} ! for c in _fast_safe_test: ! _fast_safe[c] = c ! res = list(s) ! for i in range(len(res)): ! c = res[i] ! if not c in _fast_safe: ! res[i] = '%%%02X' % ord(c) ! return ''.join(res) def quote(s, safe = '/'): """quote('abc def') -> 'abc%20def' --- 1113,1124 ---- '0123456789' '_.-') _fast_safe_test = always_safe + '/' ! _fast_safe = dict(zip(_fast_safe_test, _fast_safe_test)) ! _must_quote = re.compile(r'[^%s]' % _fast_safe_test) ! for c in [chr(i) for i in range(256)]: ! if c not in _fast_safe: ! _fast_safe[c] = '%%%02X' % ord(c) def quote(s, safe = '/'): """quote('abc def') -> 'abc%20def' *************** *** 1148,1156 **** called on a path where the existing slash characters are used as reserved characters. """ safe = always_safe + safe - if _fast_safe_test == safe: - return _fast_quote(s) res = list(s) for i in range(len(res)): c = res[i] --- 1141,1151 ---- called on a path where the existing slash characters are used as reserved characters. """ + if safe == '/': # optimize usual case + return (s and (not _must_quote.search(s) + and s or ''.join(map(_fast_safe.get, s)) + )) safe = always_safe + safe res = list(s) for i in range(len(res)): c = res[i] _______________________________________________ Zope-Dev maillist - Zope-Dev@zope.org ** No cross posts or HTML encoding! ** (Related lists - )
https://www.mail-archive.com/zope-dev@zope.org/msg18759.html
CC-MAIN-2017-30
refinedweb
414
67.35
I've done some tests with millis(), but it seems there's a noticeable drift after only a couple of hours QuoteI've done some tests with millis(), but it seems there's a noticeable drift after only a couple of hours Could be your code is at fault.But sadly, we can't see it. #include <LiquidCrystal.h>int g_iHour;int g_iMin;int g_iSec;unsigned long g_uLastTick;LiquidCrystal lcd(12, 11, 5, 4, 3, 2);void setup(){ // set up the LCD's number of columns and rows: lcd.begin(16, 2); lcd.print("Simple LCD Clock"); g_iHour = 0; g_iMin = 0; g_iSec = 0; g_uLastTick = millis();}void loop(){ // compose a string of the current time, then print it ... char text[20]; sprintf(text, "%02d:%02d:%02d", g_iHour, g_iMin, g_iSec); lcd.setCursor(4, 1); lcd.print(text); // (note that this is quite wasteful - we only need to update the screen every second, // or when a button is pressed) // has it been more than a second since the last update? if (millis() >= (g_uLastTick + 1000)) { // yes g_uLastTick += 1000; g_iSec++; if (g_iSec > 59) { g_iSec = 0; g_iMin++; if (g_iMin > 59) { g_iMin = 0; g_iHour++; if (g_iHour > 23) { g_iHour = 0; } } } }} You don't say what board is being used but most Unos, etc., use a ceramic resonator for the system clock, which will typically have a frequency tolerance on the order of ±0.5%. Changing to a crystal (say, ±20ppm) might be simplest, but if you're not in a position to do that, then I'd try a DS1307 RTC. DS1307 breakout boards can be had for under $10, some will plug directly into the headers on an Arduino Uno.Lately I've been experimenting with running an ATmega328P on the internal oscillator, and connecting a 32.768kHz crystal which acts as a clock source for Timer/Counter2. A simple RTC can then be implemented in software. Fairly straightforward, keeps decent time. unsigned long currentmillis = 0;unsigned long previousmillis = 0;unsigned long interval = 10000;byte ones_seconds = 0;byte prior_seconds = 0;byte tens_seconds = 0;byte ones_minutes = 0;byte tens_minutes = 0;byte tenths = 0;byte hundredths= 0;void setup(){Serial.begin(57600);}void loop(){ currentmillis = micros(); // read the time. while (currentmillis - previousmillis >= interval) // 10 milliseconds have gone by { hundredths = hundredths +1; if (hundredths == 10){ hundredths = 0; tenths = tenths +1; } if (tenths == 10){ tenths = 0; ones_seconds = ones_seconds +1; } if (ones_seconds == 10){ ones_seconds = 0; tens_seconds = tens_seconds +1; } if (tens_seconds == 6){ tens_seconds = 0; ones_minutes = ones_minutes +1; } if (ones_minutes == 10){ ones_minutes = 0; tens_minutes = tens_minutes +1; } if (tens_minutes == 6){ tens_minutes = 0; } previousmillis = previousmillis + interval; // save the time for the next comparison } // counters are all updated now,if (prior_seconds != ones_seconds){ Serial.print (tens_minutes, DEC); Serial.print (" "); Serial.print (ones_minutes, DEC); Serial.print (" : "); Serial.print (tens_seconds, DEC); Serial.print (" "); Serial.println (ones_seconds, DEC);prior_seconds = ones_seconds;}} // end void loop currentmillis = micros(); // read the time. I have a need for a "reasonably" accurate timekeeper.
http://forum.arduino.cc/index.php?topic=85347.msg639098
CC-MAIN-2014-52
refinedweb
476
53.81
I'm trying to thread a monte carlo simulation to calculate pi. I need each thread to generate 2 random numbers (x and y values between 1 and 0) to sample the simulation, as of now, i'm trying to get one thread to work, but it keeps generating the same number. #include "pch.h" #include <iomanip> #include <iostream> #include <cmath> #include <thread> #include <mutex> #include <cstdlib> using namespace std; long double sampleCount = 0; long double circleSamples = 0; long double proportion; mutex m; void simulate() { long double sampleX; long double sampleY; long double sampleHypotenuse; //Generate Random values for x and y sampleX = (long double)std::rand() / RAND_MAX; sampleY = (long double)std::rand() / RAND_MAX; // Find the distance from the center of the sample area sampleHypotenuse = sqrt(pow(sampleX - .5, 2) + pow(sampleY - .5, 2)); m.lock(); //Find if sample is within a radius of .5 from the center of the sample area sampleCount++; if (sampleHypotenuse <= .5) { circleSamples++; } m.unlock(); } int main() { int c = 0; while (true) { thread th1(simulate); th1.join(); proportion = circleSamples / sampleCount; cout << setprecision(15) << proportion / pow(.5, 2) << endl; } } Removing the thread and executing simulate directly from the main thread, the code works perfectly fine, albeit single threaded and slow
https://techqa.club/v/q/random-number-generator-in-a-thread-keeps-returning-the-same-value-c3RhY2tvdmVyZmxvd3w1NTk0MTY1NQ==
CC-MAIN-2021-17
refinedweb
202
54.32
Abstract In this article, you will learn how to create and manipulate delegate types as well as C# events that streamline the process of working with delegate types. Delegates provide a way to define and execute callbacks. Their flexibility allows you to define the exact signature of the callback, and that information becomes part of the delegate type itself. Delegates are type-safe, object-oriented and secure. Delegates Overview the device to overcome such complications. Defining a Delegate A Delegate can be defined as a delegate type. Its definition must be similar to the function signature. A delegate can be defined in a namespace and within a class. A delegate cannot be used as a data member of a class or local variable within a method. The prototype for defining a delegate type is as the following; accessibility delegate return type delegatename(parameterlist); Delegate declarations look almost exactly like abstract method declarations, you just replace the abstract keyword with the delegate keyword. The following is a valid delegate declaration: Here, we are defining the delegate as a delegate type. The important point to remember is that the signature of the function reference by the delegate must match the delegate signature as: In this code, you instantiate an array of Delop delegates. Each element of the array is initialized to refer to a different operation implemented by the operation class. Then, you loop through the array, apply each operation to three different values. After compiling this code, the output will be as follows; Figure 1.2 Anonymous Methods Anonymous methods, as their name implies, are nameless methods. They prevent creation of separate methods, especially when the functionality can be done without a new method creation. Anonymous methods provide a cleaner and convenient approach while coding. return a double type, then the anonymous method would also have the same signature. The anonymous methods reduce the complexity of code, especially where there are several events defined. With the anonymous method, the code does not perform faster. The compiler still defines methods implicitly. Multicast Delegate So far, you have seen a single method invocation/call with delegates. If you want to invoke/call more than one method, you need to make an explicit call through a delegate more than once. However, it is possible for a delegate to do that via multicast delegates. A multicast delegate is similar to a virtual container where multiple functions reference a stored invocation list. It successively calls each method in FIFO (first in, first out) order. When you wish to add multiple methods to a delegate object, you simply make use of an overloaded += operator, rather than a direct assignment. The code above combines two delegates that hold the functions Add() and Square(). Here the Add() method executes first and Square() later. This is the order in which the function pointers are added to the multicast delegates. To remove function references from a multicast delegate, use the overloaded -= operator that allows a caller to dynamically remove a method from the delegate object invocation list. When you run the application, you will see that the iteration still continues with the next method even after an exception is caught as in the following. Figure 1.3 Events The applications and windows communicate via predefined messages. These messages contain various pieces of information to determine both window and application actions. The .NET considers these messages as an event. If you need to react to a specific incoming message then you would handle the corresponding event. For instance, when a button is clicked on a form, Windows sends a WM_MOUSECLICK message to the button message handler. You don't need to build custom methods to add or remove methods to a delegate invocation list. C# provides the event keyword. When the compiler processes the event keyword, you can subscribe and unsubscribe methods as well as any necessary member variables for your delegate types. The syntax for the event definition should be as in the following: to add that is associated to a single delegate DelEventHandler. In the main method, we associate the event with its corresponding event handler with a function reference. Here, we are also filling the delegate invocation lists with a couple of defined methods using the +=operator as well. Finally, we invoke the event via the Invoke method. Note: Event Handlers can't return a value. They are always void. Let's use another example to get the better understanding of events. Here we are defining an event name as xyz and a delegate EventHandler with a string argument signature in the operation class. We are putting the implementation in the action method to confirm whether an event is fired or not. Later in the Program class, we are defining a CatchEvent method that would be referenced in the delegate invocation list. Finally, in the main method, we instantiated the operation class and put in the event firing implementation. Finally we are elaborating on the events with a realistic example of creating a custom button control over the Windows form that would be called from a console application. First, we inherit the program class from the Form class and define its associated namespace at the top. Thereafter, in the program class constructor, we are crafting a custom button control. We are calling the Windows Form by using the Run method of the Application class. Finally when the user runs this application, first the Event fired message will be displayed on the screen and a Windows Form with the custom button control. When the button is clicked, a message box will be shown as in the following; Figure 1.4 ©2016 C# Corner. All contents are copyright of their authors.
http://www.c-sharpcorner.com/UploadFile/84c85b/delegates-and-events-C-Sharp-net/
CC-MAIN-2016-36
refinedweb
950
55.54
TestNG is an automated test framework which can be used to make all kinds of test includes unit, integration and functional test etc. It is inspired by JUnit but more easier and powerful than JUnit. It require Jdk5.0 or higher. You can use it to test just a single java method or an enterprise level application. It can be used by both developer and QA engineer. TestNG ( Test Next Generation) Benefits - Open source and totally free. - Supports java annotations. - Each test case can be implemented by one method. - One java class can implement multiple test cases. - Easy runtime configuration. - Support multi-thread then can achieve parallel test. - Java code and test data is separated using testng.xml or data provider. - Support Java Object Oriented features. - Support group test. You can divide test cases into different groups in testng.xml configuration file and just run the specified group at runtime. Such as smoke, acceptance and regression test etc. - You can configure and change the test methods’s order, dependence at runtime. Steps To Write The First TestNG Example - Make sure your installed Jdk version is higher than 5.0. Run ‘java -version’ in command line and make sure the result is something like below ‘java version “1.7.0” ‘ - Setup JAVA_HOME environment variable. - You can refer How To Install Jdk to learn how to correctly do step1 and step2 if you do not know. - Go to to get the latest library jars. From above picture, you can see that you should install it using maven. So you had better read below articles first if you do not know how to do that. How To Create Java Project With Maven, How To Build And Run Java Project With Maven, How To Manage Maven Project Using Eclipse - After execute maven command, you can find the testng-6.11.jar in your local maven repository folder such as C:\WorkSpace\MvnRepository\org\testng\testng\6.11 - Create folder C:\WorkSpace\TestNGExample. - Write your example file TestNGExample.java. Save the file in above folder. /* Import Test annotation. */ import org.testng.annotations.Test; /* Import Assert util class.*/ import org.testng.Assert; public class TestNGExample { @Test /* Above annotation will tell JVM below method should be executed at runtime. */ public void testNGExample() { String str = "Hello Jerry, welcome to Selenium World."; Assert.assertEquals("Hello Jerry, welcome to Selenium World.", str); } } - Create testng.xml. Save it in same folder with above file. <suite name="Example Suite"> <test name="First Test"> <classes> <class name="TestNGExample"/> </classes> </test> </suite> - Open command window, run below command to generate the class file. cd C:\WorkSpace\TestNGExample javac -cp C:\WorkSpace\MvnRepository\org\testng\testng\6.11\testng-6.11.jar TestNGExample.java - Execute below command to run the example. java -cp C:\WorkSpace\MvnRepository\org\testng\testng\6.11\testng-6.11.jar;C:\WorkSpace\MvnRepository\com\beust\jcommander\1.64\jcommander-1.64.jar;./ org.testng.TestNG ./testng.xml Please note the -cp parameter’s value. -cp is the abbreviation of class path, it tells JVM to find the classes in the after jar file or file path. In our example, there has 3 class path value. 1) C:\WorkSpace\MvnRepository\org\testng\testng\6.11\testng-6.11.jar : This is where the TestNG related classes exist. 2) C:\WorkSpace\MvnRepository\com\beust\jcommander\1.64\jcommander-1.64.jar : This is where the helper class exist. 3) ./ : This is where the test class ( TestNGExample ) exist. You can see below output when the execution complete. - After execute you will find a test-output folder under C:\WorkSpace\TestNGExample. - Click the index.html file in above folder, the report page will be displayed. The left panel is navigation menu list. Click each link in left menu, right panel will show detail report information. Download “TestNGExample.zip” TestNGExample.zip – Downloaded 174 times – 52 KB
https://www.dev2qa.com/testng-first-example/
CC-MAIN-2019-51
refinedweb
641
53.27
Tutorial for: Dajax Requirements: Dajax enables you to build web applications using only Python code and HTML, with little to no JavaScript required. This is the third and final tutorial in the Django and AJAX set. This tutorial will focus on building a simple application which uses Dajax to load data from a model and update data back into a model. This tutorial will use some JavaScript, mainly to build the request required when updating or querying objects. For an introduction on what AJAX is and how it works, please refer to the first tutorial in this set. In order to begin using Dajax, you will need to install Dajaxice. Here is what needs to be added to your settings.py to make Dajax work:', 'dajax', ..... ) and Dajax JavaScript from. Since Dajax is more complex than Dajaxice, there are additional JavaScript files which need to be loaded: {% load dajaxice_templatetags %} ... <head> ... <script type="text/javascript" src="jquery-1.7.1.min.js"></script> <script type="text/javascript" src="jquery.ba-serializeobject.min.js"></script> <script type="text/javascript" src="jquery.dajax.core.js"></script> {% dajaxice_js_import %} ... </head> This tutorial will be using jquery.ba-serializeobject.js again, so go ahead and download it if you do not have it, and place it into your static directory. You will also notice jquery.dajax.core.js above. This file does all the magic on the client side, and is required for Dajax to work. That being said, Dajax also supports other popular JavaScript frameworks such as Prototype, Dojo, and Mootools. This will allow you to use Dajax in almost any existing environment. Given that you are using Django to power the backend that is. That's really it for configuration, so lets do a simple test to confirm that you have Dajax all up and running in your Django project. Create a file called ajax.py in your applications folder, not the project, and enter in the following: from dajaxice.decorators import dajaxice_register from dajax.core import Dajax @dajaxice_register def say_hello(req): dajax = Dajax() dajax.alert("Hello World!") return dajax.json() A very simple Hello World message. This is just about the most simplest Dajax callback you can build. Well, you could remove the alert and return nothing, but what's the point of a callback that simple? Here's a small bit of a code to insert into your template's body tag to test the callback out: <script type="text/javascript"> Dajaxice.dajaxapp.say_hello(Dajax.process); </script> Here our application name is dajaxapp, change this to the label of your application's package. This should be for the most part very easy to read and understand code. Dajax.process is the data processor for the returning data, and this JavaScript function manages the part of taking what we do in Python and making it work in JavaScript. Here is what the returned data looks like, if you are curious: [{"cmd": "alert", "val": "Hello World!"}] Dajax takes what you did in Python, and turns it into something which JavaScript can parse and do something with. In other examples, I will also provide the response from Dajax, so that you can further understand what is happening under the hood. Now that the most simplest example is out of the way, lets build a model and use that with Dajax to fetch data and display it to the end-user. First we need some sort of model: from django.db import models class Person(models.Model): name = models.CharField(max_length=80) birthday = models.DateField() gift_bought = models.BooleanField() def __unicode__(self): return u"%s" % self.name This is a very simple birthday reminder model, which keeps track of people, their important days, and of course if you already bought their gift. Nothing too special. Go ahead and populate the model with some data using either a Python shell or the admin interface. First we'll put together the Dajax callback which will use the query and grab the data from the database. It will then assign the data to HTML IDs. We will also perform some formatting within Python to make the output look prettier:() p = Person.objects.get(pk=pk) dajax.assign('#idName', 'innerHTML', p.name) dajax.assign('#idDay', 'innerHTML', p.birthday.strftime("%B %d")) gift = 'Yes' if p.gift_bought else 'No' dajax.assign('#idGift', 'innerHTML', gift) return dajax.json() This Dajax callback will accept one argument, which is the primary key of the Person object. Here is the HTML code to make this all work: <body> <script type="text/javascript"> Dajaxice.dajaxapp.get_person(Dajax.process, {'pk':1}); </script> Name: <span id="idName"></span><br/> Birthday: <span id="idDay"></span><br/> Gift bought: <span id="idGift"></span><br/> </body> Fairly straightforward. Here is the response body of the AJAX request: [ {"cmd": "as", "id": "#idName", "val": "John Smith", "prop": "innerHTML"}, {"cmd": "as", "id": "#idDay", "val": "October 19", "prop": "innerHTML"}, {"cmd": "as", "id": "#idGift", "val": "No", "prop": "innerHTML"} ] You can see above all the assignment calls being performed. Using Dajax, you can build web applications fairly quickly; and easily add new JavaScript functions to use. The best part about using Dajax over other solutions, is that you only need to create a Python function, there is no need to do anything in JavaScript. Once the Python function is complete, you can go ahead and use it directly in your HTML page to load data and do other various tasks. Let's go a bit further in this example, and make the data easily browsable by using 2 simple buttons. This will allow end-users to easily browse the data in the database, either based on a particular filter, or all the data. This will expand on the get_person Dajax callback and enable it to control a simple browsing widget. This time, we'll begin with the HTML code, as that has changed a large amount: <style> .hideIt { display: none; } </style> </head><body> <script type="text/javascript"> var cur = 1; Dajaxice.dajaxapp.get_person(Dajax.process, {'pk':cur}); </script> <div id="idError" class="hideIt">You have reached the end of the database.</div> <table bgcolor="#acacac" border="1"> <tr><th>Name</th><td id="idName"></td></tr> <tr><th>Birthday</th><td id="idDay"></td></tr> <tr><th>Gift bought</th><td id="idGift"></td></tr> </table> <a href="#" onclick="Dajaxice.dajaxapp.get_person(Dajax.process, {'pk':cur-1});"><</a> <a href="#" onclick="Dajaxice.dajaxapp.get_person(Dajax.process, {'pk':cur+1});">></a> </body> This example uses a little more JavaScript, it is used to keep track of the application's current state. In this case, it is keeping track of the current pk being loaded from the database. The buttons merely alter this variable when requesting an update from the server. Here is the updated ajax.py to make this widget work:() try: p = Person.objects.get(pk=pk) except Person.DoesNotExist: dajax.remove_css_class('#idError', 'hideIt') return dajax.json() dajax.add_css_class('#idError', 'hideIt') dajax.assign('#idName', 'innerHTML', p.name) dajax.assign('#idDay', 'innerHTML', p.birthday.strftime("%B %d")) gift = 'Yes' if p.gift_bought else 'No' dajax.assign('#idGift', 'innerHTML', gift) dajax.script("cur = %d;" % pk) return dajax.json() The server code will be controlling the class for the idError. This will allow the application to alert the end-user that they have reached the end or beginning of the dataset. This code will obviously not work too well in a production environment, due to the fact that when a Person is deleted, it will cause the error to be displayed. However, for simplicities sake, this example will not go through all those checks, and will avoid using a queryset to limit the results. In this example, you will notice a few new Dajax commands being used, two of which relate to CSS alterations, and the other one runs some JavaScript on the client side. This JavaScript is used to update the state of the application in the browser. This could have been done on the client side directly, but in case of any errors, we don't want this variable to be incorrect or out of sync. Setting it this way, will ensure that the various will always be what you expect it to be. The next obvious addition, is the ability to tell the application that a birthday gift has indeed been purchased for this specific person. We will implement this in the form of making the No clickable. If the user clicks it, it will signal to the application that the record needs to be updated to reflect that change. This change only requires modifying the ajax.py file: from dajaxice.decorators import dajaxice_register from dajax.core import Dajax from ajaxsite.dajaxapp.models import Person def _get_person(p): dajax = Dajax() dajax.add_css_class('#idError', 'hideIt') dajax.assign('#idName', 'innerHTML', p.name) dajax.assign('#idDay', 'innerHTML', p.birthday.strftime("%B %d")) gift = 'Yes' if p.gift_bought else '<a href="#" onclick="Dajaxice.dajaxapp.bought_gift(Dajax.process, {\'pk\':cur});">No</a>' dajax.assign('#idGift', 'innerHTML', gift) dajax.script("cur = %d;" % p.pk) return dajax.json() @dajaxice_register def get_person(req, pk): try: p = Person.objects.get(pk=pk) except Person.DoesNotExist: dajax = Dajax() dajax.remove_css_class('#idError', 'hideIt') return dajax.json() return _get_person(p) @dajaxice_register def bought_gift(req, pk): p = Person.objects.get(pk=pk) p.gift_bought = True p.save() return _get_person(p) Here I decided to separate the functions a bit. This will allow future functions to just return _get_person with the Person object. We will be using this new function in the next example. The next example will be a create form, this will allow us to add a new Person. I will not be building an edit form in this example, as people rarely, if ever change their birthday... However, this example should be enough to allow you to understand form development and create such a callback yourself: from ajaxsite.dajaxapp.forms import PersonForm .... @dajaxice_register def add_person(req, form): f = PersonForm(form) if f.is_valid(): return _get_person(f.save()) dajax = Dajax() dajax.assign('#person_errors', 'innerHTML', 'Correct the following fields: %s' % f.errors) return dajax.json() The rest of ajax.py is the same, also you will need to create a ModelForm for the Person model. Here are the new additions to the HTML code: ... <script type="text/javascript"> var cur = 1; function add_person(){ data = $('#person_form').serializeObject(); Dajaxice.dajaxapp.add_person(Dajax.process, {'form':data}); return false; } Dajaxice.dajaxapp.get_person(Dajax.process, {'pk':cur}); </script> ... <div id="person_errors"></div> <form action="" method="post" id="person_form" accept-{% csrf_token %} <table>{{form}}</table> <input type="button" value="Add Person" onclick="add_person();" /> </form> There you have it, a complete Dajax example, which shows how to build a simple dataset browser, and how to add new functions with very little work involved. The largest selling point of using Dajax is that once the initial configuration is done, adding new AJAX callbacks takes almost no time at all, and is mostly done through Python. Be sure to read through both the Dajaxice and Dajax documentation, they explain some very important deployment configurations. This concludes the Django and AJAX tutorial set. I may create additional tutorials on Dajax, but it will not be part of this tutorial set and will focus on more advanced usage scenarios. Hi, Nice tutorial, very clear. I followed many times, step by step, but I keep getting this error: Invalid block tag: 'dajaxice_js_import' Looks like template tag is not available, but I'm sure that everything it was done as you said. Maybe some path, url. Where should I start looking? Please help me! I would appreciate it. Leandro, the error you are receiving is due to not having the dajaxice in your Django's INSTALLED_APPS, or you did not install Dajaxice correctly. Dajax does require Dajaxice. Hi, very good tutorial. One question: _get_person(p) is called with p being a Person model and also a Person form ( in return _get_person(f.save()) ) ...is this posiible in django, i.e., a model object and a form objetc from that model can be treated as the same type? Hello Adolfo. Thank you for your comment, and I am sorry about the issues you experienced while posting the comment. Python isn't statically typed, meaning you can pass any object as a parameter. Since this was an example, I did not do any checks to confirm the incoming object was what I am expecting, so if another programming uses this function and gives it a object that it cannot process, it will generate an exception. It is a good habit in dynamically typed languages to use "Assert" or do extensive exception handling to avoid any application errors. If you are the sole coding of your code, and know for sure what a function accepts, you are free to do as you please when passing around objects. Both the Form and Model objects in Django have similar enough properties that I can pass either or into this function and it will work without complaint. Before creating a function like this one, read into the Django docs to make sure it will work with both object types you plan on accepting or use "isinstance" to route the object around the function as needed. Hi Kevin, I worked through your tutorials here and managed to get all of your examples working fine. I'm now trying to submit a form and save an object from within ajax.py, but can't seem to get it working. What I'd like to be able to do is to pass additional objects to the ajax function, and use both them and the form cleaned data to create a new object within ajax.py. It seems that this sort of thing should be relatively simple, but in the error log I get nothing except: 'Dajaxice: Something went wrong', which is not very helpful. Is there any change you would be willing to expand on this tutorial by doing something similar to my aims? It seems like it must be a fairly common use case. If not, do you have any suggestions as to how I could debug my code? Many thanks, I've found this set of tutorials extremely useful. Good post but I was wondering if you could write a litte more on this topic? I'd be very grateful if you could elaborate a little bit further. Cheers!|
http://pythondiary.com/tutorials/django-and-ajax-dajax.html
CC-MAIN-2015-06
refinedweb
2,387
58.58
Breadth First Search (BFS) Authors: Benjamin Qi, Andi Qu, Neo Wang Contributor: Qi Wang Traversing a graph in a way such that vertices closer to the starting vertex are processed first. Queues & DequesQueues & Deques QueuesQueues A queue is a First In First Out (FIFO) data structure that supports three operations, all in time. C++ C++ push: inserts at the back of the queue pop: deletes from the front of the queue front: retrieves the element at the front without removing it. queue<int> q;q.push(1); // [1]q.push(3); // [3, 1]q.push(4); // [4, 3, 1]q.pop(); // [4, 3]cout << q.front() << endl; // 3 Java JavaJava add: insertion at the back of the queue poll: deletion from the front of the queue peek: which retrieves the element at the front without removing it Java doesn't actually have a Queue class; it's only an interface. The most commonly used implementation is the LinkedList, declared as follows: Queue<Integer> q = new LinkedList<Integer>();q.add(1); // [1]q.add(3); // [3, 1]q.add(4); // [4, 3, 1]q.poll(); // [4, 3]System.out.println(q.peek()); // 3 Python PythonPython Python has a queue built-in module. Queue.put(n): Inserts element to the back of the queue. Queue.get(): Gets and removes the front element. If the queue is empty, this will wait forever, creating a TLE error. Queue.queue[n]: Gets the nth element without removing it. Set n to 0 for the first element. from queue import Queueq = Queue() # []q.put(1) # [1]q.put(2) # [1, 2]v = q.queue[0] # v = 1, q = [1, 2]v = q.get() # v = 1, q = [2]v = q.get() # v = 2, q = []v = q.get() # Code waits forever, creating TLE error. Warning! Python's queue.Queue() uses Locks to maintain a threadsafe synchronization, so it's quite slow. To avoid TLE, use collections.deque() instead for a faster version of a queue. DequesDeques A deque (usually pronounced "deck") stands for double ended queue and is a combination of a stack and a queue, in that it supports insertions and deletions from both the front and the back of the deque. Not very common in Bronze / Silver. C++ C++ The four methods for adding and removing are push_back, pop_back, push_front, and pop_front. deque<int> d;d.push_front(3); // [3]d.push_front(4); // [4, 3]d.push_back(7); // [4, 3, 7]d.pop_front(); // [3, 7]d.push_front(1); // [1, 3, 7]d.pop_back(); // [1, 3] You can also access deques in constant time like an array in constant time with the [] operator. For example, to access the element for some deque , do . Java JavaJava In Java, the deque class is called ArrayDeque. The four methods for adding and removing are addFirst , removeFirst, addLast, and removeLast. ArrayDeque<Integer> deque = new ArrayDeque<Integer>();deque.addFirst(3); // [3]deque.addFirst(4); // [4, 3]deque.addLast(7); // [4, 3, 7]deque.removeFirst(); // [3, 7]deque.addFirst(1); // [1, 3, 7]deque.removeLast(); // [1, 3] Python PythonPython In Python, collections.deque() is used for a deque data structure. The four methods for adding and removing are appendleft, popleft, append, and pop. d = collections.deque()d.appendleft(3) # [3]d.appendleft(4) # [4, 3]d.append(7) # [4, 3, 7]d.popleft() # [3, 7]d.appendleft(1) # [1, 3, 7]d.pop() # [1, 3] Breadth First SearchBreadth First Search Focus Problem – try your best to solve this problem before continuing! ResourcesResources Solution - Message RouteSolution - Message Route Time Complexity: We can observe is that there are many possible shortest paths to output. Fortunately, the problem states that we can print any valid solution. Notice that like every other BFS problem, the distance of each node increases by when we travel to the next level of unvisited nodes. However, the problem requires that we add additional information - in this case, the path. When we traverse from node to , we can set the parent of to . After the BFS is complete, this allows us to backtrack through the parents which ultimately leads us to our starting node. We know to terminate at node because it's the starting node. If there is no path to our end node, then its distance will remain at INT_MAX. For the test input, we start with the following parent array. After visiting children of node : After visiting node from node : To determine the path, we can backtrack from node , in this case , pushing each value that we backtrack into a vector. The path we take is which corresponds to the vector . We break at node because it was the initial starting node. Finally, we reverse the vector and print out its length (in this case, ). C++ #include <bits/stdc++.h>using namespace std;using vi = vector<int>;#define pb push_backint main() {int N, M; cin >> N >> M;vi dist(N+1,INT_MAX), parent(N+1);vector<vi> adj(N+1); Java import java.io.*;import java.util.*;public class Solution {Code Snippet: Kattio (Click to expand)private static Map<Integer, LinkedList<Integer>> adj = new HashMap<>(); Pro Tip In the gold division, the problem statement will almost never directly be, "Given an unweighted graph, find the shortest path between node and ." Instead, the difficulty in many BFS problems are converting the problem into a graph on which we can run BFS and get the answer. 0/1 BFS0/1 BFS A 0/1 BFS finds the shortest path in a graph where the weights on the edges can only be 0 or 1, and runs in using a deque. Read the resource below for an explanation of how the algorithm works. Focus Problem – try your best to solve this problem before continuing! Complexity: We can use the following greedy strategy to find our answer: - Run flood fill to find each connected component with the same tracks. - Construct a graph where the nodes are the connected components and there are edges between adjacent connected components. - The answer is the maximum distance from the node containing to another node. We can use BFS to find this distance. For a detailed proof of why this works, see the official editorial. Although this gives us an solution, there is a simpler solution using 0/1 BFS! Consider the graph with an edge between each pair of adjacent cells with tracks, where the weight is 0 if the tracks are the same and 1 otherwise. The answer is simply the longest shortest-path from the top left cell. This is because going from one track to another same one is like not leaving a node (hence the cost is ), while going from one track to a different one is like traversing the edge between two nodes (hence the cost is ). Since the weight of each edge is either 0 or 1 and we want the shortest paths from the top left cell to each other cell, we can apply 0/1 BFS. The time complexity of this solution is . C++ #include <bits/stdc++.h>using namespace std;int dx[4]{1, -1, 0, 0}, dy[4]{0, 0, 1, -1};int n, m, depth[4000][4000], ans = 1;string snow[4000];bool inside(int x, int y) {return (x > -1 && x < n && y > -1 && y < m && snow[x][y] != '.'); Java import java.util.*;import java.io.*;public class tracks {static final int[] dx = {0, 0, -1, 1};static final int[] dy = {-1, 1, 0, 0};static int N = 1, H, W;static int[][] grid, count;public static void main(String[] args) {FastIO io = new FastIO(); Warning! Due to oj.uz's grading constraints for Java, this solution will TLE on the judge. ProblemsProblems Module Progress: Join the USACO Forum! Stuck on a problem, or don't understand a module? Join the USACO Forum and get help from other competitive programmers!
https://usaco.guide/gold/bfs?lang=cpp
CC-MAIN-2022-40
refinedweb
1,304
67.15
My project for this week: HelloFTDI; a fabable. The assignment of this week was to build a microcontroller based on the ATtiny44 chip from Atmel that uses the FTDI cable to talk to the computer, then add an LED and a button, and finally program it to do something. It sounds simple, but it s not. Designing and milling the board I started from the provided schematic. I added an LED to pin PB2 and I used 2 499Ω resistors in parallel (equivalent to a 250Ω) to decrease the voltage across the LED. I connected my button to PA3 and used a 1K pull-up resistor. Once my button is pressed it gives a ligic 0 (low); when it is not pressed it gives a logic 1 (high). Therefore, normally PA3 is high, and when button is pressed it is low. My schematic diagram This is my png file for milling my board. I used the Mantis 9 machine to mill the pcb. It was faster than the Modella. Programming the ATtiny44 Programming the ATtiny44 proved to be a challenge consisting of many linked steps, both hardwarewise and softerwise. I was totally new to microcontroller programming. The microcontroller understands machine code which is in hexadecimal format. Since hexadecimal format is hard to understand, you write the code to a more human friendly language (Assembly or C) and a compiler takes care for translating this into hexadecimal. Once you have the hexadecimal file you need to upload it into the microcontroller's flash memory. Typically this process (chain) consists of few steps where the output of one is the input for another. You might either do each step individually or parametrically link them and automate their chain execution. This automation process is handled by a special program that is called the Make program. The Make program needs some instructions to tell it how to execute all these chain processes. This is like a recipe. This recipy is included in a file which is called the Makefile. Makefile thus is not an executable file but simply a set of instructions. The Make program then takes care of everything: it asks the assembler to translate the code from one form to another and asks another program (in my case the AVRdude) to upload the hex file to the microcontroller. Therefore this is a tedious process involving many files and programs. You can either find an Integrated Development Environment (IDE) which encapsulates everything into a nice looking Graphic User Interface (GUI) and basically hides all these steps from you, or do them on your own through the command window. The confusing thing is that there are many different packages, programs and IDEs that do the same thing and if you are not aware of these steps it is very difficult to understand: WinAvr, Gavrasm, AVR Studio, Cygwin, AVRdude, GNU, GCC, Eclipse are only few of the dozens of names I found. I ended up doing the compiling using two methods: WinAVR through the command window of Windows, and Eclipse IDE. I did not use Cygwin at all, so I don't know how useful it is. Many people used it though. WinAVR is not a single program but instead a package (toolchain) of programs: it contains a compiler (GCC), C libraries that tell the compiler how to compile (AVRlibC), and AVRdude, a program that takes the compiled hex file and uploads it in ATtiny44 through the FabISP programmer we build during the 3rd week. AVRdude talks to the FabISP and asks the FabISP to talk to the ATtiny44. Once ATtiny44 replies to FabISP, FabISP then reports to AVRdude. I also used a Makefile to automate the process, although I tried doing it manually as well. It s important to understand that avrdude does not have a GUI presence in your computer you don't see it as an application, but instead you ask it to do things for you from the command window; this might be confusing to beginners. Eclipse on the other hand was pretty straightforward: once you re done with the settings, you simply write your C code and literally press one button and everything is executed automatically. Screenshot from the command window in Windows. Snapshot from the Eclipse IDE Bellow is my ridiculously simple code that blinks the LED while the button is pressed. Although I am using a 1K external pullup resistor, I am also using the internal pullup resistor of ATtiny44 for extra safety. I wanted to make a code that fades in and out the LED but this is more advaced since it requires the Pulse Width Modulation (PWM) method. I will do this later. #include <avr/io.h> #include <util/delay.h> int main() { //SETUP //Button is on PA3 //LED is PB2 PORTA = _BV(PA3); //Turn button pullup resistor on by setting PA3(input) high DDRB = _BV(PB2); //Enable output on the LED pin (PB2) //LOOP while (1) { if (PINA & _BV(PA3)) //button is not pushed { PORTB = _BV(PB2); //LED is off } else // button is pushed { PORTB = _BV(PB2); _delay_ms(80); PORTB = 0; _delay_ms(80); } } } Useful links Videos
http://fab.cba.mit.edu/classes/863.10/people/dimitris.papanikolaou/Assignment_6.html
CC-MAIN-2019-13
refinedweb
851
68.7
This action might not be possible to undo. Are you sure you want to continue? 10/31/2014 will find the most up-to-date information, photos, and much more. In easy to read chapters, with extensive references and links to get you to know all there is to know about her Early life, Career and Personal life right away: Artists and Models, Hot Spell (film), The Matchmaker (film), Ask Any Girl (film), Career (1959 film), Ocean’s 11 (1960 film), Can-Can (film), The Apartment, The Children’s Hour (film), All in a Night’s Work (film), Two Loves, Two for the Seesaw, My Geisha, Irma la Douce, The Yellow Rolls-Royce, What a Way to Go!, John Goldfarb, Please Come Home, Gambit (film), Woman Times Seven, The Bliss of Mrs. Blossom, Sweet Charity (film), Two Mules for Sister Sara, Desperate Characters, The Possession of Joel Delaney, The Other Half of the Sky: A China Memoir, The Turning Point (1977 film), Being There, A Change of Seasons (film), Loving Couples (1980 film), Terms of Endearment, Cannonball Run II, Madame Sousatzka, Steel Magnolias, Postcards from the Edge (film), Defending Your Life, Used People, Wrestling Ernest Hemingway, Guarding Tess, The Evening Star, Mrs. Winterbourne, Bruno (2000 film), These Old Broads, Rebecca Nurse, Hell on Heels: The Battle of Mary Kay, Carolina (film), Rumor Has It…, Bewitched (film), In Her Shoes (2005 film), Closing the Ring, Coco Chanel (film), Anne of Green Gables: A New Beginning, Valentine’s Day (film). Shirley MacLaine Handbook Everything you need to know about Shirley MacLaine Shirley MacLaine The Shirley MacLaine Shirley MacLaine Artists and Models Hot Spell (film) The Matchmaker (film) Ask Any Girl (film) Career (1959 film) Ocean's 11 (1960 film) Can-Can (film) The Apartment The Children's Hour (film) All in a Night's Work (film) Two Loves Two for the Seesaw My Geisha Irma la Douce The Yellow Rolls-Royce What a Way to Go! John Goldfarb, Please Come Home Gambit (film) Woman Times Seven The Bliss of Mrs. Blossom Sweet Charity (film) Two Mules for Sister Sara Desperate Characters The Possession of Joel Delaney The Other Half of the Sky: A China Memoir The Turning Point (1977 film) Being There A Change of Seasons (film) Loving Couples (1980 film) Terms of Endearment Cannonball Run II Madame Sousatzka Steel Magnolias 1 8 11 12 14 16 18 22 24 29 33 35 36 38 39 43 46 50 52 54 56 58 61 66 69 73 74 76 80 82 84 88 91 93 Postcards from the Edge (film) Defending Your Life Used People Wrestling Ernest Hemingway Guarding Tess The Evening Star Mrs. Winterbourne Bruno (2000 film) These Old Broads Rebecca Nurse Hell on Heels: The Battle of Mary Kay Carolina (film) Rumor Has It… Bewitched (film) In Her Shoes (2005 film) Closing the Ring Coco Chanel (film) Anne of Green Gables: A New Beginning Valentine's Day (film) 98 102 105 108 110 112 114 116 118 119 122 124 126 130 134 138 141 143 146 References Article Sources and Contributors Image Sources, Licenses and Contributors 154 157 Article Licenses License 158 She is the elder sister of actor Warren Beatty. took note of MacLaine. and author. In classical romantic pieces like "Romeo & Juliet" and "Sleeping Beauty. After leaving ballet. with Haney still out of commission. and MacLaine replaced her. Strongly motivated by ballet throughout her youth. Shirley had very weak ankles as a child. Virginia. was a drama teacher born in Nova Scotia." being the tallest in the class. After she graduated. MacLaine pursued Broadway dancing. Virginia and Waverly. MacLaine's grandparents were also teachers. Virginia Actress. MacLaine decided that professional ballet wasn't for her. In 1983. Ira Owens Beaty. But decided to dance the role all the way through. Eventually. She has written a large number of autobiographical works. and then to Arlington. she turned to acting. dancer." While warming up backstage. she never missed a class. The family was devoutly Baptist. The summer before her senior year. high insteps) Also.Shirley MacLaine 1 Shirley MacLaine Shirley MacLaine Shirley MacLaine in 1987 Born Occupation Shirley MacLean BeatyApril 24. Haney broke her ankle. Wallis was in the audience. she found ballet too limiting. public school administrator. and signed her to work for Paramount . Eventually. Canada. She attended Washington-Lee High School. well-known for her beliefs in new age spirituality and reincarnation. Early life Named after Shirley Temple. so her mother decided to enroll her in ballet class. She eventually got to play a respectable female role--the fairy godmother in "Cinderella. dancer. activist. MacLaine's father moved the family from Richmond to Norfolk. A few months after. 1934) is an American film and theater actress. she returned and within a year she became an understudy to actress Carol Haney in The Pajama Game. In her own words. she won the Academy Award for Best Actress for her role in Terms of Endearment. she grew too tall (she would be over 6-feet tall en Pointe) and did not have the "beautifully constructed feet" (high arches. Her father. author. she was in New York to try acting on Broadway with some success. 1934Richmond. she broke her ankle.[1] was a professor of psychology. Kathlyn Corinne (née MacLean). eventually taking a position at Arlington's Thomas Jefferson Junior High School. she always played the boys' role due to the total absence of males in the class. MacLaine was born Shirley MacLean Beaty in Richmond. many dealing with her spiritual beliefs as well as her Hollywood career. and her mother. where she was on the cheerleading squad and acted in the school's productions. activist Years active 1953–present Spouse Steve Parker (1954–1982) Shirley MacLaine (born April 24. and real estate agent. film producer Hal B.[2] [3] While she was still a child. She starred in The Children's Hour (1961) also starring Audrey Hepburn. directed by Richard Attenborough and starring Christopher Plummer. a drama. The Salem Witch Trials. the film that gave her her first Academy Award nomination .Actress. Two years later. She was again nominated. She also had a short-lived sit-com called Shirley's World. and Joan Collins. Being There (1979) with Peter Sellers. Carrie Fisher. a suit that is credited with ending the old-style studio star system of actor management. The film won 5 Oscars. in which she starred opposite Clint Eastwood. and Coco. for which she won the Golden Globe Award for New Star Of The Year . "I thought I would win for Harry (1955) The Apartment. She later said. These Old Broads written by Carrie Fisher and co-starring Elizabeth Taylor. based on the play by Lillian Hellman. MacLaine has also appeared in numerous television projects including an autobiographical miniseries based upon the book Out on a Limb. she received a nomination for Best Documentary Feature for her documentary film The Other Half of the Sky: A China Memoir. MacLaine has a star on the Hollywood Walk of Fame at 1165 Vine Street. starring with Jack Lemmon. Her second nomination came two years later for The Apartment.one of five that the film received . In 1983 she won her first Oscar for Terms of Endearment.and a Golden Globe nomination. She later sued Wallis over a contractual dispute. She continued to star in major films. she was once again nominated for The Turning Point co-starring Anne Bancroft. Used People with Jessica Tandy and Kathy Bates. She's too unfeminine and has too much balls. one for Jack Nicholson and three for director James L. Debbie Reynolds. She's very. Other notable films in which MacLaine has starred include Sweet Charity (1968). such as Steel Magnolias with Julia Roberts.[4] 2 Career MacLaine made her film debut in Alfred Hitchcock's The Trouble with Harry (1955). The film won another four Oscars. once said. Postcards From the Edge (1990) with actress Meryl Streep. including Best MacLaine in her debut film The Trouble with Director for Billy Wilder. Don Siegel. in which she portrayed a retired ballerina much like herself. Rumor Has It… (2005) with Kevin Costner and Jennifer Aniston and In Her Shoes with Cameron Diaz. for which she reunited with Wilder and Lemmon. "It's hard [5] to feel any great warmth to her. In 1956. which was released to video as The Dress Code. .Shirley MacLaine Pictures. MacLaine won a Golden Globe for Best Actress (Drama) for Madame Sousatzka. she had roles in Hot Spell and Around the World in Eighty Days. Guarding Tess (1994) with Nicolas Cage. Brooks. MacLaine starred as Helen in this film." In 1975. MacLaine is also set to star in Poor Things. very hard. She made her feature-film directorial debut in Bruno. playing a fictionalized version of Debbie Reynolds with a screenplay by Reynolds's daughter. a Lifetime production based on the life of Coco Chanel. her director on Two Mules for Sister Sara (1970). In 2007 she completed Closing the Ring. In 1988. At the same time. she starred in Some Came Running. this time for Irma la Douce (1963). but then Elizabeth Taylor had a tracheotomy". Barbra Streisand. MacLaine's character is a devotee of New Age spirituality. Parker v. Many of her best-selling books. but the production was canceled. such as Out on a Limb and Dancing in the Light. Twentieth Century-Fox Film Corp. They had a daughter.[6] Her well-known interest in New Age spirituality has made its way into several of her films. calling the studio's alternate role offer "different or inferior" employment. played by Brooks and Meryl Streep. 1970). MacLaine's refusal led to an appeal by Twentieth Century-Fox to the Supreme Court of California in 1970. MacLaine found her way into many law casebooks when she sued Twentieth Century-Fox for breach of contract. have it as their central theme. where the Court ruled against Fox. starring MacLaine. Her interests have led her to such forms of spiritual exploration as walking El Camino de Santiago. Representative Dennis Kucinich. Big Man. the Shirley MacLaine at the 2005 recently deceased lead characters.. 474 P. in hopes of getting out of its contractual obligation to pay her for the canceled film. working with Chris Griscom. a Democrat and former mayor of [7] Cleveland. Big Country. and practicing Transcendental Meditation. In Albert Brooks's 1991 romantic comedy Defending Your Life.Shirley MacLaine 3 Personal life MacLaine was married to businessman Steve Parker until they divorced in 1982. astonished to find MacLaine introducing their past lives in the "Past Lives Pavilion." In the 2001 made-for-television movie These Old Broads. MacLaine has a strong and enduring interest in spirituality. Debbie Reynolds. She was to play a role in a film titled Bloomer Girl. are Toronto International Film Festival. Shirley shares a birthday (April 24) with her good friend. Filmography Film Year 1955 The Trouble with Harry Artists and Models 1956 Around the World in 80 Days Jennifer Rogers Bessie Sparrowbrush Princess Aouda Nominated — BAFTA Award for Best Foreign Actress Role Notes . She also is godmother to the daughter of U. Sachi Parker (born 1956). and written by Reynolds's daughter. Twentieth Century-Fox offered her a role in another film. and Elizabeth Taylor. and they traditionally spend it together each year. Ohio.2d 689 (Cal. Joan Collins. Carrie Fisher.S. Shirley MacLaine 1958 Some Came Running Ginnie Moorehead Nominated — Academy Award for Best Actress Nominated — Golden Globe Award for Best Actress – Motion Picture Drama 4 The Sheepman Hot Spell The Matchmaker Ask Any Girl Dell Payton Virginia Duval Irene Molloy Meg Wheeler BAFTA Award for Best Foreign Actress 9th Berlin International Film Festival: Silver Bear for [8] Best Actress Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy 1959 Career 1960 Ocean's Eleven Can-Can The Apartment Sharon Kensington Tipsy girl Simone Pistache Fran Kubelik BAFTA Award for Best Foreign Actress Golden Globe Award for Best Actress – Motion Picture Musical or Comedy Volpi Cup Nominated — Academy Award for Best Actress Nominated — Golden Globe Award for Best Actress – Motion Picture Drama uncredited cameo 1961 The Children's Hour All in a Night's Work Two Loves 1962 Two for the Seesaw My Geisha 1963 Irma la Douce Martha Dobie Katie Robbins Anna Vorontosov Gittel Mosca Lucy Dell/Yoko Mori Irma la Douce Golden Globe Award for Best Actress – Motion Picture Musical or Comedy Nominated — Academy Award for Best Actress Nominated — BAFTA Award for Best Foreign Actress Nominated — BAFTA Award for Best Foreign Actress 1964 The Yellow Rolls-Royce What a Way to Go! 1965 John Goldfarb. Blossom 1969 Sweet Charity 1970 Two Mules for Sister Sara 1971 Desperate Characters Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy . Please Come Home 1966 Gambit 1967 Woman Times Seven Mae Jenkins Louisa May Foster Jenny Erichson Nicole Chang Paulette/Maria Teresa/Linda/Edith/Eve Minou/Marie/Jeanne Harriet Blossom Charity Hope Valentine Sara Sophie Bentwood Silver Bear for Best Actress at Berlin [9] Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy 1968 The Bliss of Mrs. direct. producer Nominated — Academy Award for Best Feature Documentary Nominated — Academy Award for Best Actress Nominated — BAFTA Award for Best Actress in a Leading Role Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy 5 1977 The Turning Point 1979 Being There Deedee Rodgers Eve Rand 1980 A Change of Seasons Loving Couples 1983 Terms of Endearment Karyn Evans Evelyn Aurora Greenway Academy Award for Best Actress David di Donatello for Best Foreign Actress Golden Globe Award for Best Actress – Motion Picture Drama Los Angeles Film Critics Association Award for Best Actress National Board of Review Award for Best Actress New York Film Critics Circle Award for Best Actress Nominated — BAFTA Award for Best Actress in a Leading Role 1984 Cannonball Run II 1987 Out on a Limb 1988 Madame Sousatzka Veronica Herself Madame Yuvline Sousatzka Nominated — Golden Globe Award for Best Actress – Miniseries or Television Film Golden Globe Award for Best Actress – Motion Picture Drama Volpi Cup Nominated — BAFTA Award for Best Actress in a Supporting Role Nominated — BAFTA Award for Best Actress in a Leading Role Nominated — Golden Globe Award for Best Supporting Actress – Motion Picture 1989 Steel Magnolias 1990 Postcards from the Edge Ouiser Boudreaux Doris Mann Waiting for the Light 1991 Defending Your Life 1992 Used People 1993 Wrestling Ernest Hemingway 1994 Guarding Tess 1995 The West Side Waltz Aunt Zena "Past Lives Pavilion" host Pearl Berman Helen Cooney Tess Carlisle Margaret Mary Elderdice Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy Nominated — Golden Globe Award for Best Actress – Motion Picture Musical or Comedy .Shirley MacLaine 1972 The Possession of Joel Delaney 1975 The Other Half of the Sky: A China Memoir Norah Benson Herself Documentary Writer. Shirley MacLaine 1996 The Evening Star Mrs. 2d 467. "Actor Warren Beatty gives public-policy graduates — and Gov. • Where Do We Go From Here? (1978) Winner of the Rose D'Or • Out on a Limb (1987) References [1] New England Historic Genealogical Society (http:/ /. [4] Hanrihan v. 469 (N. Misc. [3] Public Affairs (2005-05-21). 1959) [5] McGilligan (1999).Motion Picture Musical or Comedy uncredited 6 2007 Closing the Ring 2008 Coco Chanel Ethel Ann Coco Chanel Nominated — Emmy Award for Outstanding Lead Actress – Miniseries or a Movie Nominated — Golden Globe Award for Best Actress – Miniseries or Television Film Nominated — Screen Actors Guild Award for Outstanding Performance by a Female Actor in a Miniseries or Television Movie Anne of Green Gables: A Amelia Thomas New Beginning 2010 Valentine's Day Estelle Paddington TV work • Shirley's World (1971–1972) and a 1977 one hour special.182 . shtml). 19 Misc.Y. berkeley. newenglandancestors. . html).com. com/ people/ pb/ Warren_Beatty. edu/ news/ media/ releases/ 2005/ 05/ 21_beatty. adherents.Motion Picture Nominated — Golden Globe Award for Best Actress – Miniseries or Television Film Directed by Shirley MacLaine Nominated — Satellite Award for Best Actress . asp) [2] "The religion of Warren Beatty. Retrieved 2010-03-06. director" (http:/ / www. . Winterbourne 1997 A Smile Like Yours 1999 Joan of Arc 2000 Bruno 2001 These Old Broads 2002 Salem Witch Trials Hell on Heels: The Battle of Mary Kay 2003 Carolina 2005 Rumor Has It… Bewitched In Her Shoes Aurora Greenway Grace Winterbourne Martha Madame de Beaurevoir Helen Kate Westbourne Rebecca Nurse Mary Kay Grandma Millicent Mirabeau Katharine Richelieu Iris Smythson/Endora Ella Hirsch Nominated — Golden Globe Award for Best Supporting Actress – Motion Picture Nominated — Satellite Award for Best Supporting Actress . actor. Parker. 2005-08-30. org/ research/ services/ articles_gbr83. Adherents. Berkeley. Retrieved 2010-03-06. p. Schwarzenegger — some advice on power" (http:/ / www. New York: Simon & Schuster Adult Publishing Group.com/person. Norton & Company Limited.. New York: Bantam Books. You Can Get There from Here. . Support Kucinich" (http:/ / www. [8] "Berlinale 1959: Prize Winners" (http:/ / www. The Camino: A Pilgrimage of Courage. Shirley (1989). Patrick (1999). • MacLaine. 7 Bibliography • MacLaine. . The Camino: A Journey of the Spirit. Latimes. New York: W. Retrieved 2010-01-05.asp?ID=50809) at the Internet Broadway Database Shirley MacLaine (. Harper Collins. Shirley (2001). .com/movie/contributor/1800028269) at Yahoo! Movies Shirley MacLaine interviewed by Ginny Dougary (. Shirley (1972). Retrieved 2010-03-13. Out on a Limb. Shirley (1975). Dancing in the Light. ISBN 9780743485067. ISBN 9780553052176. New York: Bantam Books. Shirley (2003).de. New York: Bantam Doubleday Dell Publishing Group. Shirley (1986). Going Within: A Guide to Inner Transformation.W. ISBN 9780553678.1.ShirleyMacLaine. story). berlinale. Norton & Company Limited. New York: Simon & Schuster Adult Publishing Group. Shirley (1995). • MacLaine.1158944. External links • • • • • MacLaine's Official Website (. Norton & Company Limited. ISBN 9780553050356. berlinale. ISBN 9780393073386. ISBN 9780553761962. ISBN 9780553076073.com. • MacLaine. New York: Bantam Books.co. • McGilligan.com) Shirley MacLaine (. html). London: Pocket Books. ISBN 0-00-638354-8. Huffingtonpost. Retrieved 2010-03-06. Don't Fall Off the Mountain. Shirley (1983). It's All in the Playing. berlinale. latimes. ISBN 0743409213. com/ news/ la-me-maharishi6feb06. Sage-ing While Age-ing. • MacLaine. • MacLaine. Shirley (1987).imdb.yahoo. New York: Bantam Books. de/ en/ archiv/ jahresarchive/ 1959/ 03_preistr_ger_1959/ 03_Preistraeger_1959. [9] "Berlinale 1971: Prize Winners" (http:/ / www. New York: Simon & Schuster Adult Publishing Group.ginnydougary. New York: W. • MacLaine. com/ 2007/ 11/ 07/ shirley-maclaine-i-belie_n_71542. • MacLaine. ISBN 9780393074895. html). 2008-02-06. ISBN 9780553097177. Shirley (1991). • MacLaine.ibdb. Shirley (2007). Clint: The Life and Legend.) • MacLaine. • MacLaine. [7] "Shirley MacLaine: I Believe In UFOs More Than Ever. de/ en/ archiv/ jahresarchive/ 1971/ 03_preistr_ger_1971/ 03_Preistraeger_1971.com.com/name/nm511/) at the Internet Movie Database Shirley MacLaine (. Maharishi Mahesh Yogi" (http:/ / www. Out on a Leash: Exploring the Nature of Reality and Love. Retrieved 2010-03-06. New York: Bantam Books.de.uk/2005/11/05/ one-tough-kookie/) (2005) .Shirley MacLaine [6] "LA Times. ISBN 9781416550419. html). ISBN 9780743400725. Dance While You Can. (Published in Europe as: MacLaine. New York: W. My Lucky Stars: A Hollywood Memoir. ISBN 9780393053418. McGovern: The Man and His Beliefs. 2007-12-19. Shirley (1970). Shirley (2000). huffingtonpost. berlinale. . • MacLaine. Also known as "Vultureman" or more simply "The Vulture". each night Eugene has horrific screaming nightmares inspired by those ultra-violent comics which he describes aloud in his sleep and which are about the bizarre bird-like superhero "Vincent the Vulture" who is. Anita Ekberg. Eva Gabor. . and Shirley MacLaine. according to Eugene's nocturnal babblings. The film co-stars Dorothy Malone. Wallis Frank Tashlin Herbert Baker (screenwriter) Hal Kanter Dean Martin Jerry Lewis Dorothy Malone Shirley MacLaine Eva Gabor Anita Ekberg Eddie Mayehoff Starring Distributed by Paramount Pictures Release date(s) August 25. Plot Rick Todd (Dean Martin) is a struggling painter and smooth-talking ladies' man. His goofy young roommate Eugene Fullstack (Jerry Lewis) is an aspiring children's author who has a passion for comic books. 1955 Running time Language 102 minutes English Artists and Models is a 1955 Paramount musical comedy in VistaVision and marked Martin and Lewis's fourteenth feature together as a team. especially those of the mysterious and sexy "Bat Lady". However.Artists and Models 8 Artists and Models Artists and Models Directed by Produced by Written by Frank Tashlin Hal B. half-bird with feathers growing out of every pore" and a "tail full of jet propulsion". the "defender of truth and liberty and a member of the Audubon Society" and is "half-boy. the golden helmet-masked hero with his stubby wing-like arms and talon-like hands and feet soars through space from his "homogenized space station" orbiting the Milky Way to battle his shapely but sadistic purple-eyed archenemy "Zuba the Magnificent" who hates Vincent because "she's allergic to his feathers" and who enjoys blasting big "oooozing" holes into his highly resilient flying form ("It'll take more than that to stop me!") with her "atomic pivot gun". half-man. [1] It was released on November 7. and "Artists and Models. Ocean's Eleven. Producer Hal B. When she turned the part down. Scared Stiff. but did go on to appear in six other films with Martin. the part of Abby was originally offered to Lizabeth Scott. but after falling for Abigail he keeps his work a secret from both her and Eugene. What a Way to Go! and Cannonball Run II. He attains success at his new job. including many about women's breasts and a number of double entendres. whom he admired greatly." A sixth number. Wallis chose Tashlin for Artists and Models on the basis of his background as a cartoonist. Murdock (Eddie Mayehoff) and Abigail's model for the flying bat-masked superheroine. "The Lucky Song". Eugene's dreams also contain the real life top-secret rocket formula "X34 minus 5R1 plus 6-X36" that Rick publishes in his stories. his other . Abigail becomes frustrated at work at the increasingly lurid and bloodthirsty stories the money-hungry Murdock demands and quits to become an anti-comics activist. and was shot with Paramount's VistaVision cameras in Eastman color. The film was one of the team's highest budgeted pictures. sung by Shirley MacLaine during the party. Her energetic horoscope-obsessed roommate is Bessie Sparrowbush (Shirley MacLaine) who is secretary to her publisher Mr.5 million. Songs featured were by music legends Harry Warren and Jack Brooks. was cut from the final edit. Tashlin brought a lot of sexual innuendo to Artists and Models. and other targets in the film include the Cold War. With spies all around them. According to a 1955 column by Sheilah Graham. including Some Came Running. Martin asked for Dorothy Malone. 1955 at Paramount Studios. and stereophonic sound by Perspecta." but the censors ordered the removal of this phallic joke. the space race and the publishing business. The finished film contains many jokes that push the boundaries of what was acceptable in the mid-'50s. who had played opposite the team in Scared Stiff. Abigail Parker (Dorothy Malone). "You Look So Familiar". but the studio did not remove it. preserving national security.Artists and Models A neighbor in their apartment building. in another scene. Artists and Models is considered a milestone in movie satire for its mockery of mid-1950s pop culture. Costumes were by Paramount wardrobe designer Edith Head. Malone had previously worked with the team in their eighth feature.[1] MacLaine did not make another film with Lewis. "Innamorata (Sweetheart)". making it more adult in content than most of Martin and Lewis's previous movies and indulging his own fetishistic fascination with female characters in revealing costumes. 1955 by Paramount.[1] Martin and Lewis would reunite with him on their last film. Hollywood Or Bust.[1] Artists and Models marked the first time Lewis worked with former Looney Tunes director Frank Tashlin. When MacLaine kisses Lewis in front of a water cooler. the title later being used for Rock-A-Bye Baby a 1958 Jerry Lewis film. the water steams up. and included "When You Pretend". is a professional artist who works for a New York comic book company called Murdock Publishing and is the creator of the "Bat Lady". Lewis's character was named "Fullstick. 9 Production Martin and Lewis' fourteenth feature. a massage therapist bends Lewis's leg all the way towards his head. and the film contains many gags influenced by the director's animation work. The censors also asked Paramount to cut a scene where Dorothy Malone is seen wearing only a strategically placed towel. One scene satirizes the Kefauver hearings on violent comic books. Artists and Models was filmed from February 28 to May 3. Long time Martin and Lewis writer Herbert Baker worked on the script which had the original title Rock-A-Bye [2] Baby. and Lewis would then work with Tashlin on six of his solo films. at $1. Some of his most suggestive ideas were disallowed by the Production Code. entitled "The Bat Lady". Bessie develops a crush on Eugene who is unaware that she is his beloved "Bat Lady" in the flesh. Unbeknownst to all of them. dragging Eugene into her crusade as an example of how trashy comic books can warp impressionable minds at the same time that Rick gets a job with the company after pitching the adventures of "Vincent the Vulture" from Eugene's dreams. in Tashlin's original script. they manage to entertain at the annual "Artists and Models Ball" and capture the enemy. print by Technicolor. view=entire_text& brand=oac External links • Artists and Models (. along with a number of Lewis' solo films. McFarland & Company. com/index. [2] http:/ / content.blogspot. Inc. org/ view?docId=kt1779q0j5& doc. 2007.com/work/3046) at Allmovie • My Favourite Comic Book Movie.php/2009/12/29/my-favourite-comic-book-movie/) • ARTISTS AND MODELS And Its Mysterious Missing Plot Points () at the Internet Movie Database • Artists and Models (. Anita Ekberg would also appear in Martin and Lewis' final film. Ted. cdlib. The spaceship model seen in the foreign experimental laboratory is actually a leftover miniature from Paramount's 1955 film. released on June 5. The "Vincent the Vulture" comic books made as a prop for this picture briefly appear in the unaired pilot for the Get Smart television series.com/2008/12/ artists-and-models-missing-dialogue. Jack Elam was in the team's second-to-last picture.imdb.. Pardners. Hollywood Or Bust.Artists and Models love interest from Scared Stiff.allmovie. 10 DVD release The film was included on a five-film DVD set. and Okuda. Pages 98-103. directed by George Pal. The Jerry Lewis Films. James L. 1995. Kathleen Freeman also appeared in 3 Ring Circus. The cast is filled with cameos by many Martin and Lewis regulars. the Dean Martin and Jerry Lewis Collection: Volume Two. Conquest of Space. or How To Keep the Tarnish Off Brass Knuckles () . Eddie Mayehoff made his cinematic debut in That's My Boy and also co-starred in The Stooge. An Analytical Filmography of the Innovative Comic. References [1] Neibaur. played by Shirley MacLaine and Héctor Elizondo reunite at a showing of Hot Spell at the Hollywood Forever Cemetery. United States English Hot Spell is a 1958 drama film directed by Daniel Mann.imdb. References [1] http:/ / allmovie.Hot Spell (film) 11 Hot Spell (film) Hot Spell Directed by Starring Daniel Mann Shirley Booth Release date(s) June 1958 Running time Country Language 86 min. "that's my trifecta". Eileen Heckart as Alma's friend In Pop Culture During the 2010 film Valentine's Day. com/ work/ hot-spell-23272 External links • Hot Spell () at the Internet Movie Database . Edgar points to MacLaine on the screen and tells Jason Morris (played by Topher Grace. Edgar and Estelle Paddington.[1] Cast • • • • • Shirley Booth as Alma Duval Anthony Quinn as John Henry Duval Shirley MacLaine as Virginia Duval Earl Holliman as John Henry Duval Jr. It stars Shirley Booth and Anthony Quinn. Horace's clerk head Cornelius Hackl convinces his sidekick Barnaby Tucker that they. While there. a widow who supports herself by a variety of means. Horace agrees to have dinner with Ernestina at the Harmonia Gardens after visiting Irene. Dolly shows him the photograph of a woman she calls Miss Ernestina Simple and tells him the buxom beauty would be a far better choice for him. has hired her to find him a wife. too. The two cause cans of tomatoes to explode. which [1] justifies their closing it for the day and heading to the city. the story focuses on Dolly Gallagher Levi. When he expresses his intent to travel to New York City to woo milliner Irene Molloy. The screenplay by John Michael Hayes is based on the 1955 play of the same name by Thornton Wilder. but unbeknownst to him Dolly is determined to fill the position herself. spewing their contents about the store. New York. a wealthy but miserly merchant from Yonkers. Meanwhile. with matchmaking as her primary source of income. deserve an outing to New York. Horace Vandergelder.The Matchmaker (film) 12 The Matchmaker (film) The Matchmaker DVD cover Directed by Produced by Written by Starring Joseph Anthony Don Hartman Thorton Wilder (play) John Michael Hayes(screenplay) Shirley Booth Anthony Perkins Shirley MacLaine Paul Ford Robert Morse Adolph Deutsch Music by Cinematography Charles Lang Editing by Distributed by Release date(s) Running time Country Language Howard A. Smith Paramount Pictures 1958 101 minutes United States English The Matchmaker is a 1958 American comedy film directed by Joseph Anthony. they come across Irene's hat shop and . Plot Set in 1884. Vandergelder's wallet (which the diner believes Cornelius dropped).The Matchmaker (film) Cornelius is instantly taken to her. By total coincidence. Cornelius. Horace gives them better working hours and wages. Vandergelders. Realizing how foolishly he's been acting. Over the course of the evening. Vandergelder still realizes that Irene is hiding people in her shop (though he doesn't know who) and leaves in disgust. Vandergelder by disguising themselves as women and dancing towards the door. Irene and Cornelius fall in love as Barnaby falls for Minnie. Frightened by the competition. The two men escape being caught by Mr. Irene furiously demands that Cornelius and Barnaby repay her by taking her and the shop assistant Minnie out to a fancy restaurant for dinner (Dolly had led her to believe that the men were secretly members of high society).868772-1. he agrees to marry Dolly as well. Irene. they leave the two women a note confessing who they really are and that they love them. Before going. and Dolly all dine at the same restaurant. Cornelius worries over how to pay for the meal until a well-meaning diner gives him Mr. Though Dolly and Irene cover up for them. Horace.9171. when Mr. Mr. time. Irene and Minnie help the two shopkeepers pretend to be setting up a feed store of their own across the street from Mr.imdb. Vandergelder and Dolly arrive. 13 References [1] Time review (http:/ / www. The pair are forced to hide however. Horace realizes that Dolly tricked him and that there is no such person as Ernastina Simple.00. Barnaby. html) External links • The Matchmaker at the Internet Movie Database (. Minnie. The next day.com/title/tt0051913/) . com/ time/ magazine/ article/ 0. Shirley MacLaine and Gig Young. the reserved and somewhat stodgy Miles Doughton and his playboy younger brother Evan.Ask Any Girl (film) 14 Ask Any Girl (film) Ask Any Girl Theatrical poster Directed by Produced by Written by Starring Charles Walters Joe Pasternak George Wells Winifred Wolfe (novel) David Niven Shirley MacLaine Gig Young Jeff Alexander Music by Cinematography Robert J. Bronner Editing by Distributed by Country Language John McSweeney Jr. Therefore. Miles is willing to help. She's also keeping an eye open to meet the right man. Upon meeting two clients. . in a Pygmalion-like way. Metro-Goldwyn-Mayer United States English Ask Any Girl is a 1959 Metro-Goldwyn-Mayer romantic comedy film starring David Niven. He has seen so many of his brother's conquests come and go that he knows what Evan likes in a girl. What she doesn't know is that Miles secretly comes to want her for himself.[1] Plot A wide-eyed Meg Wheeler comes to New York City and takes a job in market research for a large firm. he sets out to transform Meg into exactly that kind of girl. it doesn't take long for Meg to realize she's romantically interested in Evan. her research making her aware that the United States has five million more females than males. de/ en/ archiv/ jahresarchive/ 1959/ 03_preistr_ger_1959/ 03_Preistraeger_1959... External links • Ask Any Girl (. . 1959)... Meg Wheeler Gig Young .. Maxwell Claire Kelly . Miles Doughton Shirley MacLaine . .. Lisa Elisabeth Fraser .. Refined young lady Awards and nominations Shirley Maclaine won the 1959 BAFTA Award for Best Foreign Actress..Ask Any Girl (film) 15 Cast • • • • • • • • • • David Niven .. Ross Tayford Jim Backus . nytimes..de.. losing out to Marilyn Monroe in Some Like It Hot.jsp?stid=1748) at the TCM Movie Database . "NY Times review" (http:/ / movies. New York Times. Retrieved 22 November. html).imdb.. Terri Richards Read Morgan .. [2] "Berlinale 1959: Prize Winners" (http:/ / www.[2] She was also nominated for a Golden Globe.... Retrieved 2010-01-05.. References [1] Bosley Crowther (May 22. com/ movie/ review?res=950DE0DF163BEF3BBC4A51DFB3668382649EDE).com/title/tt0052583/) at the Internet Movie Database • Ask Any Girl (... and also the Silver Bear for Best Actress at the 9th Berlin International Film Festival. berlinale. berlinale. Bert Carmen Phillips . Jennie Boyden Dodie Heath . 2008.. Evan Doughton Rod Taylor . something that writer Dalton Trumbo knew all too well from being blacklisted himself. and with the blacklist past. who works with Lawson at an early grassroots theatrical group later targeted as "subversive" for its liberal views. even managing to land work in a Kensington production. After agonizing. It costs him his first wife. is forced to take work as a waiter. Drake. and Dalton Trumbo. and directed by Joseph Anthony. Lawson continually tries to establish himself as an actor. Just as he's about to land a major role in a TV series. asks him in the final scene. if it was "worth it. Lawson's long-suffering agent Shirley Drake (Carolyn Jones) attempts to get him work and he slowly begins to rise. thinking of his struggles and humiliation. himself on the skids. Novak left the theater to become a well known Hollywood director brought down by the blacklist himself. the alcoholic daughter of a powerful Broadway producer Robert Kensington. suffering the slings and arrows of rejection despite his dedication and passion for the theater. Lawson accepts the offer. braving World War II. Philip Stong. reflecting the realities of real-life blacklisted actors. with a new off-Broadway theater and offers Lawson a chance to work together again. Novak. vowing to start from the beginning. the Korean War and even the more recent blacklist.Career (1959 film) 16 Career (1959 film) Career Directed by Produced by Written by Joseph Anthony Hal Wallis Dalton Trumbo Bert Granet James Lee Philip Stong Tony Franciosa Dean Martin Shirley MacLaine Carolyn Jones Franz Waxman Starring Music by Cinematography Joseph LaShelle Editing by Release date(s) Running time Country Language Warren Low 1959 105 minutes United States English Career is a 1959 film drama about actor Sam Lawson (Tony Franciosa) bent on breaking into the big time at any cost. who's fallen in love with Lawson. James Lee. With Lawson finally emerging as a major actor. In one sense this was among Hollywood's first direct documentations of the blacklist in a dramatic film." The movie was written by Bert Granet. the new play becomes successful and heads to Broadway. played by Joan Blackman. the now blacklisted Lawson. played by Robert Middleton." says Lawson. Shirley MacLaine played Sharon Kensington. returns. his loyalty is researched and the ties to his allegedly "subversive" theater work with Novak are revealed. ." "Yes. The supporting cast includes Dean Martin as actor-director Maurice "Maury" Novak. "It was worth it. As Novak has been wrongly brought down. . Matt Helmsley Marjorie Bennett ...com/title/tt0052673/) at the Internet Movie Database . com/ movie/ 8230/ Career/ awards)..... Columnist Awards The film was nominated for three Academy Awards: [1] • Best Art Direction (Hal Pereira. NY Times... Eric Peters Mary Treen .... Tyler. Comer. nytimes.. Robert Kensington Donna Douglas ... . • Best Cinematography (Joseph LaShelle) • Best Costume Design (Edith Head) References [1] "NY Times: Career" (http:/ / movies... External links • Career (.... Shirley Drake Joan Blackman . Allan Burke Frank McHugh . Barbara Lawson Helmsley Robert Middleton . Walter H. Marjorie Burke Jerry Paris .. Sam Lawson Dean Martin .. Maurice 'Maury' Novak Shirley MacLaine . Sharon Kensington Carolyn Jones .Career (1959 film) 17 Cast • • • • • • • • • • • • • Tony Franciosa . secretary to Shirley Drake Alan Hewitt . Marie.. Samuel M. Charlie Chuck Wassil .. Retrieved 2008-12-23.. Arthur Krams)..imdb. and George Raft. . Red Skelton. Jr. Cesar Romero. Peter Lawford Joey Bishop Angie Dickinson Nelson Riddle Starring Music by Cinematography William H. followed by a pair of sequels. Anderson Warner Bros. the film's other stars included Angie Dickinson. Daniels Editing by Distributed by Release date(s) Running time Country Language Philip W. Andy García and Julia Roberts (among others) was released in 2001. Ilka Chase. Henry Silva. Jr. August 10. Harry Wilson.Ocean's 11 (1960 film) 18 Ocean's 11 (1960 film) Ocean's 11 Directed by Produced by Screenplay by Story by Lewis Milestone Lewis Milestone Harry Brown Charles Lederer George Clayton Johnson Jack Golden Russell Frank Sinatra Dean Martin Sammy Davis. A remake. as well as cameo appearances by Shirley MacLaine. and Buddy Lester. 1960 127 minutes United States English Ocean's 11 is a 1960 heist film directed by Lewis Milestone and starring five Rat Packers: Peter Lawford. Akim Tamiroff. directed by Steven Soderbergh. and Joey Bishop. Richard Conte. starring George Clooney. Norman Fell. Frank Sinatra. Matt Damon.. Sammy Davis. Dean Martin. Brad Pitt.[1] Centered on a series of Las Vegas casino robberies. the Sands marquee can be seen in the background featuring the performers' names. Frank Sinatra not only filmed his scenes in "Ocean's" but also a cameo appearance in the film Pepe along with performing on stage during the evenings at The Sands hotel. As soon as the lights come back on. Sam Harmon (Martin) entertains in one of the hotel's lounges. while everyone in every Vegas casino is singing "Auld Lang Syne" the tower is blown up and Vegas goes dark. "Ocean's 11" is considered to be the first of the Rat Pack films.[2] Sinatra became interested in the idea and a variety of different writers worked on the project. Lawford eventually bought the rights in 1958 imagining William Holden in the lead. the thieves stroll out of the casinos. as with "Ocean's 11. Tony Bergdorf (Conte). Sands. demanding half of their take. Sammy Davis. In desperation. The group plans to take back the rest of the money. and The Flamingo) on a single night. Their ace electrician.000 set aside for the widow (Willes). let's pull the job!"[2] Shot on location in Las Vegas. the money is hidden in Bergdorf's coffin. who wonder if there is any connection. Shot during the day and the wee hours of the morning on and around the Las Vegas strip. Peter Lawford and Joey Bishop joined him at the Sands on stage during filming. Santos pieces together the puzzle by the time Bergdorf's body arrives at the mortuary. Jr. Desert Inn. who is the son of Duke's fiancee. Riviera. has a heart attack in the middle of the Las Vegas Strip and drops dead. Reformed gangster Duke Santos (Romero) offers to recover the casino bosses' money for a price.Ocean's 11 (1960 film) 19 Plot A gang of World War II 82nd Airborne veterans are recruited by Danny Ocean (Sinatra) and Jimmy Foster (Lawford) to rob five different Las Vegas casinos (Sahara. Sinatra joked "Forget the movie. . They dump the bags of loot into hotel's garbage bins. 4 For Texas and Robin and the 7 Hoods. Demolition charges are planted on an electrical transmission tower and the backup electrical systems are covertly rewired in each casino. go back inside and mingle with the crowds. Filming Peter Lawford was first told of the basic story of the film by director Gilbert Kay who had heard the idea from a gas station attendant. The gang plans the elaborate New Year's Eve heist with the precision of a military operation. after the coffin is shipped to San Francisco.. Josh Howard (Davis) takes a job driving a garbage truck while others work to scope out the various casinos. with $10. This raises the suspicions of police. A garbage truck driven by Josh picks up the bags and passes through the police blockade. The inside men sneak into the cashier cages and collect the money. Martin and Davis—each. When Lawford first told Sinatra of the story. This film formed a framework for subsequent vehicles tailored around Sinatra. He learns of Ocean being in town and his connection to Foster. During the crime film's iconic closing shot. where the body is cremated – along with all the money. but it is not the first in which its members appear together. This plan backfires when the funeral home talks Bergdorf's widow into having the funeral in Las Vegas. Dean Martin. The backup electrical systems open the cashier cages instead of powering the emergency lights. making no payoff to Santos." with a number in its title: Sergeants 3. Santos confronts the thieves. At exactly midnight. It appears to have gone off without a hitch. George Raft played a casino owner and Red Skelton appeared as himself. Restes Jean Willes as Gracie Bergdorf Hank Henry as Mr. An unidentified actor is briefly seen at a distance mouthing his words. Richard Boone makes a cameo by voice only as the minister delivering the eulogy near the end of the film. and Jackie Gleason were also offered cameo roles. It has been rumored that Milton Berle. Judy Garland. Henry Silva as Roger Corneal 8. Jr. Peter Lawford as Jimmy Foster 5. Buddy Lester as Vince Massler 9. Clem Harvey as Louis Jackson Others • • • • • • • • • Angie Dickinson as Beatrice Ocean Cesar Romero as Duke Santos Patrice Wymore as Adele Elkstrom Akim Tamiroff as Spyros Acebos Ilka Chase as Mrs. Richard Benedict as Curly Steffans 10. Frank Sinatra as Danny Ocean 2. Dean Martin as Sam Harmon 3. Norman Fell as Peter Rheimer 11. Joey Bishop as Mushy O'Connors 7. . Tony Curtis. Richard Conte as Tony Bergdorf 6. Kelly Lew Galo as Jealous Young Man Robert Foulk as Sheriff Wimmer Cameos • • • • Shirley Maclaine as Tipsy Woman George Raft as Jack Strager (Casino Owner) Red Skelton as Himself Richard Boone as The Minister (Voice) Cameo appearances Shirley MacLaine took a break from filming The Apartment to shoot a scene with Dean Martin as a tipsy woman who interrupts him during the heist. but did not appear.Ocean's 11 (1960 film) 20 Cast Ocean's 11 1. Sammy Davis. as Josh Howard 4. [2] pp.117–121 Levy. Reuben Tishkoff. page 6. One character. even makes a comment to the movie's main antagonist regarding a code of conduct between men who "shook Sinatra's hand.com/tcmdb/title. as well as one of their strongest and most popular films.com/work/35930) at Allmovie • TCM notes. Brad Pitt and Matt Damon signalled the start of a lucrative franchise.jsp?stid=18360&category=Notes .allmovie." The plot of the Deep Space Nine episode "Badda-Bing Badda-Bang" closely resembles that of the film. Ocean's Eleven has been hailed as the definitive outing for The Rat Pack. "Maudlin's Eleven. The last of these sequels references Sinatra. 1960. August 10. "This Town". The iconic image of the gang was emulated by Quentin Tarantino in Reservoir Dogs (1992) while a remake starring George Clooney. in featuring one of his songs.com/title/tt0054135/) at the Internet Movie Database • Ocean's Eleven (." SCTV created its own parody.tcm.Ocean's 11 (1960 film) 21 In popular culture Often referenced over the years. Shawn Rat Pack Confidential 1998 Fourth Estate Ltd External links • Ocean's Eleven (. Ocean's Twelve in 2004 and Ocean's Thirteen in 2007. References [1] Variety film review. the original Ocean.imdb. Two sequels to the remake were made. . with some songs replaced by songs from earlier Porter musicals. It was. Frank Sinatra. Daniels Editing by Distributed by Release date(s) Running time Country Language Robert L. Simpson Twentieth Century-Fox March 9. Sinatra. produced by Jack Cummings and Saul Chaplin. Wheeler. the top grossing film of 1960. The film starred Shirley MacLaine. Maurice Chevalier and introduced Juliet Prowse in her first film role. loosely based on the musical play by Abe Burrows with music and lyrics by Cole Porter. who was paid $200.000 along with a percentage of the film's profits. from a screenplay by Dorothy Kingsley and Charles Lederer.Can-Can (film) 22 Can-Can (film) Can-Can Theatrical release poster Directed by Produced by Written by Walter Lang Jack Cummings Saul Chaplin Dorothy Kingsley Charles Lederer Abe Burrows(play) Shirley MacLaine Frank Sinatra Louis Jourdan Maurice Chevalier Juliet Prowse Marcel Dalio Cole Porter (Composer Music Score) Nelson Riddle (Musical Direction) Starring Music by Cinematography William H. 1960 131 minutes United States English Can-Can is a 1960 musical film made by Suffolk-Cummings productions and distributed by 20th Century Fox. Art direction was by Jack Martin Smith and Lyle R. Louis Jourdan. It was directed by Walter Lang. costume design by Irene Sharaff and dance staging by Hermes Pan. The film was photographed in Todd-AO. acted in the film under a contractual obligation required by 20th Century Fox after walking off the set of Carousel in 1954. after Ben-Hur. 1961: • Winner . In the stage version. Plot alterations The plotline of the musical was also revised. it is the lover (Sinatra) of the nightclub owner (Shirley MacLaine) who is the lead. "National Affairs: Can-Can Without Pants?" TIME Magazine (http:/ / www. many critics complained that Porter was now turning out material far below his usual standard." (At the time of the show's premiere in 1953. more famous Porter songs." Oddly enough. "I Love Paris" is sung by the chorus over the opening credits. American culture as "depraved" and "pornographic. html) [2] Linnell.869193. "It's All Right With Me". He took the opportunity to make propagandistic use of his visit and described the dance. usask. 1961: • Nominated Best Motion Picture. International controversy During the filming. "Just One of Those Things" and "You Do Something to Me. including "I Love Paris". Greg. html) [3] http:/ / www. com/ time/ magazine/ article/ 0. instead of being sung in the actual story by Sinatra.Best Original Music Score Golden Globe Awards. and by extension. and the judge (played by Louis Jourdan) forms the other half of a love triangle not found in the play. A version by Sinatra.Best Motion Picture Soundtrack External links • Can-Can [3] at the Internet Movie Database References [1] Time Staff (September 21 1959). was featured on the movie soundtrack album. ca/ relst/ jrpc/ art12-goodandbad-print.Can-Can (film) 23 Musical score The film contains what critics now consider some of Cole Porter's most enduring songs.00. however. Soviet premier Nikita Khrushchev famously visited the 20th Century Fox studios[1] and was allegedly shocked by the goings-on. 1961: • Nominated . however. imdb." [2] Awards and nominations Academy Awards. the judge was the leading character. including "Let's Do It". com/ title/ tt0053690/ . and "C'est Magnifique.Best Costume Design • Nominated . "'Applauding the Good and Condemning the Bad': The Christian Herald and Varieties of Protestant Response to Hollywood in the 1950s" Journal of Religion and Popular Culture Vol.) Some of the songs from the original Broadway musical were replaced by other. 12: Spring 2006 (http:/ / www. time.9171. Musical Grammy Awards. In the film. 1960 125 minutes United States English $3 million $25 million The Apartment is a 1960 American comedy-drama film produced and directed by Billy Wilder. Promises.A. Promises. The film was nominated for 10 Academy Awards. It was Wilder's follow-up to the enormously popular Some Like It Hot and.The Apartment 24 The Apartment The Apartment original film poster Directed by Produced by Written by Starring Billy Wilder Billy Wilder • • • • • • Billy Wilder I. and starring Jack Lemmon. and Fred MacMurray. and won five. including Best Picture. was a commercial and critical hit. . Diamond Jack Lemmon Shirley MacLaine Fred MacMurray Jack Kruschen Music by Adolph Deutsch Cinematography Joseph LaShelle Editing by Studio Distributed by Release date(s) Running time Country Language Budget Gross revenue Daniel Mandell The Mirisch Company United Artists June 15. It was later adapted as a Broadway musical. Shirley MacLaine. with a book by Neil Simon. grossing $25 million at the box office. music by Burt Bacharach and lyrics by Hal David.L. like its predecessor. fires her. Miss Kubelik recuperates in Baxter's apartment under his care for two days. Meanwhile. but is willing to forgive Miss Kubelik. angered at his secretary for sharing the truth with Miss Kubelik. At a Christmas Eve office party. Delighted about his promotion. Baxter finally takes a stand when Sheldrake demands the apartment for another liaison with Miss Kubelik on New Year's Eve. Baxter asks Miss Kubelik to meet him at the theatre. in the midst of packing to move out. he leaves to return to his family. At the apartment. Unhappy with the situation. The four managers write glowing reports about Baxter — so glowing that personnel director Mr.C. Baxter (Jack Lemmon) is a lonely office drone for an insurance company in New York City. Meanwhile Baxter's neighbors assume he is a "good time Charlie" who brings home a different drunken woman every night. Miss Kubelik confronts Sheldrake with this information. though she is largely uninterested. a depressed Baxter picks up a woman in a local bar and. . she is instead charmed by Sheldrake to Baxter's apartment. is shocked to find Miss Kubelik in his bed. In order to climb the corporate ladder. is bewildered by her appearance and her insistence on resuming their earlier game of gin rummy. Baxter sends his bar pickup home and enlists the help of his neighbour. the secretary herself having filled that role several years earlier. When he declares his love for her. partly out of spite. She retaliates by telling his wife about his infidelities. fully clothed and overdosed on Jack Lemmon as C. upon returning to the apartment. which results in Baxter quitting the firm. Sheldrake moves into a room at his athletic club and continues to string Miss Kubelik along while he enjoys his newfound bachelorhood. but unwilling to challenge the managers. C. which Baxter concedes without revealing Sheldrake's involvement. Though she intends to break off the affair that night. she is in reality Sheldrake's mistress. Baxter is disappointed at being stood up. during which he tries to entertain and distract her from any further suicidal thoughts. The brother-in-law also assumes the worst of Baxter and punches him several times. though he conceals this realization. Sheldrake. and while he maintains that he genuinely loves her. Baxter and Miss Kubelik's absence from work is noted and commented on. he avoids any further involvement. The doctor makes various assumptions about Miss Kubelik and Baxter. Sheldrake gives Baxter two tickets to the Broadway musical The Music Man to ensure his absence. Baxter allows four company managers to use his Upper West Side apartment for their various extramarital liaisons. with Baxter's former "customers" assuming that Baxter and Miss Kubelik were having an affair.The Apartment 25 Plot C. since he has been denying them access since his arrangement with Sheldrake. Baxter. For her part. she realizes that Baxter is the man who truly loves her and runs to his apartment. talking her into playing numerous hands of gin rummy. Baxter later telephones Sheldrake and informs him of the situation. while hoping to catch the eye of fetching elevator operator Fran Kubelik (Shirley MacLaine). starting that night. Baxter discovers the relationship between Sheldrake and Miss Kubelik. in reviving Miss Kubelik without notifying the authorities. her reply is the now-famous final line of the film: "Shut up and deal". Baxter accepts their criticism rather than reveal the truth. Baxter and Shirley MacLaine as Fran Kubelik Baxter's sleeping pills. a physician. Miss Kubelik learns from Sheldrake's secretary that she is merely the latest female employee to be his mistress. while Sheldrake professes gratitude for Baxter's quiet handling of the matter. however. leading to the breakup of the marriage. Miss Kubelik's taxi-driver brother-in-law comes looking for her and two of the customers cheerfully direct him to Baxter's apartment. Baxter juggles their conflicting demands. She agrees. Sheldrake (Fred MacMurray) suspects something illicit behind the praise. Sheldrake lets Baxter's promotion go unchallenged on the condition that he be allowed to use the apartment as well. When Miss Kubelik hears of this from Sheldrake. actress Joan Bennett. He used items from thrift stores and [2] even some of Wilder's own furniture for the set. successively smaller people and desks were placed to the back of the room ending up with dwarfs. The set appeared to be a long room full of desks and workers. Mildred Dreyfuss Johnny Seven as Karl Matuschka Joyce Jameson as the blonde in the bar Willard Waterman as Mr.[3] [4] [5] .A. Sheldrake Ray Walston as Joe Dobisch Jack Kruschen as Dr. In another scene where Lemmon was supposed to mime being punched. Diamond wished to make another film with Jack Lemmon. Billy Wilder and I. He also caught a cold when one scene on a park bench was filmed in sub-zero weather. which was first heard in the 1949 film The Romantic Age. Wilder chose to use the shot of the genuine punch in the film. "Bud" Baxter Shirley MacLaine as Fran Kubelik Fred MacMurray as Jeff D. However. During the affair. The "Theme from the Apartment" was written by Charles Williams and was originally titled "Jealous Lover". he failed to move correctly and was accidentally knocked down. he allowed Jack Lemmon to improvise in two scenes: in one scene he squirted a bottle of nose drops across the room and in another he sang while making a meal of spaghetti.C. The initial concept for the film came from Brief Encounter by Noel Coward. Fred MacMurray was cast. due to the Hays Production Code. Art director Alexandre Trauner used forced perspective to create the set of a large insurance company office. Lang used a low-level employee's apartment. Wilder had originally planned to cast Paul Douglas as Jeff Sheldrake. Although Wilder generally required his actors to adhere exactly to the script.[1] Another element of the plot was based on the experience of one of Diamond's friends who returned home after breaking up with his girlfriend to find that she had committed suicide in his bed. in which the main character used a friend's apartment to meet with a married woman. Margie MacDougall Joan Shawlee as Sylvia Naomi Stevens as Mrs.The Apartment 26 Cast • • • • • • • • • • • • • • Jack Lemmon as C. Eichelberger Edie Adams as Miss Olsen Production Immediately following the success of Some Like It Hot. Dreyfuss David Lewis as Al Kirkeby Hope Holiday as Mrs. after he died unexpectedly. however. Wilder and Diamond also based the film partially on a Hollywood scandal in which high-powered agent Jennings Lang was shot by producer Walter Wanger for having an affair with Wanger's wife. Vanderhoff David White as Mr. Wilder was unable to make a film about adultery in the 1940s. He designed the set of Baxter's apartment to appear smaller and shabbier than the spacious apartments that usually appeared in films of the day. however.L. According to the behind-the-scenes feature on the American Beauty DVD. The film has a 91% fresh rating on Rotten Tomatoes. In 2002. historically. Due to its themes of infidelity and adultery. The New York Times film critic Bosley Crowther enjoyed the film. at the 2000 Awards.[6] According to Fred MacMurray. However. In 1994. Sawyer Although Jack Lemmon did not win. "A gleeful. Diamond and Billy Wilder Nominated Jack Kruschen Won Edward G. L. giving it four stars out of four. Sam Mendes. the film rose on the AFI's Top 100 list to #80. In 2007. The film appears at #93 on the influential American Film Institute list of Top 100 Films. had watched The Apartment (among other classic American films) as inspiration in preparation for shooting his film.[2] 33rd Academy Awards (Oscars) – 1960 The Apartment received 10 Academy Award nominations and won 5 Academy Awards. Boyle and Alexandre Trauner Nominated Joseph LaShelle Won Daniel Mandell Nominated Gordon E.The Apartment 27 Reception At the time of release. calling it. Other awards and honors The Apartment also won the BAFTA Award for Best Film from any Source and Lemmon and MacLaine both won a BAFTA and a Golden Globe each for their performances. and even sentimental film. The Apartment was deemed "culturally. A. Kevin Spacey dedicated his Oscar for American Beauty to Lemmon's performance. a poll of film directors done by Sight and Sound magazine listed it as the 14th greatest film of all time (tied with La Dolce Vita). based on 43 reviews.[8] In 2006. as well as at #20 on their list of 100 Laughs and at #62 on their 100 Passions list. Story and Screenplay Written Directly for the Screen Best Supporting Actor Best Art Direction-Set Decoration (Black and White) Best Cinematography (Black and White) Best Film Editing Best Sound Result Won Won Billy Wilder Billy Wilder Nominee Nominated Jack Lemmon Nominated Shirley MacLaine Won I. It initially received some negative reviews for its content. or aesthetically significant" by the United States Library of Congress and selected for preservation in the National Film Registry. with Ebert adding it to his "Great Movies" list. the film was a critical and commercial success. making $25 million at the box office and receiving a range of positive reviews. . there was some criticism. the film was controversial for its time. tender. after the film's release he was accosted by a strange woman in the street who berated him for making a "dirty filthy movie" and hit him with her purse." Chicago Sun-Times film critic Roger Ebert and ReelViews film critic James Berardinelli both praised the film. Premiere voted this film as one of "The 50 Greatest Comedies Of All Time". the film's director.[7] Award Best Motion Picture Best Director Best Actor Best Actress Best Writing. Film critic Hollis Alpert of the Saturday Review called it "a dirty fairy tale". allmovie.com [5] Adoph Deutsch's "The Apartment" w/ Andre Previn's "The Fortune Cookie" (http:/ / rest of the directors' list (https:/ /. [3] 5107 Charles Williams & The Queen's Hall Light Orchestra at GuildMusic. Charlotte.rottentomatoes. com/ notes/ apartment. Retrieved 2008-12-23.imsdb.jsp?stid=16634) at the TCM Movie Database • The Apartment (. bfi. Archived from Charles Williams at GuildMusic. htm). [8] BFI | Sight & Sound | Top Ten Poll 2002 . . com/ movie/ 2667/ The-Apartment/ awards). NY Times. An Undervalued American Classic (http:/ / www. com/ light/ catalogue/ 5107.com/m/1001115-apartment/) at Rotten Tomatoes • The Apartment (. html?pagewanted=1). 28 References [1] Billy Wilder Interviews: Conversations with Filmmakers Series [2] Chandler.com/work/2667) at Allmovie • The Apartment (. com/ apt. filmscoremonthly. The New York Times. nytimes. html) FilmScoreMonthly.The Apartment The Apartment was the last film shot entirely in black-and-white to win the Academy Award for Best Picture (1993's Schindler's List contained some color sequences). 2000-06-18.com/title/title. htm) Kritzerland. nytimes.imdb. [7] "NY Times: The Apartment" (http:/ / movies. com/ 2000/ 06/ 18/ movies/ film-an-undervalued-american-classic. html) External links • The Apartment ( [6] Fuller. Nobody's perfect: Billy Wilder : a personal biography.com/title/tt0053604/) at the Internet Movie Database • The Apartment (. org/ web/ 20080224234735/ http:/ / (http:/ / (http:/ / web. com/ light/ catalogue/ 5135. kritzerland. FSM: The Apartment (http:/ / www. archive.com/scripts/Apartment.html) script at the Internet Movie Script Database . htm) [4] Eldridge. guildmusic. Jeff. Graham. uk/ sightandsound/ topten/ poll/ directors-long. org. guildmusic. 1961 107 minutes United States English $3. whom she blackmails when she discovers her stealing another . Plot Former college classmates Martha Dobie (Shirley MacLaine) and Karen Wright (Audrey Hepburn) open a private school for girls in New England. Mary is a spoiled. a reputable OB/GYN. conniving child who often bullies her classmates.[1] is a remake of These Three. Shirley MacLaine. Karen finally agrees to set a wedding date. and James Garner. The film starred Audrey Hepburn.The Children's Hour (film) 29 The Children's Hour (film) The Children's Hour Theatrical release poster Directed by Produced by Written by William Wyler William Wyler John Michael Hayes (screenplay) Lillian Hellman (Play) Audrey Hepburn Shirley MacLaine James Garner Alex North Starring Music by Cinematography Franz Planer Editing by Distributed by Release date(s) Running time Country Language Budget Robert Swink United Artists December 19. Joe is related to wealthy Amelia Tilford (Fay Bainter). Martha's Aunt Lily (Miriam Hopkins). whose granddaughter Mary (Karen Balkin) is a student at the school. After two years of engagement to Joe Cardin (James Garner). lives with the two of them and teaches elocution. The screenplay by John Michael Hayes is based on the 1934 play of the same title by Lillian Hellman. an aging actress.6 million The Children's Hour is a 1961 American drama film directed by William Wyler. also directed by Wyler. particularly Rosalie Wells (Veronica Cartwright). The film. released as The Loudest Whisper in the United Kingdom. Karen walks away alone. However. In her absence. Feeling the damage to their lives cannot be undone. Tilford for libel and slander but lose their case. Karen angrily confronts Mrs. When the story is circulated by the local media. and suggests going somewhere far away to start a new life together. who rapidly withdraw their daughters from the school. Martha tells Karen she would rather talk about it in the morning and Karen leaves the house to take a walk. Martha hangs herself. she briefly talks to Martha about their future. Only Joe keeps in contact with them. she finally realized she loves her. they not only will be cleared of all charges but will be well-compensated for the trouble she caused. leaving Karen and Martha mystified about the sudden exodus. a tale based on fragments of a quarrel Mary's roommates accidentally overheard. The two women sue Mrs. including the bracelet Mary used to blackmail her. Burton Sally Brophy as Rosalie's mother Hope Summers as Agatha . When Martha learns about the break-up. together with Joe and Martha. Karen punishes her by refusing to let her attend the weekend's boat races. Rosalie's mother (Sally Brophy) discovers a cache of stolen items. while Joe watches her from the distance. and the woman immediately informs the other parents. When one father finally explains what is happening. and he offers to take them away and start a new life. Karen refuses to accept the apology. She apologizes for her actions and assures them if the court case is reopened.The Children's Hour (film) student's bracelet. Furious. the reputation of the two teachers is destroyed. Joe Cardin Miriam Hopkins as Lily Mortar Fay Bainter as Amelia Tilford Karen Balkin as Mary Tilford Veronica Cartwright as Rosalie Wells Mimi Gibson as Evelyn William Mims as Mr. When Mary is caught in a lie. Tilford. claiming she needs time to think everything over. At her funeral. and the two girls are questioned. and he asks her if the rumors are true. his trust in Karen is shaken. She tells her grandmother she observed the two women kissing each other. upon hearing the false accusation. In the ensuing quarrel. Mrs. among her daughter's belongings. Mary repeats her story and coerces Rosalie into corroborating the lie. the young girl exacts her revenge by inventing a story about Martha and Karen being involved in a lesbian relationship. Karen ends their engagement. 30 Cast • • • • • • • • • • • Audrey Hepburn as Karen Wright Shirley MacLaine as Martha Dobie James Garner as Dr. she confesses she always had felt more than friendship for Karen and. Afterwards. Tilford learns that the story was a fabrication and visits the two teachers. James Garner as the fiancé of Miss Hepburn and Miriam Hopkins as the aunt of Miss MacLaine give performances of such artificial laboring that Mr. Shirley MacLaine said she and Audrey Hepburn never talked about their characters' alleged homosexuality. Wyler should hang his head in shame. They have not let us know what the youngster whispered to the grandmother that made her hoot with startled indignation and go rushing to the telephone . Shirley MacLaine as the older school teacher . Because the Production Code refused to allow Goldman to use the play's original title. "Audrey Hepburn and Shirley MacLaine . and screenwriter John Michael Hayes discreetly restored the suggestion of lesbianism without blatantly referring to it. to win his release from the television series Maverick. What's more. there are several glaring holes in the fabric of the plot. So this drama that was supposed to be so novel and daring because of its muted theme is really quite unrealistic and scandalous in a prim and priggish way. . retaining substantial portions of her dialogue. and obviously Miss Hellman. who wrote the script. and Garner steadily appeared in films and television shows over the following decades. marvelous projection and emotional understatement result in a memorable portrayal. Aside from having Martha hang rather than shoot herself as she had in the play. inclines to be too kittenish in some scenes and do too much vocal hand-wringing toward the end . MacLaine's enactment is almost equally rich in depth and substance. adding "The performances range from adequate (Balkin's) to exquisite (MacLaine's). it is not too well acted. Hepburn's soft sensitivity. the mention of homosexuality on stage was illegal in New York State.The Children's Hour (film) 31 Production Lillian Hellman's play was inspired by the true story of two Scottish school teachers whose lives were destroyed when one of their students accused them of engaging in a lesbian relationship. In the 1996 documentary film The Celluloid Closet. who portrays Lily Mortar in the remake. for they have plainly sidestepped the biggest of them. beautifully complement each other.[3] Because the Hays Code in effect at the time would never permit a film to focus on or even hint at lesbianism."[7] TV Guide rated the film 3½ out of four stars. Indeed.[3] By the time Wyler was ready to film the remake. The film's location shooting was done at the historic Shadow Ranch. who did the adaptation. Samuel Goldwyn was the only producer interested in purchasing the rights. . . but authorities chose to overlook its subject matter when the Broadway production was acclaimed by the critics. . knew they were there. and then These Three. . . The film was James Garner's first after suing Warner Bros. [4] [5] Critical reception Bosley Crowther of the New York Times observed. . and the playwright changed the lie about the two school teachers being lovers into a rumor that one of them had slept with the other's fiancé. except by Audrey Hepburn in the role of the younger of the school teachers . . he remained faithful to Hellman's work. And they have not let us into the courtroom where the critical suit for slander was tried. . and John Michael Hayes. times had changed significantly and the Hays Code no longer was in effect. in present day West Hills of the western San Fernando Valley. appeared as Martha in These Three. Wyler broke an unofficial blacklist of the actor by casting him. She also claimed Wyler cut some scenes hinting at her character's love for Hepburn because of concerns about critical reaction to the film. it was changed to The Lie. They have only reported the trial and the verdict in one quickly tossed off line. Miriam Hopkins. . there is nothing about this picture of which he can be very proud.[2] At the time."[8] . “ In short. He signed Hellman to adapt her play for the screen. [6] ” Variety said. org/ dos/ historic/ shadow. tvguide. html [6] New York Times review (http:/ / movies.allmovie.imdb. scotsman.jsp?stid=70824) at the TCM Movie Database The Children's Hour (. jp) [3] http:/ / www. htm) [5] http:/ / bigorangelandmarks. Boyle) Academy Award for Best Sound (Gordon E.google. Sawyer) Golden Globe Award for Best Actress – Motion Picture Drama (Shirley Maclaine) Golden Globe Award for Best Supporting Actress – Motion Picture (Fay Bainter) Golden Globe Award for Best Director Directors Guild of America Award for Outstanding Directing . nytimes. com/ 2007/ 03/ no-9-shadow-ranch. blogspot.The Children's Hour (film) 32 Nominations • • • • • • • • •. com/ review/ VE1117789870. html?categoryid=31& cs=1) [8] TV Guide review (http:/ / movies. uk/ features/ audrey/ childrens_hour. com/ great-edinburgh-scandals/ Drumsheugh-Lesbian-sex-row-rocked.com/title/title.rottentomatoes. variety. laparks.com/ videosearch?q="archive+of+american+television+interview+with+james+garner") . although that did not change the devastation upon their lives. they eventually won their suit.com/title/tt0054743/) at the Internet Movie Database The Children's Hour (. html) [2] But in the Scottish case.Feature Film References [1] British Film Institute website (http:/ / www. 5013092.com/work/9300) at Allmovie The Children's Hour (. org. bfi.com/m/childrens_hour/) at Rotten Tomatoes James Garner interview at the Archive of American Television (. Lesbian sex row rocked society (http:/ / edinburghnews. tcm. com/ movie/ review?res=9D07EEDA1338E63ABC4D52DFB5668389679EDE) [7] Variety review (http:/ / www. com/ childrens-hour/ review/ 110808) External links • • • • • The Children's Hour (. com/ thismonth/ article/ ?cid=18608& rss=mrqe These Three at Turner Classic Movies [4] (http:/ / www. Tony discovers that the young lady in question. Kingsley Rex Evans as Carter Mary Treen as Miss Schuster . Charles Ruggles as Dr. Sr.All in a Night's Work (film) 33 All in a Night's Work (film) All in a Night's Work Directed by Produced by Starring Joseph Anthony Hal Wallis Dean Martin Shirley MacLaine Cliff Robertson Charles Ruggles Howard A.and the board's insistence that Katie be silenced at all costs. The board decrees that he must send in the detective to watch her and head off any attempts at blackmail. Smith Editing by Distributed by Paramount Pictures Release date(s) 1961 Running time Country Language 94 minutes United States English All in a Night's Work is a 1961 romantic screwball comedy starring Dean Martin and Shirley MacLaine. wearing a nothing but a Turkish towel and an earring. plus a hotel detective who thinks Tony should know about a girl who was seen running away from his uncle's Palm Beach hotel room. and directed by Joseph Anthony. the wealthy owner of a newspaper. But the more time Tony spends trying to get Katie to open up about what her relationship to his uncle was. Katie Robbins. Plot Tony Ryder's uncle. Cast • • • • • • • • • • • • • Dean Martin as Tony Ryder Shirley MacLaine as Katie Robbins Cliff Robertson as Warren Kingsley. the less he cares. Robbins's fiance -. on the night of his death. Jr. Complications ensue in the form of Ms. is employed in his own research department. (billed as Charlie Ruggles) Norma Crane as Marge Coombs Jack Weston as Lasker John Hudson as Harry Lane Jerome Cowan as Sam Weaver Gale Gordon as Oliver Dunnin Ralph Dumke as Baker Mabel Albertson as Mrs.he's a straight-laced veterinarian -. Warren Kingsley. The young playboy Tony inherits the paper but is left with a board of directors that thinks he's unsuited for the task. has just died. imdb.All in a Night's Work (film) • Roy Gordon as Albright • Ian Wolfe as O'Hara 34 External links • All in a Night's Work [1] at the Internet Movie Database • All in a Night's Work [2] at Allmovie References [1] http:/ / www. com/ work/ 1598 . com/ title/ tt0054615/ [2] http:/ / www. allmovie. imdb. It was entered into the 11th Berlin International Film Festival. Retrieved 2010-01-24. External links • Two Loves ( Ronald Long .Abercrombie Nobu McCarthy .Mrs.com: Awards for Two Loves" (http:/ / www. .Anna Vorontosov Laurence Harvey .Two Loves 35 Two Loves Two Loves Directed by Produced by Written by Charles Walters Julian Blaustein Sylvia Ashton-Warner Ben Maddow Shirley MacLaine Starring Cinematography Joseph Ruttenberg Editing by Release date(s) Running time Country Language Fredric Steinkamp 21 June 1961 96 minutes United States English Two Loves is a 1961 American drama film directed by Charles Walters.Paul Lathrope Jack Hawkins . imdb.Headmaster Reardon Norah Howard .com.[1] Cast • • • • • • • Shirley MacLaine . Cutter Juano Hernandez . imdb. com/ title/ tt0055557/ awards).com/title/tt0055557/) at the Internet Movie Database .Rauhuia References [1] "IMDB. At a party he meets Gittel Mosca (MacLaine). He is struggling with the divorce. They instantly connect. he has moved to a shabby apartment in New York. and begin to fall in love. It was adapted from a Broadway play of the same name. . written by William Gibson. and Jerry has difficulty separating himself emotionally from his wife. McCord Editing by Distributed by Release date(s) Running time Country Language Stuart Gilmore United Artists November 21. a struggling dancer. and takes long walks at night.Two for the Seesaw 36 Two for the Seesaw Two for the Seesaw Theatrical release poster Directed by Produced by Written by Starring Robert Wise Walter Mirisch William Gibson Isobel Lennart Robert Mitchum Shirley MacLaine Edmon Ryan Elisabeth Fraser Eddie Firestone André Previn Music by Cinematography Ted D. He helps Gittel rent a loft for a dance studio. But the relationship is hampered by their differences in background and temperament. 1962 119 minutes United States English Two for the Seesaw is a 1962 romance-drama film directed by Robert Wise and starring Robert Mitchum and Shirley MacLaine. Jerry gets a job with a New York law firm and prepares to take the bar examination. But their relationship is stormy. which has been filed but is not final. Gittel has a fling with an old boyfriend. which she rents out to other dancers. To get away from it all. Plot summary Jerry Ryan (Mitchum) is a lawyer from Nebraska who has recently separated from his wife. but Gittel is upset when she learns that the divorce came through and Jerry did not tell her about it. References [1] Newman. Paul.imdb. Paul Newman was originally slated to star opposite Elizabeth Taylor in the film. Second Chance. 37 Production notes Henry Fonda and Anne Bancroft appeared in the original Broadway production of the play upon which this movie was based. Jerry explains that even though he is divorced from his former wife on paper.com/work/51448) at Allmovie • Two for the Seesaw (. Newman was freed up to take the role of "Fast Eddie" Felson in The Hustler.allmovie.com/title/title. they continue bonded in many ways. went on to become a pop music and jazz standard. When Taylor was forced to drop out because of shooting overruns on Cleopatra.jsp?stid=94194) at the TCM Movie Database .[1] The title tune and soundtrack. Jerry decides to return to Nebraska.com/title/tt0056626/) at the Internet Movie Database • Two for the Seesaw (. DVD commentary. recorded by Ella Fitzgerald and other artists. The Hustler External links • Two for the Seesaw ( for the Seesaw They prepare to move in together nevertheless. and Edward G. As a surprise. a famous director. as a blue eyed. Robinson Franz Waxman Music by Cinematography Shunichiro Nakao Distributed by Release date(s) Running time Country Language Paramount Pictures 1962 119 minutes United States English My Geisha is a 1962 American comedy film directed by Jack Cardiff. because she. including her husband. starring Yves Montand. By choosing to film Madame Butterfly. and she is more famous than he. wants to shoot a film in Japan inspired by Madama Butterfly. based on Krasna's story of the same name. Shirley MacLaine. Robinson. she decides that she will audition for the role of Butterfly. red headed woman. He feels that she overshadows him and he would like to achieve success independent of her. planning to unveil her identity during the meal. His wife. she disguises herself as a geisha at a dinner party. But she is delighted to discover that everyone at the dinner party. . but that the studio will know and therefore give him the budget he needs to make the film he wants. without telling her husband.My Geisha 38 My Geisha My Geisha Theatrical release poster Directed by Produced by Written by Starring Jack Cardiff Steve Parker Norman Krasna Shirley MacLaine Yves Montand Edward G. has been the leading lady in all of his greatest films. an actress named Lucy Dell (MacLaine). When she learns that the studio has decided to only give her husband enough funds to film the movie in black and white because there are no big stars in the film. and released by Paramount Pictures. Plot Paul Robaix (Montand). he can select a different leading lady without hurting her feelings. The film was produced by MacLaine's then-husband Steve Parker. To surprise him further. and written by Norman Krasna. would not be suitable to play a Japanese woman. she visits him in Japan while he's searching for a leading lady. believes her to be a Japanese woman. with the colors reversed. he becomes furious. Alperson Doane Harrison Alexandre Trauner Billy Wilder I. thinking of the lessons she learned from playing a geisha. To retaliate. Yoko. thinking she is doing it to steal credit from him so that once again he will not get the artistic praise he craves. 39 External links • My Geisha [1] at the Internet Movie Database References [1] http:/ / Geisha She gets the part and is wonderful. Paul believing she will betray him and Lucy believing that Paul was going to sleep with Yoko. he decides to proposition Yoko. which will astound Hollywood and practically guarantee her an Oscar. tells everyone that Yoko went into a convent and will no longer be performing. even with herself. A. She worries that he could cheat on her. For the stage musical. appears as herself.. and decides to divorce him when the film is over. A. She and her husband reconcile when he informs Lucy that he knew she was Yoko. to reveal Yoko's true identity. he figures out her duplicity and. see Irma La Douce (musical) Irma la Douce Theatrical release poster Directed by Produced by Billy Wilder Billy Wilder I. L. and wishes his wife could be more like her. Diamond Edward L. at the end of the premiere. imdb. Greatly distressed. she flees.. When viewing the film's negatives. Their "reunion" before the premiere is cold. com/ title/ tt0056267/ Irma la Douce This article is about the film. Diamond Alexandre Breffort (play) Louis Jourdan Jack Lemmon Shirley MacLaine Written by Narrated by Starring . He starts having feelings for her alter ego. Her original plan was. and keeps her identity secret. L. Instead. she takes off her geisha makeup. a man known only as "Moustache". "The jails are full with innocent people because they told the truth" the barkeep claims. and with Moustache's help. Nestor's plans to keep Irma off the streets soon backfire and she becomes suspicious. who is Nestor's superior. Nestor finds a secluded stretch along the river Seine and tosses his disguise into it. Nestor finds himself drawn to the very neighborhood of Paris that ended his career with the Paris police .Irma la Douce Music by André Previn 40 Cinematography Joseph LaShelle Editing by Studio Distributed by Release date(s) Running time Country Language Daniel Mandell The Mirisch Corporation United Artists June 5. When Irma decides to leave Paris with the fictitious Lord X. Kicked off the force and humiliated. Learning that Irma is very pregnant. . he emerges. "Lord X". he says. an attorney and a doctor. a seemingly ordinary barkeep. He also reluctantly accepts. Jealous of the thought of Irma with other men. Nestor invents an alter-ego. a popular prostitute. so he fires Nestor who is conveniently framed for bribery. Moustache (Lou Jacobi). Arrested by the police. has been aware of those prostitutes but let them off by accepting bribes. Nestor simply blends in with the other policemen. Hauled off to jail.claiming to have been. hard labor. Nestor decides to end the charade. But he soon finds out that it's not all that it's cracked up to be. Nestor narrowly avoids being recaptured when the police search for him in Irma's apartment . a British peer who becomes Irma's single client. Nestor moves in with her. finds a street full of prostitutes and reports them. Knowing he can't be rearrested for a murder that police now know didn't occur. and he soon finds himself as Irma's new pimp. Plot The film version of Irma la Douce ("Irma the Sweet") tells the story of Nestor Patou (Jack Lemmon).) After Irma dumps her pimp boyfriend. concludes that Nestor murdered him. directed by Billy Wilder. Moustache notices one of the guests sitting alone in the front row. Nestor arranges for the police to search for him along the Seine from which. but also seeing Lord X's clothes floating in the water. With the help of Irma's ex-pimp. The pimp. While Nestor and everyone else is occupied with Irma. but with Irma in love with him. the guest is none other than Lord X! A clearly baffled Moustache looks at Lord X. Nestor rushes to Church where he plans to marry Irma. Rising from his seat and walking past Moustache. suggests a storied prior life . the proprietor of Chez Moustache. an honest policeman who. Unaware that he's being tailed by Irma's former pimp. since Nestor must work long and hard to earn the cash "Lord X" pays Irma. (In a running joke. The police inspector.donning his old uniform. Nestor admits killing Lord X. among other things. Following Moustache's advice. Nestor becomes close friends with Irma La Douce (Shirley MacLaine). Nestor comes up with a plan to stop Irma's prostitution. ending with the repeated line "but that's another story". Nestor escapes from prison and returns to Irma. after being transferred from a quiet village to Paris. Down on his luck. They barely make it through the ceremony before Irma delivers their baby.returning to Chez Moustache. as a confidant. dressed as Lord X. Nestor is sentenced to 15 years. Nestor is advised by Moustache against revealing that Lord X was a fabrication. and then at the audience. missing Nestor change into his clothes. 1963 147 minutes United States English Irma la Douce is a 1963 comedy starring Jack Lemmon and Shirley MacLaine. but only because of his love for Irma. a popular hangout for prostitutes and their pimps. "But that's another story". Cast • • • • • • • • • • • • • • • • • • • • Jack Lemmon as Nestor Patou/Lord X Shirley MacLaine as Irma la Douce Lou Jacobi as Moustache Bruce Yarnell as Hippolyte Grace Lee Whitney as Kiki the Cossack Joan Shawlee as Amazon Annie Hope Holliday as Lolita Sheryl Deauville as Carmen Ruth Earl as one of the Zebra twins Jane Earl as one of the Zebra twins Harriette Young as Mimi the MauMau Herschel Bernardi as Inspector Lefevre Cliff Osmond as police sergeant Tura Satana as Suzette Wong Billy Beck as Officer Dupont Edgar Barrier as General Lafayette Bill Bixby as the tattooed sailor James Caan as the soldier with radio Louis Jordan as Narrator Paul Frees as Trailer Narrator Soundtrack Irma La Douce Soundtrack album by André Previn .Irma la Douce 41 Synopsis Though the film is not a musical. in which Shirley MacLaine exclaims "Dis-donc!" whilst dancing on a table. which appears to be a deliberate tribute to the musical from which the film is derived. The film was nominated for Best Actress in a Leading Role (Shirley MacLaine) and Best Cinematography. Color. it won André Previn an Academy Award for Best Score—Adaptation or Treatment. There is also a scene in the film. the film that she did with Jack Lemmon in 1959 . "Don't Take All Night" 5:43 7. • The film is remade in India as the controversial Hindi film Manoranjan with Sanjeev Kumar and Zeenat Aman reprising the roles of Jack Lemmon and Shirley MacLaine respectively. "Juke Box: Look Again" 2:16 17.jpg) • Irma La Douce (. "Nestor the Honest Policeman" 1:54 5. "Wedding Ring" 1:35 11.com/title/tt0057187/) at the Internet Movie Database . "The Market" 6:28 8. Jack Lemmon married his second wife.but she died before production began. "Escape" 2:13 10.com/insc_i/irma_douce. • Irma la Douce was remade for French television in 1972. • During the filming in 1962. "In the Tub with Fieldglasses" 2:27 13. actress Felicia Farr.imdb. "Easy Living the Hard Way" 3:16 9. "This Is the Story" 3:16 4. "Juke Box: Let's Pretend Love" 3:07 16. whom she starred with previously in The Apartment. "But That's Another Story" 0:38 Trivia • Director Billy Wilder originally wanted Marilyn Monroe to play Irma as he was so impressed by her performance in Some Like It Hot . • Shirley MacLaine signed on without having read the script because she believed in Billy Wilder and Jack Lemmon. "I'm Sorry Irma" 1:38 15. References External links • Original movie poster ( la Douce Released Label 13 July 1998 Rykodisc 42 All compositions by André Previn. "Main Title" 2:14 2. 1. "Meet Irma" 1:42 3. "The Return of Lord X" 1:24 12.affichescinema. "Goodbye Lord X" 3:17 14. "Our Language of Love" 2:04 6. The famous song "Forget Domani" is sung by Katyna Ranieri in this movie and won a Golden Globe. Ingrid Bergman. June 10 (his wedding anniversary date. Omar Sharif. England. Shirley MacLaine. but he sends back the car to Hoopers. his elation is blighted when he finds his wife with her lover and his underling. The Rolls Royce is first purchased from Hoopers.The Yellow Rolls-Royce 43 The Yellow Rolls-Royce The Yellow Rolls-Royce film poster by Howard Terpning Directed by Produced by Written by Starring Music by Cinematography Editing by Distributed by Release date(s) Running time Country Language Anthony Asquith Anatole de Grunwald Terence Rattigan Rex Harrison Jeanne Moreau Riz Ortolani Jack Hildyard Frank Clarke MGM 1964 122 minutes United Kingdom English The Yellow Rolls-Royce is a 1964 anthology drama film. Lord Frinton will not divorce his wife. produced by Anatole de Grunwald and written by Terence Rattigan.P. However. a Chicago gangster and a wealthy American widow. Art Carney. a motor car is under a gray cover with the initials RR. John Fane (Edmund Purdom). his horse.s (1963). For appearance's sake. The marquess is a longtime horse owner who has his heart set on winning the Ascot Gold Cup. Produced as a result of the success of The V. the Westminster Rolls Royce dealership by Lord Charles. it tells the story of three very different owners of a yellow Rolls-Royce Phantom II: an English aristocrat. including Rex Harrison.I. . Alain Delon and Jeanne Moreau. George C. Scott. Lord Frinton is presented the Gold Cup by King George V. This year. Eloise (Jeanne Moreau). the Marquess of Frinton (Rex Harrison) as a 10th wedding anniversary present for his French wife. Directed by Anthony Asquith. It is set in the years up to and including the start of World War II. it boasts a similar all-star cast. with the shades drawn. is the name of the horse) is favoured and does indeed win. Frinton is Under Secretary of State at the Foreign Office. in the back of the Rolls. Plot On a flat bed lorry driven in the streets of London. a road sign. George Washington Bridge. They survive a German aerial attack and reach their destination.The Rolls according to G. saying it is not her fight. 44 Cast • • • • • • • • • • • • • • Rex Harrison as Lord Charles. Mae lies to Stefano. Scott). Mae and Stefano are in the back of the Rolls with the shades drawn. patriot Davich (Omar Sharif) commandeers her automobile to sneak into the country. Along the way. Bomba. so Mrs. Millett's Chauffeur Reginald Beckwith Gregoire Aslan as the Albanian Ambassador Martin Miller as Headwaiter Andrea Malandrinos as the Hotel Manager Guy Deghy as the Mayor . However. the Marquess of Frinton. The car is seen being unloaded from a cargo ship in New York. Lady St. Genoa. none of his men know how to drive. When Paolo returns to the United States to take care of some unsavory business.Next Right. He is touring Italy with his fiancée Mae Jenkins (Shirley MacLaine) and his right-hand man Joey Friedlander (Art Carney).253. Joey walks away. Gerda and Davich get in the back of the Rolls and draw the shades down. Trieste on the Yugoslav border . when Paolo rejoins them. I-95. The car exterior is filthy with OCCASIONE (Opportunity) painted in white letters on the front windscreen. During the Invasion of Yugoslavia by the Nazi Germans during World War II. She wants to stay and help repel the invaders. He tells her to go back to America and tell people what she has witnessed." The Rolls is purchased for $15. Scott as Paolo Maltese Moira Lister as Angela. Simeon Isa Miranda as the Duchesse d'Angoulème Ingrid Bergman as Gerda Millett Omar Sharif as Davich Roland Culver as Norwood Michael Hordern as Harmsworth. Marchioness of Frinton Edmund Purdom as John Fane Shirley MacLaine as Mae Jenkins George C.The Rolls is in a repair shop. Joey shows Mae an eight day old American newspaper headline. Bugs O' Leary Slain--Police Claims Gang Warfare.The Yellow Rolls-Royce 20. Millett volunteers. Back at the hotel. However. The paint on the hood (bonnet) is partially gone.000 of the car is Gerda Millett (Ingrid Bergman). Bronx . that was Paolo's business in the United States. Owner of Genova Auto Salon Joyce Grenfell as Hortense Astor Wally Cox as Ferguson Richard Pearson as Osborn Jacques Brunius as the Duc d'Angoulème Carlo Croccolo as Mrs. as the car is seen on the expressway. a handsome young street photographer. Bomba. Italy -.023 miles later. wealthy American widow touring Europe. owner of the Genova Auto Salon was "owned by a Marajah. telling him that it was just a fling. much to Davich's surprise. but Davich will not permit it.the year. During the end credits. a bossy. the two very different people fall in love. 1941 -.75 from Bomba. who lost his money at the San Remo Casino. Jeanne Moreau as Eloise. Joey turns a blind eye when she falls in love with Stefano (Alain Delon). in order to protect him from her lethal boyfriend. The next owner for $5. by American gangster Paolo Maltese (George C. The car will return with Gerda to the United States. he leaves Joey to chaperone Mae. Manager of Hoopers Lance Percival as Assistant Car Salesman at Hoopers Harold Scott as Taylor Jonathan Cecil as Young man • • • • • • • • • • • • • Alain Delon as Stefano Art Carney as Joey Friedlander Riccardo Garrone as G. com/ title/ title. jsp?stid=96397 . com/ title/ tt0059927/ [2] http:/ / tcmdb.The Yellow Rolls-Royce 45 External links • The Yellow Rolls-Royce [1] at the Internet Movie Database • The Yellow Rolls-Royce [2] at the TCM Movie Database References [1] http:/ / www. imdb. and Dick Van Dyke. Lee Thompson Arthur P. Robert Mitchum. . Lee Thompson and starring Shirley MacLaine. Jacobs Gwen Davis (story) Betty Comden Shirley MacLaine Paul Newman Robert Mitchum Dean Martin Gene Kelly Robert Cummings Dick Van Dyke Margaret Dumont Nelson Riddle Starring Music by Cinematography Leon Shamroy Editing by Distributed by Release date(s) Running time Country Language Marjorie Fowler 20th Century Fox 1964 111 minutes United States English French What a Way to Go! is a 1964 American comedy film directed by J. Margaret Dumont.What a Way to Go! 46 What a Way to Go! What a Way to Go! Directed by Produced by Written by J. Paul Newman. Gene Kelly. Dean Martin. The good news is that Rod never neglects her. taking the writer's message of "simplify. a "fusion of man and machine -. She learns he's . Louisa idly suggests having the machine paint to Felix Mendelssohn's Spring Song -. and not for money." This fantasy segment is full of Edith Head's over-the-top costumes and ends with Mitchum and MacLaine making love in a huge champagne glass. and they live in a shack. lack of ambition. then ends up a neglected wife and a rich widow as a result of her ill-fated husbands' greed. We meet Louisa as a young. and now fantastically wealthy. she believes she's a victim of a supernatural curse. Louisa is a millionaire. an old school friend who inadvertently woos her with his relaxed attitude. but pays the ultimate price of severe greed and falls dead from an apparent heart attack while chiding "Hard work never hurt anybody!" After Hopper's death. government Internal Revenue Service who believe it an April Fools' Day joke. The unhappy steer kicks Rod through the barn wall. and love of the simple life. simplify!" to heart. To paraphrase Louisa's narrative. All four leave her immensely wealthy but intensely unhappy. Hopper is inspired by the writing of Henry David Thoreau. Art erupts!" and marries him. After discovering the softer. However. as she tends to marry poor men for love. Louisa convinces Rod to sell everything and retire to the type of small farm he lived on during his childhood. The pallbearers drop the coffin. a romantic young woman who realizes she wants to marry for love. He achieves his goal of bankrupting Crawley. After missing a flight back to the States. all of her four husbands die off after achieving wealth. Melissa. a primarily romantic flashback with occasional fantasies from Louisa's point of view including a Marnie type aversion to the colour pink. However. Flint's minimalist abstracts are just good enough to keep them fed. idealistic girl. Flint becomes famous by having the machine "paint" more music. poor but happy (illustrated with a silent movie styled fantasy sequence) until Hopper abandons the simple life for an all-out assault to drive Crawley out of business in Crawleyville. Louisa ends up as sobbing widow on the couch of an unstable psychiatrist (Robert Cummings). In a dream-like pre-credit sequence. where she meets Larry Flint (Paul Newman). Louisa tries to explain herself and her motivation for giving away all that money which leads into the rest of the story. One of his projects is a "Sonic Palette". She enters into his bohemian lifestyle while renouncing her secret millions. the richest man in town. Louisa wanders the States alone. She travels to Paris. including a chimpanzee that paints. Louisa tries desperately to give away more than $200 million dollars to the U. Louisa elects to marry Hopper. He builds more Sonic Palettes to paint a giant work of art. a customer who charms her with silly dances and rhymes in the manner of Pinky Lee. a slightly-tipsy Rod makes a fateful mistake by trying to milk his bull. a pink coffin is carried down a pink staircase in a pink mansion with Louisa as a black-clad widow following behind. Louisa is richer but more depressed. she is pushing for Louisa to marry Leonard Crawley (Dean Martin). who offers her a lift on his jet. which sleds down the stairs. she convinces herself that it might be easier to love a rich man since she can't make him any richer and inadvertently cause his death. Avant-garde art dominates Flint's life. Despite his happy retreat into marriage. a machine that paints by sound. Just as he vows to find out who is responsible for making his company successful WITHOUT him.S. and thus increasingly obsessed with all the money coming into his life. she meets an already wealthy magnate named Rod Anderson (Robert Mitchum). presumably breaking his neck. Rod discovers he's actually gotten richer while neglecting his industry.What a Way to Go! 47 Plot Louisa May Foster (Shirley MacLaine). kinder man under the business-magnate veneer he projects.the only positive statement in art that is being made today!" Louisa falls in love with Flint's attitude of "Money corrupts. Louisa discovers Melissa was a prize cow he raised in his youth. Louisa loathes Lennie and instead takes up with Edgar Hopper (Dick Van Dyke). Melrose. In a cafe called the Cauliflower Ear in a podunk town. but the machines wind up turning on their creator by first staking and beating him to death before they self-destruct. Her mother (Margaret Dumont) is fixated on money.thus leading to the creation of a masterpiece. An erotic foreign-film spoof shows the sheet-clad pair making love in progressively smaller bathtubs and on a bed. which ends up killing him. it is "like one of those lush budget films where it's all about what she's going to wear next. she meets Pinky Benson (Gene Kelly). To prove her point. Edgar makes a lot of money while pushing himself to his human limits. and leaves Louisa a widow yet again. Lady Kensington Pamelyn Ferdin . knocking him out cold... several years later.. One night. Polly Lenny Kent .... TV Announcer .. seeing it as mirroring her own desires. while Leonard sits in his running tractor reading Thoreau. Edgar Hopper Margaret Dumont . In an attempt to lower the psychiatrist's chair that Robert Cummings' character is stuck in... She sees that his clown act is tolerated because he doesn't distract from the serving of food or liquor. In the end..... which causes him to pass out again..... Foster Lou Nova . Louisa has told the psychiatrist her sad tale.. trampling him to death into an early grave (the funeral we see at the beginning of the film). Ned Tom Conway . he sees Louisa and Leonard kissing passionately. reviving him by throwing a bucket of water on him... Louisa May Foster Paul Newman .. Trentino Fifi D'Orsay .... she winds up letting him drop from ceiling-height. she suggests that Pinky perform without his clown makeup. Thinking her "curse" has finally resurfaced.. Rene Wally Vernon . Rod Anderson. Hollywood Lawyer Christopher Connelly . Foster Anton Arnold . Dr. age 5 Bill Corcoran .. An all-pink mansion is among Pinky's obsessions.. a devastated Louisa runs to her husband just as a man in coveralls runs up and starts berating Leonard for hitting an underground oil pipe with his tractor. as is Louisa's appearance at a movie screening in an all-pink chinchilla coat and a pink wig.. just as a familiar-looking janitor comes into the office.... Jr. Leonard Crawley... Lord Kensington Queenie Leonard .. Lee Thompson • • • • • • • • • • • • • • • • • • • • • • • • Shirley MacLaine .. The tractor slowly grinds itself into the ground and strikes oil. we see a happy and no-longer-curse-weary Louisa with several children in a quaint house.. Mrs.... Baroness Maurice Marsac . Louisa hugs and kisses Leonard as both are showered by the erupting oil. Relieved. As the doctor comes to.. Jr. and suddenly the customers notice his talent. She then turns and makes the happy discovery that the janitor is Leonard Crawley. Victor Stephanson Dick Van Dyke . Geraldine Crawley. Mr... Leonard 'Lennie' Crawley Gene Kelly . Pinky becomes a Hollywood movie star. Pinky invites her to come see him perform. Pinky Benson Robert Cummings .. In short order. Dean Martin ... age 7 Anthony Eustrel . Agent Jane Wald . 48 Cast • Directed by J.. Jonathan Crawley.. Louisa is charmed by Pinky's satisfaction with his simple lot in life. Lawyer Army Archerd . She marries him. Willard Milton Frome . age 4 Jeff Fithian .What a Way to Go! been a performer at the Cauliflower Ear for 14 years. simple life that she can share.. Once again Louisa is neglected by a husband obsessed with fame.. He turns and begs her to marry him. who has lost everything and is now leading a poor. Larry Flint Robert Mitchum . Pinky's adoring public stampede him at the premiere. Chester Marcel Hillaire ... Girl on Plane Helene Winston .. Pretty good perks. In order. Ted Haworth.....What a Way to Go! • • • • • • • • • • • • • • • • • Reginald Gardiner . Movie Executive's Girl Marjorie Bennett .[2] Awards What a Way to Go! was nominated for Academy Awards for Best Art Direction (Jack Martin Smith. Shirley MacLaine recommended Mitchum to director J.. I'd say. Reiss) and Best Costumes by Edith Head and Moss Mabry. Mad Pink Painter Phil Arnold . a Laurel award for Best Comedy and Best Comedy performer for Paul Newman... Walter M. Driscoll Teri Garr . recast after her death. Minister Sid Gould .. Customer Jack Greening . Doris 49 Production The audience sees four lampoons of film styles as interludes in the story. French New Wave with jump cuts. Crawleyville Lawyer Dick Wilson . Shirley MacLaine was quoted as saying that she was happy to work with "Edith Head with a $500. Rod Anderson's Private Airline Pilot Burt Mustin . Gregory Peck was sought but he was unavailable. Sour woman in club audience Paula Lane ."[1] Robert Mitchum's role was originally meant for Frank Sinatra but Sinatra suddenly wanted several times more money than what the other male leads received. It won a Locarno Film Festival award for Best Actor for Gene Kelly...[4] . Dancer in the Kelly/MacLaine shipboard musical Arlene Harris . Publicity and Press Agent Roy Gordon ... Mrs.000 budget.. seventy-two hairstylists to match the gowns... we see lampoons of silent film comedy. Originally intended as a Marilyn Monroe vehicle.. and an American Cinema Editors Eddie award for best editor for Marjorie Fowler... Scott.. Party Girl Barbara Bouchet . big 1940's Hollywood musicals....... Stuart A. French Lawyer Mark Bailey .[3] a BAFTA Best Foreign Actress Award for Shirley MacLaine.. and a spoof of Cleopatra. and a three-and-a-half-million-dollar gem collection loaned out by Harry Winston of New York.. Lee Thompson who recommended him to the studio.... Ross Hunter fashion-heavy eye-candy films.. Movie Executive Joe Gray . Freeman Myrna Ross . The studio refused Sinatra's demands. The cast includes Shirley Maclaine as Jenny. Fox expected the film to be its Christmas 1964 release. his plane malfunctions and crashes in the mythical Arab kingdom of Fawzia. The King blackmails the U. com/ movie/ 116375/ What-a-Way-to-Go-/ awards). imdb.cswap. com/ title/ tt0058743/ awards External links • • • • • What a Way to Go! ( of its $4 million budget. Richard Deacon. Barbara Bouchet. the magazine journalist who made Goldfarb famous.com/work/116375) at Allmovie What a Way to Go! () at the Internet Movie Database What a Way to Go! (. Wilfrid Hyde-White.com/1964/What_a_Way_to_Go!/cap/What a Way to Go!. . Please Come Home John Goldfarb. php) [2] p. Jackie Coogan. a former college football star who once ran 95 yards for a touchdown in the wrong direction. shirleymaclaine. I Don't Care 2002 St. Martin's Griffin [3] "NY Times: What a Way to Go!" (http:/ / movies. The novel's success led Twentieth Century-Fox to acquire the film rights. which was published by Doubleday (ISBN 0553142518). The comic spoof of the Cold War was inspired by a May 1960 incident involving American Francis Gary Powers.377 Server. Jenny Ericson.[2] . and when she discovers she was wrong in thinking the King is no longer romantically interested in his wives. Lee Thompson. she seeks help from Goldfarb. and Jerry Orbach in supporting roles. Lee Baby.com/m/what_a_way_to_go/) at Rotten Tomatoes Complete Dialogue (. NY Times. when the studio finally won its case. Please Come Home is a 1963 novel by William Peter Blatty. he reworked it as a novel. Harry Morgan. Patrick Adiarte. nytimes. Jenny becomes a cheerleader and then the quarterback who scores the winning touchdown for Fawz University. Fred Clark.jsp?stid=95411) at the TCM Movie Database What a Way to Go! (. Richard Crenna as Goldfarb.What a Way to Go! 50 References [1] Shirley MacLaine on her experience with "What A Way To Go!" at shirleymaclaine. com/ shirley/ movies-whatawaytogo. and Blatty submitted his original script for a feature film directed by J.en. Department of State into arranging an exhibition football game between the Notre Dame Fighting Irish and his own team. Film adaptation Blatty's book originally was written as a screenplay.allmovie. Blatty's tale concerns John "Wrong-Way" Goldfarb. [4] http:/ / www. and Jim Backus. The film was a critical failure and earned back only $3. Teri Garr. Peter Ustinov as the King. a CIA operative whose U-2 spy plane was shot down over the Soviet Union.srt) John Goldfarb.rottentomatoes. Retrieved 2008-12-26.imdb. but when no studios expressed interest in it. sparking an international diplomatic incident.com (http:/ / www. is on an undercover assignment as a member of the King's harem.S. but Notre Dame filed a defamation lawsuit that wasn't settled [1] until the following year. The country's leader threatens to turn him over to the Soviets unless he agrees to coach a football team. Now a U-2 pilot. com/ title/ tt0059336/ business) [3] http:/ / www. imdb. com/ title/ tt0059336/ . imdb. com/ title/ tt0059336/ trivia) [2] Imdb business page (http:/ / www. Please Come Home at IMDb [3] References [1] Imdb trivia page (http:/ / www. imdb. Please Come Home 51 External links • John Goldfarb.John Goldfarb. Fuchs Jack Davies Alvin Sargent Sidney Carroll (story) Michael Caine Shirley MacLaine Herbert Lom Maurice Jarre Starring Music by Cinematography Clifford Stine Distributed by Release date(s) Running time Country Language Universal Pictures December 21. the world's richest man. played by Herbert Lom. Plot Cockney cat burglar Harry Dean and exotic Hong Kong showgirl Nicole Chang are seen executing a masterfully planned robbery of a priceless antiquity owned by Mr. Cast • • • • • • Shirley MacLaine .Ahmad Shahbandar Roger C.But Please Don't Tell The Beginning!" Gambit was directed by Ronald Neame from a screenplay by Jack Davies and Alvin Sargent from the original story of Sidney Carroll. However. Shahbandar. Carmel . When he and Nicole set out to pull off the actual heist. "Go Ahead Tell The End .Abdul John Abbott . Shahbandar. resulting in a punchline. it turns out that this foolproof scheme is only in Harry's head for now. everything that possibly could go wrong does indeed go wrong. with a twist at the beginning of the story that is not revealed until the end. The film is told in a reverse chronological order. It was advertised with the headline.Harry Tristan Dean Herbert Lom .Emile Fournier . It was nominated for three Academy Awards.Nicole Chang Michael Caine . 1966 109 minutes United States English Gambit is a 1966 film starring Michael Caine and Shirley MacLaine as two criminals involved in an elaborate plot centered on a priceless antiquity from millionaire Mr.Gambit (film) 52 Gambit (film) Gambit (1966) original film poster Directed by Produced by Written by Ronald Neame Leo L.It's Too Hysterical To Keep Secret .Ram Arnold Moss . still in the planning stage. [3] On November 18.Colonel Salim • Maurice Marsac . MTV. [3] "'Fair Game' Director Doug Liman Circles Coen Brothers-Scripted 'Gambit' Redo" (http:/ / www. NY Times. [5] "Firth and Diaz to star in Coen-scripted Gambit remake" (http:/ / bestforfilm. 2010. Michael Fleming of deadline.[2] As of 2010.com. Webb. Retrieved 2010-11-25. Joel and Ethan Coen completed a screenplay which was expected to be filmed in 2009. com/ 2010/ 04/ fair-game-director-doug-liman-circles-coen-brothers-scripted-gambit-redo/ ). Bestforfilm.com. who was rumoured to star as Harry Dean. said in September 2008: "No! It’s a complete lie. Austin) • Best Costume Design • Best Sound Potential remake A remake of Gambit has been mooted for several years. com/ 2010/ 11/ gambit-gets-funding-and-michael-hoffman-as-director/ ).com reported that Colin Firth and Cameron Diaz are set to star as art curator Harry Deane and steer roper PJ Puznowski. to be directed by Michael Hoffman with shooting planned to start in London in May 2011. . It’s been on IMDB and just sitting there. Retrieved April 29. [4] "'Gambit' Remake Gets Funding And Director" (http:/ / www. John Underwood of bestforfilm. Retrieved 19 September 2008.[4] In February 2011. Sir Ben Kingsley. mtv. John McCarthy. John P. ." Others reportedly discussed for the remake included Hugh Grant. Retrieved 2011-2-2. com/ film-news/ firth-and-diaz-to-star-in-coen-scripted-gambit-remake/ ).Hotel Clerk 53 Awards The film was nominated for three Academy Awards:[1] • Academy Award for Best Art Direction (Alexander Golitzen. Sandra Bullock and Jennifer Aniston. deadline. nytimes. Deadline.com. . Jr. com/ 2008/ 09/ 15/ colin-firth-says-coen-brothers-film-gambit-not-happening/ ). Doug Liman was reportedly considering directing the film. However. who conspire to sell a fake work of art to a collector. [2] "Colin Firth Says Coen Brothers Film ‘Gambit’ Not Happening" (http:/ / moviesblog. Retrieved 2008-12-27.." He also said: "The Coen brothers have written an absolutely brilliant script.[5] References [1] "NY Times: Gambit" (http:/ / movies.imdb.com/title/tt0060445/) at the Internet Movie Database . Colin Firth. 2010. External links • Gambit (. . .com reported that the Gambit remake will be produced by Crime Scene Pictures.Gambit (film) • Richard Angarola . com/ movie/ 19144/ Gambit/ awards). George C. Deadline.com. deadline. furs by Henri Stern. Vittorio DeSica has a cameo as one of the mourners. a shocked wife vows to have sex with the first man she sees as revenge. the wardrobe was done by Pierre Cardin. Maria Teresa/Amateur Night Surprised by her husband (Rossano Brazzi) in bed with her best friend. all starring Shirley MacLaine with most based on aspects of adultery. Episodes Paulette/Funeral Procession Leading a walking funeral procession behind the hearse containing the remains of her late husband. and hairdressing by Louis Alexandre Raimon. Linda/Two Against One A Scotsman (Clinton Greyn) and an Italian (Vittorio Gassman) are invited to the room of a translator who reads T. .S. Levine Cesare Zavattini Shirley MacLaine Peter Sellers Michael Caine Lex Barker Anita Ekberg Adrienne Corri Vittorio Gassman Riz Ortolani Music by Cinematography Christian Matras Distributed by Release date(s) Running time Country Embassy Pictures 1967 108 minutes France Italy United States English French Italian Language Woman Times Seven (Sette Volte Donna in Italian) is a 1967 Italian/French/American co-production anthology film of seven different episodes.Woman Times Seven 54 Woman Times Seven Woman Times Seven Directed by Produced by Written by Starring Vittorio De Sica Arthur Cohn Joseph E. Linda has a photo of her lover (Marlon Brando) on a table. jewellery by Van Cleef & Arpels. Filmed in Paris. a widow is propositioned by her family doctor (Peter Sellers). Elliot in the nude. She meets a flourish of strumpets who help her accomplish her goal. at the time of filming. Levine asked DeSica for a similar type film. Today and Tomorrow. Actor. Jeanne/Snow Two friends meet for lunch on a winter afternoon. but seedy looking man (Michael Caine) who appears to be following them. The first choice for the lead. but the husband. They notice a handsome. and doesn't trust Marie to use his father's pistol on him in case she only wounds him or kills him and changes her mind. html http:/ / www.[1] Edith/Super Simone Ignored by her bestselling author husband (Lex Barker) who is only interested in his fictional female creation.[2] As Levine and DeSica had a critical and financial success with the films Marriage Italian-Style and Yesterday. producer Arthur Cohn and Vittorio DeSica working together. feeling rejected by the world decide on committing suicide in their small room dressed for the wedding they will never have.180 Cardullo. John The Truth Game 1969 Simon and Schuster External links • Woman Times Seven (. Marie/Suicides Two lovers. As Paris is hit by a sudden blizzard. Screenwriter 2002 McFarland p. Vittorio Gassman reminds Clinton Greyn that divorce was. and housekeeper (Jessie Robins) insist that the guest is a lawyer.[4] The concepts of adultery in the film have a European flavor. doesn't want to mess up his tuxedo by jumping out the window. guest. co. Simone.com/title/tt0062502/) at the Internet Movie Database . Jeanne realises that the man if following her.Woman Times Seven 55 Eve/At the Opera A fashion queen is horrified when her archrival Mme Lisari (Adrienne Corri) has been photographed in what her husband (Patrick Wymark) had promised was an exclusive creation for her alone. impossible for an Italian. com/ archive/ 1967/ 09/ 16/ 1967_09_16_055_TNY_CARDS_000286349 p. independent. Natalie Wood turned the film down. DeSica's [3] collaborator Cesare Zavattini had some sketches laying about that they turned into the movie. When asking her archrival not to wear it encourages her to do the opposite. Production Woman Times Seven was the first of a projected three films with Joseph E.imdb. Claudie (Anita Ekberg) suggests the two leave the restaurant and go their separate ways to see which one of them he follows. In the film. newyorker. the research and development head of her husband's fashion house suggests planting a bomb in her archrival's car.150 Hallowell. Fred (Alan Arkin) however is afraid of pills. Her shocked husband invites a psychiatrist (Robert Morley) to dinner to examine her for mental illness. Levine. uk/ arts-entertainment/ fashion-alexandre-the-great-what-a-hairstylist-1179623. a neglected wife turns her visions of her as Simone into reality. Bert Vittorio De Sica: Director. References [1] [2] [3] [4] http:/ / www. Louis Alexandre Raimon has a cameo as himself. The Bliss of Mrs. Det. 1968 (UK) 93 minutes United Kingdom English The Bliss of Mrs. Blossom is a 1968 British comedy film directed by Joseph McGrath. is enchanted by the woman and decides to settle in to serve as her secret paramour. Sgt. however. Mrs. but presents the couple with his factory as a wedding present. 1968 (USA) November 21. When his wife Harriet's sewing machine breaks down. Blossom not only allows Ambrose to remain with his wife. but Ambrose saves the day by passing along stock tips that turn his employer into a millionaire. Dylan from Scotland Yard is assigned to the case. . Blossom The Bliss of Mrs. The grateful Mr. one he doggedly pursues for years. instructing him to sneak out in the middle of the night. The mysterious noises Robert frequently hears overhead finally lead to his nervous breakdown. who served as the film's producer. Blossom 56 The Bliss of Mrs. he sends his bumbling employee Ambrose Tuttle to repair it. Ambrose. Blossom Videotape cover Directed by Produced by Written by Joseph McGrath Josef Shaftel Alec Coppel Denis Norden Based on a short story by Josef Shaftel Shirley MacLaine Richard Attenborough James Booth Riz Ortolani Starring Music by Cinematography Geoffrey Unsworth Editing by Distributed by Release date(s) Running time Country Language Ralph Sheldon Paramount Pictures September 11. then hides him in the attic. The screenplay by Alec Coppel and Denis Norden was adapted from a play by Coppel that was based on a short story by Josef Shaftel. Plot Robert Blossom is a workaholic brassiere manufacturer. When he's reported missing. Blossom seduces him. html?categoryid=31& cs=1& p=0) [3] Time Out New York review (http:/ / www. [the] idea is fleshed out most satisfactorily so as to take undue attention away from the premise. although basically a one-joke story. Miss Reece Reception In his review in the New York Times. . timeout. nytimes. Ambrose Tuttle Freddie Jones .. Interiors were filmed at the Twickenham Film Studios in Middlesex. Production notes Assheton Gorton served as production designer for the film. Principal cast • • • • • • Shirley MacLaine ... Attenborough's in particular. Dylan Bob Monkhouse . com/ movie/ review?res=9403E0DA1730E034BC4A52DFB4678383679EDE) [2] Variety review (http:/ / www. variety. Dr.. with a neat climactic twist.."[2] Time Out New York calles it a "coarse comedy which looks a little like Joe Orton gone disastrously wrong ."[1] Variety described it as "a silly. In the early 1920s. and at Alexandra Palace in London.. Det.... The real story doesn't have the happy ending of the movie. Otto Sanhuber in the attic where he lived for many years. Blossom (. Sgt."[3] References [1] New York Times review (http:/ / movies. any sparks in the script or performances are ruthlessly extinguished by atrocious direction. restrained and absurdly likable....... Taylor Patricia Routledge .. The soundtrack includes the songs "The Way That I Live" performed by Jack Jones and "Fall in Love" performed by the New Vaudeville Band. Walburga Oesterreich kept her lover.. .com/title/tt0062739/) at the Internet Movie Database .The Bliss of Mrs..imdb. . Performances are all very good. at the National Film Theatre in the South Bank Centre.. html) External links • The Bliss of Mrs. Howard Thompson called the film "roguish. Blossom 57 Story The film is loosely based on a real incident. Location scenes were filmed in Bloomsbury. com/ film/ newyork/ reviews/ 68020/ The_Bliss_of_Mrs_Blossom. Harriet Blossom Richard Attenborough .. Barry Humphries. com/ review/ VE1117789351. campy and sophisticated marital comedy.. always amusing and often hilarious in impact .. Bea Arthur and John Cleese make brief appearances in the film. Frank Thornton. . Robert Blossom James Booth . and starring Shirley MacLaine.000 Sweet Charity (Sweet Charity: The Adventures of a Girl Who Wanted to Be Loved in the US) is a 1969 American musical film directed and choreographed by Bob Fosse. the musical makes the central character a dancer-for-hire at a Times Square dance-hall. Sweet Charity Theatrical release poster Directed by Produced by Screenplay by Story by Starring Bob Fosse Robert Arthur Peter Stone Neil Simon (Musical) Shirley MacLaine John McMartin Ricardo Montalban Chita Rivera Paula Kelly Cy Coleman Dorothy Fields Music by Cinematography Robert Surtees Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue Stuart Gilmore Universal Pictures April 1. For the musical. written by Neil Simon. . However.000. The play and the film are based on Federico Fellini's screenplay for Nights of Cabiria.Sweet Charity (film) 58 Sweet Charity (film) This is an article about the 1969 film. where Fellini's black-and-white film concerns the romantic ups-and-downs of an ever-hopeful prostitute. The film was notable for costumes by Edith Head and its dance sequences (notably "Rich Man's Frug"). see Sweet Charity. which Fosse had directed and choreographed also. 1969 149 minutes United States English $20 million $4. It is based on the 1966 stage musical of the same name. "The Rhythm of Life" 10. They strike up a relationship. and she accepts. In the end. but Charity does not reveal what she does for a living.Sweet Charity (film) 59 Plot Charity Hope Valentine (Shirley MacLaine) works as a taxi dancer along with her friends. "Where Am I Going?" . but finally tells Charity that he cannot marry her. Racing to rescue her. "Rich Man's Frug" 5. She meets famous actor Vittorio Vidal (Ricardo Montalban) and has a complicated. She longs for love. Alternate ending An alternate ending found on the Laserdisc and DVD versions picks up after Oscar leaves Charity. but has bad luck with men. Jr. but filmed it in apprehension that the studio would demand a happy ending. "If They Could See Me Now" 6. Fosse thought the ending was too corny. Nickie (Chita Rivera) and Helene (Paula Kelly). "I'm a Brass Band" 12. he initially seems to accept it. "The Pompeii Club" 4. though. but can't swim so Oscar rescues her. Charity jumps in after him. alone for the time being. When she finally does tell Oscar. but pleasant evening with him. The optimistic Charity faces her future. "My Personal Property" 2. "It's a Nice Face" 9. Cast • • • • • • • • • Shirley MacLaine as Charity Hope Valentine John McMartin as Oscar Lindquist Ricardo Montalban as Vittorio Vidal Chita Rivera as Nickie Paula Kelly as Helene Stubby Kaye as Herman Barbara Bouchet as Ursula Sammy Davis. "There's Got to Be Something Better Than This" 8. Oscar realizes Charity is the only breath of fresh air in his life. proposes again. they agreed with Fosse and kept the original bittersweet ending from the stage version. goes for a walk in the park. feeling suffocated. "Sweet Charity" 11. "I Love to Cry at Weddings" 13. After failing to find a new job through an employment agency. He sees Charity on their bridge in Central Park and thinks she is going to jump. Charity meets shy Oscar Lindquist (John McMartin) in a stuck elevator. "The Hustle" 7. living hopefully ever after. Oscar starts to go crazy in his apartment and.) Big Spender" 3. he trips and falls in the water. as Big Daddy Brubeck Ben Vereen as "Rich Man's Frug" dancer Musical numbers 1. "(Hey. being robbed and pushed off a bridge in Central Park by one ex-boyfriend. [3] "Festival de Cannes: Sweet Charity" (http:/ /) at Allmovie Sweet Charity (. festival-cannes. festival-cannes.allmovie.com/title/tt0065054/) at the Internet Movie Database Sweet Charity (. com/ cg/ avg. dll?p=avg& sql=1:48091~T1 [2] "NY Times: Sweet Charity" (http:/ / movies. Jack D. Retrieved 2008-12-27. allmovie. Webb.rottentomatoes. George C. . It received one Golden Globe nomination for Shirley MacLaine as Best Motion Picture Actress Musical/Comedy. Score of a Musical Picture (Original or Adaptation). External links • • • • Sweet Charity (. The terrible box office nearly sank Universal Pictures.jsp?stid=92067) at the TCM Movie Database Sweet Charity ( Charity (film) 60 Box office The film cost $20 million to make. and Best Music. Retrieved 2009-04-10. html). Moore).[1] Awards and nominations The film received three Academy Award nominations:[2] Best Art Direction-Set Decoration (Alexander Golitzen. but only made $4 million at the box office. com/ movie/ 48091/ Sweet-Charity/ awards). nytimes.com/title/title. but outside of the main competition. Best Costume Design. com/ en/ archives/ ficheFilm/ id/ 2516/ year/ 1969.com/m/sweet_charity/) at Rotten Tomatoes .[3] References [1] http:/ / www. . It was also screened at the 1969 Cannes Film Festival. NY Times.com.imdb. [5] [6] The film featured both American and Mexican actors and actresses. Morelos. The film was released in 1970 and directed by Don Siegel. 1970 116 min. . United States Mexico English $4 million [1] [2] [3] $4. 1970 Mexico: August 13. including being filmed in the picturesque countryside near Tlayacapan.7 million Two Mules for Sister Sara is an American-Mexican western film starring Clint Eastwood and Shirley MacLaine set during the French intervention in Mexico. Shugrue Universal Pictures US: June 16.Two Mules for Sister Sara 61 Two Mules for Sister Sara Two Mules for Sister Sara 1970 Mexican movie poster Directed by Produced by Written by Don Siegel Carroll Case Martin Rackin screenplay by Albert Maltz from a story by Budd Boetticher Shirley MacLaine Clint Eastwood Manolo Fábregas Alberto Morin Ennio Morricone Original music Stanley Wilson Music department Starring Music by Cinematography Gabriel Figueroa Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue Robert F.[4] The plot follows an American mercenary who gets mixed up with a whore disguised as a nun and aids a group of Juarista rebels during the puppet reign of Emperor Maximilian in Mexico. It was to have been the first in a five-year exclusive association between Universal Pictures and Sanen Productions of Mexico. rewrite the story. Cast • • • • • • • • • • • • • Shirley MacLaine as Sara Clint Eastwood as Hogan Manuel Fábregas (billed as Manolo Fábregas) as Col. and the two team up. Allison. unshaven. Eventually the two reach reach Juarista commander Col. Beltrán Alberto Morin as Gen. wearing a serape-like vest and smoking a cigar and the film score was composed by Morricone. Hogan is surprised that the nun smokes his cigars and drinks his whiskey. Production Development Budd Boetticher. Hogan demonstrates great bravery in the battle by single handedly gunning down several French soldiers. inflitrate the fortress. and open the gates for the Mexican army to swarm through. Kerr's character was a member of the Mexican aristocracy escaping the vengeance of the Mexican Revolution with Mitchum's cowboy protecting her as he led her to safety to the United States. he agrees because he had previously arranged to help the Mexican revolutionaries attack the French garrison in exchange for a portion of the garrison's strongbox if they are successful. The film saw Eastwood embody the tall mysterious stranger once more. He later learns that she is a nun that is working with a group of Mexican revolutionaries that are fighting the French.[9] Although the film had Leonesque dirty Hispanic villains.[7] Maltz's version had Clint Eastwood playing a soldier of fortune for the Juaristas and Shirley MacLaine playing a revolutionary prostitute[8] now set during the French intervention in Mexico. When Hogan attempts to detonate a charge to destroy a French ammunition train. As promised. She then reveals to Hogan that she is not a nun. As the duo heads toward the camp. the film was considerably less . Hogan receives a big portion of the riches in the fort.Two Mules for Sister Sara 62 Plot A drifter named Hogan spots and saves a naked Sara from being gang-raped by several men whom he shoots and kills. Sara assists him in angling his rifle. and the two are able to destroy the train together. also living in Mexico. Mr. who had played a man of action and a nun in Heaven Knows. a long term resident of Mexico renowned for his series of Randolph Scott westerns. The French retreat and the Mexicans capture the fort. but a prostitute. Hogan and Sara set off together out for further adventures. Carrol Case sold the screenplay to Martin Rackin who had Albert Maltz. wrote the original 1967 screenplay that was bought with the provision that Boetticher would direct. Sara is able to bandage him. but he is still unable to shoot the charge to disable the train. Now wealthy and his job completed. Beltran's camp and Sara reveals the layout of the French garrison. An epic battle ensures. Boetticher had planned the film for Robert Mitchum and Deborah Kerr. he is shot by an arrow in the shoulder. When Sara requests that Hogan take her to a Mexican camp. [10] Boetticher expressed disgust with MacLaine's bawdy character obviously not looking like a nun as opposed to his idea of a genteel lady whose final revelation would have been more of a surprise to the audience. Its kind of The African Queen gone west".000 Movies Ever Made included Two Mules for Sister Sara in its top 1. "It's hard to feel any great warmth to her. where heroes can always have a stick of dynamite under their vests.[12] 63 Casting Eastwood had been shown the script by Elizabeth Taylor during the filming of Where Eagles Dare with the view of Taylor playing the female role. as Mexican authorities did not want it released in the area after filming the scene.[13] Eastwood believed that the studio was keen on MacLaine as they had high hopes for her film Sweet Charity where she played a taxi dancer. Two Mules for Sister Sara was called "a solidly entertaining film that provides Clint Eastwood with his best."[3] The New York Times in its book.[17] Figueroa used many photographic filters for effects in the film. including MacLaine were stricken by illness while filming due to the adjustment to the food and water. Siegel understood Boetticher's dislike of the final film. She's very. Filming The film was shot over 65 days in Mexico and cost around $4 million to make. but it is very good and it stays and grows on the mind the way only movies of exceptional narrative intelligence do". She's too unfeminine and has too much balls. where every story has not one but two cute finishes.[23] Author Howard Hughes joked that critics "couldn't argue that Eastwood's acting was second to nun.[14] Both Siegel and Eastwood felt intimidated by her onset.[3] Critical reception Two Mules for Sister Sara received moderate reviews. The New York Times Guide to the Best 1.[10] The role of Sister Sara was supposed to be Mexican. in it he is far better than he has ever been.a place where nuns can turn out to be disguised whores. and Siegel described Clint's co-star as.[15] [20] Stanley Kauffman described the film as "an attempt to keep old Hollywood alive. Boetticher asked Siegel how he could make an awful film like that with Siegel replying that it was a great feeling to wake up in the morning and know there was a cheque in the mail whilst Boettcher replied it was a better feeling to wake up in the morning and be able to look at yourself in the mirror.[1] [2] Many of the cast and crew."[15] Two Mules for Sister Sara marked the last time that Eastwood would receive second billing for a film and it would be 25 years until he risked being overshadowed by a leading lady again in The Bridges of Madison County (1995).Two Mules for Sister Sara crude and more sardonic than those of Leone. The role of Sister Sara was initially offered to Taylor (Taylor then being the wife of Richard Burton) but had to turn down the role because she wanted to shoot in Spain where Burton was filming his latest movie.7 million in its domestic release in the United States."[20] .[11] Though Boetticher was friends with both Eastwood and director Don Siegel. and Roger Greenspun of The New York Times reported.[21] [22] In a review by the Los Angeles Herald-Examiner. Eastwood has found what John Wayne found in John Ford and what Gary Cooper found in Frank Capra.[18] Eastwood revealed that he actually killed the rattlesnake for a scene in the film. Eastwood noted that he did not want to kill it as he is opposed to killing animals. although they were initially unconvinced with her pale complexion.[16] Bruce Surtees was a camera operator on the film and acted as a go-between between Siegel and Gabriel Figueroa that led him to work on Siegel's next film The Beguiled. most substantial role to date.000 films of all time. "I'm not sure it is a great movie. In director Don Siegel. very hard. but Shirley MacLaine was cast instead.[19] Release Box office The film grossed $4. Clint Eastwood: A Cultural Production: Volume 8 of American Culture.11 Eastwood.182 [16] Munn. Aim for the Heart. Howard (2009).Two Mules for Sister Sara 64 Pop culture influences • Shock rocker Alice Cooper released a song on his 2001 album Dragontown entitled "Sister Sara". • Schickel. • Munn. p. Peter (1999).181 [14] p. London: Harper Collins. p. which is about a woman posing as a nun while living a life of sin. . The New York Times Guide to the Best 1000 Movies Ever Made. The New Republic.B. Paul (1993). ISBN 9780679429746. ISBN 0006383548.56 Dixon.183 [2] Hughes. com/ contents/ 06/ 38/ boetticher. • The broadcast commentator Keith Olbermann of MSNBC's Countdown with Keith Olbermann. Leonard The Art of the Cinematographer Dover Publlications [19] Munn. "Stanley Kauffman on Films". Clint Eastwood: Hollywood's Loner. • Eliot.76 [7] Schickel (1996).21 [3] Eliot (2009). Clint Eastwood. p.227 [23] Canby. ISBN 0863693075. p. p.225 [8] Senses of Cinema. 117-118 [4] http:/ / issuu. 93 [17] p. ISBN 0812930010. • Hughes. Just Making Movies University Press of Mississippi [12] p. Michael (1992). London: I. Ride Lonesome: The Career of Budd Boetticher (http:/ / archive. ISBN 0816619603.25 [21] Kauffman. ISBN 086051790x. Film Talk Rutgers University Press [13] McGilligan (1999). Janet. p. html) [9] Schickel (1996). Maslin. London: Robson Books. • Smith. Patrick (1999). Clint. Harmony Books. Coblentz. American Rebel: The Life of Clint Eastwood. • Frayling. p. p. Ronald L. [22] Schickel (1996). Kapsis. p. 98 [20] Hughes. New York: Knopf. Vincent. ISBN 978-0-307-33688-0. p. Wheeler K. org/ blogs/ brad-wilmouth/ 2010/ 07/ 12/ olbermann-claimed-he-d-never-call-woman-idiot-tags-palin-idiot-22-tim Bibliography • Canby. Minneapolis: University of Minnesota Press. p.219 Davis. Maslin & Nichols (1999) [24] http:/ / newsbusters. ISBN 9781845119027. p. Kathie Clint Eastwood: Interviews University of Mississippi Press [15] McGilligan (1999).179 [11] p. sensesofcinema. New York: Times Books. p. 1970). p. Clint Eastwood: A Biography. London: Virgin. Nichols.7 [6] Smith (1993).. Christopher (1992)."[24] References [1] McGilligan (1999).46 Maltin. com/ boxoffice/ docs/ boxoffice_062369/ 11 [5] Frayling (1992). Tauris. has nicknamed Former Alaska Governor Sarah Palin. • McGilligan. "Sister Sarah.226 [10] McGilligan (1999). Richard (1996). Clint: The Life and Legend. Robert E.101 Clint Eastwood [18] p. Marc (2009). Stanley (August 1. com/title/title.com/work/51405) at Allmovie Two Mules for Sister Sara () at the TCM Movie Database Two Mules for Sister Sara at [[Rotten Tomatoes ( Mules for Sister Sara 65 External links • • • • Two Mules for Sister Sara () at the Internet Movie Database Two Mules for Sister Sara ( two_mules_for_sister_sara/)]] . childless Brooklyn Heights couple trapped in a loveless marriage. Lovett 22 September 1971 97 minutes United States English Desperate Characters is a 1971 American drama film produced. middle class.Desperate Characters 66 Desperate Characters The Prophet of Hunger Videotape cover Directed by Produced by Written by Starring Frank D. Gilroy Frank D. she a translator of books. leaving them feeling paranoid. written. . and desperately helpless. and directed by Frank D. Gilroy. Plot Sophie and Otto Bentwood are a middle-aged. scared. He is an attorney. Gilroy Paula Fox Shirley MacLaine Cinematography Urs Furrer Editing by Release date(s) Running time Country Language Robert Q. who based his screenplay on the 1970 novel of the same name by Paula Fox. Their existence is affected not only by their disintegrating relationship but by the threats of urban crime and vandalism that surround them everywhere they turn. Gilroy Frank D. The film details their fragile emotional and psychological states as they interact with each other and their friends. Kenneth Mars offers a deeply felt. I have a feeling that the director has perfectly served the writer. . That is to say that Gilroy has realized the movie he intended to make. She proves that we were right. achieves one of the great performances of the year. then unenriched. could go all the way with a serious role. . His characters talk in great chunks of theatrical exchanges. as his wife. Its literary style. p24-34. Gilroy. when we saw her in films like The Apartment. nudging us for sympathy and never letting us discover them at our own speed . . . but also somehow make me suspicious of the integrity of the characters. co-winner with Simone Signoret) Silver Bear for an outstanding single achievement (winner) Silver Bear for Best Screenplay (winner) UNICRIT Award (Frank D. . Vol. 165 Issue 13. . remembering too many details out of the past. which not only deny the splendid accuracy of the situations and the settings. This is especially true of the supporting characters. however. of delicately realized intangibles: small-scale about large issues. 2p Awards and nominations • 21st Berlin International Film Festival:[4] • • • • • Silver Bear for Best Actress (Shirley MacLaine. and monologues." [2] TV Guide rates it 3½ out of a possible four stars and calls it a "well-written if somewhat stagey character study [with] one of Maclaine's best performances. Vincent Canby said." [3] Stanley Kauffmann of the New Republic called this "a film of authenticity. I wish I liked it more. who are always telling us too much. . without the additive that transforms recognizable experience into art . complex performance ." He lists it as a "top film worth seeing" in late 1971. . find it difficult to respond. . . 9/25/71. In every respect. if not unmoved. O'Loughlin as Charlie Critical reception In his review in the New York Times. "I must confess that Desperate Characters left me." [1] Roger Ebert of the Chicago Sun-Times described it as "a terribly interesting and well-acted movie that does not deserve some of the criticism it's getting . whatever you think of its urban paranoia. and it's a style to which I . to know that she really had it all. is similar. Shirley MacLaine. It's as if its cheerlessness had been bottled straight. truthful without settling for honest-to-God TV fact. winner) Golden Bear for Best Picture (nominee) . the screenplay is a vast improvement over Gilroy's Pulitzer Prize-winning The Subject Was Roses.Desperate Characters 67 Cast • • • • Shirley MacLaine as Sophie Bentwood Kenneth Mars as Otto Bentwood Sada Thompson as Claire Gerald S. Watching Miss MacLaine and Mars work together is enough to justify the movie. nytimes.imdb. com/ movies/ desperate-characters/ review/ 112774) "Berlinale 1971: Prize Winners" (http:/ / www. com/ apps/ pbcs. External links • Desperate Characters at the Internet Movie Database (. tvguide. html). .com/title/tt0066986/) .de. berlinale. suntimes. Retrieved 2010-03-13. dll/ article?AID=/ 19711110/ REVIEWS/ 111100301/ 1023) TV Guide review (http:/ / Characters 68 References [1] [2] [3] [4] New York Times review (http:/ / movies. com/ movie/ review?res=9D0CEEDD1F3FE63ABC4B51DFBF66838A669EDE) Chicago Sun-Times review (http:/ / rogerebert. berlinale. de/ en/ archiv/ jahresarchive/ 1971/ 03_preistr_ger_1971/ 03_Preistraeger_1971. all she hears is exotic music playing in the background. and both here and in other parts of the film it is subtly implied that theirs is not an ordinary siblings' relationship. and heads over to her brother's seedy Spanish Harlem . When she calls him. and her younger brother Joel Delaney attend a party being given by Norah's friend Dr. many of them mistaking Joel for Norah's younger lover. and directed by Waris Hussein. followed by somebody breathing and making odd sounds into the phone. Norah Benson. Joel fails to attend a scheduled dinner at Norah's house. self-compliant snobbishness. 1972 105 minutes United States English $1. although there is no open allusion to incest. the latest of which being Tangiers. Erika Lorenz.The Possession of Joel Delaney 69 The Possession of Joel Delaney The Possession of Joel Delaney Original theatrical poster Directed by Written by Starring Waris Hussein Ramona Stewart (novel) Irene Kamp. It is also established. many reviewers compare it. Two days after the party. The film was entered into the 22nd Berlin International Film Festival. a wealthy Manhattan socialite. their demeanor together catches the eye of other people attending the party. in contrast to Norah's upscale. Norah is extremely protective of her brother. Joel's girlfriend Sherry appears later on during the party. bohemian type and frequently goes on trips to exotic locations. to The Exorcist. later in the film.[1] Plot At the beginning of the film. which would come one year later. Because it was released during the early seventies and deals with possession. albeit somehow complementary mindsets. Ornitz Editing by Distributed by Release date(s) Running time Country Language Budget John Victor-Smith Paramount Pictures May 24.300. some favorably. She tells her children Carrie and Peter to go ahead and eat. Joel is more of an adventurous. Matt Robinson (screenplay) Shirley MacLaine Perry King Cinematography Arthur J. It is based on the 1970 novel of the same name by Ramona Stewart. that the two siblings have sensibly different.000 The Possession of Joel Delaney is a 1972 horror film starring Shirley MacLaine and Perry King. nearly burning Sherry's hair in the candles on the cake and insulting Veronica and Sherry in fluent Spanish. he asks her to bring one of Joel's belongings to his flat. Joel starts acting childishly. When she steps out of the cab. The stories didn't get much attention because the girls were Hispanic. unaware that Joel is standing outside of his and Erika's 70 . Lorenz. The next day is his birthday and he invites Sherry to Norah's place for a small party. who reveals the film's major plot point to both her and the audience: Tonio is dead and his spirit has entered Joel's body. She implores Veronica to help her find out exactly what's going on with her brother. in perfectly fluent Spanish) and barricaded inside. although she admits to him having a dark side. attended by Norah's kids and Sherry and Veronica. is dragged out by the police. She has to come back with Joel. She also finds an unusually large switchblade knife in Joel's place. Norah rents a car and is off to the beach house. and much to her horror finds the girl's decapitated body on the bed and her head hanging from a huge plant. In spite of the Erika's recommendations. Norah then goes to Bellevue and finds out that her brother doesn't even remember the assault on the super. she finds Joel screaming (again. unnerving her. Norah is reluctant at first but Joel comes out of his room and is taken away by the officer. as it is later revealed). He asks Norah inappropriate questions about her sex life. a prominent surgeon. he also sneaks from his room without telling anyone and shows up at a nearby nightclub where he finds Sherry intoxicated and flirting with other men. she arrives at Don Pedro's apartment with Joel's scarf and finds Tonio's mother. The following day. He then goes on to a more menacing tone. The former employee. she is handed the keys by Mr. Mrs. though. The investigation stalled when Pérez's friends and neighbors in Spanish Harlem refused to cooperate. She then learns that he tried to kill the building superintendent. Initially reluctant. according to Don Pedro. Norah sees a large group of people surrounding his building as her brother. In one of these appointments. The ritual turns out to be a failure. Pérez (Aukie Herger). The belief is that Tonio Pérez committed the crimes but he's been missing ever since. asking whether Joel has any Puerto Rican friends. Erika asks about his recent trip to Tangiers and wonders why someone from such an affluent background would want to live in the East Village. She then takes Peter and Carrie to Erika's apartment and catches her just as she's preparing her husband for a business trip. Nevertheless. she learns that Joel has been taken to the psychiatric ward for observation. They go back to her luxury high-rise apartment where Joel proceeds to get rough during their lovemaking. Detective Brady (Peter Turgeon) arrives at Norah's house to question her about the event. screaming hysterically and in handcuffs. Tonio Pérez's spirit doesn't want to come out because Norah isn't a believer. a typical item in Santeria rites) painted in the wall of both the super's and his brother's flats. Sherry arrives minutes later and dismisses the possibility of Joel being homicidal. It turns out the murder is similar to three others that happened the summer before in which the victims were found decapitated with their heads tied to something. Norah is determined to find out why and takes a taxi up to Spanish Harlem to see her. Pérez and finds the whole place in disarray and an eerie sign (a hand with stigmata. Erika tells her to go to her home in the coast for now and that she will deal with Joel. gives her the name and address of Don Pedro (Edmundo Rivera Alvarez). owner of a store that sells paraphernalia for Santeria rituals. he agrees to confess he did take them in exchange for leaving Bellevue attending daily appointments with Dr. Norah decides to go through with the Santeria ritual. All the participants seem possessed by the spirit they're trying to channel. She then calls home to speak to Veronica but finds out from the kids that the maid quit her job. Norah goes to Sherry's apartment to return her other earring. When Norah gets home. Joel begins behaving oddly. Using the connections provided by her former husband Ted. Norah goes to the New York Public Library to look at the articles about the Pérez murders. aware that she's now as entitled to condescension as Norah.The Possession of Joel Delaney apartment to find out about his delay. Pérez admits that her son killed the other three girls and tells Norah that Tonio's father killed him when he found out. Erika's husband leaves for the trip. At home. Joel tells her he formed a strong bond with a young Puerto Rican named Tonio Pérez (the super's son. The detective insists on seeing Joel and taking him down to the station house. pretending he has found Sherry's lost earring in the car and then letting it go off with a balloon. Mr. When she goes to Joel's building the next day. Soon others arrive and the ceremony begins. and is being taken to Bellevue Hospital. and that he insists that he did not take drugs. Their first night at the beach house is uneventful. They can only watch what's happening through the huge glass sliding doors. 71 Controversy One of the more controversial elements of the film is its ending. As she cradles him in her arms.The Possession of Joel Delaney apartment building.Ted Benson Miriam Colon .Charles (as Earl Hyman) Marita Lindholm . Norah tells the kids to run out of the house.Veronica Ernesto Gonzalez .Young Man at Seance Aukie Herger . the next morning. The film was blasted by critics for the nude scene and the unconvincing script used.Mrs.Erika Edmundo Rivera Álvarez . The next several shots show a thirteen year old boy dancing and walking about the room naked (including full frontal nudity). They struggle and Joel gives his sister a passionate kiss (again hinting at the film's incestuous subtext).Mr. It would also be the first movie for Perry King and the last horror film Shirley MacLaine made.Don Pedro Teodorina Bello . Cast • • • • • • • • • • • • • • • Shirley MacLaine . Mr. Noticing that Peter has broken a sweat from the dancing. claiming that today it would earn the film an NC-17 rating. Norah jumps on Joel to stop him. Perez Earle Hyman . Norah comes back from the beach with her children and finds Erika's decapitated head on a cabinet above the refrigerator.Marta Benson .Peter Benson Lisa Kohane . He taunts them by graphically cutting open a fish the kids caught shortly before. Joel goes after them and is shot by one of the officers.Carrie Benson Barbara Trentham . In the kitchen he tries to force Carrie to eat dog food before slashing her neck slightly. The new Region 1 DVD reflects an altered version. however. puts on music and orders them all to dance. Stephen King wrote about the film and that particular scene. he orders the boy to strip. Benson and the police arrive and Norah yells at them not to shoot. he keeps them captive and subjects them to both physical and psychological torment.Joel Delaney Michael Hordern . Now uniformly possessed by his Spanish-speaking persona. Norah picks up the knife and holds it up towards the cop who shot Joel.Sherry Lovelady Powell .Norah Benson Perry King . His sister runs to his side but its too late to save him. Pererz Robert Burr . something seems to overcome her. Finally. The VHS tape was released uncensored in 1998.Justin David Elliott . In the March 5. 2004 issue of Entertainment Weekly. Joel is standing nearby with a knife. imdb. Retrieved 2010-06-28.The Possession of Joel Delaney 72 References [1] "IMDB.imdb. com/ title/ tt0067601/ awards). External links The Possession of Joel Delaney (. .com.com/title/tt0067601/) at the Internet Movie Database . imdb.com: Awards for The Possession of Joel Delaney" (http:/ / www. NY Times. () .The Other Half of the Sky: A China Memoir 73 The Other Half of the Sky: A China Memoir The Other Half of the Sky: A China Memoir Directed by Produced by Written by Narrated by Cinematography Editing by Release date(s) Running time Country Language Shirley MacLaine Claudia Weill Shirley MacLaine Shirley MacLaine Shirley MacLaine Joan Weidman Claudia Weill Aviva Slesin Claudia Weill 1975 74 minutes United States English The Other Half of the Sky: A China Memoir is a 1975 documentary film directed by Shirley MacLaine and Claudia Weill. com/ movie/ 145445/ The-Other-Half-of-the-Sky-A-China-Memoir/ details). Retrieved 2008-11-15.[1] References [1] "NY Times: The Other Half of the Sky: A China Memoir" (http:/ / movies. .kbkendall. It was nominated for an Academy Award for Best Documentary Feature.imdb. External links • The Other Half of the Sky: A China Memoir (. nytimes.com/title/tt0073495/) at the Internet Movie Database • The autobiography "Berkeley to Beijing" discusses the events surrounding the filming from a twelve year old girls perspective. the film won no Oscars. and Best Writing. Meanwhile. 1977 119 minutes United States English The Turning Point is a 1977 film written by Arthur Laurents and directed by Herbert Ross. The reunion stirs up old memories and affects the present. the two reunite.The Turning Point (1977 film) 74 The Turning Point (1977 film) The Turning Point Directed by Produced by Herbert Ross Arthur Laurents Herbert Ross Nora Kaye Arthur Laurents Shirley MacLaine Anne Bancroft Tom Skerritt Mikhail Baryshnikov Leslie Browne Written by Starring Cinematography Robert Surtees Editing by Distributed by Release date(s) Running time Country Language William H. Awards It was nominated for 11 Academy Awards:[1] Best Actor in a Supporting Role (Mikhail Baryshnikov). an old male friend of DeeDee's is getting to know her all over again. Anne Bancroft. Thus. it shares the dubious distinction of receiving the most Oscar nominations without any awards. Marshall Thompson and James Mitchell. Best Director. Marvin March). Emilia's brother Ethan is offered two ballet scholarships. Anthony Zerbe. along with The Color Purple. Best Sound. Leslie Browne. Martha Scott. In starring roles were Shirley MacLaine. Emma (Anne Bancroft) stayed in the company and became a prima ballerina. DeeDee (Shirley MacLaine) left ballet after becoming pregnant with the child of another ballet dancer. When the company finally comes back to town. Also. Best Actress in a Supporting Role (Leslie Browne). Best Cinematography. Emilia starts an affair with a big-name Russian ballet defector and ladies' man (Mikhail Baryshnikov). Best Actress in a Leading Role (Shirley MacLaine). Despite these 11 nominations. The two settled down to raise a family and co-run a ballet studio in the suburbs of Oklahoma City. Best Actress in a Leading Role (Anne Bancroft). is invited to join the company at Emma's request. DeeDee's daughter. Best Art Direction-Set Decoration (Albert Brenner. Tom Skerritt. Mikhail Baryshnikov. Plot This film tells the story of friends and former competitors in the world of ballet. Reynolds 20th Century Fox November 14. Wayne (Tom Skerritt). it looks as if Emma's day in the sun is coming to an end. Emilia (Leslie Browne). but is unsure to pursue a career between ballet and baseball. Best Picture. Best Film Editing. . Screenplay Written Directly for the Screen. He subsequently played in several other films following The Turning Point including: White Nights (1985). the director. only they were dancers and one was the mother and they were old friends. New York: Putnam. including: Nijinsky (1980) and Dancers (1987). New York: Harper. and appeared in several films after The Turning Point. in 1976. Brenda (Shannen Doherty) and Andrea (Gabrielle Carteris) act out a crucial scene from the film that escalates into an offstage confrontation." In the Judy Blume book Summer Sisters this film sparked a great discussion with the two main characters of the story. one for which he received an Oscar nomination. The New York Times. much to his delight. • Lawrence.. then became principal in 1986. The Celluloid Closet: Homosexuality in the Movies. References [1] "The Turning Point . Baryshnikov's performance of Yuri Kopeikine in The Turning Point was his first film role.com/work/51265) at Allmovie . Mikhail Baryshnikov. Greg.allmovie. She retired from the company in 1993. In the episode of That '70s Show entitled Fez Dates Donna. 2001. with Gregory Hines and Isabella Rossellini (choreographed by Twyla Tharp). [looks confused] I should really rent that again. In an episode of "Beverly Hills. 90210" entitled "Pass/Not Pass". Dance with Demons: The Life of Jerome Robbins. Eric. • Russo. and Dancers (1987).com/title/tt0076843/) at the Internet Movie Database • The Turning Point (. . In 1997. she was awarded the Distinguished Achievement Award by the New York City Dance Alliance. ISBN 0-399-14652-0. Ms. Appearances in popular culture In an episode of The Nanny. She had joined the American Ballet Theatre just a year prior. 1987. External links • The Turning Point (. a young professional dancer with the American Ballet. ISBN 0-06-096132-5. 2008. Vito. which showed how different the girls' priorities were. Fran references the film by saying: "This is like that movie 'The Turning Point'. This film was also an introductory acting film for infamous Russian ballet dancer. nytimes. could not take Donna out to see the movie since Donna was pretending to be dating Fez. as a soloist. each directed by Herbert Ross. Retrieved December 30. Though his by-now famous stage presence and soaring jumps had been made famous by PBS's airing of In Performance Live from Wolf Trap (his American television dancing debut in 1976).. received a nomination for an Academy Award for Best Supporting Actress for her role in this film. Browne was also the goddaughter of Herbert Ross. com/ movie/ 51265/ The-Turning-Point/ awards).imdb.Awards" (http:/ / movies.The Turning Point (1977 film) 75 Details Leslie Browne. Vix and Caitlin. Being There 76 Being There Being There Original film poster Directed by Produced by Written by Starring Hal Ashby Andrew Braunsberg Jerzy Kosinski Robert C. Jones Peter Sellers Shirley MacLaine Melvyn Douglas Jack Warden Richard A. Dysart Richard Basehart Johnny Mandel Music by Cinematography Caleb Deschanel Editing by Distributed by Release date(s) Running time Country Language Gross revenue Don Zimmerman United Artists December 19, 1979 130 minutes United States English $30,177,511 Being There is a 1979 American comedy-drama film directed by Hal Ashby, adapted from the 1971 novella written by Jerzy Kosinski. The screenplay was coauthored by Kosinski and. The screenplay won the 1981 British Academy of Film and Television Arts (Film) Best Screenplay Award and the 1980 Writers Guild of America Award (Screen) for Best Comedy Adapted from Another Medium. It was also nominated for the 1980 Golden Globe Award for Best Screenplay. This was the last Peter Sellers film to be released while he was alive. The making of the film is portrayed in The Life and Death of Peter Sellers, a biographical film of the late actor's life. Being There 77 Plot Chance (Peter Sellers) is a middle-aged gardener who lives in the townhouse of a wealthy man in Washington D.C. Chance seems very simple-minded and visited by attorneys handling the estate. They force him to leave his sheltered existence and discover the outside world for the first time. He wanders aimlessly through a wintry and busy Washington in old-fashioned clothes, a homburg hat, suitcase, umbrella and a television remote from his old home. Although finely-tailored many years ago, his clothes are of the style which has now come back into fashion during the period of the story, and so he is presumed to be an expensively well-dressed man of means by those whom he encounters. In the evening Chance comes across a TV shop and sees his own image in one of the TVs captured by a camera in the shop window. While watching himself in it he is struck by a car owned by Ben Rand (Melvyn Douglas), a wealthy businessman. Rand's wife Eve (Shirley MacLaine) invites Chance to their home (the famous Biltmore Estate doubles as the Rand Rands' home, Chance describes attorneys coming to his former house and shutting it down. Judging by his appearance and overall demeanor, Ben Rand automatically assumes that Chauncey is an upper class, well-to-do, highly educated business man. Although Chance is really describing being kicked out of the home where he tended to the garden, Ben Rand perceives it as attorneys shutting down Chance's business because of financial problems; he even assumes it must have been caused by "kid lawyers from the SEC," obviously attributing it to have occurred at a higher, more sophisticated level than a tax/IRS problem, as most persons would likely have assumed. Sympathizing with him, Ben Rand takes Chance under his wing. Chance's personal style and seemingly conservative and insightful ways embody many qualities that Ben admires. His simplistic, serious-sounding utterances, which mostly concern the garden, are interpreted as allegorical statements of deep wisdom and knowledge regarding business matters and the current state of the economy in America. Rand is also the confidant and adviser of the U.S. President (Jack an appearance on a television talk show, and is soon on the A-list of the most wanted in Washington society. Public opinion polls start to reflect just how much his "simple brand of wisdom" resonates with the jaded American public. At an upscale Washington cocktail lounge, two important, older, well-dressed men are discussing Chauncey; one says to the other, there is a rumor "he holds degrees in medicine as well as law." Rand, dying of aplastic anemia, encourages his wife to become close to Chance, knowing Eve is a fragile woman. Rand's doctor (Richard A. Dysart) makes a few inquiries of his own and gets to see Chance for what he truly is — an actual gardener, totally oblivious and unaware to the ways of the world. However, the fact that Chance has given Rand an apparent acceptance of his illness and peace of mind with his imminent death makes the doctor hesitant to say anything. He also obviously sees that Chance possesses no guile, no intent to deceive, or any interest which would adversely impact Ben or Eve, or have any adverse effect upon Eve, or the estate, following Ben's death. Just days before his death, Rand rewrites his will to include Chauncey.." Being There Oblivious to all this, Chance wanders through Rand's wintry estate. Ever the gardener, he straightens out a pine sapling and then walks off, across the surface of a small lake. The audience now sees Chance physically walking on water. He pauses, dips his umbrella into the water under his feet as if testing its depth, turns, and then continues to walk on the water as Rand's quote "Life is a state of mind" is superimposed in the background. 78 Cast • • • • • • • • • • • • • • • Peter Sellers as Chance the Gardener, a.k.a. Chauncey Gardiner Melvyn Douglas as Ben Rand Shirley MacLaine as Eve Rand Jack Warden as The President David Clennon as Thomas Franklin Ruth Attaway as Louise Denise DuBarry as Johanna Franklin Richard A. Dysart as Dr. Robert Allenby Richard Basehart as The Soviet ambassador to the United States Sam Weisman as Colson Arthur Rosenberg as Morton Hull Jerome Hellman as Gary Burns James Noble as Kaufman Fran Brill as Sally Hayes Elya Baskin as Karpatov Production In the intervening span of several years between the novel's publication and the film's production, Sellers reportedly engaged in quite a dogged quest to obtain the rights to bring the story to the screen and portray its lead character sending several postcards and letters signed "Chance" to Kosinski and Ashby. As the closing credits roll, bloopers from a scene that does not appear in the movie are played: Sellers, lying on a gurney, tries in vain to recite the "message" given by the gang leader (one of the gang members is played by future Allman Brothers band bassist Oteil Burbridge), which includes quite a bit of swearing, with a straight face, and ends up flubbing the lines and laughing instead. Such outtakes being shown in a major Hollywood production were very rare at the time, and Sellers reportedly disapproved of the decision to include them since, by all accounts, it was his desire with this film to display his skills as a serious dramatic actor. The film makes continued use of actual television clips throughout. These clips are part of the ambient visual and audio background, presented as a natural occurrence of a television being on in the room where the scene is taking place. The clips were chosen by Dianne Schroeder, and are referenced in the film credits as "Special Television Effects". These clips are an essential element of the film. They provide a window into the mind of Chance, who knows nothing of the world outside the old man's home except from what he's learned on television. Incidental music is used very sparingly in this film. What little original music is used was composed by Johnny Mandel, and primarily features two recurrent piano themes based on Gnossienne. This composition is widely known in its original Strauss orchestration. Being There 79 Reception Film critic Roger Ebert mentions the final scene in his 2005 book The Great Movies II (p. 52),[1]."[2] Sellers won the Golden Globe Award for Best Actor – Motion Picture Musical or Comedy for his performance in Being There, and was nominated for the Academy Award for Best Actor for this film at the 52nd Academy Awards (which he lost to Dustin Hoffman in Kramer vs. Kramer). The film is ranked number 26 on the AFI's 100 Years… 100 Laughs list, a list released by American Film Institute in 2000 of the top 100 funniest films in American cinema.[3] A parody of the film titled Being Not All There was published in Mad Magazine. It was illustrated by Mort Drucker and written by Larry Siegel in regular issue #218, October 1980.[4] References [1] Roger Ebert (2006), The Great Movies II (http:/ / books. google. com/ books?id=sdv8LRB6a88C& pg=PA52), Random House, Inc., p. 52, ISBN 9780767919869, [2] Ebert, Roger (May 25, 1997). "Being There review" (http:/ / www. webcitation. org/ 5uuX7KvuP). Chicago Sun-Times. Archived from the original (http:/ / rogerebert. suntimes. com/ apps/ pbcs. dll/ article?AID=/ 19970525/ REVIEWS08/ 401010303) on December 12, 2010. . Retrieved December 12, 2010. [3] "100 Years… 100 Laughs" (http:/ / www. webcitation. org/ 5uuXdQxvi). American Film Institute. 2000. Archived from the original (http:/ / connect. afi. com/ site/ DocServer/ laughs100. pdf?docID=252) on December 12, 2010. . Retrieved December 12, 2010. [4] MAD Cover Site (http:/ / www. madcoversite. com/ mad218. html), MAD #218 October 1980. Bibliography • Finkelstein, Joanne (2007). The Art of Self Invention: Image and Identity in Popular Visual Culture (. ibtauris.com/display.asp?ISB=9781845113957). I.B. Tauris. pp. 9, 98–99. ISBN 1845113950. • Neupert, Richard (1995). The End: Narration and Closure in the Cinema. Wayne State University Press. ISBN 0814325254. • Nichols, Peter M.; A. O. Scott, Vincent Canby (2004). The New York Times Guide to the Best 1,000 Movies Ever Made. Macmillan. pp. 93–94. ISBN 0312326114. • Sikov, Ed (2002). Mr. Strangelove: A Biography of Peter Sellers. Hyperion. ISBN 0786885815. • Tichi, Cecelia (1991). Electronic Hearth: Creating an American Television Culture. Oxford University Press. ISBN 0195079140. External links • • • • Being There () at the Internet Movie Database Being There () at Allmovie Being There () at Box Office Mojo Being There () at Rotten Tomatoes The four decide to share a Vermont ski house. . and teenager Kasey Evans. 1980 102 minutes United States English A Change of Seasons is a 1980 American dramedy film directed by Richard Lang. Plot When fortysomething Karen Evans discovers her arrogantly self-centered professor husband Adam is having an affair with student Lindsey Rutledge. It stars Anthony Hopkins. hurt feelings. where their efforts to behave like liberal adults are tested by middle-aged angst. Shirley MacLaine and Bo Derek. Lathrop Editing by Distributed by Release date(s) Running time Country Language Don Zimmerman Twentieth Century-Fox Film Corporation December 1.A Change of Seasons (film) 80 A Change of Seasons (film) A Change of Seasons Videotape cover Directed by Produced by Written by Richard Lang Noel Black Martin Ransohoff Erich Segal Martin Ranshoff Ronni Kern Fred Segal Shirley MacLaine Anthony Hopkins Bo Derek Michael Brandon Mary Beth Hurt Henry Mancini Starring Music by Cinematography Philip H. Adam is infuriated when he learns about his wife's new relationship. she retaliates by having a dalliance of her own with young. and she in turn defends her right to enjoy the same carnal pleasures he does. philosophical campus carpenter Pete Lachappelle. who unexpectedly arrives to confront her parents with their outrageous behavior. For the song. steals what there is of the picture to steal. . Adam Evans Bo Derek . and she's too good to be true.. Ronni Kern. and just about as interesting .....Erich Segal. Karyn Evans Anthony Hopkins ..Anthony Hopkins • 1981: Nomianted. . and witless dialogue sink everything except for the perky intelligence of MacLaine. Kasey Evans Edward Winter . A Change of Seasons does prove one thing. A farce about characters who've been freed of their conventional obligations quickly becomes aimless.. . Awards and nominations Golden Raspberry Award • 1981: Nominated. adding the film "is as predictable as a long Arctic winter. glib trappings . "It would take the genius of an Ernst Lubitsch to do justice to the incredibly tangled relationships in A Change of Seasons.. Where Do You Catch the Bus Tomorrow? (Henry Mancini.. The switching of couples seems arbitrary and mechanical. Alice Bingham Critical reception In his review in the New York Times.. schlock without end .. and more sour than amusing. .. The theme song "Where Do You Catch The Bus For Tomorrow?" was written by Alan and Marilyn Bergman and Henry Mancini and performed by Kenny Rankin.." [3] Time Out London calls it "kitsch without conviction... "Worst Actor" . Principal cast • • • • • • • Shirley MacLaine . Colorado and Williamstown.. though. Marybeth Hurt ... Alan Bergman) • 1981: Nominated.. Massachusetts. Lindsey Rutledge Michael Brandon . .. "Worst Screenplay" .. Fred Segal . ." [4] The film is rated M in New Zealand. the only appealing performance is Miss MacLaine's..A Change of Seasons (film) 81 Production notes The film was shot on location in Glenwood Springs.. Steven Rutledge K Callan . who clearly deserves better than this. . . ... . the screenplay [is] often dreadful . . Pete Lachapelle Mary Beth Hurt . "Worst Original Song" ." [2] TV Guide rates it one out of a possible four stars. Marilyn Bergman. and director Richard Lang is no Lubitsch.. .." [1] Variety observed. Vincent Canby said the film "exhibits no sense of humor and no appreciation for the ridiculous .. Evelyn James Coburn . Liggett .. com/ film/ reviews/ 69065/ A_Change_of_Seasons....... and the two begin to engage in a dalliance of their own.... Production notes The scenes in Mexico actually were shot in San Diego. Stephanie Stephen Collins . California.jsp?stid=70628) at the TCM Movie Database Loving Couples (1980 film) Loving Couples is a 1980 American romantic comedy film written by Martin Donovan and directed by Jack Smight. Together with A Change of Seasons. html?categoryid=31& cs=1& p=0) TV Guide review (http:/ /. and the two soon are engaged in an affair. nytimes. Videotape cover Principal cast • • • • • Shirley MacLaine . Greg Sally Kellerman ..imdb. and the hotel interiors were filmed at the Ambassador Hotel on Wilshire Boulevard in Los Angeles. The plot offers a comic spin on adultery. timeout. When Greg crashes his sports car.. com/ movie/ review?res=9C03EED71638F93AA25751C1A966948260) Variety review (http:/ / www. html) External links • A Change of Seasons (. Mrs.. Evelyn's workaholic husband learns about it from Greg's live-in girlfriend.659 in the US.. Walter Susan Sarandon .com/work/8891) at Allmovie • A Change of Seasons (... the film was one of two 1980 20th Century Fox releases starring Shirley Maclaine that dealt with the subject of marital infidelity.. com/ review/ VE1117789822. The film grossed $2.. variety.com/title/title.allmovie.. Complications arise when the two couples plan a clandestine weekend getaway at the same Acapulco resort. scatterbrained television weather girl Stephanie. com/ movies/ change-seasons/ review/ 110655) Time Out London review (http:/ / www. tvguide. doctor Evelyn comes to his rescue.com/title/tt0080515/) at the Internet Movie Database • A Change of Seasons ( Change of Seasons (film) 82 References [1] [2] [3] [4] New York Times review (http:/ / movies. suntimes." lyrics by Gimbel. . nytimes... music by Karlin." [1] Roger Ebert of the Chicago Sun-Times called it "a dumb remake of a very old idea that has been done so much better so many times before. sassy and sweet in turn.com/title/tt0081080/) at the Internet Movie Database ." lyrics by Pitchford. or even that they're people at all. com/ movie/ review?res=990CE1DE1538F937A15753C1A966948260) Chicago Sun-Times review (http:/ / rogerebert. burying any hints of feminist awareness beneath the routines of macho courtship." lyrics by Dean Pitchford.imdb.. Sarandon is topnotch. that this version is wretchedly unnecessary . about as uneventful and unromantic as a romantic comedy can be" and added." [3] Time Out New York says it "subscribes to conventions as old as the hills and twice as rocky.. Frank J... com/ review/ VE1117792800. Philip H.." [2] Variety opined. the cast respond with performances of glazed charm. Fred Karlin Cinematography ... .. Coburn delivers a casually effective light comedy performance. music by Fred Karlin. "it never creates the impression that any of the lovers much care about one another. Lathrop Editing ." [4] References [1] [2] [3] [4] New York Times review (http:/ / movies.. performed by Syreeta "Bass Odyssey.. . performed by Jermaine Jackson Critical reception In her review in the New York Times. performed by Syreeta "I'll Make It with Your Love. David Susskind Original Music . music by Karklin.. performed by The Temptations "Turn Up the Music. "Direction by Jack Smight is assured and never lags. Janet Maslin called the film "a flat. music by Karlin. com/ apps/ pbcs. lifeless movie . variety.. music by Karlin. Arnold Scaasi Soundtrack • • • • • • "And So It Begins. html) External links • Loving Couples (. the whole project smells like high-gloss sitcom. html?categoryid=31& cs=1& p=0) Time Out New York review (http:/ / www." lyrics by Pitchford.. Aldredge.Loving Couples (1980 film) 83 Principal production credits • • • • • Executive Producer . performed by Billy Preston "Take Me Away. dll/ article?AID=/ 19801031/ REVIEWS/ 10310301/ 1023) Variety review (http:/ / www.. timeout.." lyrics and music by Gregory Wright." lyrics by Norman Gimbel... Urioste Costume Design . Faced with direction paced at a lethargic crawl and dialogue of inconceivable banality. . MacLaine is in top form. performed by The Temptations "There's More Where That Came From.. Theoni V. com/ film/ newyork/ reviews/ 80867/ Loving_Couples. Best Supporting Actor for Jack Nicholson. 1983 131 minutes United States English $8 million $108. Best Direction. and Best Actress for Shirley MacLaine.423. Brooks from the novel by Larry McMurtry and starring Shirley MacLaine. and Jack Nicholson. It covers 30 years of the relationship between Aurora Greenway (MacLaine) and her daughter Emma (Winger). . Brooks James L. including Best Picture. Debra Winger. in which MacLaine and Nicholson reprised their roles. The Evening Star. The film won five Academy Awards. Brooks Terms of Endearment by Larry McMurtry Shirley MacLaine Debra Winger Jack Nicholson Danny DeVito John Lithgow Jeff Daniels Michael Gore Starring Music by Cinematography Andrzej Bartkowiak Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue Richard Marks Paramount Pictures November 23.489 Terms of Endearment is a 1983 romantic comedy-drama film adapted by James L. A sequel. and four Golden Globes. was released in 1996 to much less acclaim. Brooks James L.Terms of Endearment 84 Terms of Endearment Terms of Endearment Theatrical release poster Directed by Produced by Screenplay by Based on James L. however: the brief appearance of Emma and her children spooks Garrett into reassessing his relationship with Aurora and breaking it off with her. but discovers that her husband is still cheating on her. Aurora cultivates the attention of several gentlemen in the area but is attracted to the ne'er-do-well retired astronaut Garrett Breedlove (Jack Nicholson).Terms of Endearment 85 Plot Aurora (Shirley MacLaine) and Emma Greenway Horton (Debra Winger) are mother and daughter searching for love. Emma talks to her children. developing a tenuous relationship. thanks mostly to his philandering. There are consequences for Aurora. Emma and Flap reconcile. and she finds a lover in Sam Burns (John Lithgow). holding her grandchild Melanie. At film's end. Aurora reveals how difficult and caring she can be by nearly climbing into Emma's crib in order to make sure her daughter is breathing—only to be reassured once Emma starts crying. Cast • • • • • • • • • • • • • • • Huckleberry Fox as Teddy Horton Betty King as Rosie Dunlop John Lithgow as Sam Burns Megan Morris as Melanie Horton F. Emma's marriage to Flap Horton (Jeff Daniels) becomes loveless. she knows they love her as well. After discussions with Flap (while not acknowledging her infidelity). The film closes on Aurora. Aurora maintains a vigil at Emma's side. She ends the relationship with Sam. baseball and being an astronaut. After taking a few tests.{Emma's elder son} remorseful. William Parker as Doctor Mikhail Baryshnikov as Mike David Wohl as Phil Albert Brooks (voice) as Rudyard Greenway Mary Kay Place (voice) as Doris . Emma returns home after leaving her husband after overhearing a conversation suggesting he is having an affair with a grad student. Flap and Aurora remain by her side in the hospital. Emma is diagnosed with cancer. The film follows both women across several years as each find their reasons for going on living and finding joy. Tommy. is approached by Garrett. and is the only person to watch her die—Emma looks at Aurora one last time and passes. Emma and Aurora's friends and family gather at Aurora's home for a wake. it is determined to be terminal and incurable. Flap consoles his younger son. who takes his mind off the wake by talking to him about swimming. On a scheduled checkup with the doctor. telling them both she loves them and even if they disagree. Beginning with Emma's early childhood. Emma attempts reconciliation with Flap accepting that they both made mistakes. but he was already committed to another film (Stroker Ace). astronaut Garrett Breedlove. Shirley MacLaine. it arrived #1 (for the sixth and final time) grossing $3 million.Motion Picture Drama – (Shirley MacLaine) Golden Globe Award for Best Supporting Actor – (Jack Nicholson) Golden Globe Award for Best Screenplay . We’re going along and going along. so it was handed to James Garner. it grossed $3. and maintains a 89% rating on Rotten Tomatoes. The role wound up going to Nicholson. You get it all the time when people don’t quite know what to do. frustrated by the director's sudden changes of conception and Winger's and Nicholson's pranks.423. Three weekends later.. playwright Rebecca Gilman disparagingly mentioned Terms of Endearment when discussing dramatic shortcuts. Garner quarreled with the director over differing interpretations.[2] Critical reception The film was generally well regarded by critics. who gave the film a highly enthusiastic review.[3] Gene Siskel.Motion Picture – (James L. and there’s not really a plot."[4] Awards Wins The film won five Academy Awards and four Golden Globes:[5] • • • • • • • • • • • • • • Academy Award for Best Picture Academy Award for Directing – (James L. it arrived #1 again with $9 million having wide release. Brooks) Academy Award for Best Actress – (Shirley MacLaine) Academy Award for Best Supporting Actor – (Jack Nicholson) Academy Award for Writing Adapted Screenplay – (James L.[1] The film grossed $108. For four weekends.(Jack Nicholson) National Society of Film Critics Award for Best Actress .oh. Box office The film also was commercially successful. does not appear in the novel. The part was created for Burt Reynolds. it remained #1 at the box office until slipping to #2 on its tenth weekend. For the last weekends of the film.Drama Golden Globe Award for Best Actress . "My Lucky Stars: A Hollywood Memoir. However. In her 1995 autobiography.489 in the United States. Brooks) Golden Globe Award for Best Motion Picture . quit in mid-production. predicted accurately upon its release that it would go on to win the Oscar for Best Picture of 1983..4 million ranking #2 until its second weekend when it grossed $3. Brooks) DGA Award for Outstanding Directorial Achievement in Motion Pictures – (James L.(Shirley MacLaine) New York Film Critics Circle Award for Best Supporting Actor . she gets cancer. Louise Fletcher and Sissy Spacek were the original choices for the mother and daughter roles. it later dwindled downward. I'm leaving.1 million ranking #1 at the box office. Then. saying to Brooks. and I think in those cases it is a shortcut to tragedy. Brooks) New York Film Critics Circle Award for Best Film New York Film Critics Circle Award for Best Actress . On its opening weekend. On the film's eleventh weekend." She later returned to the film." MacLaine wrote about how co-star Debra Winger was extremely difficult and unpleasant to work with and be around during the making of the film.(Debra Winger) . "Look at Terms of Endearment. The part then went to Harrison Ford who turned it down because he did not like the age difference between himself and Shirley MacLaine. "You can take the Oscar I'm not gonna win now. and shove it up your keister.Terms of Endearment 86 Production Actor Jack Nicholson's character. ..allmovie. boxofficemojo.Weekend Box Office Results" (http:/ / www. Anthony Mondell) Academy Award for Film Editing – (Richard Marks) Academy Award for Original Music Score – (Michael Gore) Academy Award for Sound – (Donald O.100 Movies AFI's 100 Years. 3 March 2007. [4] Gilman. [2] "Terms of Endearment (1983)" (http:/ / www. Harold Michelson.100 Laughs AFI's 100 Years. com/ m/ terms_of_endearment/ ). Tom Pedigo.Terms of Endearment • Texas Film Award 2010 [6] 87 Nominations • • • • • • • • • • • • Academy Award for Best Actress – (Debra Winger) Academy Award for Best Supporting Actor – (John Lithgow) Academy Award for Best Art Direction .. nytimes. Rebecca. Retrieved 2009-01-01. NY Times. . Pictures" (http:/ /. org/ news/ pdf/ Shirley%20MacLaine%20Annoucement. [3] "Terms of Endearment Movie Reviews.com/movies/?id=termsofendearment. com/ movies/ ?page=weekend& id=termsofendearment. pdf External links • Terms of Endearment ( Picture Drama – (Debra Winger) Golden Globe Award for Best Director – (James L. Retrieved 2008-12-05. Brooks) BAFTA Award for Best Actress – (Shirley MacLaine) AFI's 100 Years. Alexander) Golden Globe Award for Best Actress . Rotten Tomatoes. [5] "NY Times: Terms of Endearment" (http:/ / movies. .htm) at Box Office Mojo • Terms of Endearment (. boxofficemojo. com/ movie/ 49104/ Terms-of-Endearment/ awards). James R. Kevin O'Connell.imdb. [6] http:/ / Movies (10th Anniversary Edition) References [1] "Terms of Endearment (1983) ." • AFI's 100 Years. Rick Kline.com/title/tt0086425/) at the Internet Movie Database • Terms of Endearment (.(Polly Platt. Retrieved 2008-02-10.. Box Office Mojo. Box Office Mojo. Personal Interview. com/ movies/ ?id=termsofendearment.. htm).100 Movie Quotes: • Aurora: "Would you like to come in?" Garrett: "I'd rather stick needles in my eyes.. htm). . .com/work/49104) at Allmovie • Terms of Endearment () at Rotten Tomatoes . cinemartsociety. rottentomatoes. Mitchell. Like the original Cannonball Run. Their appearances. and Shirley MacLaine. albeit in a cameo appearance. and Golden Harvest. including Worst Picture. released by Warner Bros. . Jr. and Worst Actress. it is a set around an illegal cross-country race. coupled with those of Sammy Davis. 1984 Running time Country Language 108 minutes United States Hong Kong English Cantonese See also Cannonball Baker Sea-To-Shining-Sea Memorial Trophy Dash Cannonball Run II (1984) comedy film featuring Burt Reynolds and an all-star cast.Cannonball Run II 88 Cannonball Run II Cannonball Run II Theatrical release poster Directed by Produced by Hal Needham Raymond Chow Andre Morgan Harvey Miller Hal Needham Burt Reynolds Dom DeLuise Dean Martin Golden Harvest Written by Starring Studio Distributed by Warner Bros. which saw Jamie Farr as the only returning actor. but no wins. Release date(s) June 29. from the previous two films. The film received eight Golden Raspberry Award nominations in 1984. It is also marked the final feature film appearances of Dean Martin and Frank Sinatra. Worst Actor. marked the final on-screen appearance of the old Rat Pack team. This was the last of the "formula" comedies for Reynolds. This film was followed by Speed Zone! in 1989. Jr. DeLuise also appears uncredited as Don Canneloni Dean Martin as Jamie Blake Sammy Davis. Gazzo. Frank Sinatra as Himself Joe Theismann as Mack. Tony. Cannonballers drive into her house.J. Slim and Caesar. Sid Caesar and Louis Nye as the fishermen in the rowboat Jackie Chan as Jackie Chan. Don Don's henchmen Jim Nabors as Private Homer Lyle. the limo drivers with the orangutan Jack Elam as Doctor Nikolas Van Helsing Charles Nelson Reilly as Don Don Canneloni Michael V. Gomer Pyle Molly Picon reprises her role of Mrs. the truck driver who helps out Jill and Marcie Shawn Weatherly as the girl in Jamie Blake's bed Dale Ishimoto as a Japanese businessman Arte Johnson as a pilot Fred Dryer as a California Highway Patrol sergeant Chris Lemmon as a young California Highway Patrol officer George Lindsey as Uncle Cal Doug McClure as The Sheik's servant Jilly Rizzo as Jilly Dub Taylor as a sheriff Director Hal Needham appears uncredited as a Porsche 928 driver in a cowboy hat . In this film. Mitsubishi engineer Richard Kiel as Arnold. Goldfarb. a parody of his popular character.Cannonball Run II 89 Cast • • • • • • • • • • • • • • • • • • • • • • • • • • • • • • • • • Burt Reynolds as J. Jackie's driver Tim Conway and Don Knotts as California Highway Patrol officers who pull over the driving monkey Mel Tillis as Mel (back from the first film) and Tony Danza as Terry. The King Telly Savalas as Hymie Kaplan Marilu Henner as Betty Shirley MacLaine as Veronica Susan Anton as Jill Catherine Bach as Marcie Foster Brooks. as Morris Fenderbaum Jamie Farr as The Sheik Ricardo Montalban as The Sheik's father. McClure Dom DeLuise as Victor Prinzi/Captain Chaos. Alex Rocco. Seymour's mother. Henry Silva and Abe Vigoda as Sonny. loses yet again (this time blaming the doctor who rode with him for injecting him with an unknown substance). with predictably slapstick results. com/ film. In a subplot. Others barrel in by car and rescue the Sheik. dressed as belly dancers. who is reluctant to leave since he has his pick of women there." To make sure his ulcer doesn't prevent him from winning.. The Sheik. but convinces his father that he'll win the return-trip race. who teamed with JJ (Burt Reynolds) and Victor (Dom DeLuise) in the first race as his in-car physician. External links • Cannonball Run II [1] at the Internet Movie Database • Cannonball Run II [2] at Rotten Tomatoes • Movie stills [3] References [1] http:/ / www. In the end. virtual-history. The race begins with JJ and Victor dressed as a US Army general and his private driver. including JJ and Victor. Blake (Dean Martin) and Fenderbaum (Sammy Davis Jr. but willing to hitch a ride with JJ and Victor when they think the guys could become overnight millionaires. JJ. They don't lose their habits until later. his father simply tells him to "buy one. Don Don hatches a plot to kidnap the Sheik in an attempt to extort money from him. the Sheik hires Doctor Nikolas Van Helsing (Jack Elam). After the Sheik manages to bail out Blake and Fenderbaum by handing one of Don Don's thugs a stack of cash. as it turns out. having hired the winner of this one. He brings along a blond-haired servant (Doug McClure). who have taken jobs working with a flying stunt crew. com/ m/ cannonball_run_2/ [3] http:/ / film. They catch the attention of Betty (Marilu Henner) and Veronica (Shirley MacLaine)." When Sheik Abdul points out that there is no Cannonball Run that year. rottentomatoes. imdb. the Sheik bankrolls Don Don's bordello and then declares that he's upping the stakes to $2 million for the winner. com/ title/ tt0087032/ [2] http:/ / www. php?filmid=479 . The racers band together to invade the bordello. Most of the participants from the first race are lured back. who are dressed as nuns for a musical.) are in financial trouble with Don Don Canneloni (Charles Nelson Reilly). It turns out to be an orangutan with a penchant for destructive behavior and giving elderly ladies the middle finger. All jump into their vehicles and make a dash for the finish line. who receives numerous slaps in the face from both the sheik and his father. Victor. who in turn is in financial trouble with mob enforcer Hymie Kaplan (Telly Savalas). and Fenderbaum infiltrate it in drag.Cannonball Run II 90 Plot Having lost the first Cannonball Run race. Don Don's enforcers continue to blunder one plan after another. Madame Sousatzka 91 Madame Sousatzka Madame Sousatzka Directed by Written by Starring John Schlesinger Ruth Prawer Jhabvala (based on the novel by Bernice Rubens) Shirley MacLaine Navin Chowdhry Shabana Azmi Peggy Ashcroft Twiggy Leigh Lawson Barry Douglas Gerald Gouriet Music by Cinematography Nat Crosby Editing by Distributed by Release date(s) Running time Language Peter Honess Universal Pictures. who is a Russian-American immigrant. Cineplex Odeon Films October 14. to parents of Latvian descent. Plot synopsis Bengali immigrant Sushila Sen (Shabana Azmi) lives in London with her son Manek (Navin Chowdhry) who is musically gifted. Manek is soon forced to choose between Madame Sousatzka and his mother who both compete for his attention. who studied with Levinskaya. Madame Sousatzka. never succeeded as a pianist and thus lives through her students. . child prodigy pianist. particularly talented ones such as Manek. She supports them both as a caterer of Indian food. Harold Rubens was born in Cardiff. while Manek studies the piano with Madame Sousatzka (Shirley MacLaine). from whom Souzatzka was created. Wales. Madame Souzatzka is based on the experiences of Harold Rubens. He studied with Levinska from the age of seven. 1988 122 minutes English Madame Sousatzka (1988) is a film directed by John Schlesinger. Cast • • • • • • • Shirley MacLaine Navin Chowdhry Shabana Azmi Peggy Ashcroft Twiggy Leigh Lawson Barry Douglas The book. It is based upon the novel of the same name by Bernice Rubens. UK in 1918. while highly talented. with a screenplay by Ruth Prawer Jhabvala. External links • Madame Sousatzka [1] at the Internet Movie Database References [1] http:/ / www. 1988.WON Availability The film was released in U.Drama . 2010. the movie was released on videocassette by MCA Home Video in 1989. com/ title/ tt0095564/ . Sometime after its theatrical run.Shirley MacLaine .S. Universal Studios Home Entertainment has not announced any plans for a DVD release. References • IMDb webpage: tt0095564 [1]. The movie has never been released on DVD and as of January 4. theaters on October 14.Madame Sousatzka 92 Awards • Golden Globes • Best Actress . imdb. Louisiana.904. area.[3] . but are as tough as steel. which in turn dealt with the playwright's experience with the death of his sister. The magnolia specifically references a magnolia tree they are arguing about at the beginning.Steel Magnolias 93 Steel Magnolias Steel Magnolias Theatrical release poster Directed by Produced by Herbert Ross Ray Stark Andrew Stone Victoria White Robert Harling Sally Field Dolly Parton Shirley MacLaine Daryl Hannah Olympia Dukakis Julia Roberts Georges Delerue Rastar Written by Starring Music by Studio Distributed by TriStar Pictures Release date(s) November 15.091[2] Steel Magnolias is a 1989 American comedy-drama film about the bond among a group of women from a parish in the Natchitoches. The movie is based on a 1987 play Steel Magnolias by Robert Harling. The title suggests the main female characters can be as delicate as magnolias. 1989 Running time Country Language 117 minutes [1] United States English Gross revenue $95. a cheerful widow. At the funeral. and M'Lynn is Shelby's worried and over-protective. With the help of her friends (and at the expense of Ouiser's dignity). who has come to answer Truvy's request to the college for a new employee. Annelle asks M'Lynn if she could name her baby after Shelby. During an argument with her mother over whether or not she should bear a child. A shadow is soon brought upon the cast as Shelby discovers that her kidneys are beginning to fail as a result of her pregnancy. Time skips about a year and a half and picks up with everyone celebrating the first birthday of Shelby's son. but her mother. Shortly after. Annelle meets not only M'Lynn and Shelby but also the other "magnolias" surrounding Truvy's salon. Shelby has a diabetic attack. she begins to accept her daughter's death and focuses her energy on helping Jackson to raise his son (her grandson). Jackson Jr. M'Lynn holds Shelby's hand as her daughter passes away moments later.Steel Magnolias 94 Plot Steel Magnolias opens to a spring day in the Chinquapin Parish. Jack Jr. Nonetheless. Unfortunately. which a touched M'Lynn happily obliges. The women gossip throughout the year as holidays and other gatherings come and go. a grouchy. Truvy's other friends include Ouiser Boudreaux (Shirley MacLaine). We discover that the young woman is a recent beauty school graduate. two-time widow. M'Lynn is beside herself in grief. Annelle goes into labor during the Easter Egg Hunt and is rushed to the hospital as the credits start to roll. the "magnolias" show through laughter and tears that sometimes flowers are expected to carry weight that may only be supported by pure steel. As everyone waits to see if the surgery is successful for Shelby. Sadly. Shelby announces to everyone that she is pregnant. it is seen that Ouiser and Owen are still in a relationship. and eventually finds love in a man as well as the Bible. The kidney transplant seems to be a success. M'Lynn offers to donate a kidney to her daughter. and Spud finally shows his romantic side by buying and establishing the Truvy's West Salon. As time passes. she supports her daughter's decision. Shelby is a young diabetic facing a marriage that may not result in children due to her illness. Shelby is thrilled. thus quickly ending the seizure. Shelby collapses into a coma on Halloween and is discovered when Jackson arrives home to find his son. At this time. She leaves the funeral arrangements to Drum and Jackson while she rushes off to be with Jack Jr. Annelle Dupuy Desoto (Daryl Hannah). M'Lynn. On Easter. who enjoys taking cracks at Ouiser whenever possible. Louisiana. is worried that Shelby's body can't handle the stress of pregnancy. Shelby is taken to the hospital and M'Lynn rushes to her side. The woman soon walks into a home-based beauty salon owned by Truvy Jones (Dolly Parton). Shelby Eatenton Latcherie (Julia Roberts). a stage of rebellion. M'Lynn Eatenton's (Sally Field) daughter. incessantly encouraging a comatose Shelby to awaken. crying hysterically. a fictional suburb of Natchitoches. but loving mother. At Christmas. M'Lynn is shown calmly and patiently giving Shelby orange juice and talking her into relaxation. and follows a young woman walking down a residential street. the doctors inform the family that Shelby will likely remain comatose indefinitely and Jackson makes the heart-breaking decision to have her taken off life-support. Annelle goes through a divorce. Annelle is hired immediately because this day happens to be the wedding day of Truvy's good friend. As Shelby's nuptials draw near and the salon fills with gossiping people preparing for the big event. . who always looks on the negative side of life and Clairee Belcher (Olympia Dukakis). There are only six characters (all female) who appear onstage. Shirley MacLaine (Louisa "Ouiser" Boudreaux). The story is set in a fictional Northwestern Louisiana parish. All of the action of the play takes place solely on one set — Truvy's beauty salon. His friends advised him to write about his feelings as a coping method. The film starred Dolly Parton (Truvy Jones). Louisiana. and then was produced on Broadway in 2005. Dylan McDermott as Jackson Latcherie (Shelby's husband) and Sam Shepard as Spud Jones (Truvy's husband). which is part of her house. The sequence of the action was more tightly linked with major holidays in the film than in the play. was the local advisor on the film. Among the men added to the cast for the movie were Tom Skerritt as Drum Eatenton (M'Lynn's husband). As her best friend and closest sibling. One of the ways he did this was by employing the nurses. which was heavily rewritten to incorporate many more characters. are only referred to in the play's dialogue. It was his first produced screenplay and he also appears in the film as the preacher. In addition. 1989 and grossed more than $83. Susan Harling Robinson. Julia Roberts (Shelby Eatenton-Latcherie) and Daryl Hannah (Annelle Dupuy-Desoto). the story of Steel Magnolias is based on the death of Robert Harling's younger sister. Harling wanted the moviegoers to have a true experience of what his family endured during his sister's hospitalization. a former mayor of Natchitoches. Stage play The stage play was originally staged Off-Broadway in 1987. The film was directed by Herbert Ross. Robert Harling adapted his own play. Much dialogue was added and several lines in the play were cut or assigned to other characters than originally intended. doctors and other hospital staff that worked with his sister as characters in the movie portraying their real-life roles. Historian Robert DeBlieux. . Chinquapin. for Best Supporting Actress and won the Golden Globe Award for Best Supporting Actress. Olympia Dukakis (Clairee Belcher). Julia Roberts received her first Oscar nomination. It began as a short story and evolved into a full-length play due to the complexity of the relationships and emotions that existed within the characters.7 million at the box office. a disc jockey's voice is also heard (from a radio in the background) during the play. All the other characters who appear in the film version. such as the males in the ladies' lives. Sally Field (M'Lynn Eatenton).Steel Magnolias 95 Background As noted in the Special Features on the Steel Magnolias DVD. The casting and sets of the film go far beyond the modest means of the original play to include male characters. The location for the filming was Natchitoches. Truvy is given only one son instead of two. Harling felt it important to include the way the characters utilized humor and lighthearted conversations to cope with the seriousness of the underlying situations. Harling found it difficult to cope with her death. ensembles and outdoor scenes. a diabetic. Film The film was released by Tri-Star Pictures in the United States on November 15. leaving her baby to be raised by his father and grandmother. He meets Annelle at Shelby's wedding and immediately falls in love with her. and brother of Shelby Eatenton-Latcherie and Jonathan Eatenton. and Tommy. decides to have a child. Jonathan.Ouiser's former lover.A local wealthy woman. but is saddened by his sister's death. Shelby dies (age 21). and had three ungrateful children. Her wish is for her husband to do something romantic for her and in the end he does by establishing a new beauty parlor for her. When her former lover Owen Jenkins re-appears.Annelle's husband. M'lynn. which at the end he does by establishing a new beauty parlor for her. She makes an armadillo-shaped groom's cake for Jackson and Shelby's wedding. She marries Jackson Latcherie. She is close friends with Ouiser and has a teasing. implying they will continue their relationship. grandmother to Jackson Latcherie Jr. Her home has track lighting. and is the mother of both Marshal and Nancy-Beth Marmillion. Clairee is an avid football fan and later buys the radio station KPPD. The character of Shelby is based on screenwriter Robert Harling's sister Susan.Shelby's husband. aged 17 at the start . He enjoys teasing Ouiser and her unruly dog. Mother of Shelby. and brother of Shelby Eatenton-Latcherie and Tommy Eatenton. and Tommy. whom they name after Shelby. Jonathan. He loves to play basketball and plays a prank on his sister by decorating her honeymoon car with condoms. Belle is shocked when her son Marshal comes out. She is widowed from her husband Lloyd Belcher. snarky relationship with her. he moves back to Louisiana from Ohio and is reunited with Ouiser by Shelby.A funny and kind sweet-hearted wealthy woman. however by the end they are seen attending a holiday function together.An upper middle-class. • Knowl Johnson: Tommy Eatenton . • Bill McCutcheon: Owen Jenkins . she at first refuses to encourage him. but is saddened by his sister's death. plays and books. She dislikes movies. • Dolly Parton: Truvy Jones . a diabetic who died young. • Kevin J. Recently widowed. She worries about her daughter's health and is heartbroken over Shelby's death at the end but with the help of her friends she manages to rejoice and continue her life by helping her son-in-law Jackson raise her grandson Jackson Jr. and wife to Drum.Jackson's aunt. a respected man and the former mayor who had a local park named after him.Owner of the local Beauty Parlor. O'Connor: Sammy Desoto . After kidney failure and a transplant from her mother. she keeps Jackson Jr. He sings in the church choir.daughter of M'Lynn and Drum Eatenton and sister of Jonathan and Tommy Eatenton. a volunteer at the guidance center with M'Lynn.M'Lynn's husband. they marry and have a baby. • Jonathan Ward: Jonathan Eatenton . whose best friend is Clairee Belcher. • Shirley MacLaine: Louisa "Ouiser" Boudreaux . • Daryl Hannah: Annelle Dupuy Desoto . He loves his nephew Jackson Jr. • Sam Shepard: Spud Jones .Son of Drum and M'Lynn Eatenton. • Tom Skerritt: Drum Eatenton . but she managed to find new love with Sammy DeSoto. • Ann Wedgeworth: Aunt Fern . He loves his nephew Jackson Jr. Rhett. and despite complications of diabetes which cause her doctor to advise against it.Steel Magnolias 96 Film cast • Sally Field: M'Lynn Eatenton . and mother to Louie Jones.A Southern Woman who works at the Louisiana Guidance Center helping troubled people. • Dylan McDermott: Jackson Latcherie . Truvy dislikes her because she does her own hair (Truvy doesn't trust people who do their own hair).Son of Drum and M'Lynn. She has been married twice to two worthless men. He's excited about being a grandfather and loves his grandson Jackson Latcherie Jr. She had a troubled first marriage because her husband left her and was later arrested. . • Olympia Dukakis: Clairee Belcher .Truvy's husband and father of Louie. He is a lawyer and is excited to become a father despite his wife's illness. later marrying him and having a baby with him. • Bibi Besch: Belle Marmillion .A new employee at the beauty parlor. • Julia Roberts: Shelby Eatenton Latcherie. and father to Shelby. She owns a dog. Truvy wishes that he would do something romantic for her. at her house during Shelby's hospital stay. wife to Spud Jones. grouchy but funny and good-hearted woman. 759. and the DVD July 8. 33 (2) [4] http:/ /. com/ title/ tt0098384/ ) [2] "Steel Magnolias at Box Office Mojo" (http:/ /.[6] References [1] Steel Magnolias on IMDb (http:/ / www. boxofficemojo.643.[4] The home video was released on November 15.091 domestically with a further $12. Retrieved 2010-09-29. the-numbers.000 in the foreign markets to give a worldwide gross of $95.com/title/tt098384/) at the Internet Movie Database • Internet Broadway Database listing (. .ibdb.html) .lortel. imdb. CBS declined to pick up the series for the 1990 fall season.com/read/2002/11/01/3036. [3] Scanlon.440. htm [5] http:/ / www. The story picked up where the film left off and therefore Shelby was not included in the show. J. 1989. com/ 2009/ 08/ how-hollywood-kills-diabetes-education.000.asp?ID=386798) • Lortel Off-Broadway listing (. html) External links • Steel Magnolias (. 1989. She is a Miss Christmas Beauty Pagent Winner. htm). when it received a wider release 3 weeks later it had already grossed $15.cfm?search_by=show&title=Steel Magnolias) • Diabetes in the Movies (. Endocrinologists have expressed dismay that the film does not portray diabetes and diabetes management in an accurate light.091. 1990. with an opening weekend gross of $5. Feminist Studies. Elaine Stritch as Ouiser.904.Steel Magnolias • Janine Turner: Nancy-Beth Marmillion .imdb.Daughter of Belle Marmillion and sister of Marshal Marmillion. (2007) "If My Husband Calls I’m Not Here: The Beauty Parlor as Real and Representational Female Space". com/ movies/ ?id=steelmagnolias. and entered the us box office at number 4.[5] The movie's overall gross was $135. boxofficemojo.145. The film stayed in the top 10 for 16 weeks and went onto gross $83. Polly Bergen as Clairee and Sheila McCarthy as Annelle. A viewer may come away believing that it is dangerous for diabetic women to become pregnant. The cast featured Cindy Williams as M’Lynn. php [6] How Hollywood Kills Diabetes Education by Jennifer Dyer. com/ movies/ ?page=main& id=steelmagnolias. diabetesmine.425. 1994 this allowed the film to gross a further $40. com/ movies/ 1989/ 0STLM. Box Office/Home Media The movie received a limited release on November 17.org/LLA_archive/index.diabeteshealth. MD (http:/ / www. Diabetic awareness The film centers on the impact of diabetes and its complications to a family and community. She has a secret crush on Jackson Latcherie.com/production. Sally Kirkland as Truvy. although the pilot was broadcast on August 17. 97 Television CBS commissioned a television pilot in 1990 in hopes of continuing the story as a weekly half-hour sitcom. 071. manipulative. When she is ready to return to work her agent advises her the studio's insurance policy will cover her only if she lives with a "responsible" individual such as her mother Doris Mann (Shirley MacLaine) who was the reigning musical comedy star of the 1950s and '60s. The screenplay by Carrie Fisher is based on her 1987 semi-autobiographical novel of the same title. Suzanne is loath to return to the woman she struggled to escape from for years after growing up in her shadow.Postcards from the Edge (film) 98 Postcards from the Edge (film) Postcards from the Edge Original poster Directed by Produced by Written by Starring Mike Nichols John Calley Mike Nichols Carrie Fisher Meryl Streep Shirley MacLaine Dennis Quaid Gene Hackman Rob Reiner Carly Simon Music by Cinematography Michael Ballhaus Editing by Distributed by Release date(s) Running time Country Language Gross revenue Sam O'Steen Columbia Pictures September 14. . Plot Actress Suzanne Vale (Meryl Streep) is a recovering drug addict trying to pick up the pieces of her career and get on with her life after being discharged from a rehab center she entered to kick a cocaine-acid-Percodan habit. self-absorbed and given to offering her daughter unsolicited advice with insinuating value judgments while treating her like a child. The situation is not helped by the fact Doris is loud.603 (US) [1] Postcards from the Edge is a 1990 American comedy-drama film directed by Mike Nichols. 1990 101 minutes United States English $39. competitive. " [2] Responding to questions about how closely the film's Suzanne/Doris relationship parallels her relationship with her mother Debbie Reynolds Carrie Fisher stated "I wrote about a mother actress and a daughter actress. Suzanne rushes to her hospital bedside where the two have a heart-to-heart talk while Suzanne fixes her mother's makeup and arranges a scarf on her head to conceal the fact she misplaced her wig in the accident. Suzanne runs into Dr. he professes intense and eternal love for her and she believes every word is true. Other songs performed in the film include "I'm Still Here" by Stephen Sondheim and "You Don't Know Me" by Cindy Walker and Eddy Arnold. Suzanne agrees to go out with him. At home. Suzanne arrives home and discovers that Doris has crashed her car into a tree after drinking too much wine. who had pumped her stomach after her last overdose. Pounder as Julie Marsden . and he invites her to see a movie with him. Frankenthal tells her he's willing to wait until she is. H.Postcards from the Edge (film) Unaware that producer Jack Faulkner (Dennis Quaid) is the one who drove her to the hospital during her last overdose. She declines. Looking and feeling better. Suzanne drives to Jack's house and confronts him." [2] In the DVD commentary she notes that her mother wanted to portray Doris but Nichols cast Shirley MacLaine instead. Still dressed in the costume she wears as a uniformed cop in the schlock movie. Frankenthal Rob Reiner as Joe Pierce Mary Wickes as Grandma Conrad Bain as Grandpa Annette Bening as Evelyn Ames Simon Callow as Simon Asquith Gary Morton as Marty Wiener C. Frankenthal (Richard Dreyfus)." [2] He added "Carrie doesn't draw on her life any more than Flaubert did. Doris musters her courage and faces the media waiting for her. a foot-stomping Country Western number. As their argument escalates. This leads to a verbal brawl between the two women. that Jack is sleeping with Evelyn as well. Dr. I'm not shocked that people think it's about me and my mother. but then we went with the central story of a mother passing the baton to her daughter. She learns from Evelyn Ames (Annette Benning). just a tape recorder with endless batteries. Jack implies that Suzanne was much more interesting when she was trying to function while under the influence. 99 Production In discussing adapting the book for the screen director Mike Nichols commented "For quite a long time we pushed pieces around. During the course of a passionate first date. Suzanne learns from Doris that Suzanne's sleazy business manager Marty Wiener has absconded with all her money. Cast • • • • • • • • • • • • Meryl Streep as Suzanne Vale Shirley MacLaine as Doris Mann Dennis Quaid as Jack Faulkner Gene Hackman as Lowell Kolchek Richard Dreyfuss as Dr. Blue Rodeo accompanied Meryl Streep on "I'm Checkin' Out" which was written by Shel Silverstein. It's easier for them to think I have no imagination for language. There the paternalistic director Lowell Korshack (Gene Hackman) tells her he has more work for her as long as she remains clean and sober. C. a bit player in her latest film. It's just that his life wasn't so well known. telling him she's not ready to date yet. In the film's closing moments Suzanne performs "I'm Checkin' Out". and Suzanne storms out to go to a looping session. for a scene in Lowell Korshack's new film. we're encouraged to wonder how many parallels there are between the Streep and MacLaine characters and their originals. "Meryl Streep gives the most fully articulated comic performance of her career. dimly seen. as divulged by writer Carrie Fisher in the DVD commentary. and then desultory talk about offscreen AA meetings.. [He] is finely attuned to the natural surreality of a movie set. however it was cut. ranking #1 at the box office. Nichols's particular ability to discover the humane sensibility within the absurd. nominee) Golden Globe Award for Best Original Song (Shel Silverstein. almost nothing else seems to matter to him. "What's disappointing about the movie is that it never really delivers on the subject of recovery from addiction. Fisher and Debbie Reynolds. nominee) Golden Globe Award for Best Supporting Actress – Motion Picture (Shirley MacLaine." He felt the film's earlier section was "the movie's best. But while Nichols is servicing his star. Postcards from the Edge contains too much good writing and too many good performances to be a failure. nominee) BAFTA Award for Best Film Music (Carly Simon.871. nominee) Golden Globe Award for Best Actress – Motion Picture Musical or Comedy (Meryl Streep. the movie falters. Miss Fisher's tale of odd-ball woe being perfect material for Mr.[6] It eventually earned $39.071.. the one she's always hinted at and made us hope for. unrealized scenes in the rehab center. But the film is preoccupied with gossip.. winner) ." [5] Box office The film opened in 1. but its heart is not in the right place.856 on its opening weekend. Critical reception Vincent Canby of the New York Times said the film "seems to have been a terrifically genial collaboration between the writer and the director." [3] Roger Ebert of the Chicago Sun-Times observed.. nominee) Academy Award for Best Song (Shel Silverstein..603 in the US. but when he moves away from the show-biz satire and concentrates on the mother-daughter relationship. primarily because Nichols is so focused on Streep. winner) London Film Critics' Circle Award for Newcomer of the Year (Annette Bening. he lets the other areas of the film go slack. nominee) BAFTA Award for Best Adapted Screenplay (Carrie Fisher. nominee) American Comedy Award for Funniest Lead Actress in a Motion Picture (Meryl Streep.013 theaters in the United States on September 14. In fact..Postcards from the Edge (film) • • • • • Robin Bartlett as Aretha Barbara Garrick as Carol Anthony Heald as George Lazan Dana Ivey as Wardrobe Mistress Oliver Platt as Neil Bleene 100 Jerry Orbach filmed a scene as Suzanne's father.[1] Awards and nominations • • • • • • • • • • Academy Award for Best Actress (Meryl Streep. nominee) BAFTA Award for Best Actress in a Leading Role (Shirley MacLaine. 1990 and grossed $7. There are some incomplete." [4] Hal Hinson of the Washington Post said. html) New York Times review (http:/ / movies. nytimes. Retrieved 2011-01-01. com/ wp-srv/ style/ longterm/ movies/ videos/ postcardsfromtheedgerhinson_a0a998.imdb. The Los Angeles Times. washingtonpost. dll/ article?AID=/ 19900912/ REVIEWS/ 9120301/ 1023) Washington Post review (http:/ / www. 1 at Box Office Movies: Mother-daughter comedy sales hit $8.com (http:/ / www. htm) [6] "Postcards Takes No.00.318238. [1] [2] [3] [4] [5] External links • Postcards from the Edge (. boxofficemojo. com/ movie/ review?res=9C0CEFD8173FF931A2575AC0A966958260) Chicago Sun-Times review (http:/ / rogerebert. 1990 (http:/ / www. com/ movies/ ?id=postcardsfromtheedge. com/ 1990-09-17/ entertainment/ ca-740_1_ticket-sales). htm) Entertainment Weekly. suntimes.Postcards from the Edge (film) 101 References BoxOfficeMojo. September 28." (http:/ / articles.com/title/tt0100395/) at the Internet Movie Database .8 million in sales. Paramount's `Ghost' is in second place on $5. . ew. com/ ew/ article/ 0.1 million. com/ apps/ pbcs.. latimes. 1991 112 min. Daniel and the rest of the recently-deceased are offered many Earth-like amenities and activities in the city while they undergo their judgment processes. a Los Angeles advertising executive. directed by. The film was written. Rip Torn and Lee Grant. It also stars Meryl Streep. The movie was filmed entirely in and around Los Angeles. Defending Your Life contains elements of drama and allegory. where he is to undergo the process of having his life on earth judged. Despite its comedic overtones. dies in a car accident on his birthday and is sent to the afterlife. California. . United States English Defending Your Life is a 1991 romantic comedy/fantasy film about a man who must justify his life-long lack of assertiveness after he dies and arrives in the afterlife. March 22. and stars Albert Brooks. a purgatory-like waiting area populated by the recently-deceased of the western half of the United States. Plot Daniel Miller (Albert Brooks). He arrives in Judgment City.Defending Your Life 102 Defending Your Life Defending Your Life Defending Your Life poster Directed by Produced by Albert Brooks Robert Grand Michael Grillo Herb Nanas Albert Brooks Albert Brooks Meryl Streep Rip Torn Lee Grant Errol Garner Michael Gore Written by Starring Music by Cinematography Allen Daviau Editing by Studio Distributed by Release date(s) Running time Country Language David Finfer Geffen Pictures Warner Bros. from all-you-can-eat restaurants (which cause no weight gain and is the best food) to bowling alleys and comedy clubs. Diamond argues that Daniel should move onto the next phase.Julia Lee Grant . on the last day of arguments. 103 Cast • • • • • • • • • • Albert Brooks . and subtitles in English.Daniel's Judge Rachel Bard . It features 1. Daniel's judgment process is presided over by two judges (played by Lillian Lehman and George D. people from Earth use so little of their brains (3-5%) that they spend most of their lives functioning on the basis of their fears.Defending Your Life As explained to Daniel. as well as various other bad decisions. Shirley MacLaine has a cameo appearance as herself acting as the holographic host of the "Past Lives Pavilion" (a reference to her publicly known belief in reincarnation). The proceedings do not go well for Daniel. Daniel finds himself strapped in on a tram to return to Earth. shown to the judges to illustrate their case. Daniel's defense attorney." Each utilizes video-like footage from selected days in the defendant's life. the entire event is being monitored by both Bob Diamond and Lena Foster. escapes from the moving tram. Warners also rereleased the film in 2001 in a two-pack DVD set with Brooks' Looking for Comedy in the Muslim World. It is ruled that Daniel will return to Earth. The final nail in his coffin. In the process. when he spots Julia on a different tram across the tram lanes. it seems. Otherwise. Julia is judged worthy to move on. who Diamond informs Daniel is known as "the Dragon Lady. reuniting him with Julia and allowing them both to move on to their next phases of existence together. Meanwhile. 2001.85:1 anamorphic widescreen formatting. the DVD contains no extras.Bob Diamond Meryl Streep . Apart from cast and crew information and the film's theatrical trailer. His formidable opponent is Lena Foster (Lee Grant).Julia's Judge S. Both of these editions have since gone out of print. allowing Daniel in. especially compared to his. Glen Chin cameos as a sumo wrestler. "When you use more than 5% of your brain. who convince the judges that this last-minute display of courage has earned Daniel the right to move on. you don't want to be on Earth. Warner Bros. his soul will be reincarnated on Earth to live another life in another attempt at moving past fear.Julia's Judge Newell Alexander . During the procedure. is when Foster. Scott Bullock . Wallace). a woman who lived a seemingly perfect life of courage and generosity. he may advance up the universe's proverbial food chain. he unstraps himself. for what Foster believes is his same lack of courage. Video releases Defending Your Life was released on VHS and Laserdisc in early 1992.Daniel Miller Rip Torn . French. . Wallace . They open the doors on Julia’s tram. he will be sent on to the next phase of existence. and Portuguese." explains Bob Diamond (Rip Torn).Daniel's Father Carol Bivens . plays footage of his previous night with Julia. Foster shows a series of episodes in which Daniel did not overcome his fears. Home Video released a DVD on April 3. in which he declines to sleep with her. Although he cannot enter it at first. where he will be able to use more of his brain and thus be able to experience more of what the universe has to offer.Lena Foster George D. in a cardboard snap case. Daniel meets and falls in love with Julia (Meryl Streep).Daniel's Judge Lillian Lehman . If the Judgement court determines that Daniel has conquered his fears. Spanish. On a seemingly spur-of-the-moment impulse (and as a last-minute chance to prove his courage).Daniel's Mother Roger Behr cameos as a comedian. believe me. and risks injury to stow away on Julia’s. Retrieved 2009-10-18. fuzzy way" and a film with a "splendidly satisfactory ending. and perhaps more depressive than he is manic. and Ghost (1990). Field of Dreams (1989). [2] Roger Ebert (April 5. which is unusual for an Albert Brooks film. time. com/ m/ defending_your_life/ ) at Rotten Tomatoes. He asks us to banish the cha-cha-cha beat of conventional comedy from mind and bend to a slower rhythm. suntimes. imdb.00. 1991). . com/ review/ VE1117790339. Variety.warnerbros.[5] The film was not a box office success."[2] The New York Times called it "the most perceptive and convincing among a recent spate of carpe diem movies"— a reference to films such as Dead Poets Society (1989).imdb. Time. [5] Defending Your Life (http:/ / www. Retrieved 2009-10-18. like a hotel lobby sign that reads. but he doesn't carry his conceit nearly far enough. .jsp?OID=7938) at Warner Bros. dll/ article?AID=/ 19910405/ REVIEWS/ 104050301/ 1023). but of an intelligent man sitting down by the fire mulling things over. Best Fantasy Film. But Brooks has always been more of a muser than a tummler. 1991). Retrieved 2009-10-18.Defending Your Life 104 Reception Variety called it an "inventive and mild bit of whimsy" in which Brooks has a "little fun with the Liliom idea of being judged in a fanciful afterlife. Chicago Sun-Times. [3] Caryn James (April 21. com/ apps/ pbcs. Retrieved 2009-10-18. And in this case offering us a large slice of angel food for thought. nytimes. html). The film received mostly positive reviews from critics and holds a 96% rating on review aggregator Rotten Tomatoes (based on 26 reviews). htm). . His pace is not that of a comic standing up at a microphone barking one-liners.972587.allmovie."[1] Roger Ebert called it "funny in a warm.com/m/defending_your_life/) at Rotten Tomatoes Defending Your Life (DVD) (. com/ time/ magazine/ article/ 0. [4] Richard Schickel (March 25.com/WHVPORTAL/Portal/product. The New York Times. variety. grossing about $16 million in the United States. "Carpe Diem Becomes Hot Advice" (http:/ / movies. rottentomatoes. Retrieved 2009-10-18. and Best Writing (Albert Brooks).[3] Richard Schickel wrote:[4] Defending Your Life is better developed as a situation than it is as a comedy (though there are some nice bits. 1991. "Defending Your Life" (http:/ / www.[6] References [1] "Defending Your Life" (http:/ / www. com/ movie/ review?res=9D0CE7DA1339F932A15757C0A967958260). com/ title/ tt0101698/ awards) from the Internet Movie Database External links • • • • Defending Your Life (. "Defending Your Life" (http:/ / rogerebert.rottentomatoes. WELCOME KIWANIS DEAD). 1991). .9171. [6] Awards for Defending Your Life (http:/ / www. It received three Saturn Award nominations for Best Actress (Meryl Streep).com/work/13087) at Allmovie Defending Your Life () at the Internet Movie Database Defending Your Life (. . Strangely. despite being distributed by 20th Century Fox on its initial release in 1992. takes a humorous look at a highly dysfunctional family living in the New York City borough of Queens circa 1969. . adapted from his 1988 off-Broadway play The Grandma Plays [1] . Pictures (2011 DVD release) 16 December 1992 115 min USA / Japan English Used People is a 1992 American romantic comedy film directed by Beeban Kidron. The screenplay by Todd Graff.Used People 105 Used People Used People Theatrical release poster Directed by Produced by Written by Starring Beeban Kidron Peggy Rajski Todd Graff Shirley MacLaine Kathy Bates Jessica Tandy Marcello Mastroianni Marcia Gay Harden Sylvia Sidney Joe Pantoliano Rachel Portman Music by Cinematography David Watkin Editing by Studio Distributed by Release date(s) Running time Country Language John Tintori Largo Entertainment JVC Entertainment 20th Century Fox (1992 release) Warner Bros. the movie was put on DVD on March 22. Pictures as part of their Warner Archive Collection. 2011 by Warner Bros. The odds are against any sane person being able to behave like this man..... satirical.. bittersweet.... Janet Maslin observed... Gregory P. He doesn't often seem like a real human in this movie..... He invites her for coffee. he's more like an all-purpose writer's device.. Marilyn Vance Critical reception In her review in the New York Times.. to wonder if meeting the Mastroianni character is really the best thing that could have happened to her....... He has desired her ever since... Frank Principal production credits • • • • • • • • Presenter . MacLaine is a pro and survives the material. Stuart Wurtzel Art Direction .... Rachel Portman Cinematography ... for me at least. satirical.. What remains to be seen is if he can overcome family objections to religious differences and if he's willing to accept Pearl's daughters: the lonely.. "The movie is by turns serious. Pearl's family tackles any and every subject .. Jack Berman Kathy Bates . Joe Meledandri Bob Dishy .. and now that Pearl is a widow... a distinguished Italian who years ago met Pearl's wayward husband in a bar and convinced him to return to her..... Principal cast • • • • • • • • • • Shirley MacLaine .. maudlin. We care about her enough.. and also impersonates Faye Dunaway and Barbra Streisand among others. Bibby Berman Marcia Gay Harden . indeed... Becky Lee Wallace .. overweight Bibby and the pretty but psychologically unstable Norma who dresses up as celebrities to escape the grief that has overwhelmed her since the death of her husband and one of their children.... [the film] makes an international issue out of an Italian-Jewish courtship. It also slathers the ethnic equivalent of corn onto every sentimental scene.... At her father's funeral.... Pearl Berman Marcello Mastroianni .... Keen Costume Design .. Patricia Birch Production Design .... his first step on the road to seduction.. Michael Barnathan. Lloyd Levin Original Music .Lawrence Gordon Executive Producers .... what the movie could not overcome...... And those are just some of the crazy relatives that come as part of the package.Used People 106 Plot synopsis Pearl Berman has just returned home from her husband Jack's funeral. is the lack of any ..as if it's worthy of a major debate. Norma Jessica Tandy .from body odor to toilets to Tupperware to borscht ." [2] Roger Ebert of the Chicago Sun-Times said. Uncle Harry Doris Roberts . Joe feels the time is right to make his move. her grief disrupted by her many relatives animatedly discussing which parkway offered the best route to the cemetery. romantic and farcical. Norma dresses up the way Jackie Kennedy appeared at the funeral of her husband. Freida Sylvia Sidney ... David Watkin Choreography . appears as Marilyn Monroe as she serves her surviving son his breakfast.. Aunt Lonnie Joe Pantoliano .... Into a household filled with kvetchers steps Joe Meledandri. "As directed by Beeban Kidron... . suntimes." [6] In his review of the videotape release. com/ apps/ pbcs. "Used People wants to be Moonstruck with matzo balls. Michael Sragow observed. washingtonpost.Used People convincing romantic chemistry between [the two].Motion Picture Musical or Comedy and Shirley Maclaine was nominated for the Golden Globe Award for Best Actress .. the score oompahs with grating merriment as characters parade cutesy tics instead of human traits. The Graduate was released in 1967. nytimes. htm) [6] The New Yorker review (http:/ / www. The Casting Society of America nominated Mary Colquhoun for the Artios Award for Best Casting for a Dramatic Feature Film. variety. html) External links • Used People (.. absurdist sensibility informs the soap opera Used People. "Everything's in italics in this Jewish Moonstruck. but it's less an eccentric romantic comedy than an icky three-layered Jewish mother joke.. In the end. it's one of those movies that gives New York a worse name than it already has. dll/ article?AID=/ 19921225/ REVIEWS/ 212250305/ 1023) [4] Variety review (http:/ / www2. love conquers everything from religious differences to mental illness: everything. com/ gst/ fullpage. com/ arts/ reviews/ film/ used_people_kidron) [7] Entertainment Weekly review (http:/ / www. With stars as gifted as Jessica Tandy.and added. nytimes. MacLaine honks nasally ." [5] In The New Yorker.. com/ movie/ review?res=9E0CE0D71E3EF935A25751C1A964958260) [3] Chicago Sun-Times review (http:/ / rogerebert. in his best English-language role by far. seemingly forever — in yet another ethnic comedy-drama . MacLaine's precise acting is laudatory and balanced by a very sympathetic turn by twinkle-eyed Mastroianni. References [1] The Grandma Plays at the New York Times (http:/ / query.Motion Picture Musical or Comedy. com/ ew/ article/ 0.00... "A modern.. Mastroianni talks in spumoni aphorisms." [4] Rita Kempley of the Washington Post said. which harks back to '50s weepies. com/ ref. ew. "Life goes on — for the audience. html?res=940DE6DE173CF937A35753C1A96E948260) [2] New York Times review (http:/ / movies..306756. except the forced eccentricity and bickering stereotypes in Todd Graff's script. it's rich in character if rather trite in theme and scene.. and yet several of the characters referenced The Graduate as though it had just recently been released. newyorker.... Sylvia Sidney. that is. Ty Burr of Entertainment Weekly rated the film C.com/title/tt0105706/) at the Internet Movie Database . The support ensemble is excellent.. asp?u=IMDB& p=H2BE& sid=VE1117796059) [5] Washington Post review (http:/ / www." [7] 107 Accolades Marcello Mastroianni was nominated for the Golden Globe Award for Best Actor . and Kathy Bates drowning in the tough-talking treacle.imdb." [3] Variety stated.. com/ wp-srv/ style/ longterm/ movies/ videos/ usedpeoplepg13kempley_a0a34e. Inconsistencies The film was set in 1969. 720 Wrestling Ernest Hemingway is a 1993 drama-romance film directed by Randa Haines and written by Steve Conrad. Shirley MacLaine. In the meantime. When they meet in a park. December 17. Walter is a retired Cuban barber. They begin to spend time together and become friends. the flamboyant Frank is finally able to start a conversation with the introverted Walter after several attempts. 1993 123 minutes United States English $4. Frank's salty talk and crude behavior in public offend Walter and threaten their friendship. Sandra Bullock. They are two lonely old men living in Florida. a young waitress.Wrestling Ernest Hemingway 108 Wrestling Ernest Hemingway Wrestling Ernest Hemingway Theatrical release poster Directed by Produced by Written by Starring Randa Haines Todd Black Steve Conrad Robert Duvall Richard Harris Piper Laurie Sandra Bullock and Shirley MacLaine Cinematography Lajos Koltai Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue Paul Hirsch Warner Bros. while dealing with Helen. and Piper Laurie.500. . sometimes meeting at the coffee shop where Walter orders the same food every day and becomes fond of Elaine. Plot Frank is a retired Irish seaman. starring Richard Harris. trapped in the emptiness of their own lives. Frank attempts to start a romance with Georgia. a neighbor who is put off by his manner. a woman he meets at the movies. Robert Duvall.000 $278. imdb. com/ movies/ ?id=wrestlingernesthemingway.Wrestling Ernest Hemingway 109 Cast • • • • • Robert Duvall as Walter Richard Harris as Frank Shirley MacLaine as Helen Cooney Sandra Bullock as Elaine Piper Laurie as Georgia External links • Wrestling Ernest Hemingway [1] at the Internet Movie Database • Wrestling Ernest Hemingway [2] at Box Office Mojo References [1] http:/ / www. com/ title/ tt0108596/ [2] http:/ / www. htm . boxofficemojo. Maryland.Comedy/Musical: Shirley MacLaine). MacLaine plays the part of fictional former First Lady Tess Carlisle. which Carlisle repeatedly blocks. The movie was filmed in Parkton. . and Chesnic desperately wants a transfer to another assignment. She is protected by an entourage of Secret Service bodyguards led by a reluctant Doug Chesnic (Cage). This dislike is transformed however when Carlisle is kidnapped.Guarding Tess 110 Guarding Tess Guarding Tess Original poster Directed by Produced by Written by Starring Hugh Wilson Ned Tanen Nancy Graham Tanen Hugh Wilson Peter Torokvei Shirley MacLaine Nicolas Cage Austin Pendleton Edward Albert James Rebhorn Richard Griffiths Michael Convertino Music by Cinematography Brian J. Reynolds Editing by Distributed by Release date(s) Running time Country Language Sidney Levin TriStar Pictures March 11. and Chesnic and his team try their best to save her. who has a difficult personality.[1] and nominated for a Golden Globe award in 1995 (Best Performance by an Actress in a Motion Picture . 1994 95 minutes United States English Guarding Tess is a 1994 film starring Shirley MacLaine and Nicolas Cage. Tess' entire staff dislikes her whims and demands. performing his duties with the utmost professionalism and always minding the details. However. php?locIndex=2723). Tess has other ideas. she will contact a close friend.rottentomatoes. Frederick. So. his assignment for the last three years has been a severe test of his patience. epodunk. com/ cgi-bin/ genInfo. he discovers that guarding Tess comes with more challenges than he dreamed possible. Doug is in charge of her security force.com/title/tt0109951/) at the Internet Movie Database • Guarding Tess ( current President of the United States. Tess even refuses to obey Doug's security instructions. Sometimes. or her nurse. When Doug gets what he asks for. Lennix — Kenny Young Susan Blommaert — Kimberly Cannon Dale Dye — Charles Ivy James Handy — Neal Carlo References [1] "Parkton Community Profile" (http:/ / www. a more exciting detail.com/m/guarding_tess/) at Rotten Tomatoes . Earl.com/work/131163) at Allmovie • Guarding Tess ( Tess 111 Plot Doug Chesnic is a Secret Service agent who takes great pride in his job. making it clear that if he argues with her too much. she's decided that she likes working with Doug.S. and he's in no position to say no.and inform him of her displeasure. However.imdb. when Doug's three-year hitch with Tess comes to an end. and she demands that his assignment be made permanent. Tess Carlisle is the widow of a former U. President and is well-known for her diplomatic and philanthropic work. she orders him to do so. he asks to be given a more exciting and challenging assignment. Cast • • • • • • • • • • • • • • • Shirley MacLaine — Tess Carlisle Nicolas Cage — Doug Chesnic J. While Doug regards it as beneath his professional dignity to perform little chores around the house or bring Tess her breakfast in bed.allmovie. But Tess tends to regard Doug less as a security officer and more of a domestic servant. ePodunk External links • Guarding Tess (. like her chauffeur. 767. who reprises the role of Aurora Greenway she played in the original film. starring Shirley MacLaine.The Evening Star 112 The Evening Star The Evening Star Theatrical release poster Directed by Produced by Written by Starring Robert Harling David Kirkpatrick Polly Platt Larry McMurtry Robert Harling Shirley MacLaine Bill Paxton Juliette Lewis Miranda Richardson William Ross Music by Cinematography Don Burgess Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue David Moritz Paramount Pictures December 25. Bill Paxton stars as Aurora's psychiatrist and short-time lover. 1996 129 minutes United States English $20 million $12.815 The Evening Star is a 1996 sequel to Academy Award for Best Picture-winning Terms of Endearment. Along the way Aurora enters into a relationship with a younger man. and watches the world around her change as old friends pass on and her grandchildren make lives of their own. Patsy Carpenter. The movie focuses on Aurora's relationship with her three grandchildren. Marion Ross stars as Aurora's housekeeper (Golden Globe nominated in the Best Supporting Actress category). Emma's best friend Patsy and her housekeeper Rosie. Jack Nicholson also returns in an extended cameo appearance. retired astronaut Garrett Breedlove. Melanie Horton. Juliette Lewis stars as Aurora's rebellious granddaughter. Donald Moffat and Ben Johnson also appeared. playing the role he played in Terms of Endearment. . The movie takes place about fifteen years after the original following the characters from 1988 to 1993. Miranda Richardson co-stars in a memorable role as toxic Houston divorcee and Aurora's rival. External links • The Evening Star [1] at the Internet Movie Database • The Evening Star [2] at Allmovie • The Evening Star [3] at Box Office Mojo References [1] http:/ / www. boxofficemojo. The film received mixed to poor reviews from critics. htm . imdb.815 (unadjusted). com/ title/ tt0116240/ [2] http:/ / www. com/ work/ 136444 [3] http:/ / www. allmovie.767. grossing only $12. com/ movies/ ?id=eveningstar. the film was not a box-office success.The Evening Star 113 Cast • • • • • • • • • • • • • Reception Unlike Terms of Endearment. moves in with him and winds up pregnant. The world is very different. 1996 105 mins United States Starring Distributed by Release date(s) Running time Country Language English Mrs. she meets his wife. When she informs him of the fact. and Brendan Fraser. and. At 18 she meets womanizer Steve DeCunzo. Patricia and Hugh both died in the crash. When the train crashes. Winterbourne Mrs. Connie believes it is the best thing for her and her baby to accept the woman's offer and go home with her. At the Winterbourne house. Ricki Lake. gets inadvertently swept aboard a train at Grand Central Terminal. who has a bad heart. Hugh's identical twin brother. he kicks her out. With no ticket.Mrs. and no money with which to buy one. which has already been filmed in Hollywood as No Man of Her Own (1950) starring Barbara Stanwyck. There. Seeing the wrong name on the wristband on her child. Connie is mistaken for Patricia and wakes up in the hospital. This movie is loosely based on the Cornell Woolrich novel I Married A Dead Man. and in Bollywood as Kati Patang (1970). trying to find a shelter. When the initial shock wears off. Connie realizes what has happened and tries to explain the situation. she nervously begins her new life. but is prevented from doing so by nurses who believe she is just hysterical. Winterbourne is a 1996 romantic comedy/drama starring Shirley MacLaine. Bill is a . Grace Winterbourne (Shirley MacLaine). Winterbourne Directed by Written by Richard Benjamin Cornell Woolrich Phoef Sutton Lisa-Maria Radano Ricki Lake Brendan Fraser Shirley MacLaine TriStar Pictures April 19. she meets Hugh's mother. Plot With flashbacks. no longer pregnant. Destitute. and she finds it difficult to adjust to the high society position she is now required to shoulder. and with nowhere else to go.Winterbourne The movie cover for Mrs. Afraid of making her ill. Winterbourne 114 Mrs. This life is one she never expected to be a part of. Eventually. denying responsibility. Connie meets Bill (Brendan Fraser). who is also pregnant. Connie has nowhere to go. Connie Doyle's (Ricki Lake) early life is given to give us an idea of her mindset. Connie is rescued by Hugh Winterbourne (Brendan Fraser) and taken to his private compartment. Patricia. When the priest tells Bill and Connie that Grace is confessing to the murder. In the confusion that ensues. and the wedding goes forward. com/ title/ tt0117104/ . and being an honorable woman. Hopley Tony Munch as Steve's pal Nesbitt Blaisdell as Homeless man David Lipman as Conductor Jim Feather as Conductor Irene Pauzer as Woman on train Bertha Leveron as Vera Tom Harvey as Ty Winthrop External links • Mrs. and decides to let things go and marry Bill as Patricia Winterbourne. and tries to blackmail her. 115 Cast • • • • • • • • • • • • • • • • • • • • • • Shirley MacLaine as Grace Winterbourne Ricki Lake as Connie Doyle/"Patricia Winterbourne" Brendan Fraser as Bill and Hugh Winterbourne Miguel Sandoval as Paco Loren Dean as Steve DeCunzo Peter Gerety as Father Brian Kilraine Jane Krakowski as Christine Debra Monk as Lieutenant Ambrose Cathryn de Prume as Renee Kate Henning as Sophie Susan Haskell as Patricia Winterbourne Justin Van Lieshout as Baby Hughie Alec Thomlinson as Baby Hughie Jennifer Irwin as Susan Victor A. Steve finds out about Connie's good fortune. She returns home to find Grace has had a heart attack because of her absence. and it is not any of them. and think they are home free. but is stopped by the chauffeur. Bill and Connie flee the scene. it was the woman Steve started seeing after dumping Connie. Shocked.Mrs. Connie tells Grace the whole story. both of them hurry to her side and confess to the murder themselves. Young as Dr. Connie bonds with Grace. Eventually. She decides to leave. who is also pregnant. and questions her identity. imdb. until their wedding day. feels guilty for taking advantage of her kindness. Steve is shot. he falls in love with her and her former identity doesn't matter to him anymore. who makes her realize she and the baby are just as valuable to Grace as she is to them. Winterbourne bit wary of Connie. Winterbourne [1] at the Internet Movie Database References [1] http:/ / www. the police tell them they already have the murderer in custody. Bruno (2000 film) 116 Bruno (2000 film) Bruno The Dress Code VHS cover Directed by Produced by Written by Starring Shirley MacLaine David Kirkpatrick David Ciminello Alex D. Linz Shirley MacLaine Gary Sinise Kathy Bates Chris Boardman Music by Cinematography Jan Kiesser Editing by Distributed by Bonnie Koehler New Angel Inc (theatrical) Starz (TV) April 16. as of 2009. the film was distributed straight to cable television and rights to it were acquired by Starz. From there. Bruno premiered at the 2000 Los Angeles Film Festival in a limited theatrical release. the only film ever directed by MacLaine. Linz and Shirley MacLaine.[1] [2] Distributed by New Angel Inc. The film is the first and.[1] [2] . 2000 108 minutes United States English USD $10 million Release date(s) Running time Country Language Budget Bruno (released as The Dress Code on DVD and VHS) is a 2000 American film starring Alex D. Bruno also begins to form a bond with Dino who. when challenged that he can't wear a dress to the spelling bee championship in Vatican City. a police officer. Linz — Bruno Battaglia Shirley MacLaine — Helen Gary Sinise — Dino Battaglia Kathy Bates — Mother Superior Stacey Halprin — Angela Battaglia Kiami Davael — Shawniqua Joey Lauren Adams — Donna Marie Jennifer Tilly — Dolores References [1] Salamon. Cast and characters • • • • • • • • Alex D. com/ article/ 31938). com/ 2000/ 12/ 01/ movies/ television-review-on-a-new-limb-with-shirley-maclaine. December 1. Bruno points out that even the Pope wears a dress. Accessed July 17. Bruno receives heavy criticism from fellow students and faculty. He wears them as a source of empowerment as well as feeling the need to express himself. html). as he progresses further in the spelling competition. Bruno's estranged father Dino (Gary Sinise). 2009. 2000.com/title/tt0123003/) at the Internet Movie Database . While competing in advancing levels of the Catholic school spelling bee. On a New Limb With Shirley MacLaine (http:/ / www. Julie. For his choice in outfits. With the help of his grandmother Helen (Shirley MacLaine). The New York Times. nytimes. 2000. Linz) is a young boy attending a Roman Catholic school. [2] Shirley Maclaine Makes Her Film Directorial Debut With Bruno (http:/ /. 2009. External links • Bruno (. He often identifies with angels and. standing out in stark contrast to the rest of their conservative Italian American neighborhood. Accessed July 17. is inspired by his son to pursue his long abandoned childhood dream of becoming an opera singer. Initially supported only by his best friend Shawniqua (Kiami Davael).com. DigitalJournal. Angela is overweight and dresses flamboyantly in outfits that she designs and makes herself. especially the school's Mother Superior (Kathy Bates) as well as becoming a target of the school's bullies.Bruno (2000 film) 117 Plot Bruno Battaglia (Alex D. left the family long ago and Bruno lives with his mother Angela (Stacey Halprin). November 11. his choices of self-expression eventually become accepted by his peers and his superiors. digitaljournal. in turn. Bruno decides to start wearing dresses. and Addie Holden (Collins) in a TV special after their 1960s movie musical Boy Crazy is re-released in the 1990s. Beryl Mason (Taylor). Joan Collins. Plot summary Network television executive Gavin (Nestor Carbonell) hopes to reunite celebrated Hollywood stars Piper Grayson (Reynolds). 2001 (US) Running time Country Language 100 minutes United States English These Old Broads is a 2001 television film written by Carrie Fisher and starring her mother Debbie Reynolds. Though the three women share the same agent. Gavin's seemingly insurmountable obstacle is that they all cannot stand each other.These Old Broads 118 These Old Broads These Old Broads DVD cover Directed by Written by Starring Matthew Diamond Carrie Fisher Elaine Pope Shirley MacLaine Debbie Reynolds Joan Collins Elizabeth Taylor Jonathan Silverman Distributed by Sony Pictures Television Release date(s) February 12. and Elizabeth Taylor. Kate Westbourne (MacLaine). Cast • • • • • • • • Shirley MacLaine as Kate Westbourne Debbie Reynolds as Piper Grayson Joan Collins as Addie Holden Elizabeth Taylor as Beryl Mason Jonathan Silverman as Wesley Westbourne Pat Crawford Brown as Miriam Hodges (Addie's mother) Nestor Carbonell as Gavin Peter Graves as Bill . as well as Shirley MacLaine. She had one older sister. com/ title/ tt0207156/ Rebecca Nurse Rebecca Towne Nurse (or Nourse) (February 21. Susan (baptized 26 Oct 1625 – died 29 Jul 1630) and two younger sisters. 1692. Their names were Rebecca Nurse (born 1642). Her husband was a "tray maker" by trade. Jacob (baptized 11 Mar 1631/32) and Joseph (born abt 1639). Together. Francis originally rented it and then gradually paid it off throughout his lifetime." making her one of the "unlikely" persons to be accused of witchcraft. Although there was no credible evidence against her. Francis was often asked to be an unofficial judge to help settle matters around the village. Sarah Nurse (born 1644). This occurred during a time when the Massachusetts colony was seized with hysteria over witchcraft and the supposed presence of Satan within the colony. Stern 119 External links • These Old Broads [1] at the Internet Movie Database References [1] http:/ / www. and Benjamin Nurse (born in 1665/1666). this 71-year-old. In 1672. Francis Nurse (born 1660/1661). which is now known as Danvers. . 1642). a mother of several children and grandchildren. the couple bore eight children: four daughters and four sons. Nurse and her family lived on a vast homestead which was part of a 300-acre (1. also born in England. imdb. Edmund (baptized Jun 1628). artisans of that medium were esteemed. Mary Nurse (1653 . Elizabeth Nurse (born 1656). Mary Easty (baptized 24 Aug 1634) and Sarah Cloyce (born ca. She also had four brothers: John (baptized 16 Feb 1622/23). 1692) was executed for witchcraft by the government of the Province of the Massachusetts Bay in New England in 1692. Early life The daughter of William and Joanna Towne (née Blessing). in 1640. 1621 – July 19. frail grandmother was tragically hanged as a witch on July 19. It was later written that Rebecca had "acquired a reputation for exemplary piety that was virtually unchallenged in the community. Massachusetts. Nurse frequently attended church and her family was well respected in Salem Village. she married Francis Nurse. and a well respected member of the community. Her family settled in Salem Village. during the infamous Salem witch trials. She was the wife of Francis Nurse.2 km2) grant given to Townsend Bishop in 1636. who likely made many other wooden household items. Nurse was born in Great Yarmouth. both of whom were also accused of witchcraft. Around 1645. John Nurse (born 1645). Francis served as Salem's Constable.28 June 1749). Due to the rarity of such household goods.These Old Broads • Gene Barry as Mr. England in 1621. Samuel Nurse (born 1649). Massachusetts. "I am innocent as the child unborn. but surely. At age 71. said. Death and aftermath Many people labeled Nurse "the woman of self dignity"." Many of the other afflicted girls were hesitant to accuse Nurse. a warrant was issued for her arrest based upon accusations made by Edward and John Putnam. who were considered unfit for Christian burial. At issue was the statement of another prisoner "[she] was one of us" to which Nurse did not reply. Nurse. which they interred properly on their family homestead. Her trial began on June 30. As was the custom.. Nurse's family secretly returned after dark and dug up her body. However the young Ann Putnam and her siblings would break into fits and claim Nurse was tormenting them." There was a public outcry over the accusations made against her.Rebecca Nurse 120 Accusation and trial The family had been involved in a number of acrimonious land disputes with the Putnam family. often described as an invalid. the magistrate asked that the verdict be reconsidered. led by Israel and Elizabeth (Hathorne) Porter. what sin hath God found out in me unrepented of. sentencing Nurse to death on July 19. Such so called "spectral evidence" was allowed into the trial to show that Satan was afflicting others in the community at the behest of the accused. "I have got nobody to look to but God. many members of the community testified on her behalf including her family members. her body was buried in a shallow grave near the gallows along with other convicted witches. 1692. due to her dignified behavior on the gallows. represented herself since she was not allowed to have a lawyer represent her. after Rebecca Nurse was hanged. In July 1885. (From the poem "Christian Martyr. Due to public outcry and renewed fits and spasms by the girls. that He should lay such an affliction on me in my old age. 1692. O Christian Martyr who for Truth could die When all about three owned the hideous lie! The world redeemed from Superstition's sway Is breathing freer for thy sake today. On March 23. like others accused of witchcraft. In response to their outbursts Nurse stated. probably because of her loss of hearing. who took the risk of publicly supporting Nurse by signing a petition to the court in 1692. England 1621. 1692. Thirty-nine of the most prominent members of the community signed a petition on Nurse's behalf. 1692. Upon hearing of the accusations the frail 70 year old Nurse. the jury ruled Nurse not guilty. she was one of the oldest accused. The inscription on the monument reads: Rebecca Nurse." by John Greenleaf Whittier) In 1892 a second monument was erected nearby recognizing the 40 neighbors. Her ordeal is often credited as the impetus for a shift in the town's opinion about the purpose of the witch trials. The jury took this as a sign of guilt and changed their verdict. her descendants erected a tall granite memorial over her grave in what is now called the Rebecca Nurse Homestead cemetery in Danvers (formerly Salem Village). Yarmouth. . as she was considered to be of very pious character. In accordance with the procedures at the time. Mass. Salem. Mrs. By dint of her respectability. In the end. com/ enquirer/ witch. com/ genealogy/ towne. org . another of Nurse's sisters.Rebecca Nurse Her accuser. rebeccanurse. HTM http:/ / www. The Putnam family maintained control of the property until 1908. Jr. org/ RNH/ nursehomestead. 121 In popular culture The Rebecca Nurse Homestead in 2006 Rebecca Nurse is a central character in Arthur Miller's play The Crucible as well as many other dramatic treatments of the Salem Witch Trials. law.) The film depicts Nurse and her family members as main characters. Sarah Cloyce. publicly apologized to the Nurse family for accusing innocent people. who. Ann Putnam.. htm http:/ / www. edu/ faculty/ projects/ ftrials/ salem/ SAL_BNUR. escaped execution. html http:/ / Nurse [2] Mayflower Families [3] Rebecca Nurse Homestead [4] The Towne Family Association [5] References [1] [2] [3] [4] [5] http:/ / www. External links • • • • • Descendants of William Towne [1] Salem Witch Trials. on 27 of the original 300 acres (1. the government compensated the Nurse family for Rebecca's wrongful death. Today.2 km2). The Nurse family homestead fell into the hands of Putnam family descendent Phineas Putnam in 1784. She was portrayed by actress Shirley MacLaine in the 2002 CBS miniseries "Salem Witch Trials". mayflowerfamilies. although accused. In 1711. umkc. was also executed. moonsmusings. it is a tourist attraction that includes the original house and cemetery. The PBS film Three Sovereigns For Sarah features Vanessa Redgrave as one of Rebecca Nurse's sisters. Mary Eastey. (However. Upham. Rebecca Nurse was also the subject of Lectures on Witchcraft by Charles W. htm http:/ / townefamilyassociation. [2] Cast • • • • • • • • Shirley MacLaine .Dick Heath Rachel Crawford .Jinger Heath R.Brooke . Her BeautiControl company takes an enormous bite in Mary Kay's company. Her powerful position is threatened by the much younger Jinger Heath.Lexi Wilcox Parker Posey .H. Thomson .Annika Kern Dean McKenzie . English [1] Distributed by Release date(s) Running time Language Hell on Heels: The Battle of Mary Kay is a 2002 television film directed by Ed Gernon. In the middle of their rivalry enters Lexi Wilcox.Mary Kay Ash Shannen Doherty . a slightly off-center beauty.Hell on Heels: The Battle of Mary Kay 122 Hell on Heels: The Battle of Mary Kay Hell on Heels: The Battle of Mary Kay Directed by Produced by Written by Starring Ed Gernon Ian McDougall Patricia Resnick Shirley MacLaine Shannen Doherty Parker Posey CBS October 7. 2002 100 min. Plot Biopicture about Mary Kay Ash. cosmetics queen and business woman.Richard Rogers Barry Flatman .Clifton Sanders Marnie McPhail . She tells her story of her rise to fame to the inquiring reporter Annika Kern. com/title/tt0328877/) at the Internet Movie Database . moviemeter. com/ movie/ 273593/ Hell-on-Heels-The-Battle-of-Mary-Kay/ overview) External links • Hell on Heels: The Battle of Mary Kay (. nl/ film/ 37916) Running time [2] The New York Times review (http:/ / movies. nytimes.Hell on Heels: The Battle of Mary Kay 123 References [1] (Dutch) Moviemeter (http:/ /. 2005 (United States) 96 min. United States Germany English $15 million Running time Country Language Budget Carolina is a 2003 romantic comedy film starring Julia Stiles. and Barbara Eden has the uncredited part of Daphne.Carolina (film) 124 Carolina (film) Carolina German theatrical poster Directed by Produced by Marleen Gorris Martin Bregman Guy Collins Keith Cousins Ann Dubinet Christopher Petzel Louis A. Miramax Films was the domestic distributor. "You have a hit movie on your hands. Randy Quaid. Wiesmeier Katherine Fugate Julia Stiles Shirley MacLaine Alessandro Nivola Mika Boorem Randy Quaid Jennifer Coolidge Steve Bartek Written by Starring Music by Cinematography John Peters Editing by Release date(s) Alan Heim Michiel Reichwein June 5. Mika Boorem. and Jennifer Coolidge. 2004 (Germany) February 1. When Harvey Weinstein screened the film he told the producers. California. Shirley MacLaine. but failed to release it in theaters. Shot in 2003. the film failed to find a distributor and was released direct-to-video in 2005. Alessandro Nivola. We're going to blast this on MTV all over Super . 2003 (Russia) April 29. It is set in Los Angeles. Stroller Rudolf G. Lisa Sheridan has a cameo role in the film. com/ work/ 291137 [3] http:/ / www. imdb.Perfect Date Host External links • Official website [1] • Carolina [2] at Allmovie • Carolina [3] at the Internet Movie Database References [1] http:/ / http:/ / movies. 125 Cast • • • • • • • • • Julia Stiles as Carolina Mirabeau Shirley MacLaine as Grandma Millicent Mirabeau Alessandro Nivola as Albert Morris Randy Quaid as Theodore 'Ted' Mirabeau Jennifer Coolidge as Aunt Marilyn Edward Atterton as Heath Pierson Azura Skye as Georgia Mirabeau Mika Boorem as Maine Mirabeau Alan Thicke as Chuck McBride ." This was in December 2001.Carolina (film) Bowl Weekend. The film began principal photography in July 2001. but dropped out after make-up/hair tests due to the shut down of the original production shoot date. Shirley MacLaine eventually stepped in to play the role of "Grandma Millicent Mirabeau". The producers never heard about it again until 2005 when it was suddenly released Direct-to-DVD. Kathy Bates was originally slated to play the role of "Grandma Millicent Mirabeau". com/ title/ tt0289889/ . allmovie. filmax. com/ carolina/ [2] http:/ / www. 933... 2005 96 minutes United States English $88. Pictures December 22.562 Running time Country Language Gross revenue Rumor Has It. The screenplay by Ted Griffin derives from a real-life rumor about the family in the 1963 novel The Graduate by Charles Webb.Rumor Has It… 126 Rumor Has It… Rumor Has It Theatrical release poster Directed by Produced by Written by Starring Rob Reiner Ben Cosgrove Paula Weinstein Ted Griffin Jennifer Aniston Kevin Costner Shirley MacLaine Mark Ruffalo Richard Jenkins Mena Suvari Mike Vogel Marc Shaiman Music by Cinematography Peter Deming Editing by Studio Distributed by Release date(s) Robert Leighton Village Roadshow Pictures Warner Bros. 2005 United States December 25. . is a 2005 American comedy film directed by Rob Reiner. Despite Beau being a fling for her. Tony Bill. she won't be allowed anywhere near Beau. where she meets Beau's son Blake. Sarah kisses Beau and is caught by Jeff. Sarah allows Beau to convince her to be his date at a charity ball. now a highly successful and very wealthy Silicon Valley Internet wizard. an obituary and wedding announcement writer for the New York Times. She meets him and he admits to the affair. and on August 5. where Beau. 2004. Jocelyn returned to Earl because she loved him and he was someone with whom she could build a life. and the production shut down in order to allow replacement Rob Reiner to make script. and in doing so realizes she's ready to marry Jeff. Original cast members Charlie Hunnam. who has returned to California to find her. This explained the date difference between her birthday and her parents' wedding. Scott. Sarah returns to visit Katharine. Sarah also discovers her grandmother may have been the inspiration for Mrs. travels to Pasadena for her sister Annie's wedding accompanied by her fiancé Jeff Daly (Mark Ruffalo). but brings Katherine great joy and pleasure about her son-in-law. Sarah was conceived. Mollified. Jeff points out Sarah's parents were married just short of nine months before her birth. Earl reveals to Sarah he always knew about Jocelyn and Beau's affair. After the wedding. At a pre-wedding party. The film ends with Sarah and Jeff's wedding. is addressing a seminar. Following an ensuing argument. Sarah Huttinger (Jennifer Aniston). Sarah tells her sister about the relationship three generations of Richelieu women have had with Beau. Lesley Ann Warren.[1] . Robinson. This gives Beau some actual nervousness being around him. and Greta Scacchi were replaced by Reiner. Sarah learns from her grandmother Katharine that her mother Jocelyn ran off to Cabo San Lucas to spend time with her prep school classmate Beau Burroughs (Kevin Costner) the week before her wedding to Sarah's father Earl. Beau explains his wife wanted a biological child and was artificially inseminated to become pregnant. Production Screenwriter Ted Griffin was the original director. who flies into a rage when she learns Beau has slept with her granddaughter. and the following morning Sarah awakens in Beau's bed in his Half Moon Bay home. and crew changes before resuming filming on August 18. The production fell several days behind schedule in the first week. determined to find out more about Beau and her mother's past. On the night she returned. Dejected. Griffin was let go by executive producer Steven Soderbergh the following day. but assures Sarah he couldn't be her father because he suffered blunt testicular trauma while playing in a high school soccer game and as a result is sterile. The two learn Annie suffered an anxiety attack while flying to her honeymoon and wants to talk to Sarah. Determined to win Jeff back. She reassures Annie she truly is in love with her husband. leading her to wonder if Beau might really be her biological father. but problems arose soon after principal filming began on July 21. Although guilt-stricken by her behavior. Griffin fired cinematographer Ed Lachman from the project. They reconcile on the condition if they ever have a daughter. The two go out for drinks.Rumor Has It… 127 Plot In 1997. an infamous character in the novel The Graduate. cast. It's also revealed that Earl was the one who caused Beau his testicular trauma by accident. Sarah returns to New York City and tells her fiance about her feelings. Sarah decides to fly to San Francisco. Jeff leaves her. Rumor Has It. "Secret Love" by Sammy Fain and Paul Francis Webster.. "As muddled in most respects as its title. but is too lightweight to fully register."[2] Roger Ebert of the Chicago Sun-Times observed. This is not a great movie..M. "The movie has that fatal triptych that is becoming Reiner's romantic-comedy signature: drippy sentiment. There's a germ of an idea here. but it's very watchable and has some good laughs.. "Just One Of Those Things" by Cole Porter. and Jennifer Aniston is as plucky and engaging as ever . "The creepy script.. And Rumor Has It works for good reasons. "The plot .. It was given a 20% rating from Rotten Tomatoes with the consensus: "This riff on The Graduate has a solid cast. while offering nothing attractive in its place. It fails artistically but also philosophically.. The casting of Aniston is crucial.Rumor Has It… 128 Cast • • • • • • • • • • Kathy Bates as Aunt Mitsy (Uncredited) Soundtrack Nellie McKay recorded six tracks for the film..." A.. including the theme from A Summer Place by Max Steiner.. giving lackluster laugh lines more juice than they deserve.. and "As Time Goes By" by Herman Hupfeld. Ms.. The soundtrack also features several standards. Rumor Has It fails as a successor to The Graduate. and Don George. though at the moment I'm at a loss to say just how. [but her] efforts are wasted in a movie that can't even seem to sustain interest in itself. calling it a "comic turd" and adding... which also describes the movie . in that it rebuts the spirit of the earlier film. Duke Ellington. but Reiner and Griffin race through the plot beats so rapidly that poor Sarah seldom has time to breathe. but it devolves into a bland romance spiced with too little comedy . Griffin. . MacLaine and Mr. Reception Critical response Rumor Has It. But it's a good gimmick. Costner are seasoned professionals. Scott of the New York Times said. received mostly negative reviews from critics."[6] .. a natural actor with enormous appeal . "In The Mood" by Joe Garland... That's because it is a gimmick. by T.O. has the presence to pull it off."[5] Brian Lowry of Variety said. and . is directed by Rob Reiner in a sleepwalking daze that Costner emulates by rotely repeating his performance in The Upside of Anger and in the process squeezing all the juice. sounds like a gimmick."[3] Mick LaSalle of the San Francisco Chronicle said. needless to say.. all of which were released exclusively on iTunes. . "Moonlight Serenade" by Glenn Miller and Mitchell Parish. including sound construction and the presence of Kevin Costner . [Aniston] never settles down enough to offer more than a shrill whine and pained expression."[4] Peter Travers of Rolling Stone awarded it one out of four stars.. zany scenes that trivialize the characters and a horror of adventure . "I suppose Rumor Has It could be worse. Johnny Hodges. "I'm Beginning To See The Light" by Harry James.. because she's the heroine of this story. begins with an intriguing premise . com/ 2005/ 12/ 23/ movies/ 23rumo. Raising Eyebrows in Hollywood" by Anne Thompson.562. December 23. It eventually grossed $43.[7] Home Media The film was released in DVD on May 9. sfgate. suntimes. December 24. htm) External links • Rumor Has It… ( (http:/ / www. com/ review/ VE1117929123. com/ cgi-bin/ article. January 6. August 25.com/title/tt0398375/) at the Internet Movie Database • Rumor Has It (. com/ 2004/ 08/ 25/ movies/ 25grad.155 in its opening weekend. com/ movies/ ?id=rumorhasit. 2006. variety. boxofficemojo. 2005 (http:/ / www. on 2. html) [3] Chicago Sun-Times. DTL) [5] Rolling Stone. rollingstone. cgi?f=/ c/ a/ 2005/ 12/ 24/ DDG4SGCARU1.imdb.933. 2005 (http:/ / rogerebert. 2004 (http:/ / M in US DVD sales. nytimes. nytimes. December 19.300 in foreign markets for a worldwide box office total of $88. com/ reviews/ movie/ 6824351/ review/ 9118148/ rumor_has_it) [6] Variety.com/m/rumor_has_it/) at Rotten Tomatoes • Rumor Has It (. com/ apps/ pbcs. New York Times. 2006 (http:/ / www. Box office. html?categoryid=31& cs=1& p=0) [7] BoxOfficeMojo. 2005 (http:/ / movies2.933.rottentomatoes.htm) at Box Office Mojo . It has grossed $36.262 domestically and $45.000. dll/ article?AID=/ 20051222/ REVIEWS/ 51220003/ 1023) [4] San Francisco Chronicle.S.boxofficemojo. 2005 (http:/ / www. html?ex=1251172800& en=c779e9b37710d1a1& ei=5090& partner=rssuserland) [2] New York Times.com/movies/?id=rumorhasit. December 23.815 screens in the US on Christmas Day 2005 and earned $3. References [1] "A Film Studio Fires a Director.Rumor Has It… 129 Box office The film opened at #10 at the U.473. 2005. It was written.169 Bewitched is a 2005 family comedy-fantasy produced by Columbia Pictures and is a re-imagining of the television series of the same name (produced by Columbia's Screen Gems television studio.426. 2005 101 min. . USA English $85.Bewitched (film) 130 Bewitched (film) Bewitched Theatrical release poster Directed by Produced by Nora Ephron Nora Ephron Douglas Wick Penny Marshall Sol Saks (TV series) Nora Ephron Delia Ephron Nicole Kidman Will Ferrell Shirley MacLaine Michael Caine George Fenton Written by Starring Music by Cinematography John Lindley Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue Tia Nolan Columbia Pictures June 24. Filming took place in late 2004 and early 2005.000.000 $131. The film was released in the United States and Canada on June 24. now Sony Pictures Television). produced. and directed by Nora Ephron and featured as co-stars Nicole Kidman and Will Ferrell. and finally shows him her powers. their new neighbors are also a nod to their TV counterparts. it is revealed that she did not have to remain at her home for 100 years before she could. who is just as obnoxious as Jack.Bewitched (film) 131 Plot The film is not an adaptation of the television series. once again. Part of this is perpetrated by his agent (Jason Schwartzman). Jack proposes to her and she accepts. appeal to Jack who rarely hears honest criticism. return. a young witch who wants to give up magic and have a normal life. Jack realizes that he really loves Isabel after all and tries to find her before she returns home. Meanwhile the "spirits" of the old Bewitched television show work their own magic on Isabel and Jack by ensuring that the couple ends up in a happy union of witch to mortal like on the original series. a ploy whereby the egocentric actor can eclipse his co-star and claim the spotlight entirely. To his surprise. self-centered Jack decides to downplay her role and make the show focus on Darrin (thus garnering the audience's attention). She meets a failing movie star named Jack Wyatt (Will Ferrell) who wants to find an unknown actress to play a witch — and his wife — in a TV show. The home in which Isabel and Jack finally settle in together is numbered "1164" as a nod to the house from the original TV series (at 1164 Morning Glory Circle). He begins to give her a bigger role and the two begin to fall in love and enjoy filming their TV show. Cast • • • • • • • • • Nicole Kidman as Isabel Bigelow / Samantha Stephens Will Ferrell as Jack Wyatt / Darrin Stephens Stephen Colbert as Stu Robison David Alan Grier as Jim Fields Characters from the series • • • • • • • • Carole Shelley as Aunt Clara Steve Carell as Uncle Arthur Amy Sedaris as Gladys Kravitz Richard Kind as Abner Kravitz Elizabeth Montgomery (uncredited) as Samantha Stephens (archive footage) Dick York (uncredited) as Darrin Stephens (archive footage) Agnes Moorehead (uncredited) as Endora (archive footage) Paul Lynde (uncredited) as Uncle Arthur (archive footage) . Isabel decides to return home. he finds her at the studio soundstage. Her harsh words. which she considers her "home". but rather a deconstruction of it. He becomes fearful of her supernatural nature and they separate. the pompous. strangely enough. Isabel eventually becomes worried that she has hidden her true identity from Jack. despite her magic-loving father's (Michael Caine) warnings that she cannot live without it. Isabel becomes furious when she finds out. When she becomes more popular than he is and unintentionally takes the spotlight away. Devastated. It is about Isabel Bigelow (Nicole Kidman). a modern adaptation of the classic TV show Bewitched. where Jack is told by Uncle Arthur (Steve Carell) she must stay for 100 years once she returns. Before she accepts. a trivia game. Rated: PG-13 DVD Features: Deleted Scenes Casting a Spell: Making BEWITCHED Featurette Star Shots Featurette Why I Love BEWITCHED Featurette Director Nora Ephron audio commentary Witch Vision Trivia Track Bewitched Trivia Game Previews Studio: Columbia CC: English (US) Sub: English (US)." It was also nominated for four Razzies including Worst Director. 3. Worst Screenplay and Worst Remake or Sequel. Nicole Kidman and Will Ferrell's on-screen pairing was found lacking by moviegoers and earned the two a Razzie Award for "Worst Screen Couple. The DVD included deleted scenes such as Jack and Isabel's wedding and an extended version of Isabel getting mad. 3.413. 6. 8. Worst Actor (Will Ferrell). The New York Times called the film "an unmitigated disaster. several making-of featurettes. 1. and an audio commentary by the director. 2005 Format: DVD Running Time: 102 Min.Bewitched (film) 132 Cameo appearances • • • • • • Ed McMahon as Himself Conan O'Brien as Himself James Lipton as Himself Nick Lachey as Vietnam Soldier Kate Walsh as Waitress Abbey DiGregorio as Auditioner Reception The $85-million budgeted movie was panned by critics.000. 2. French (Parisian) Color/B&W: Color • DVD Details: . Standard Edition • • • • • • 1. Bewitched (Special Edition) Release date: October 25."[2] DVD The DVD was released on October 25. 7. yet earned a worldwide gross of $131. 4. 5. 4. 2005 by Columbia TriStar. Rotten Tomatoes reported that 24% of the critics gave positive reviews.[1] The total US gross was $63.313.159 with international at $68.159. and by many of the original show's fanbase. based upon 182 reviews.100. 2. Rotten Tomatoes (http:/ /) Bewitched () Movie Project History from a Bewitched fan site ( (film) 133 References [1] Bewitched Movie Reviews.net/news/20050609_5758.html) .boxofficemojo.htm) Nicole Kidman interview for Bewitched (. Pictures . html?pagewanted=2& _r=1 External links • • • • • • Official site () at the Internet Movie Database Bewitched (. com/ m/ bewitched/ ) [2] http:/ /. com/ 2009/ 08/ 02/ movies/ 02barn.htm) at Box Office Mojo Film Locations (. rottentomatoes.com/Locations/Bewitched1. nytimes.moviehole.com/movies/?id=bewitched. In Her Shoes (2005 film) 134 In Her Shoes (2005 film) In Her Shoes Theatrical release poster Directed by Produced by Curtis Hanson Curtis Hanson Ridley Scott Tony Scott Susannah Grant In Her Shoes by Jennifer Weiner Cameron Diaz Toni Collette Shirley MacLaine Mark Isham Screenplay by Based on Starring Music by Cinematography Terry Stacey Editing by Distributed by Release date(s) Running time Country Language Budget Gross revenue Lisa Zeno Churgin Craig Kitson 20th Century Fox September 14. and Shirley MacLaine. 2005 (United States) 130 minutes United States English $35 million $83. . 2005 (TIFF) October 7.073. Toni Collette. The film focuses on the relationship between two sisters and their grandmother. It is directed by Curtis Hanson with an adapted screenplay by Susannah Grant and stars Cameron Diaz.883 In Her Shoes is a 2005 American comedy-drama film based on the novel of the same name by Jennifer Weiner. and also maintains a relationship with Simon whom she had previously despised. and lies about the engagement to her grandmother. She tells maggie she wants her to move out and Maggie angrily retaliates by sleeping with Jim. When Rose drops Maggie off at their fathers. Maggie teases Rose about her recent sexual encounter then falls asleep after recalling a happy memory of her childhood. and drives to the elegant paw to steal a Pug that resembles one she had as a little girl. Maggie then talks Rose into going out. The film ends with Maggie reading a poem (She learnt to read while working at a nursing home for old people. and cleverly steals eighty dollars from him. without paying the tow. Rose hints in a voice over that this happens quite often. who now lives in Miami. She goes to Florida. They become engaged and all his happy until Rose gets a letter from her grandmother and finds out her father had been lying about her grandmothers death. you see Maggie waving to them from the reception with a happy smile. They take her to the impound lot but one of them tries to sexually harass her. Rose then spoils the fun for Maggie by asking for an application to work in the dead diner. When the car gets towed. she is instantly rejected. Maggie visits her dad and finds out that Sydelle is turning her bedroom into a nursery for Marcia's unborn (and non existent) future baby. Maggie and Rose then talk about their dead mother. Rose then decides to help Maggie by typing up a resume. while Maggie. They rekindle a relationship while Rose quits her job and becomes a dog walker.In Her Shoes (2005 film) 135 Plot Rose Feller is a busy lawyer with insecurities about her appearance. . whom she had just slept with) to come and pick her up. goes through Roses shoes. Maggie's date Todd rings Rose (whilst she takes a photo of Jim. The Elegant Paw. Rose returns after a lousy weekend. Maggie gets a job at the local Pet Grooming store. a nerdy colleague. where they trick a sleazy man into buying them drinks. keeping her engagement ring on. Maggie accepts a ride from two strangers. When Rose leaves for Chicago she finds out that Jim had bailed and sent Simon. Maggie finds old birthday cards from her grandmother whom she had assumed had died. enjoys causal sex and often steals Roses expensive shoes to impress men. They lose touch and Maggie decides to visit her long lost Grandmother. and is confident she will get the job. Maggie rings Simon. Maggie meets Jim. instead. lying and saying that Rose is pregnant and gets him to come down to Miami and rekindle his relationship with Rose. She expresses her frustration about Maggie at Jim at a wedding and Simon tells her he doesn't want to marry her if she isnt honest. Maggie takes Roses expensive jewelery. leaving Rose no choice but to take Maggie in. and gets mad at Maggie for using her car and leaving a boot on it. Rose becomes distracted while Jim holds a confrence meeting. After Jim and Rose leave to go to work. But after she cant read the words MTV has given her on script. After passing out at her ten year high school reunion. Rose then tells Maggie that she wont be able to trick men into paying her bills forever and that she needs a real job. but uses Roses car without permission. during which he invites her to work on a case with him in Chicago which she excitingly agrees.her troubled and beautiful sister. who had killed herself. and they recall funny memories about why Maggie had failed at them. eat pancakes and tease Sydelle over the way she over-talks about her seemingly perfect daughter Marcia. their step mother Sydelle kicks Maggie out.ruining a pair by spilling ice-cream on them but also reading that MTV is holding auditions for a new VJ. She steals the car. thanks to a blind former professor) as a wedding present for Rose and as Rose and Simon drive to the airport. Maggie rings Rose and tells her she has gotten a callback from MTV. she uses abundant humanity and smart psychology to great advantage. makes perfect sense. It tells us something fundamental and important about a character.] funny and poignant. that the film "is almost a true statement. but because it arrives out of the blue and yet." . and it does it in a way we could not possibly anticipate."[2] Roger Ebert of the Chicago Sun-Times states that the film "starts out with the materials of an ordinary movie and becomes a rather special one. almost an honest rendering of a sibling relationship and almost not a sentimental Hallmark card of a movie. with writer Susannah Grant and director Curtis Hanson strenuously pretending to have told one kind of story. hovering for upward of two hours between light and dark."[3] Mick LaSalle of the San Francisco Chronicle argues. Like a good poem. Rex Reed in The New York Observer calls In Her Shoes "pure joy" and "a movie to cherish". The emotional payoff at the end is earned.. it allows her to share that something with those she loves. not because we see it coming as the inevitable outcome of the plot. based on 149 reviews. lending her knowledge to the other actors generously. based on 36 reviews."[4] Carino Chocano of the Los Angeles Times concurs.. Rotten Tomatoes reported that 74% of the critics gave the film a positive reviews. when actually they've told quite another.In Her Shoes (2005 film) 136 Cast • • • • • • • • • • • • • •.[1] Metacritic reports 60% positive reviews. it blindsides us with the turn it takes right at the end. menace and mollycoddling. But it compromises with itself and ends up in a limbo of meaninglessness. on the other hand. truth and fake uplift. calling the film "a curious movie. arguing that Shirley MacLaine has "found her finest role since the Oscar-winning Terms of Endearment [. once we think about it. Stein Ivana Miličević as Caroline (in photos) Norman Lloyd as The Professor Benton Jennings as Shoe Salesman John Johnson Jennifer Weiner as Smiling woman in Italian market Reception Critical reception In Her Shoes has received generally positive reviews from critics. observer. Rex (2005-10-09). dll/ article?AID=/ 20051006/ REVIEWS/ 50928001/ 1023). com/ m/ in_her_shoes).com/work/304473) at Allmovie • In Her Shoes (. Retrieved 2010-11-27.htm) at Box Office Mojo .boxofficemojo. [4] LaSalle. com/ node/ 51372). sfgate. Nominations Shirley MacLaine • Golden Globe Award for Best Supporting Actress . com/ apps/ pbcs.Motion Picture • Satellite Award for Best Supporting Actress . com/ cgi-bin/ article.com/movies/?id=inhershoes.Motion Picture Drama • Australian Film Institute Award for Best Actress Cameron Diaz • Imagen Foundation Award for Best Actress References [1] In Her Shoes Movie Reviews. Shirley's Best Since Terms (http:/ / Her Shoes (2005 film) 137 Box office The film opened at #3 at the U.allmovie. Box office raking in $10. In Her Shoes Review (http:/ /. Retrieved 2010-11-27. rottentomatoes. External links • In Her Shoes (. Chicago Sun-Times. Mick (2005-10-07). Rotten Tomatoes.575 USD in its first opening weekend. In Her Shoes Review (http:/ / rogerebert. suntimes.imdb. cgi?f=/ c/ a/ 2005/ 10/ 07/ DDGRNF31LM1. Retrieved 2010-11-27. [2] Reed. San Francisco Chronicle.Motion Picture Toni Collette • Satellite Award for Best Actress . Roger (2005-10-07). DTL). Retrieved 2010-11-27.com/title/tt0388125/) at the Internet Movie Database • In Her Shoes (. Pictures (http:/ /. The New York Observer. [3] Ebert. smoking and nursing a hangover. When Ethel Ann begins acting strangely. Neve Campbell.[2] Plot The film opens in 1991. Stephen Amell. The man's daughter Marie (Neve Campbell) delivers the eulogy to a church full of veterans who knew and loved her father. Pete Postlethwaite. Christopher Plummer. 2007 UK Canada [1] USA English Language Closing the Ring is a film directed by Richard Attenborough and starring Shirley MacLaine. and Brenda Fricker. while her mother Ethel Ann (Shirley MacLaine) is sitting out on the church porch. It quickly emerges that there is a lot Marie does not know about her mother's past and the true story of her love life. with the funeral of a World War II veteran. 2007. The film was released in the United Kingdom and Republic of Ireland on December 28. only her friend Jack (Christopher Plummer) seems to understand why. Mischa Barton. .Closing the Ring 138 Closing the Ring Closing the Ring Theatrical release poster Directed by Produced by Written by Starring Richard Attenborough Richard Attenborough Jo Gilbert Peter Woodward Shirley MacLaine Christopher Plummer Mischa Barton Stephen Amell Neve Campbell Pete Postlethwaite Gregory Smith Jeff Danna Music by Cinematography Roger Pratt Editing by Distributed by Release date(s) Country Lesley Walker The Works Distribution United Kingdom December 28. lively. Festival appearances The film had its world premiere at the Toronto International Film Festival on September 14. It was flown by Captain D. Teddy Gordon (played by Canadian new comer Stephen Amell). but not all of them make it back alive.Jack Mischa Barton . which Jack and Chuck boarded up for her in 1944. 2007. It concluded that the film is "a remarkable tale of love.[3] The film received its UK premiere at the London Film Festival on October 21. travelling to Michigan to give Ethel the ring. According to the Toronto International Film Festival it "exemplifies the balance between the epic and the intimate that has been the hallmark of Lord Richard Attenborough’s venerable career. Quinlan tells Ethel that he was on the hill when Teddy died. Ontario. 2007. She holds the hand of a dying British soldier caught in a car-bomb attack. Jimmy. Eugene Wedekemper. The plot lines intertwine with the story of a young Ulsterman in Belfast. and that Teddy's dying words freed Ethel from her promise to love him forever. loss and redemption that stands proudly among the films of one of the cinema’s living legends. Attenborough has produced another grand canvas about the emotional repercussions of a wartime promise."[3] .Teddy Gordon Neve Campbell .. giving his celebrated ensemble cast ample opportunity to shine". Marie is shocked and furious to learn that her mother loved not Chuck. Canada.Closing the Ring The movie flips to a time when this mother was young. Jack admits that he has always loved her. They begin a romance.Jimmy Reilly Pete Postlethwaite . The B-17 used in this movie was the Yankee Lady from the Yankee Air Museum. which was also used in the movie Tora! Tora! Tora!. Ethel travels to Belfast with Jimmy..Young Ethel Ann Gregory Smith . She is in love with a young farmer.Chuck Layke Anderson .Ethel Ann Christopher Plummer . who goes off to war with his best friends Jack (Gregory Smith) and Chuck (David Alpay). but Teddy's memory.Marie Brenda Fricker .Michael Quinlan John Travers . Inadvertently caught up in cross-border troubles. and optimistic (young Ethel Ann played by Mischa Barton). Reception The film attracted a mixed critical response.Young Michel Quinlan David Alpay . Jimmy flees Belfast.Dying Soldier Production Closing the Ring was filmed in Toronto and Hamilton. who finds a ring in the wreckage of a crashed B-17 and is determined to return it to the woman who once owned it.Attenborough traces multiple themes with ease and grace. Deftly weaving together different eras and locales. and Belfast.Young Jack Stephen Amell . 139 Main cast • • • • • • • • • • • • Shirley MacLaine . County Antrim. Northern Ireland. Ethel reveals a wall covered in souvenirs of Teddy. Joining Ethel in Belfast.Grandma Reilly Martin McCann . com/m/closing_the_ring/) at Rotten Tomatoes Closing the Ring () at the Internet Movie Database Closing the Ring (. shtml) from the BBC website [2] Works nabs U. But Attenborough has infused it with warmth and mature insight. com/ reviews/ reviewcomplete.."[5] Philip French of The Observer wrote "Woodward's script is more than a little contrived.yahoo. uk/ films/ 2007/ 12/ 24/ closing_the_ring_2007_review. co.K.rottentomatoes.com/movie/1809418975/info) at Yahoo! Movies . co. empireonline. guardian.com/work/415887) at Allmovie Closing the Ring (. html) from The Observer website [7] Review of Closing the Ring (http:/ / www. as well as over-emphatic. ca/ filmsandschedules/ filmdetails.2233656.imdb. html?categoryid=31& cs=1& p=0) from Variety magazine's website External links • • • • • Official website (." Variety called the film "decades-skipping schmaltz" and an "aggressively bittersweet yet oddly uninvolving drama. tiff07. co.Closing the Ring Derek Malcolm of the Evening Standard wrote that it "is well-acted throughout and it has a romantic appeal that is not to be sneered at.allmovie. bbc. uk/ News_Story/ Critic_Review/ Observer_review/ 0.closingtheringmovie.co.. aspx?ID=705141619011292) Toronto International Film Festival [4] Review of Closing the Ring (http:/ / www."[4] Alan Morrison of Empire wrote "After recent disappointments Sir Dickie Attenborough is back on better."[6] Laura Bushell of BBCi Films called the film a "looping tale of love and loss in WWII which is so old fashioned in its aspirations. and older members of the audience are likely to find it extremely moving. hollywoodreporter. uk/ film/ film-23339509-details/ Closing+ The+ Ring/ filmReview. variety. rights to Closing The Ring (http:/ / www. form. com/ review/ VE1117934861. com/ hr/ content_display/ film/ news/ e3i66abf6954df1d43ff4b99604a6253a3c) from The Hollywood Reporter [3] Closing The Ring (http:/ / www."[7] 140 References [1] Review of Closing the Ring (http:/ / www. it's hard to see why new audiences would flock to see it. albeit old-fashioned. thisislondon.uk/) Closing the Ring (. do?reviewId=23429701) from the Evening Standard [5] Review of the Closing the Ring (http:/ / www. asp?FID=134101) from Empire [6] Review of Closing the Ring (http:/ / film.00. The film was broadcast by Lifetime Television. the pioneering French fashion designer. Enrico Medioli and Lea Tafuri. Principal cast • • • • • • • • • • Shirley MacLaine as Coco Chanel (elder) Barbora Bobulová as Coco Chanel (young) Robert Dawson as Lord Fry Olivier Sitruk as Arthur "Boy" Capel Marine Delterme as Emilienne d'Alençon Anny Duperey as Madame Desboutins Cosimo Fusco as Albert Valentina Lodovini as Adrienne Malcolm McDowell as Marc Bouchier Sagamore Stévenin as Etienne Balsan .Coco Chanel (film) 141 Coco Chanel (film) Coco Chanel Directed by Produced by Christian Duguay Corrado Trionfera Daniele Passani Elisabetta Iovene Ron Hutchinson Enrico Medioli Lea Tafuri Shirley MacLaine Italy France United Kingdom English Written by Starring Country Language Original channel Rai Uno France 2 Release date Running time 2008 139 minutes Coco Chanel is a 2008 television film directed by Christian Duguay and written by Ron Hutchinson. It stars Shirley MacLaine as (the older) Coco Chanel. Coco Chanel (film) 142 Home video release On July 7.00. 2009.it [3] References [1] http:/ / www. imdb.3983. Awards and nominations Golden Globe Award • Best Actress – Miniseries or Television Film (MacLaine. raifiction. Coco Chanel was released on DVD in the Region 1 (US) format. nominated) Screen Actors Guild (SAG) • Outstanding Female Actor – Miniseries or Television Film (MacLaine. nominated) 61st Primetime Emmy Awards • Outstanding Made for Television Movie (Nominated) • Outstanding Lead Actress in a Miniseries or a Movie (Maclaine. com/ on-tv/ movies/ coco-chanel [3] http:/ / www. rai. com/ title/ tt1094661/ [2] http:/ / www.. mylifetime. nominated) External links • Coco Chanel [1] at the Internet Movie Database • Official website [2] • On Rai. it/ raifiction2006fiction/ 0. html . Shirley MacLaine plays matriarch Amelia Thomas in the film.Anne of Green Gables: A New Beginning 143 Anne of Green Gables: A New Beginning Anne of Green Gables: A New Beginning Genre Directed by Produced by Written by Starring Drama Kevin Sullivan Kevin Sullivan Trudy Grant Kevin Sullivan Hannah Endicott-Douglas Barbara Hershey Shirley MacLaine Rachel Blanchard Canada English Country Language Original channel CTV Release date Running time Preceded by December 14.) Her two daughters are preoccupied with their own young families and her adopted son Dominic (a character not featured in the books but invented for The Continuing Story) has yet to return from the war. The story follows Anne's life before she arrives at Green Gables. (This did not happen in the books. is troubled by recent events in her life. . Before the broadcast. Her husband. 2008 144 minutes (approx. It was released as a television film in 2008 on CTV. When a long-hidden secret is discovered under the floorboards at Green Gables. now a middle-aged woman. Anne retreats into her memories to relive her troubled early years prior to arriving as an orphan at Green Gables and being adopted by the Cuthberts. Kevin Sullivan wrote a completely new screenplay for the three-hour movie based on Montgomery's characters (serving as a prequel to his early 3 miniseries movies [1] broadcast originally on CBC) and not directly from her books. Gilbert. Synopsis Anne. has been killed overseas as a medical doctor during World War II.[1] The film stars 14-year-old Hannah Endicott-Douglas as the child and Barbara Hershey as the adult Anne Shirley. CTV had recently acquired the rights to the entire Anne catalogue including the 1985 miniseries.) Anne of Green Gables: The Continuing Story Anne of Green Gables: A New Beginning is the fourth film in the Anne of Green Gables film series. once she discovers the truth about her real parents.Rachel Lynde . She begins a delicate search for her birth father.Anne of Green Gables: A New Beginning The impact of this difficult period has a far-reaching effect on this older woman.Louisa Thomas Barbara Hershey . 144 Scene from the Film Courtesy of Sullivan Entertainment Inc Scene from the Film Courtesy of Sullivan Entertainment Inc Release The telefilm premiered on Sunday December 14.Gene Armstrong Kyra Harper . Cast • • • • • • • • • • • Shirley MacLaine .Bertha Shirley Ron Lea .Nellie Parkhurst Joan Gregson . uncertainty. heartache and joy.Older Anne Shirley Hannah Endicott-Douglas .Violetta Thomas Patricia Hamilton .Amelia Thomas Rachel Blanchard . In the parade of humanity Anne encounters she also faces the root of her desire to find true "kindred spirits".Hepzibah Vivien Endicott-Douglas .Walter Shirley Natalie Radford . The telefilm has a running time of 138 minutes. 2008 on CTV and it was also broadcast in High Definition. an inspired imagination and the impetus to use her talents as a writer to inspire others.Younger Anne Shirley Ben Carlson . It is a journey through a past fraught with danger. imdb. Ontario area. Period mansions were used as the backdrop for the Thomas residences. using existing houses. the production crew and special effects team employed the technology of the Green Screen and CGI to digitally create the background.M. See.com/) • Anne of Green Gables: A New Beginning (. When they could not film on location. ctv. and a complete filmography of all adaptations of Montgomery texts. streetscapes and natural environments. a bibliography of reference materials.Anne of Green Gables: A New Beginning 145 Production notes All of the movie’s actual location photography was shot in various places around the Toronto. References [1] New 'Anne of Green Gables' coming to CTV May 11. in particular. the page for Anne of Green Gables: A New Beginning (. Of the major cast members from the original trilogy of films. Montgomery Research Group (. .org/) This scholarly site includes a blog. 2008 (http:/ / www. and an historic Quaker Boys School converted into the Bolingbrook Poorhouse for the film.org/filmography/ aggnb-2008). ca/ servlet/ ArticleNews/ story/ CTVNews/ 20071016/ anne_gables_071016/ 20071016?hub=Entertainment) External links • Official page on the Sullivan Anne of Green Gables trilogy and prequel () at the Internet Movie Database • The L. or specific details that location filming could not produce. only Patricia Hamilton reprises her original character in the fourth film. Valentine's Day (film) 146 Valentine's Day (film) Valentine's Day Directed by Produced by Garry Marshall Samuel J. New Line Cinema . Brown Mike Karz Wayne Allan Rice Josie Rosen Katherine Fugate Katherine Fugate Abby Kohn Marc Silverstein Julia Roberts Jessica Alba Jessica Biel Kathy Bates Bradley Cooper Eric Dane Patrick Dempsey Hector Elizondo Jamie Foxx Jennifer Garner Alex Williams Topher Grace Taylor Swift Anne Hathaway Carter Jenkins Ashton Kutcher Queen Latifah Taylor Lautner George Lopez Shirley MacLaine Emma Roberts John Debney Screenplay by Story by Starring Music by Cinematography Charles Minsky Editing by Studio Distributed by Bruce Green Relativity Media Warner Bros. S. Kate and Holden chat. and she refuses to believe it and gets on the plane. There is a delay in the delivery of flowers. and have agreed to wait to have sex. play backgammon. Edgar (Hector Elizondo) and Estelle (Shirley MacLaine) are facing the troubles of a long marriage. Edgar is deeply upset. but the location of the hospital is in Los Angeles. Abby Kohn and Marc Silverstein. an elementary school teacher has fallen in love with Dr. Julia makes a scene at the restaurant. On Valentine's Day. Edison (Bryce Robinson). On an airplane to Los Angeles. which he does. and Kate has to wait hours for the taxi. One of Julia’s students. 2010 124 minutes United States English $52 million [1] [2] 147 $213. The nurses at the counter reveal to her that he is married and tell her the name of the restaurant where he and his wife will be dining that evening. but does not know that he is married to his wife Pamela (Katherine LaNasa).Valentine's Day (film) Release date(s) Running time Country Language Budget Gross revenue February 12. as she only has one day to spend with her family before she has to go back to the army. Willy gives Felicia a large white bear that she carries around with her everywhere and Felicia gets him a gray running t-shirt (which was his) and ironed the number 13 on the back for "good luck"." This upsets Estelle and leads to her telling Edgar about an affair she had with one of his business partners. Although she is deeply sorry for what she did. The screenplay was written by Katherine Fugate from a story by Fugate. .009. Kate Hazeltine (Julia Roberts). and gives back the toy Harrison gave her that morning. but Edison insists that Reed delivers the flowers the same day. a captain in the U. Meanwhile Edison’s grandparents. befriends newly single Holden Wilson (Bradley Cooper). Harrison Copeland (Patrick Dempsey). Harrison tells her that he needs to go to San Francisco for a business trip. and tell jokes. and Reed wishes they had told him. Morley changes her mind and leaves Reed later in the day. Harrison's wife. Army on a one-day leave. and inquires after him in. she suggests to Edison to give the flowers to a lonely girl in the class who also has a crush on him. the owner allows her to dress as a waitress. When the plane lands. Alphonso tells Reed he and Julia knew it would never work out between him and Morley. to be sent to his teacher. are experiencing the freshness of new love. Julia. orders flowers from Reed. and it didn't last long. Grace explains to them that she wants to have sex with Alex. which Kate accepts. and says. and Harrison is seen eating pizza alone in a condo later on that evening. She goes to the hospital where he said he would be after flying to San Francisco. They are interviewed on the news and advertise their love and support for each other. florist Reed Bennett (Ashton Kutcher) proposes to his girlfriend Morley (Jessica Alba) who accepts. becomes suspicious when Julia makes a comment referring to Harrison's ability to juggle. Julia buys a plane ticket to San Francisco. Reed finds out when Harrison orders flowers for his wife and girlfriend (Julia). Pamela. much to the surprise of Reed’s closest friends Alphonso (George Lopez) and Julia Fitzpatrick (Jennifer Garner). The planned encounter goes awry when Grace's mom discovers a naked Alex in Grace's room rehearsing a song he wrote for Grace on his guitar. As she teaches the owner's son. implying that Pamela has left him right after Julia's scene. The affair was while he was away. however. Plot It's Valentine's Day in Los Angeles. Edison's babysitter Grace (Emma Roberts) is planning to lose her virginity with her boyfriend Alex (Carter Jenkins).598 Valentine's Day is a 2010 American romantic comedy film directed by Garry Marshall. Reed quickly comes to the airport and warns Julia. Willy (Taylor Lautner) and Felicia (Taylor Swift). Holden offers his limousine. Grace’s high-school friends. They are for Julia. Wanting to surprise him and following Reed's advice from earlier on in the day. "It's not like I am going to sleep with one person for the rest of my life. Alfonso dines with his wife. Morley is shown walking her Border collie while trying to call Reed and the movie closes with Julia and Reed beginning a relationship. Estelle. Harrison Copeland Emma Roberts as Grace Smart Carter Jenkins as Alex Franklin Alex Williams as Josh Curts Taylor Lautner as Willy Harrington Taylor Swift as Felicia Miller Eric Dane as Sean Jackson Jessica Biel as Kara Monahan Jamie Foxx as Kelvin Moore Queen Latifah as Paula Thomas Katherine LaNasa as Pamela Copeland Kathy Bates as Susan Moralez . Grace and Alex agree to wait to have sex. Kate goes home to greet her son Edison. but is becoming interested in sports reporter Kelvin Moore (Jamie Foxx) who has been sent out by his producer Susan (Kathy Bates) to cover Valentine's Day because of a lack of sports news. Jason decides that her job is too much for him to handle. and is completely broke. a close friend of Julia's. a closeted gay professional football player.000 student loan to pay off. Sean comes out on national television. 148 Cast Main • • • • • • • • • • • • • • • • • • • • • • • Ashton Kutcher as Reed Bennett Jennifer Garner as Julia Fitzpatrick Anne Hathaway as Liz Curran Topher Grace as Jason Morris Hector Elizondo as Edgar Paddington Shirley MacLaine as Estelle Paddington Julia Roberts as Cpt. and they share their mutual hatred of Valentine's Day. is organizing her annual "I Hate Valentine's Day" party. Willy drops Felicia off at home after a date and they kiss goodnight. Edgar and Estelle retell each other their marriage vows and kiss in the theater. Liz explains that she is only doing this because she has a $100. Kelvin and Kara hang out at Kelvin's news station where they later kiss. Kate Hazeltine Bradley Cooper as Holden Wilson Jessica Alba as Morley Clarkson George Lopez as Alphonso Rodriguez Bryce Robinson as Edison Hazeltine Patrick Dempsey as Dr. has no health insurance. Jason goes back to Liz and they decide to keep a bond together but to also "keep it simple". is contemplating the end of his career together with his publicist Kara (Jessica Biel) and his agent Paula (Queen Latifah). Jason is first shocked when Liz turns out to be moonlighting as a phone sex operator. Paula has hired a new receptionist named Liz (Anne Hathaway) who has started dating mailroom clerk Jason (Topher Grace). Kara.Valentine's Day (film) Sean Jackson (Eric Dane). and Holden (who is Sean's lover) goes back to him. but eventually comes back to the relationship after seeing Edgar forgive his wife. "Valentine's Day" – 2:31 15. 2010 and has charted on the U. and Universal's werewolf film The Wolfman. Claudia Smart Kristen Schaal as Ms.S.1 million over three days. Billboard Hot Country Songs chart. breaking a record for highest first-week sales by a female artist. (written by Debney and Glen Ballard. The soundtrack also includes "Today Was a Fairytale" by Taylor Swift. which debuted at #2 on the U. "I Gotta Feeling" by The Black Eyed Peas was used for the film's trailer.S. and not included on the song CD) was released digitally on April 7.4 million its opening weekend.[6] .6 million. "Every Time You Smiled". It appears in the film but not on the soundtrack however. "Julia Sees the Light/Edgar & Estelle/Young Love/First Time" – 3:31 9. "Light Conversation/Chivalrous Gestures/He's Married/Forget Me Not" – 3:25 7. Gilroy Joe Mantegna as Angry Driver (uncredited) 149 Music The score to Valentine's Day was composed by John Debney. 2010 by Watertower Music. with award-winning lyricist Glen Ballard which was performed by Carina Round. who recorded his score with the Hollywood Studio Symphony at the Sony Scoring Stage. "Flower Shop Talk/To the Restaurant/The Realization/Mi Familia" – 3:27 6. which debuted at number 2 with $31. including "Every Time You Smiled". "Ride Home/Guys Talk" – 1:47 12. It features the movie's leading song. "Apartment Dwelling/Hollywood Loft" – 0:48 4. "She Said No/Don't Go/I Like Her" – 3:50 10. "Mom's Home/Soccer Practice/Bike Ride" – 2:23 13.Valentine's Day (film) Minor • • • • • Brooklynn Proulx as Madison Copeland Jonathan Morgan Heit as Tough Franklin Beth Kennedy as Mrs. "My Life's a Mess/This Is Awkward" – 1:22 11. grabbing the number 1 spot over the holiday that shares its name. Jamie Foxx also recorded a song for the film which is called "Quit Your Job". Jewel's "Stay Here Forever".[4] The film ousted two other high-profile openings. "Liz Leaves/Having Sex/I Have No Life" – 3:10 8. which was released as a single on January 19. "The Proposal/Trying to Tell Her" – 2:20 2. because of profanity in the verses. Billboard Hot 100. Debney's score album.[5] It is currently the third-highest opening weekend in February. 2010 via Big Machine Records. 20th Century Fox's action fantasy Percy Jackson & the Olympians: The Lightning Thief.[3] The movie's official soundtrack was released on February 9. Taylor Swift's song "Jump Then Fall" from the Platinum edition of her album Fearless also featured on the soundtrack. "Arrival/Airport/Catching Julia/Gotta Stop Them" – 2:55 5. "Every Time You Smiled" (Carina Round) – 2:53 Reception Box office The film debuted with $52. "The Makeup/First Kiss" – 2:25 3. "Reed and Julia" – 2:26 14. Track listing for the score album: 1. with $30. He also wrote a song for the film. Valentine's Day (film) With that record. He said "I thought the film was just awful".[15] Travers' analysis of the film simply states that "Valentine's Day is a date movie from hell".[16] Viewers that took part in surveys after the showing of the film had a generally positive reaction with some viewers agreeing it was full of clichés but that was what they expected from the movie with all storylines ending in happily-ever-afters.[15] Jonathan Ross was not complimentary either on his Film 2010 show.". while others will just get nauseous. humor.". which assigns a normalized rating out of 100 top reviews from mainstream critics. and cloverleaf like the interstates threading through California's Southland". based on 33 reviews.[11] Betsy Sharkey of The Los Angeles Times commented that "The effect of all those spinning songs. describing the film as "surfing through the channels of an all-chick-flick cable service.8/10. stars and scenarios is merry-go-round-like.[17] [18] [19] [20] [21] particularly the basic premise of multiple storylines occurring around a popular holiday. and sometimes identical subplots. Valentine's Day squanders its promise with a frantic..[9] Its consensus states: "Eager to please and stuffed with stars. The passing of the Valentine's Day holiday later had the film's box office results quickly declining with a total of $110 million in the United States and Canada as well as an additional $100 million overseas for a grand total of $210 million worldwide. Rene Rodriguez for the Miami Herald gave the film 2/4 stars. calculated an average score of 34%. it is the second biggest opening for a romantic comedy film behind Sex and the City with $57 million.. Valentine's Day is noted for sharing similarities with the British film Love Actually. producing a sort of dizzying collage that no doubt some will adore. diverge.[14] Peter Travers of Rolling Stone gave the film one star out of four.. Valentine's Day received largely negative reviews from critics and average reviews from the community. with an average score of 3."[13] Rodriguez also criticized the film's blandness."[8] Metacritic. and intelligence.[18] Awards and nominations Award 2010 MTV Movie Awards [22] Best Kiss Category Recipients Result Taylor Swift and Taylor Lautner Nominated .[7] Yahoo movies critics averaged the flim's grade as a C-.[7] Review aggregate website Rotten Tomatoes gave the film a rating of 18% based on 163 reviews.. episodic plot and an abundance of rom-com cliches.[8] Among Rotten Tomatoes' selected top critics the film holds an overall approval rating of 16% based on 32 reviews. undemanding movie that takes place over 18 hours on V-Day and considers Very Attractive People whose romantic destinies converge. 150 Critical response Despite being a box office success.[12] Mark Kermode called the film a 'greeting card full of vomit'.[13] Slate movie critic Dana Stevens wrote that the film "lacks in charm. the overall opinion of Carrie Rickey's review for The Philadelphia Inquirer is that "It is a pleasant. stating the film should have "shed some of its blander plotlines[… ]and spent a little more time exploring the thrill and elation of being in love – or at least just being horny".[10] Giving the film 3/4 stars. [26] Abigail Breslin and Lea Michele are set to star. 2011. Filming will begin in New York City in late 2010.Male Choice: Hissy Fit [25] Favorite Comedy Movie Worst Actor Worst Actor Worst Supporting Actor Worst Supporting Actress Taylor Swift and Taylor Lautner Nominated Taylor Swift Won Taylor Swift and Taylor Lautner Nominated Anne Hathaway George Lopez Jessica Biel Film Ashton Kutcher Taylor Lautner George Lopez Jessica Alba Nominated Nominated Nominated Nominated Won Nominated Nominated Won 37th People's Choice Awards 31st Golden Raspberry Awards Home media Valentine's Day was released on Region 1 DVD and Blu-ray Disc on 18 May 2010.Valentine's Day (film) [23] [24] Choice Movie: Romantic Comedy Choice Movie Actor: Romantic Comedy Film Ashton Kutcher Won Won Nominated 151 2010 Teen Choice Awards Choice Movie Actress: Romantic Comedy Queen Latifah Choice: Chemistry Choice: Breakout Female Choice: Liplock Choice: Scene Stealer . On December 8. It will be called New Year's Eve and will be set on December 31-January 1. The film is scheduled for release on December 9. 2010 it was revealed that the film is a not a sequel to Valentine's Day and that Jessica Biel and Ashton Kutcher would play different characters.Female Choice: Scene Stealer . Proposed sequel A sequel announced by director Garry Marshall was in the works. Marshall is expected to return for the film and writer Katherine Fugate has already written the draft.[27] . Marshall also wants some of the original film's cast to return for the sequel. Flixster.4 million debut . [23] "First Wave of "Teen Choice 2010" Nominees Announced" (http:/ / www. "Review – Valentine's Day (PG-13) ** – Starry cast can't banish the blandness" (http:/ / www. avclub. [9] "Valentine's Day (Cream of the Crop)" (http:/ / www. [3] Goldwasser. yahoo. . she will be playing a new character in an entirely different storyline . "'Valentine's Day . Retrieved July 26. 2010. 6 minutes in.blogging film 24/7 (http:/ / www. . [10] Valentine's Day (2010) (http:/ / movies. . msnbc. "Valentine's Day" cost Warner Bros. . com/ id/ 35406897/ ns/ entertainment-movies/ ) [6] "Top February Opening Weekends at the Box Office" (http:/ / www. latimes. . philly. Retrieved 2010-02-11. com/ movies/ love-actually-and-valentines-day-there-were-things-that-i-noticed) [19] Valentine’s Day | BrandonFibbs.com (http:/ / . msn. comingsoon. Flixster. since New Year's Eve is not a sequel to that film. [16] Film 2010.com. metacritic. Box Office Mojo. CNET Networks. Slate. com/ news/ 2010/ 06/ 14/ first-wave-of-teen-choice-2010-nominees-announced/ 20100614fox01/ ). Margulies. [25] "Diggs. mbhs. net/ news/ movienews. June 14. Metacritic. 2010. Los Angeles Times (Tribune Company). Retrieved February 16. [15] Travers. ." (http:/ / www. com/ entertainment/ movies/ AP/ story/ 1480012.' 'Percy Jackson' and 'Wolfman': The more they cost. Rolling Stone. February 15. Retrieved 2010-11-20.5960470. [13] Rodriguez. html). Retrieved 2010-02-11. [4] Germain. com/ m/ valentines_day_2010/ ). . Miami Herald. [8] "Valentine's Day Movie Reviews. [27] Jessica Biel joins the cast of 'New Year's Eve' (http:/ / insidemovies. [21] Silver Chips Online : No love for "Valentine's Day" (http:/ / silverchips. [26] "Soderbergh's Contagion Contaminates 2011 in 3D!" (http:/ / www. miamiherald. htm). Or at least since Love. The Futon Critic. "Evidence That Valentine's Day Might Be The Worst Movie Of All Time. ComingSoon. ew. ScoringSessions. . html).com. 2/4 stars [14] Stevens. Rotten Tomatoes.latimes. 2010.' New Line Cinema unit just $52 million to produce. com/ m/ valentines_day_2010/ ?critic=creamcrop). boxofficemojo. com/ 2010/ 02/ 11/ valentines-day/ ) [20] Amelie Gillette (September 8. com/ reviews/ movie/ 30654014/ review/ 32131651/ valentines_day). the less they made" (http:/ / latimesblogs. Retrieved 2010-02-15. Retrieved 2010-02-11. enzotoledo. thefutoncritic.com. . GLEE. 2009). 2010. BBC. com/ 2010/ 12/ 08/ jessica-biel-new-years-eve/ ) Biel also appeared in Valentine's Day but. rottentomatoes. rollingstone. . . May 15. Associated Press. com/ movie/ 1810094501/ info) [11] Rickey.com" (http:/ / opening weekend" (http:/ / www. "Valentine's Day : Review :Rolling Stone" (http:/ / www. Box Office Mojo. scoringsessions. [7] "Valentine's Day (2010): Reviews" (http:/ / www. Carrie. html). [17] Movie Review: “ Valentine’s Day” . edu/ story/ 9872) [22] "MTV Movie Awards: When Twilight & Betty White Collide!" (http:/ / www. Teens Cast More Than 85 Million Votes" (http:/ / tvbythenumbers. 2010. "Valentine's Day – Fine. . "John Debney scores Valentine's Day" (http:/ / www." [2] "Valentine's Day (2010)" (http:/ / boxofficemojo. Retrieved 2010-02-11. com/ philly/ entertainment/ movies/ 20100212_Bonbons_for_moviegoers_of_all_ages_and_persuasions. Actually. com/ uberblog/ marc_malkin/ b180567_mtv_movie_awards_when_twilight_betty. [5] ‘Valentine’s Day’ courts $52. Dan (2010-02-02). Retrieved 2010-02-15. com/ 2010/ 08/ 08/ winners-of-teen-choice-2010-awards-announced-teens-cast-more-than-85-million-votes/ 59453).Movies . com/ entertainment/ news/ la-et-valentines-day12-2010feb12. [24] "Winners of ‘Teen Choice 2010‘ Awards Announced. com/ news/ 214/ ). Rotten Tomatoes." (http:/ / broadwayworld. David (2010-02-14). htm). com/ article/ Diggs_Margulies_et_al_Earn_2011_Peoples_Choice_Noms_20101109). Los Angeles Times. com/ articles/ evidence-that-valentines-day-might-be-the-worst-mo.0. Miami Herald. Retrieved 2010-02-11. Retrieved 2010-02-02. latimes. miamiherald. . . com/ id/ 2244426/ ). Retrieved 2010-06-15. screeninglog.Variety in General (http:/ /'s Day (film) 152 References [1] "'Valentine's Day. Peter (2010-02-11).The Screening Log . Neil Patrick Harris & More Earn 2011 People's Choice Noms. com/ movies/ ?id=valentinesday. story). .32593/ ). Pictures" (http:/ / www. making it a huge hit out of the gate.TODAYshow. Retrieved 2010-02-11. Betsy (2010-02-12)." (http:/ / www. com/ entertainmentnewsbuzz/ 2010/ 02/ valentines-day-percy-jackson-wolfman-the-more-they-cost-the-less-they-made. . html) [18] Love Actually and Valentines's Day : There Were Things That I Noticed | Enzo Emmanuel Toledo . 10 Feb.com. mush your boring faces together already. html). . com/ alltime/ weekends/ month/ ?mo=02& p=. Retrieved 2010-02-11.com (http:/ / brandonfibbs. html?storylink=mirelated). Internet Movie Database. com/ entertainment/ movies/ reviews/ story/ 1474139. slate. Rene (2010-02-11). "'Valentine's Day' courts $52. com/ film/ titles/ valentinesday). . Dana (2010-02-11). . php?id=66026). philly. eonline. 2010. "Bonbons for moviegoers of all ages and persuasions" (http:/ / www. Retrieved 2010-02-11. 3/4 stars [12] Sharkey. rottentomatoes. com/ journal/ 2010/ 2/ 12/ movie-review-valentines-day. com/title/tt0817230/) at the Internet Movie Database Valentine's Day () at Allmovie Valentine's Day () Valentine's Day ('s Day (film) 153 External links • • • • • • Official website () at Rotten Tomatoes Valentine's Day () at Box Office Mojo Valentine's Day () at Metacritic .boxofficemojo. RMFan1. Twix1875. Boothy443. Surfeit of palfreys.Dunford. MovieMadness. Ashliecade. Lugnuts.קיו-רדנאanonymous edits Artists and Models Source:. Cburnett. BRG. Nabeth. Minesweeper. Rhopkins8. Lots42. Tassedethe. 6afraidof7. Weenaak. Kollision. Marb. Rhindle The Red. Fpastor. Treybien.wikipedia. Veesicle. Siepe. Storyliner. Poorpete. Wizardman. Sky Captain. Legalwatchdog. Iknoweverything46. Mandel. Blofeld. Ghosts&empties. 143 anonymous edits Can-Can (film) Source:. Samw.php?oldid=395913826 Contributors: Fpastor. Sesesq. Cam. GregorB. Jahangir23. Dante Alighieri. Sephiroth BCR. Levineps.wikipedia. The wub. Entheta. Donaldd23. Philip Cross. Tjmayerinsf.s. Rich Farmbrough. Stemonitis. Rodrigogomespaixao. IronGargoyle. PerlKnitter. Zoltarpanaflex. Tallyho70. Fordmadoxfraud. Ground Zero. Moncrief. David Gerard. 6 anonymous edits The Apartment Source:. Fratrep. Barrympls. Rich Farmbrough. Jogers. Princesshapnick. Rettetast. GregRM. D C McJonathan. Carli76. Toughpigs. JuliaVictoria. Nice poa. Michal Nebyla. Happyme22.php?oldid=409093865 Contributors: Arthemius x. Butterboy. Madhava 1947. Boston. Razjk.org/w/index. Edwardx. Noirish. Jack O'Lantern. Neofelis Nebulosa. Tony Sidaway. Lars T. Tassedethe. Dureo. Softlavender. Gabrielkat. Look2See1. Bovineboy2008. Glenn A Catlin. Doylesrader. Keithbob. Brandubh Blathmac. Azucar. Skier Dude. Doniago. Varlaam. SDC. Betty Logan. Student7. Bmalecki. Jtdirl. Lugnuts. Yllosubmarine.wikipedia. Srinivas. Cliff1911. Thefourdotelipsis. Radiant!. Dh125. Iridescent. 47 anonymous edits All in a Night's Work (film) Source:. Neelix. Emersoni. Adambenz. Stevouk. Shastasheene. Kotasik. Dave. JJmuggs. OatmealSmith.org/w/index.kt. Smile.org/w/index. LaVidaLoca. Whitney. Parmadil. Woohookitty. Mel Etitis. 8 anonymous edits Irma la Douce Source:. Billy Hathorn. Prashanthns. Tenar80. Andrzejbanas.php?oldid=415634334 Contributors: AlbertSM.kt. Jeanenawhitney. 052 . Davemackey. Ihutchesson. Onopearls. Bovineboy2008. Dr. User2004. HDS. CMG. Arborday. Themfromspace. Postdlf. Lugnuts. Jzummak. IrishPete. Rajah. Silverscreen. Gimmetrow. Mochi. Grusl. HiB2Bornot2B. Fattyjwoods. Bobo192. Rms125a@hotmail. Johngw. Garion96. Foofbun. Iluvbk. Dr. JCSantos. DerekDD. Serein (renamed because of SUL). Johnny Weissmuller. Good Olfactory. Tassedethe. Darev. Enciclope2009. Tpbradbury. Egil. DerGolgo.php?oldid=418578212 Contributors: 20yearoldboyfromNY. PhantomS. CoolKatt number 99999. Elyaqim. Utergar.. Ssilvers. BudMann9. Finavon. ElTyrant. Yinzland. Clarityfiend. R'n'B. SURFUR.php?oldid=416109361 Contributors: Altzinn. Lugnuts. TMC1982. Nehrams2020. FireV. Jordgubbe. Felinefrenzy. Kbdank71. UninvitedCompany. R'n'B. RJNeb2. Liftarn. Belovedfreak. YUL89YYZ. Erasmussen. Thefourdotelipsis. Wool Mintons. Badagnani. Exteray. Zoe. Tpbradbury. W8TVI. Werldwayd. NorthernThunder.php?oldid=398254778 Contributors: BD2412. FlashSheridan. Beemer69. Otto4711. RayElwood. Headbomb. Wool Mintons. Wool Mintons. Johnlongbond. Design. WOSlinker. Wildhartlivie. Curlyrunai. D6. Nv8200p. Nehrams2020. Frankly speaking. SilkTork. JimVC3. DStoykov. Hall Monitor. Moviefan. Dalarion. Vegaswikian. Wool Mintons. Bobyllib. Ustye. After Midnight. Freshh. Joey80. Mr. ARECenter. RedPen72. Jgmccue. Breckinridge. Anetode. Oanabay04. Explicit. 23skidoo. 43?9enter. Edwy. Skier Dude. Wool Mintons. The wub. Levineps. Brion VIBBER. Bzuk. Rfc1394. Unfocused.php?oldid=410831423 Contributors: RossPatterson. Rossrs. Wittkowsky. EEMIV. Eagersnap. Lugnuts. Mike Searson. Christopherjfoster.wikipedia. Skier Dude. Susvolans. Carty. Speciate. Arniep.harriman. Tell-Tale Ghost. Ground Zero.wikipedia. Movieguru2006. Bovineboy2008. Carlossuarez46. Cazo3788. Ringo1967. Epbr123. Mrblondnyc. Blofeld. TAnthony. K1Bond007. Thismightbezach. Jamesbanesmith. Rmisiak. Lingvo9. Crystallina. The Claw. Gemini86 618.b. Thec. Alessgrimal. Best O Fortuna.php?oldid=400262924 Contributors: Airair. Faterson. All Hallow's Wraith. Mayumashu. Bruce1ee. Treybien. Stetsonharry. Dan8700.com. PatGallacher. Markko. Brogine. Mipadi.wikipedia. Dr. Fuhghettaboutit. Betty kerner.wikipedia. Cruiser1. Wool Mintons. TorbenFrost. NorthernThunder. Ejgreen77. Garion96. Timc. Skymasterson. Ultor Solis. CanisRufus.php?oldid=412133618 Contributors: 23skidoo.php?oldid=416920132 Contributors: Al Pereira. Adraeus. Artihcus022. Excuseme99. DavidOaks. Grandpafootsoldier. Will Beback. Graham87. Tjmayerinsf. Daytripper6518. Philip Cross. Hoverfish. Jay-W. Demonslave. Erik9. J. Arimis. 21 anonymous edits Ask Any Girl (film) Source:. Somercet. Gwross. TheMadBaron. Doctormatt. Horkana. EchetusXe.org/w/index. Eclecticology. Ser Amantio di Nicolao. Shuffdog. Frietjes. Cliff1911. Wool Mintons Career (1959 film) Source:. Rfbleachers. JGKlein. Ndboy. Spangineer. Drewohev. MachoCarioca. Tim Thomason (usurped). Ghirlandajo. 47 anonymous edits The Yellow Rolls-Royce Source:. RadicalBender. Schmiteye. Roleplayer. Oswald Glinkmeyer. Das steinerne Herz. Aruhnka. Erik. Catchpole. Tabletop. Chepetoño. Bovineboy2008. Elipongo. J. Good Olfactory. Vobor. Typhoon966. Pearle. Wastetimer. Remember. MarnetteD. MegX. Graham87. Hoverfish. Volatile. Parable1991. Teeb. Jordgubbe. EVula. JGKlein. Johnlongbond. Bcostley. Jonathan. Woohookitty. Sideblues. 23skidoo. Bran01. Okonheim. Ospinad. Treybien. リ ト ル ス タ ー . MegX. CecilF. ConoscoTutto. S. The JPS. Downtownstar. WikiuserNI.php?oldid=419534297 Contributors: 23skidoo. LilHelpa. Thmazing.Z-man. Ewulp. ReeseM. Ameliorate!. Nandesuka. Emeraldcityserendipity. Bearcat. SMcCandlish. TheMovieBuff. 120 anonymous edits The Children's Hour (film) Source:. Jonathan.org/w/index. Absalom89. Garik 11.wikipedia. Ricky81682. Amoammo. Martarius. Lugnuts. D6. Qatter. Retodon8. Woohookitty. Njr75003. Azucar. Films addicted. Nono64. Smilemean. John K. Islandboy99. QuizzicalBee. Estrose. A3RO. Crash Underride. Cop 663.org/w/index. ThomasHarte. Austinfidel. DANE YOUSSEF. Durova. Qtakhisis.php?oldid=344065663 Contributors: Lugnuts. TMC1982. SDC. Lucobrat. SilkTork.wikipedia. Foofbun. Dunks58. Sloman. Sparkle. JGKlein. Athaenara. Sunny17152. Template namespace initialisation script. Dugwiki. RexNL. Jzummak.. Philbertgray. Paulo Brasil.wikipedia. 4 anonymous edits My Geisha Source:. Rodrigogomesmajor. A. Jon Kay. Donreed. Bobet.php?oldid=416320577 Contributors: AndyHolyer. L736E. J-stan. Darev. Everyking. Jujutacular. Tjmayerinsf. Siruguri. JamesAM. WCityMike. Ameliorate!.org/w/index. Foofbun. AntonioMartin. ShelfSkewed. Fritz Saalfeld. Prolog. Commander Shepard. Jeffmallory. Leszek Jańczuk. RobNS.php?oldid=414019583 Contributors: Airair. Pegship. ZeldaQueen. JamesMLane. RoyBoy. Grenavitar. Owen. Obe19900. Classicfilms. JeanColumbia. Rjwilmsi. Tjmayerinsf. Maher-shalal-hashbaz. Jason Palpatine. Tassedethe. IGG8998. Koyaanis Qatsi. D6. Deathphoenix. CrispyChicken. Thephotoplayer. Brendan129. Williamnilly. John of Reading. Qmwne235. Da ola. Bestwestern. Skier Dude. JeanColumbia. Orbicle. David Gerard. Lord Cornwallis. Gamaliel. DCGeist. Gmosaki. Asparagus. Deceglie. JMK. Hmains. 5 anonymous edits Two Loves Source:. Grenavitar. Insommia. Ustye. Djinn112. Magioladitis. Penbat. Van Meter. Typhoon966. Kbdank71. MarcK.org/w/index. InthePast. KConWiki.wikipedia. Kittybrewster. Kummi. Johnny Weissmuller.wikipedia.php?oldid=416095741 Contributors: Arthemius x. Whkoh. Goustien.org/w/index. Hmains. Vanished 6551232. Chowbok. Mshonle. Blofeld. Teófilo Moraes Guimarães. Numba1babsfan. Number87. RHodnett.org/w/index. Caomhin. Savolya. Kbdank71. Mbstone. JillandJack. Theda. Blue954. Rogerd. Tarnas. MaxPride. Dale Arnett. AlbertSM.org/w/index. Cubicle Ali. JeanColumbia. 42 anonymous edits . UZiBLASTER7. Eoyount. Benny215. Salamurai. TheMovieBuff. Aardvarkzz. G Clark. NerriTunn. Johnny Weissmuller. CGameProgrammer. Enoate. Savidan. Stefanomione. Wikipelli. ShelfSkewed. Bubba73.Article Sources and Contributors 154 Article Sources and Contributors Shirley MacLaine Source:. Wastetimer. Monegasque. Jay Litman.org/w/index. Flgook. TestPilot.org/w/index. Inwind. Gcstackmoney. Himalayan Explorer. Erik. Ed Fitzgerald. Marb. JGKlein. Cbrown1023. Mr.wikipedia. Thefourdotelipsis. Cburnett. Paul August. Na68a. Discospinster. TheMovieBuff. The Shekhinah. ColmanHuge. Foofbun. Shayol1. SimonP. The wub. Tabletop. Father McKenzie. Fordmadoxfraud. Cantus. Maxim. Nunh-huh. TAnthony.org/w/index. Runnermonkey. Markhh. Việt Chi. Debresser. 20 anonymous edits Hot Spell (film) Source:. SteveHFish. Dutzi. Moonraker2. TheMovieBuff. Alrasheedan. Nick Watts. Supernumerary. Supernumerary. Grenavitar. Rncooper. Tassedethe. Sir Rhosis. Princesshapnick. Cburnett. MegX. Hoverfish. Joey80. FriscoKnight.wikipedia. Tovojolo. Bobo192. Plasticspork. 3 anonymous edits Ocean's 11 (1960 film) Source:. Dismas. NoychoH. Chase. TheMovieBuff The Matchmaker (film) Source:. Onigame. Julia Rossi. Foofbun. SteeeveG. Theoriste. Pjoef. Glc19gareth. Noirish.wikipedia. MargoKey. Tvoz. Ahoerstemeier. Bluetooth954. DanArmiger. JackalsIII. Phbasketball6. Eastlaw. Lugnuts. Erik9. Kusma. Roberto Frana. Mathew5000. Otto4711. Trieste. Reginmund. Gwen Gale.php?oldid=417790846 Contributors: 01gricer. Lexor. Jeff3000.php?oldid=380940651 Contributors: Anna Lincoln. ShelfSkewed. TheMovieBuff Two for the Seesaw Source:. Emerson7. Pugno di dollari. Wool Mintons. Awbergh. EagleOne. Roo72. Vald. DropDeadGorgias. Easchiff. Zzyzx11. MIjy. Aranel. Pennsylvania6-500. Polisher of Cobwebs. PaulHanson.wikipedia. Rodrigogomespaixao.s. Cliff1911. WikiDan61. Foobarnix. Lkinkade. Amnidab. Roberto Cruz. Wool Mintons. Philipvanlidth. J04n. Jeffreymoviechen. Purplewoman. Van Meter. Doniago. Hbent. LiteraryMaven. Otto4711. Rjwilmsi. Who. Cliff1911. Supernumerary. Bobo192. Sevenarts. Astorknlam. MisfitToys. DanTD. Guaka. Oanabay04. DANE RAMADAN YOUSSEF. Neo-Jay. Mallanox. Porlob. Xezbeth. Wastetimer. DasBub.org/w/index. PC78. Ludvikus. MarnetteD. Nandesuka. Spiderverse. Clarityfiend. Master Thief Garrett. DocKino. Dutzi. Bovineboy2008. Wrotesolid. Lugnuts. Storyliner. Tregoweth. Fuhghettaboutit. Foofbun.org/w/index. Mschlindwein. Kris45. Diberri. JamesMLane. Zachlipton. Captainmagic. Kieff. Candice. Pherdy. Canobill. Tjmayerinsf. Netscott. Lukaares. DavidWBrooks. Crazy Ivan2. ThatGuamGuy. SimonP. Pensylvania6-5000. 12 anonymous edits What a Way to Go! Source:. MovieMadness. Reywas92. Chaparral2J. Byelf2007. Andycjp. DocKrin. Nufy8. The JPS. JackofOz. Jokestress. Phowl. Wool Mintons. Davidpatrick. Jnbraider. Vulturell. Sfjpk30. Polisher of Cobwebs. Mdumas43073. TheoClarke.org/w/index. Boothy443. Bovineboy2008. Ary29. ZeroOne. Tony1. JackO'Lantern. Figaro. Algont. Rich Farmbrough. Amatulic. JackofOz. Bovineboy2008. Bob bobato. Danny. JzG. Rizan. Gaius Cornelius. Gamaliel. Draggleduck. RBBrittain. Quywompka. D6. Ser Amantio di Nicolao. Lugnuts. John of Reading. Orbicle. Jonay81687. Supermanrulescom. Itxia. Lacrimosus. Tinton5. Tassedethe. Odious m. BradPatrick. Altzinn. JzG. Chris the speller. Bufi. Zoe. The Rogue Penguin. Justme89. Onore Baka Sama.wikipedia. Nv8200p.nielsen. ScottMHoward. Rjwilmsi. Docu. Jevansen. Schmiteye. Mr Hall of England. Fritz Saalfeld. Grenavitar. Saxophobia. Fpastor. Gamaliel. Robert K S. Fourchette. Shshshsh. SchfiftyThree. Vegaswikian1. Dj Capricorn. Edward. Mtmelendez. JaGa. Zoe. Wastetimer. K!roman. MegX. Tide rolls. Sewandsew. 49oxen. Jacksinterweb. Johnlongbond. Pegship.org/w/index. Zoe. Girolamo Savonarola. Lampford. Kthejoker. Rettetast. Saucemaster. Gaius Cornelius. Hullaballoo Wolfowitz. Kwamikagami. AskFranz. Yousef. AN(Ger). Paulwarshauer. Moncrief.Z. Andycjp. LinkTiger. Jgm. Mandarax. Thomp. Carty. ArkansasTraveler. RattleandHum. ST47.bunderson. Snowmanradio. Kusma. Shoaler. Sreejithk2000. Jeffreykopp. Esn. Polisher of Cobwebs. Andrzejbanas.org/w/index. C. Spark240. Wrotesolid. 390 anonymous edits A Change of Seasons (film) Source:. AarHan3. Jzummak. Joey80. Hydrargyrum. Empty2005. Lots42. Sreejithk2000. Toolboks. Waynechuck. Jesster79. Stuartfernie. Flopsy Mopsy and Cottonmouth. Aitch Eye. Whouk. McGeddon.org/w/index. Rjfost. Wasted Sapience. Slightsmile. Ynhockey. Nicke L. Gyrofrog. Hellbus. MaxPhd. Landithy. Bovineboy2008. NWill. DocWatson42. Jason One. Beuschman.php?oldid=417819650 Contributors: Acjelen. Davecrosby uk. Kwazyutopia19. Nv8200p. Sreejithk2000.. Treybien. Andrzejbanas.php?oldid=415657317 Contributors: Bender235. Lugnuts. Wikiwatcher1. Mrblondnyc.php?oldid=418891323 Contributors: 23skidoo. RockMFR. Fat&Happy. Siberiade. David Gerard. Shadowjams. Ume. Beast from da East. Kaneshirojj. LG4761. Carusosa. Slgrandson. Sreejithk2000. Nehrams2020. Phbasketball6. Marktreut.org/w/index. MovieMadness. Grunners. Dxx122. Lector. Dr.org/w/index. Lugnuts. Droflig. 4meter4. Reevnar. Ameliorate!. Sugar Bear. Ser Amantio di Nicolao. Norm mit. What223.wikipedia. I AM THE MAN IN NYS. Lyonscc. Dragomiloff. Hotel5550. Mana Excalibur. Robertgreer. Tjmayerinsf. Beardo. Fairsing. Kuralyov. Sam Hocevar. Giannibosio. DavidLevinson. Treybien.. Jimmy Figsworth. Jmu2108. Quentin X. Olağan Şüpheli. Neddyseagoon. JzG. GBarnett. EmiOfBrie. David spector. Schmiteye. Biggspowd. Sreejithk2000. Esoltys.php?oldid=418665446 Contributors: Abdull. MachoCarioca. Jwjwj. Rrburke. Thecrystalcicero. Gemini86 618. TAnthony. TheMovieBuff.SOS. Sanwood. Shawn in Montreal.wikipedia. Markt3. Reimelt. Psychonaut3000.php?oldid=418546972 Contributors: Alan Smithee. Pgrayb.---. Tjmayerinsf. Lmaltier. Jackhammer111. NickBurns. Tassedethe. ItsTheClimb17. 1 anonymous edits Gambit (film) Source:. TheCoffee. Noahveil. Lugnuts.homme. Daisy28. Mahjong705. Ekabhishek. 3 anonymous edits The Bliss of Mrs. Matlefebvre20.php?oldid=396681487 Contributors: AbsoluteGleek92. Woohookitty. Risker. Americanhero. Krinkles3.org/w/index. Zoltarpanaflex.org/w/index.php?oldid=417831226 Contributors: Aditya. J. TheMovieBuff. ShelfSkewed. TenPoundHammer.wikipedia. GeorgeLouis. NJZombie. PrimeHunter. Foofbun. Earendilmm. Kollision. Yorkshiresky. 42 anonymous edits Used People Source:. Andycjp. TracyLinkEdnaVelmaPenny. Le Scarlet Douche. Benscripps. Grey Shadow. Headhitter.wikipedia. 6 anonymous edits Defending Your Life Source:. Sven Erixon. Bovineboy2008.9. Doylesrader. ConoscoTutto. Akmenon. AajT. Irishguy.. Crculver. Treybien. Treybien. Orbicle. Bryan Derksen. Nice poa. 1 anonymous edits The Turning Point (1977 film) Source:. Spiderverse. AndySimpson. Thismightbezach. Fayenatic london. CIreland. Gabbe. Lugnuts. EamonnPKeane. Hmwith. Snideology. LiteraryMaven. JeanColumbia. RepublicanJacobite. Sreejithk2000. BigrTex. Lady Aleena.php?oldid=417721999 Contributors: Aristophanes68. Beardo. Monia84. Zoe. Aomarks. Nshervsampad. Drunkenpeter99. Hathawayc. Epbr123. Troy34. Bovineboy2008. Pegship. Neelix. TheStuffWillDriveYouNuts. Cybercobra. Prospero11. Thefourdotelipsis. MarnetteD. DefyingGravityForGood. IndulgentReader. Erik. Glennwells. LiteraryMaven. TheMovieBuff. SpeedyGonsales. Noveltyghost. Avalyn. Mlaffs. Piano non troppo. Tabletop. Thepangelinanpost. Calmer Waters. Quentin X. Darguz Parsilvan. Tjmayerinsf. DavidFarmbrough. Blofeld. MusiCitizen. MovieMadness. Tregoweth. Ermanon. DANE YOUSSEF. LarRan. Lugnuts. Henrysalome. 13 anonymous edits Woman Times Seven Source:. CJHaynes. Who.wikipedia. Phbasketball6. Warut. Foofbun. Dr. 11 anonymous edits The Other Half of the Sky: A China Memoir Source:. Sreejithk2000.wikipedia. Tabletop. Tishers. 17 anonymous edits Two Mules for Sister Sara Source:. PatrickFisher. ThatGuamGuy. McGeddon. Aranel. Shreevatsa. 10 anonymous edits Steel Magnolias Source:. Hullaballoo Wolfowitz. Sledgeh101. Ms2ger. Marktreut. Jg325. Kielhofer. Vizcarra. Tkondaks. Tim!. Gamaliel.wikipedia. MJD86.org/w/index. ErinNotAaron. Sadads. Mcfly85. Ulric1313. Auric. Michael Hardy. FF2010. Silent Tom. Erik9. Lolliapaulina51.php?oldid=385336880 Contributors: Easchiff. Polisher of Cobwebs. Tassedethe.. Aibdescalzo. Tregoweth. Jdot01. TheMovieBuff.org/w/index. Teófilo Moraes Guimarães. BLGM5. JeanColumbia. Proof Reader. KathrynLybarger. 1 anonymous edits The Possession of Joel Delaney Source:. ThePutt. Travelbird. Dohtem. SkyWalker. JayJasper. Mallanox. Ezzex. Clarityfiend.php?oldid=412939233 Contributors: -m-i-k-e-y-. Rich Farmbrough. Parallel33. See918.chaurasia0411. Sarefo. MichaelMoss. Ekabhishek. Kerowyn. Viriditas. Goodnightmush.smith. Will Beback. Therefore. Tbsdy lives.org/w/index. Moshe Constantine Hassan Al-Silverburg. 7 anonymous edits 155 .org/w/index. Logologist. After Midnight. Funky Monkey. High Plains Drifter. 1zackman.php?oldid=419481809 Contributors: . Leaky caldron. Woohookitty. GregorB. TheCustomOfLife. AMittelman. RickK. Raymondwinn. Grantmurray. Woohookitty. Collier7344. MovieMadness.wikipedia. Bjones. Glyn1982. Tired time. ThatRockMetalGuy. Aradek.org/w/index. Revery.wikipedia.wikipedia. Fheirtzler. Andrzejbanas. Avicennasis. Treybien. Classicfilms.K.org/w/index. Xornok. Tuba mirum. Wingedsubmariner. Thatsnotrightbecauseitswrong. Trivialist. Jvhertum. 82 anonymous edits Madame Sousatzka Source:. Stevietheman. Noirish. MilitaryTarget. Darkness2005. Grandpafootsoldier. D6. Dugwiki. Rvaznyvfgxrvazny. Halbared. Doc Strange. Steven J. NanGH. Andrzejbanas. Woohookitty. Tnomad. Films addicted. Samahcinema. Lugnuts. Thecentaur. Czolgolz. LGagnon. Jacek Kendysz.org/w/index. Lugnuts. Misternuvistor. Irishguy. Ndboy. Behun. Scottdoesntknow. Savidan. Indecentproposer. Christianster45. Filoctetas. Jeff. Savolya. Alan Liefting. Iridescent. Bobet. Trevor MacInnis.wikipedia. 119 anonymous edits Cannonball Run II Source:. Bovineboy2008. Sottolacqua. Jahsonic. Linny. JLaTondre. Pstraten. Bovineboy2008.Article Sources and Contributors John Goldfarb. Pegship. Cooksey. Teófilo Moraes Guimarães. Levineps. Joseph A. Peter S. Laraspal00. Everything counts. Soler97.wikipedia. Agnosticraccoon. MarcK. Davidals. Kerowyn. MorinoMashio. LaszloWalrus. Cburnett. GhostFace1234.php?oldid=419103150 Contributors: A. Frank101. Sfoskett. Timclare. Chris the speller. MachoCarioca. Nricardo. Easchiff. MegX. J390. Frschoonover. Clancy60. Crowsby. Rjwilmsi. Largo1965. Ufwuct. Foofbun. MrBlueSky. Easchiff. TMC1982. TWHansen.php?oldid=375186417 Contributors: AN(Ger). Leszek Jańczuk. Bkonrad. Dooyar. 41 anonymous edits Desperate Characters Source:. Guy M.org/w/index. Pejorative. The Thing That Should Not Be. KingTT. MovieMadness. Gaius Cornelius. Someguy1221. Hauskalainen. Oanabay04. HarringtonSmith. DeWaine. Shoemortgage. MarnetteD. Gaius Cornelius. Redeagle688. LUUSAP. Jzummak. Blossom Source:. BornonJune8. Mahjong705. Stefanomione. Drewcifer3000.wikipedia. Quackslikeaduck.. Pichote. Hertz1888. Koavf. CJMylentz. Gmosaki. Arch dude. Laurenmargaret. 258 anonymous edits Postcards from the Edge (film) Source:. Dale Arnett. Darkness2005. AKeen. RainbowOfLight. JaGa. Hal Raglan. Billy Hathorn. Chochopk. Xoxokristen. Sarcasto. Treybien. Schmiteye. Supernumerary. MKaiserman.wikipedia. 1 anonymous edits Terms of Endearment Source:. MetaManFromTomorrow. MarnetteD. Ken Gallager. Gareth E Kegg. Eclectic Lady. Soczyczi.php?oldid=416616397 Contributors: AnmaFinotera. Erik. AlanEisen. Dmz5. Interwiki de. Cliff1911. Bzuk. Otto4711. Verda stelo. LGagnon. Manufracture. Warut. Internet20. Shakesphere17. Duncancumming. TAnthony.org/w/index. Henrymrx. Rmason1400. Peanutsfan543. 3 anonymous edits Loving Couples (1980 film) Source:. Template namespace initialisation script.org/w/index. David Gerard. Schmendrick.wikipedia. Ron whisky. CanisRufus. Nedlum. JWPlainview. Jaxl. Hourick. Pinkadelica.danak. Capricorn42. Rivertown. Philip Cross. Radio Guy. Themat21III. Who. Bearcat. MovieMadness. Od Mishehu. Noirish. Verdatum. Lugnuts. Rjwilmsi. UZiBLASTER7. Stinler89. Maxl. Boyblackuk. David Gerard. Sreejithk2000. Ted Wilkes. Gonei72. Big Bird. 45 anonymous edits Being There Source:. Dlloyd. Everyking. Kathyrncelestewright. TR Wolf. SD6-Agent. Kristeneaugusta.wikipedia. Ser Amantio di Nicolao. Nuberger13. B3t. Dosbears. Pjoef. Tony Sidaway. FrankRizzo2006. Rusted AutoParts. Teemu08. Darklilac.wikipedia. RagingR2. Girolamo Savonarola. Jay-W. R. Twas Now. Van Meter. Wildhartlivie. Okki.php?oldid=415763687 Contributors: Andrzejbanas.php?oldid=402686504 Contributors: Airair. WillMagic.php?oldid=382234928 Contributors: Lugnuts. Norm mit. Fuhghettaboutit.majeure. TheMovieBuff. Wikipelli. Jameboy.brown. NawlinWiki. Euchiasmus. S7evyn. Soetermans. Bzuk. Jairuscobb. Liftarn. CrazyC83. Famspear. Skier Dude. Sreejithk2000. Hmains. Please Come Home Source:. Pgc512. Rydia. Rt66lt. Dwanyewest. Mllefifi. Kennhiser. Russo76. Walter Sobchak0. Thedjatclubrock. Phatom87. EagleFan. Sky Captain. BudMann9. Epeefleche. Shuffdog. Bovineboy2008. Mpho3. Polisher of Cobwebs. JerseyRabbi.org/w/index. Wikid77. Tomsega. MacGyverMagic. Estrose. Purslane. 4 anonymous edits Sweet Charity (film) Source:. Ian Pitchford. Bovineboy2008. Treybien. Alansohn. Scaife. Garynine. Lugnuts. GrahamHardy. Lunaverse. Carl. Kazubon.org/w/index. CelticJobber. Soangry. High on Fire. Princess LJ. Pattonjeffrey. Silverfish. Mrscandyt. Valfontis. Zzyzx11. Zuludawn99. John of Reading. Jack Sparrow 3. Cliff1911. Grandpafootsoldier.org/w/index. Feydey. Leszek Jańczuk. Biblbroks. Jfire. Cyrius. J Milburn. Geke. Rtkat3. Lucky 6. Gusuku. Jaldridge86. Ulric1313. Rehevkor. Paul Klenk. Feetofstench. FMAFan1990. Dire organic. JetLover. N-HH. Forallintentsandpurposes. Dannycali. Irishguy. MachoCarioca. Sreejithk2000.wikipedia. Levineps. Nakon. Otto4711. CanisRufus. Spadaro.wikipedia. Sadads. Ulric1313. Levineps. Nottambulo. Shakesomeaction. Huntington. Ldo. Keithbkirk1. Jeffman52001. Ngdale271. AlbertSM. Gregory Shantz. Michig. Raven in Orbit. Fernandobouregard. Chaosdruid. SilkTork. Jg325. Gwguffey. Killmartin. Empoor. Sohollywood. Kbdank71. Cjskinne.php?oldid=413802934 Contributors: Cliff1911. HTurtle. Talladega87. Gregcaletta. Kitch. Zoltarpanaflex. Monkeyzpop. Skier Dude. ContiAWB. JackalsIII. Lugnuts.php?oldid=396362107 Contributors: Andrzejbanas. Sugar Bear. Sottolacqua. Diablorex. Stoshmaster. AGK. Kevinalewis. Danleary25. Musicmaker. Neelix. Wikid77. FredCasden. Pinktulip. Irishguy. Demonslave. Monterydaniel. MartinVillafuerte85. DeniseHay. Thoughtcat. Jaxl. Weetjesman. Tim1965. Robthebob. Pumpie. Rich Farmbrough. Thefourdotelipsis. Gh87. Arx Fortis. Jeffpw. Lostintim. Elmindreda. FMAFan1990. Everything Else Is Taken. Lugnuts. Kevinalewis. LGagnon. Koavf. Nightscream. MusicMaker5376. Nehrams2020. Rockhopper10r. Linda magpayaw. Burmiester. Anderson. Eliz81. D6. David Gerard. OsotedeMonte. Dutchmonkey9000. Donmike10. Classicfilms. Cburnett. LigaDue. Fratrep. FrankRizzo2006. EchetusXe. SilverDrake11. WOSlinker. Kollision. UDScott.Fred. Supernumerary. DeWaine. ShelfSkewed. Jzummak. Pegship. Deltabeignet.php?oldid=419362345 Contributors: BlackEyedSoul. DerHexer. Tcplano. Jason Palpatine. ZPM.wikipedia. J. SamSock. Infrogmation. KF. GregorB. Thismightbezach. Janko. Trickybeck. C d h. ScottyBoy900Q. Light current. Theatheistgerm. Rich Farmbrough. In Defense of the Artist. Stoshmaster. D6. GBS2. Lugnuts. M samadi. Nick Number. Cliff1911. DARTH SIDIOUS 2. Wiikipedian. Patrick. Bovineboy2008. Locked333. Academic Challenger. Erud. 6 anonymous edits These Old Broads Source:. Babe with brains12. Everyking.org/w/index. Ninety3rd. Gaius Cornelius. Drex15. Quinlan Vos. Banzai 07. Betselu. Tassedethe. Randhirreddy. Rusted AutoParts. Alan Smithee. Hubris. David. Gwernol. Sahasrahla. Jedi94.org/w/index. Myscrnnm. Radischio. Longhair.php?oldid=417346996 Contributors: After Midnight. Garden59. TheMovieBuff. ManymerrymenmakingmuchmoneyinthemonthofMay. Ottawa4ever.wikipedia. Utcursch. Gaidheal1. InfamousPrince. The Rambling Man. Pegship. Tjmayerinsf. Grubbmeister. Tolena. Jasonbres. Robert Skyhawk.wikipedia. Dbarnes99. Hish222. Kollision. Grandpafootsoldier. Zhanzhao.. Ixfd64. EmmyWinner. NE2. Halo123409. Gwarm. Saa19952. Fontema. Cliff1911. Squids and Chips. Mephistophelian. Clpo13. MachoCarioca.43. 5 anonymous edits Guarding Tess Source:. Palladiumhotel. Dudelit. BLGM5. Rror. Adam 94. Rockysmile11. SQGibbon.org/w/index. ContiAWB. FritzG. Bovineboy2008. KittySilvermoon. 171 anonymous edits Hell on Heels: The Battle of Mary Kay Source:. Momo san. Santryl. Rabbitwarrior. Empty2005. Bovineboy2008. Hbdragon88. Makeemlighter. 117Avenue. Lugnuts. The Thing That Should Not Be. Adambro. Newone. Deelith. Ben-Bopper. Steam5. Nymf. VonWoland. ShakespeareFan00. NrDg. Kbdank71. Lightmouse. JamesMLane. Andyjsmith. Paul Barlow. Pegship. Modgrrl. Kerowyn. Sreejithk2000. Y2kcrazyjoker4. SalvadorRodriguez. Oreos. Tktktk.. Drc79. SuperHamster. PartyBoy122.Star. Fernandobouregard. Bookgrrl. Uucp. Hermes the Merchant. Kc12286. Fdewaele. Kaihoku. Grandpafootsoldier. Debresser. Rich Farmbrough. Hmhas. Kanabekobaton. Clamster5. JMSwtlk. JonasBrother1. Lots42. Rich Farmbrough. Airplaneman.wikipedia. Lycaon83. Voice Singer 222. Buffalopunk. PTSE. Cybercobra. Lugnuts. ArcadianRefugee. Patrick. TenPoundHammer. Ma8thew. Andrzejbanas. Wildhartlivie. Nehrams2020. Fluffybun. Wool Mintons. Nv8200p. Mr. Dogman1. AN(Ger). Razzfan. Iknoweverything46. Mindmatrix. FuzzyPongFace. Никта. Fsotrain09. Tregoweth. SoWhy. Supernumerary. Mschwartz311. Lugnuts. Welshleprechaun.org/w/index. Ljwilmot. Timwi. See me let go. Stevouk. Jaxl. Xezbeth. Bearcat. Limetolime. Babajobu. Artanis71. -Anthony-. Talashira. Kitia. 44 anonymous edits Coco Chanel (film) Source:. Motor.lala. TheGerm. Crunch. OldGrandpappy. Empoor. Varlaam. Miwunderlich. Mygerardromance. Andycjp. Levineps. Xezbeth. Mfmoviefan. Larab SVK. Catamorphism. NWill. Razzinator. Art1991. Andrzejbanas. IvanBoboshko24. Treybien. Rpab. Davidkevin. Psych2008. Kira2002. Orphanedhanyou. Qwerty786. WikipedianMarlith. Tbhotch. Sledgeh101. Neelix. TheMovieBuff. Winterbourne Source:. AN(Ger). FlaviaR. Maricruzrox. Blacwainwright.org/w/index. Andycjp. Gsmgm. Bencey. Wnick99. Novice7. QuizzicalBee. C Clemenzi. Gamgee. Reflex Reaction. DaffyDuck619. Colonies Chris. Djbj16. Iridescent. Matty-chan. Eric82oslo. Share Bear. Spidermine. Shawn Pickrell. TAnthony. Bovineboy2008. Black Desire.php?oldid=410779619 Contributors: A bit iffy. UJohnnyZephyr. Marktreut. Gabbe. Gordenie. Tommy2010. LtNOWIS. Horseman1990. Thomas Larsen. TenPoundHammer. AbsolutDan. Stephen. 17 Again111. Tassedethe. 19 anonymous edits Mrs. Ndboy. Azucar. ChristineD. Sirgregmac. Mallanox. TheMovieBuff. Forrestdfuller. Pokepokey21. FilmFemme. Quentin X. Kitalovessm. David Gerard. Teatreez. Mild Bill Hiccup. Theoldanarchist. Zhou Yu. Xrisxros2003. SMG055. Jay-W. Kuehneniggle. RobJ1981. BD2412. The Thing That Should Not Be. Hullaballoo Wolfowitz. Kidlittle.wikipedia.php?oldid=418035969 Contributors: Antmusic. RescueRanger702. HalfShadow. LikeaChief. Bovineboy2008. CapitalR.wikipedia. Good Olfactory. Ekamaloff. CelticJobber. Nick C. Woohookitty. Logan. Thuresson.wikipedia. Bremen. Benatfleshofthestars. N5iln. MisterHand. 20. David Gerard. Ayrton Prost. CrazyPhunk. Ajquioc. DRTllbrg. Kristen x.php?oldid=418618144 Contributors: AN(Ger). DeWaine. Davidals. InfamousPrince.org/w/index. Ben76266. MJEH. Litalex. Reginald Perrin. Explicit. Aatrek. Mjm1303. B. Sceptre. Flora Barking. Surten. Jessicalai98.h. DepressedPer. MegaMom. Roscelese. Happyme22. YSSYguy. Johann Wolfgang. Sweetab24. Redlemur. Airair. Redalibi45.org/w/index. Thuresson. Darrenhusted. Discospinster. Algébrico. Tony1. Thereeldeal. Jon186. TaylorLeigh. Barticus88. PJ Pete. Leongirl1. Dude39273927. 26 anonymous edits Bruno (2000 film) Source:. Suisui. AxG. Donaldd23. HistoryBA.php?oldid=356549382 Contributors: Aximill. Tasha medved. Lanternshine. Lesgles. Animalcatlover. RazorICE. Dgoldwas. Jaybling. CharCharOverOver11. Alf7e. Luigibob. TMC1982. Fetchcomms. Spudit2003. Candy coated doom. Jabba27. Ddhickey. J1729. MikeAllen. Escape Orbit. Tshase. FMAFan1990. SilkTork. Tregoweth.php?oldid=419480883 Contributors: *drew. Andycjp. And1987. Darwinek.wikipedia. Kroko802. FMAFan1990. Alansohn.org/w/index. Xfpisher. Flex. Darrenhusted. J Readings. Curps. Mikokat. David Gerard. Ale jrb. Burmiester. Cartoon Boy. Ardfern. Niels. Ygnourt. Downtownstar. TPIRFanSteve. Euro Mok. CloversMallRat. Treybien. E. Girlwithgreeneyes. Uzzo2. Pacific1982. Galaxydude14. Lampica. Yazefta. ObsessiveJoBroDisorder. Chamal N. AniMate. GregorB. Giantdevilfish. Belasted. 13 anonymous edits Rumor Has It… Source:. TruthQuest. Grahamec. John Broughton.php?oldid=416955542 Contributors: AKeen. HuckCas1. Stunna Shades. Nehrams2020.wikipedia. Asiasimone19. Dahveed76. Gellar55. John5Russell3Finley. Pevernagie. TerriersFan. 1063 anonymous edits 156 . Csheppard1. Altzinn. Jeff3000.org/w/index. Ogram. DreamStar05. TheStuffWillDriveYouNuts. Solatha.484a. ItsTheClimb17. MarSch. Donmike10. II MusLiM HyBRiD II. Michael Bednarek. Jasonbres. Artoasis. Mbinebri.wikipedia. Jujubean55. Impala2009. Brian0324. 14 anonymous edits Anne of Green Gables: A New Beginning Source:. Riser13. Lugnuts. Caulfieldholden. Bobrobyn. AMK152. Mutari. Mat wang. Plasticspork. Blakebs. Tikopowii. Seano1. JimCubb. Krawunsel. Boo-Boo Guy. JJmuggs. Barneca. Lethe. Jeff G. Rosalbissima. Dante. Inky99.org/w/index. MovieMadness. Condorjoe. Courcelles. Liquidluck. CovenantD. Irishguy. Brendan Kurosaki. 96 anonymous edits Closing the Ring Source:. Wikipeterproject. Joshuamclark. Coreman009. Ja 1207. Hutch y2k.wikipedia. Ekabhishek. Grandpafootsoldier. TMC1982. Momento. Born in the 1950s. Download. Tide rolls. FrankRizzo2006. TheMovieBuff. Adamjc32692. Whywhenwhohow. Wool Mintons. Saopaulo1. Cbing01. Tjmayerinsf. Fokker. Superhero111. Brian1979. Milerz91. Iggy Ax. Sky83. NorthernThunder. Ulric1313. EamonnPKeane. John K. Sionus. Skier Dude. Hullaballoo Wolfowitz. Kappa. HistoricalPisces. Saod053. Summerbreeze0908. FrozenPurpleCube. Gin and Tonic. Flowan. Billy Bishop. Sharriso. Gidz.wikipedia. 23 anonymous edits Valentine's Day (film) Source:. Glc19gareth. Fuhghettaboutit. Minimac's Clone. Keilana. SISLEY. Mac Starkiller. Splashpc. Johnny0929. PotterBoy122. Steam5. Chaitanya. Sidewaysgaze. Bovineboy2008. Lugnuts. Improv. Spoonkymonkey. Maying Prantis. Tfox393. Naaman1291. Bigbigman789. Donikanuhiu. Emwallace. Legalwatchdog. Avenue.org/w/index. Treybien. Martync84. GreenJoe. Ja 62. Orbicular. LuoShengli. NeilEvans. NewEnglandYankee. AN(Ger). Delicious carbuncle. Carty. Nine222. IRP. TallyVampire. SuzanneIAM. Spitfire. Murocan. Nv8200p. Freshh. One Night In Hackney. Thivierr. Rje. Darkness2005. Asarelah. LinkToddMcLovinMontana. 10 anonymous edits Rebecca Nurse Source:. MSHunters. Ewlyahoocom. Redspork02. TSwiftfan88. Jashack. Samell. Greekboy. CryptoDerk. Bollyjeff. WOSlinker. CoopStar10. AmazinVenezuelan. Dkkicks. Fedisking. Rje. Treybien. Suicide2003. Rich Farmbrough. Briaboru. Suckstobeabum. Pumpmeup. Kite. SisterMarita. Drmies. Theatheistgerm. Zeiden. Grusl. Lampica. Matthewyu36. Extraordinary Machine. CaptainCanada. 5 albert square. Imladros. Glagaby124. BittersweetJoJo. Wells.php?oldid=419295012 Contributors: ABF. NWill. Nhl4hamilton. RasputinAXP. Christianster94. Jamesontai. Carlodn6. JPX7. Flowerpotman. KarlFrei. Psdubow. R13n13. Kitch. Tim!. Gaga2012. Ekki01.com. Pharaway. Àrdruadh. Pantheonzeus. Oneiros. Sreejithk2000. Pegship. BD2412. Movies24. Sb1990.org/w/index. Kbdank71. Marylynn 03. Thuresson. Elfyl. NorthernThunder. Rjwilmsi. Marskuzz.delanoy. UltraJoshua. Hurricane Andrew. Iridescent. Jeremy Butler. Polisher of Cobwebs. Woohookitty. Ward3001. GeraldFink2009. Levineps. Wool Mintons. Omicronpersei8. RobNS. Bonadea. Ferpow12. Homesolo1111. Filceolaire. Bobo192. Bbb23. Roberteldred. Lolliapaulina51. Biruitorul. Tambuntingm. Kyng. Blefebvre. Antiuser. Jujubean55. Yaslega. Masterdudeyo. Bovineboy2008. Sevenplusone. Prem555. Buraimi. Marek69. Deathawk.php?oldid=419563939 Contributors: Airair. Moviefan.org/w/index. Maxy1993. Mateusz5500. A. Schizodelight. Ceauntay59. Jack7301. Ebonyellis.org/w/index. Bigaireatscheese. PedanticallySpeaking. Grandpafootsoldier. DragonflySixtyseven. MammaBear2010. Loleros123. Bobo192. Twitwime99. Guinea pig warrior. Cpl Syx. Ted87. Master son. Worldruler20. Viewdrix. Rodrigo-kun.php?oldid=419094972 Contributors: *drew. AN(Ger). Will Beback. Psphenom.php?oldid=417522366 Contributors: Bender235. Willjay. PJ Pete. Sparrowhawk64. Dartheyegouger. Guat6. Ninjawarriordex. GorgeCustersSabre. Skeetypeety.php?oldid=418713519 Contributors: 0dd1. Redeagle688. TPIRFanSteve. SQGibbon. Philip Trueman. JoJan. Lupin. NeilN. SkyWalker. All Hallow's Wraith. TheMovieBuff. Lievfan666. Erik9. ScottMHoward. Fionaangelina. Tell-Tale Ghost. AKGhetto. Njsustain. Paul A. Misortie.Throop. Amalas. Andycjp. Easchiff. Lady Aleena. Monkeycheetah. Cbooth13. Srah. Ckatz. Lonewolf BC. Rillian. ConnTorrodon. Bento00. Voxparadox. Mice never shop. NewEnglandYankee. Rjwilmsi. Beardo. Dimadick. Skier Dude.php?oldid=417474000 Contributors: AN(Ger). WikHead. Namtug. Knoxcoeli. Cayla. WikHead. 172 anonymous edits In Her Shoes (2005 film) Source:. Rmsome. Tim Q. Oboylej. Jezreelver. Candy156sweet. TracyLinkEdnaVelmaPenny. Not Accessible. Treybien. SWatsi. Suckstobeabum. Shining. AEMoreira042281. Rostov-on-Don. Tassedethe. Moses. Deanb. STEF1995S. OneWorld91. Mallanox. Eumolpo. CrazyandWildboy. Horkana. Big Bird. Mboverload. Lugnuts. InfamousPrince. Epbr123.org/w/index.php?oldid=413616553 Contributors: AN(Ger). Ceranthor. Jaganath. Eliberg33. Dlohcierekim. Jonay81687. Zhou Yu. Skier Dude. W guice. Burns28. Dutzi. Lyserg16. Hqb. Djsasso. Sdoo493. Phatom87. Dingno. Lilac Soul. Lots42.wikipedia. MartinVillafuerte85. RandomCritic. Wikwikman. Classicfilms. Icetitan17. Tbay01. Sreejithk2000 Carolina (film) Source:. 18 anonymous edits The Evening Star Source:. Jakz34.wikipedia. Dm23avg307. Dante Alighieri. Reconsider the static. Gremlinpants. 75 anonymous edits Bewitched (film) Source:. Heslopian. Nemeses9. Donmike10. Typhoon966. RubySlippersGirl. Grey Shadow.wikipedia. Kimberly camba. Hollywood-Adey.php?oldid=405830300 Contributors: Darkwind.php?oldid=416891679 Contributors: A. Diego Grez. EchetusXe. Doniago.antonio. J. Muzeeenoze. Betacommand. Pegship. DeWaine. LilHelpa. Angelic-alyssa. Itzcuauhtli. Peachykeen606. OOODDD. Wool Mintons. Wames. SpikeJones. VictorianMutant. RattleandHum. Agent 86. Bubbalove7. Rms125a@hotmail. JForget.wikipedia. Kummi. Ian Pitchford. McAusten. Wizkid0607. The Only Songh. SiobhanHansa.wikipedia. Xgonzox729. Ebyabe.org/w/index. Mattbrundage. Alansohn. Youal.Article Sources and Contributors Wrestling Ernest Hemingway Source:. Tassedethe. Dvyost. MJEH File:ANNE4-cover.jpg License: Attribution Contributors: User:Grandpafootsoldier File:Guarding Tess 1994.jpg License: unknown Contributors: Csheppard1.org/w/index.org/w/index.wikipedia.wikipedia.org/w/index.org/w/index.org/w/index.jpg License: unknown Contributors: Trailer screenshot Image:Shirley MacLaine (2005).org/w/index.jpg License: unknown Contributors: Tassedethe File:Ocean'sEleven(1960)Poster.Image Sources.wikipedia.svg License: Public Domain Contributors: User:Zscout370 File:Coco ChanelLM.wikipedia.org/w/index.php?title=File:AChangeOfSeasonsVideo. 2 anonymous edits File:Valentines day poster 10.jpg Source: Source:. King of the North East. Quentin X File:Mrs winterbourne poster film. 1983 film. Films addicted.wikipedia.php?title=File:Apartment_60.org/w/index.jpg Source: License: Attribution Contributors: User:Grandpafootsoldier File:My Geisha film poster.jpg License: unknown Contributors: Hugahoody.wikipedia. Fuzzy510. Nehrams2020.org/w/index.org/w/index. Melesse. ZeldaQueen File:Ask any girl poster. Nehrams2020.php?title=File:Ocean's_Eleven1960.php?title=File:Ocean'sEleven(1960)Poster.php?title=File:Postcards_from_the_edge.jpg Source:. User:Zscout370 File:Original movie poster for Being There.wikipedia.org/w/index. 4 anonymous edits File:Closing the ring.jpg Source: License: unknown Contributors: Quentin X File:Used people poster. 2 anonymous edits Image:ANNE4-3.org/w/index. Quentin X File:Cannonball run ii.jpg Source: License: unknown Contributors: Jakz34.org/w/index.jpg Source: Source: License: unknown Contributors: Blathnaid.org/w/index.wikipedia.jpg Source:. Ssilvers.wikipedia. Kbdank71.jpg License: Attribution Contributors: Dr.wikipedia.org/w/index.jpg Source: License: unknown Contributors: Fordmadoxfraud File:MrsBlossom.org/w/index.jpg License: GNU Free Documentation License Contributors: Willjay File:Battle of Mary Kay.wikipedia. Skier Dude File:Apartment 60.wikipedia.org/w/index.php?title=File:Flag_of_the_United_Kingdom.org/w/index.JPG License: unknown Contributors: MovieMadness File:Terms of Endearment.php?title=File:What_a_Way_to_Go_promotional_poster.jpg Source: Source:. MachoCarioca.jpg License: unknown Contributors: Nehrams2020 File:Rumor has it.jpg Source: Source:. Quentin X. Orbicle.jpg License: unknown Contributors: Drew Struzan File:Steel magnolias poster.svg Source: Source:. Salavat.php?title=File:Irma_la_douce_(rykodisc.svg Source: License: unknown Contributors: User:TAnthony Image:RebeccaNurseHouse. Yamla File:Bewitchedmovieposter.org/w/index.php?title=File:Wrestling-Ernest-Hemingway-Poster.php?title=File:Can_Can.jpg Source:. TheDJ.wikipedia. User:Indolences.php?title=File:LovingCouples. Nehrams2020.wikipedia.php?title=File:Closing_the_ring.jpeg License: unknown Contributors: Orbicle.wikipedia.wikipedia.php?title=File:Battle_of_Mary_Kay.wikipedia.php?title=File:Guarding_Tess_1994.jpg License: Attribution Contributors: Fourthords.org/w/index.jpg License: unknown Contributors: JYolkowski.jpg Source:. Drilnoth.jpg Source:. Skier Dude File:DesperateCharacters.wikipedia. Licenses and Contributors File:Shirley MacLaine18.wikipedia.jpg Source: License: unknown Contributors: Alan Smithee.php?title=File:Two_Mules_for_Sister_Sara_1970.php?title=File:ChildrensHourPoster.jpg Source:. Licenses and Contributors 157 Image Sources. King of the North East.org/w/index. Skier Dude. Melesse Image:Anne profilepics3. Thomp File:AChangeOfSeasonsVideo.jpg Source: License: unknown Contributors: Calmer Waters.jpg License: unknown Contributors: Tired time File:Two Mules for Sister Sara 1970.JPG Source:. Pais File:MatchmakerDVD2.jpg License: unknown Contributors: Big Bird File:TheseOldBroads-2001.jpg License: Attribution Contributors: B. Fox Independent File:Postcards_from_the_edge. SFTVLGUY2. MachoCarioca Image:The apartment trailer 1.org/w/index.jpg License: unknown Contributors: Moviefan File:Carolinamposter. Skier Dude.php?title=File:TheseOldBroads-2001.wikipedia.D.org/w/index.php?title=File:Coco_ChanelLM.org/w/index.php?title=File:Poster_of_Sweet_Charity_(film). Skier Dude File:Defending your life poster.wikipedia. MachoCarioca.php?title=File:DesperateCharacters.wikipedia.wikipedia.jpg License: Attribution Contributors: Csheppard1.jpg License: unknown Contributors: Grandpafootsoldier.wikipedia.php?title=File:In_her_shoes. Blofeld File:Can Can.jpg Source: Source:. Skier Dude2 . Grandpafootsoldier.jpg License: Creative Commons Attribution 2.jpg License: unknown Contributors: Andrzejbanas.php?title=File:MatchmakerDVD2.jpg License: unknown Contributors: Grenavitar File:Irma_la_douce_(rykodisc.jpg Source: Source: License: unknown Contributors: Quentin X File:Wrestling-Ernest-Hemingway-Poster.jpeg Source:. Rettetast.php?title=File:Anne_profilepics3. Rje.php?title=File:Shirley_MacLaine18.php?title=File:Shirley_MacLaine_in_The_Trouble_With_Harry_trailer.org/w/index. Skier Dude.wikipedia.jpg License: unknown Contributors: Dan8700 File:YellowRR.php?title=File:Mrs_winterbourne_poster_film.jpg License: unknown Contributors: MovieMadness File:Poster of Sweet Charity (film).php?title=File:Artistsandmodels.wikipedia.org/w/index.jpg License: unknown Contributors: LiteraryMaven.0 Contributors: Roland Godefroy Image:Shirley MacLaine in The Trouble With Harry trailer.org/w/index.wikipedia.jpg Source:. Leonard^Bloom.wikipedia. Nehrams2020. Shyam.jpg Source: Source: License: Creative Commons Attribution 3.jpg Source: License: unknown Contributors: Calmer Waters. User:Technion.jpg Source: License: Public Domain Contributors: User:Dbenbenn.wikipedia.jpg Source: License: Attribution Contributors: Csheppard1.org/w/index.jpg Source:. Skier Dude.jpg Source: Source: Source: License: unknown Contributors: User:Grandpafootsoldier File:Flag of the United Kingdom.org/w/index.jpg Source:. TheDJ File:Two for the seesaw.org/w/index.org/w/index.org/w/index. Melesse.php?title=File:Steel_magnolias_poster.jpg Source: License: unknown Contributors: Beast from da East.jpg Source: Source: Source: Source: Contributors: Tony Shek File:artistsandmodels.jpg License: unknown Contributors: Calmer Waters.wikipedia.php?title=File:Two_for_the_seesaw. ShelfSkewed.jpg Source:. Ekabhishek. Drilnoth.php?title=File:Irma_la_Douce_1963_film_poster.wikipedia.jpg License: unknown Contributors: Films addicted.png License: unknown Contributors: Scottdoesntknow File:Flag of the United States.org/w/index.wikipedia. Supernumerary File:What a Way to Go promotional poster.jpg Source:. Courcelles. Nehrams2020.jpg License: unknown Contributors: ConoscoTutto.jpg License: unknown Contributors: MovieMadness Image:LovingCouples.org/w/index.jpg Source:. Wool Mintons File:Irma la Douce 1963 film poster.org/w/index.php?title=File:Original_movie_poster_for_Being_There.JPG License: unknown Contributors: Billy Wilder / United Artists / Mirish Corporation File:ChildrensHourPoster.php?title=File:Bruno_VHS_cover. Skier Dude File:In her shoes. Quentin X File:Bruno VHS cover.jpg Source: Source:. Kbdank71.JPG Source:. Roomba.php?title=File:Ask_any_girl_poster.org/w/index.jpeg License: unknown Contributors: Phowl. Quentin X File:Evening_star. 1 anonymous edits Image:Ocean's Eleven1960.wikipedia. User:Jacobolus.jpg License: unknown Contributors: Alan Smithee.php?title=File:Carolinamposter.jpg License: unknown Contributors: Donaldd23.php?title=File:MrsBlossom. Geni.php?title=File:My_Geisha_film_poster.jpg License: unknown Contributors: MovieMadness File:Joeldelaneyposter.org/w/index.jpg License: unknown Contributors: Art-top.php?title=File:The_apartment_trailer_1.org/w/index.wikipedia.wikipedia.org/w/index.wikipedia. Rje.jpg Source:. org/ licenses/ by-sa/ 3. 0/ .License 158 License Creative Commons Attribution-Share Alike 3.0 Unported http:/ / creativecommons. This action might not be possible to undo. Are you sure you want to continue?
https://www.scribd.com/doc/54568494/The-Shirley-MacLaine-Handbook-Everything-you-need-to-know-about-Shirley-MacLaine
CC-MAIN-2015-48
refinedweb
56,347
68.77
Sums of pixel values representing nighttime light intensit, for buffers and rings around Special Economic Zones. sandiegodata.org-sez_lights-1.1.2. Modified 2021-09-13T20:27:23 Resources | Packages | Documentation| Contacts| References| Data Dictionary Resources - mean_lights. Pixel light sums for buffers and rings around the SEZ. Documentation This dataset provides sums of the pixel values in the nighttime lights data in regions around the SEZs from the World Bank’s SEZ dataset. The buffers are a circle for a specified radius around each SEZ, and the rings have a minimum radius of the specific radius, and a maximum radius of (1+sqrt(2)) times larger, so the area of the ring for a radius is equal to the area of the buffer circle. Here is an example of the buffer and ring for an SEZ in South Korea: This file can be joined to the SEZ data on the unique_id column. For each SEZ and year of the NTL data, this file includes the sum of the pixel values from the NTL rasters for both the ring and the buffer, and the radius specified in the radius column. The *_count column is the number of non-null pixels in each region. Example Analysis See this Jupyter notebook for an example of using this file. Documentation Links Images Contacts - Wrangler Eric Busboom, Civic Knowledge Data Dictionarymean_lights mean_lights References Urls used in the creation of this data package. - metapack+. SEZ Locations and data - metapack+. Harmonized Nighttime lights Packages - s3 s3://library.metatab.org/sandiegodata.org-sez_lights-1.1.2.csv - csv - source Accessing Data in Vanilla Pandas import pandas as pd mean_lights_df = pd.read_csv('') Accessing Package in Metapack import metapack as mp pkg = mp.open_package('') # Create Dataframes mean_lights_df = pkg.resource('mean_lights').dataframe()
https://data.sandiegodata.org/dataset/sandiegodata-org-sez-lights/
CC-MAIN-2022-40
refinedweb
291
53.71
The idea is to first create a counter map of frequency of each character in the string. Then create a list freq with an empty string corresponding to each possible frequency from 0 to max frequency observed in the counter. Go through the counter again and append each character f times(where f refers to its frequency in the string) to the string at the index corresponding to its frequency in freq. Now, go through the freq list in the reverse order and concatenate the strings to get the final result :) from collections import Counter class Solution(object): def frequencySort(self, s): """ :type s: str :rtype: str """ if not s: return s c = Counter(s) res = '' freq = ['' for i in xrange(max(c.values())+1)] for ch in c: freq[c[ch]] += c[ch]*ch for j in xrange(len(freq)-1, -1, -1): res += freq[j] return res Technically this is not O(n), the worst case scenario with no repeated chars makes this O(3n), and arguably O(4n) if we include the allocation of freq. @Sparx Hi. O(4n) and O(3n) are both O(n). This is regular big O notation. you might find this helpful Slight optimization not sure if there is a better way to do it in python in logarithmic time. from collections import Counter class Solution(object): def frequencySort(self, s): """ :type s: str :rtype: str """ #keeps a count of c = Counter(s) return_string = "" for item in c.most_common(len(s)): return_string = return_string + item[0]*item[1] return return_string ``` @pg2286 said in O(n) short Python solution with detailed explanation.: from collections import Counter it's simple and easy to understand. But I think it will not meet the requirement of this question, because of the function Counter( ) @sharing-account It is an O(n) operation and so satisfies the requirements of the question at hand. I have also used Counter in interviews and it is acceptable. Looks like your connection to LeetCode Discuss was lost, please wait while we try to reconnect.
https://discuss.leetcode.com/topic/66586/o-n-short-python-solution-with-detailed-explanation
CC-MAIN-2018-05
refinedweb
341
66.17
) INTRODUCTION: ORGANISATION OF THE BOND MARKETS The international bond markets refers both to the sets of broker-dealer overthe-counter debt capital markets, trading bonds issued by government, municipalities or corporate organisations and the various fast growing electronic bond trading platforms resulting from either single initiatives or more frequently from a consortium of banks and dealers like TradeWeb, BrokerTec, Euro MTS, WebET, eSpeed, BondBook, BondDesk and many more. In the bond market, one usually also separates the primary market, corresponding to the issue of new bonds from the secondary market, trading existing bonds. In contrast to equity stock market, there is no such a things as exchanges, although the emergence of trading platform may finally lead to similar environment as electronic stock exchanges. The international bond markets are in fact a set of fragmented broker dealer markets, often split by the country where the bond has been issued, and regulated by the national regulatory entities (like for instance the SEC1 in the US or the FSA in the UK). Traditionally, one also makes a distinction between the reference entities of the bond, leading to three different markets: Government bonds. Municipal bonds. Corporate bonds. US Bonds are called bills (maturity less than 1 year and usually zero coupon bond). Government bond are mainly issued by the State Treasury agency of the country although the Central bank may in certain countries be also able to issue government bonds (referred to as govies by traders). bonds are sold in a book entry form.Rational behind the bond market is to use the efficiency of financial markets to finance governments. GOVERNMENT BOND MARKETS Used primarily to finance the public debt of countries. meaning that the name and identity of the bondholder is registered in a computer book entry form. According to the maturity. Usually. local authorities. while Japanese are called JGBs (for Japanese 1 Security Exchange Commission . activities and businesses. there are some bonds paying only once at maturity called zero coupon bond in contrast to normal coupon bearer bonds. government bonds represent a substantial amount of the bond markets. municipalities and corporations for various projects. Bonds usually pay coupon. UK government bonds are called gilts. one also makes a distinction between developing countries government bond referred to as emerging markets bonds and developed countries like the US. notes (maturity of 2 to 10 years. however. Europe or Japan. the bond issuer has a fixed liability or an obligation to pay to the debtors some cash flow. 6 month coupon bearing) and bonds (more than 10 years maturities). Usually. with the very large part for US government bonds. In return for the loan. (Federal National Mortgage Association) Freddy Mac. Municipal bonds have the advantage to be free from federal tax on the accrued interest and . Germany Bobl (maturity of less than 2 years). Government bonds are sold via treasury auctions. and sell them in bonds after tranching the pool into different categories according to their credit exposure.Government Bonds). Emerging market government bonds are less safe as the backing entity bears a higher credit risk. French OAT. government bonds are considered to be relatively safe investment. and very much for developed countries. Spain Bonos. MUNICIPAL BOND MARKET (MUNIS) Issued by a state or local government. municipal bonds are debt instruments securities for general financing needs or special projects. Governmental agencies for mortgage The are various governmental association that specialises in securitizing pools of mortgage into structured bonds. Ginnie Mae also referred to as GNMA (Government National Mortgage Association) Their role is to securitise pool of mortgages or loans. Schatzt (5 years) and Bunds Because government act as a guarantor to the bond debt. The most popular are: Fannie Mae. (Federal Home Loan Mortgage Corporation). Municipal bond issues and markets are traded by specialised brokerage and banking firms. the issuer’ guarantee is only limited to the source of revenue backing the bonds. one does a thorough analysis in terms of the taxable resources to have realistic liabilities. This means that the municipality that issues the bond has the right to raise taxes (and in particular property taxes) up to be able to pay the bond liability. or ad valorem tax levied at a fixed price. Limited and special Tax Bonds: These bonds are backed by the proceeds of a specific tax. the bond issuer has the right to seize the property and to sell it at auction. if the property’s landlord does not pay the tax. This tax can be a gasoline tax. In contrast to General Obligation bonds. like any other bonds. profit realised from the purchase or sale of municipal bonds is subject to tax. airport and schools. a special assessment. However. These bonds are however relatively safe. in the case of raising property taxes. county. City. like water companies. The different types of municipal bonds are General Obligation Bonds (GO's): Backed by the full faith and credit of the issuer for prompt payment of principal and interest.also free from state and local taxes if issued in the state of residence of the bondholder. Moreover. Revenue Bonds: Backed by the earnings of a revenue producing states ‘s agency or enterprise. The historical or potential earnings of the company can help to assess part of . these bonds are very safe since the guarantee is of an unlimited nature. or school district mainly issue general Obligation bonds. Before the issue. the risk. . these bonds can be risky for corporate guarantor with high credit risk. Double Barrelled Bonds: these are very safety bonds as they are doubly backed by a pledge of two or more sources. Tax Anticipation Noted (TAN's): issued by cities in anticipation of future tax revenue. these notes are backed by the expected taxes. Their maturities run from about 60 days 1 one year. Moral Obligation Bonds: with very little trading volume. Backed by the corporate attached to the Industrial Development Agency. Because of the higher risk. Industrial Revenue Bonds: these bonds are use to finance the activities and projects of the Industrial Development Agency. whose purpose is to develop industrial or commercial property for the benefit of private users. the yield of a revenue bond is higher than that of a general obligation bond. VA guarantees. Both state and local governments can issue housing bonds to finance housing projects for low-income families. Housing Bonds: Mainly secured by mortgage repayments on single family homes. (Public Housing Authority issues) are only traded in the secondary market. these bonds are also backed by federal subsidies for low income families. FHA insurance. Municipal Notes: short term debt instruments issued by state and local authorities. Old bonds secured by the US government and referred to as PHA'. these bonds are issued for specific purpose (like public housing) and are more an old history of the municipality bond business when the New York State issues them in 1960's. and private mortgage insurance. Equipment Trust Certificates: bond secured by assets whose depreciation rate is lower than the capital repayment on the loan. CORPORATE BONDS (CORPORATES) Corporate secured bonds can take the following forms: Mortgage Bonds: bonds backed by real estate and/or the physical assets of the corporation with a greater value than the one of the bond. In case of default. an issuer may delay the bond issue. the issuer may issue a Bond Anticipation Noted backed by the bond issue to come. However. Usually. a local municipality may issue Revenue Anticipation Notes backed by the revenues to come. In contrast. the assets are sold off to pay off the mortgage bondholders. issued by a company in bankruptcy or close to bankruptcy. Income Bonds: bonds paying interest if earned by the company. creditors agree that interest will only be paid to . hence making the bond secure. while open end assets can be used for other issues. In case of defaults. Usually the bond is used to buy only a given percentage of the assets. to still get some revenue.Bond Anticipation Noted (BAN's): in the case of poor market conditions. the equipment is sold off to pay bondholders. Closed end assets means that the asset used to secure the bonds are restricted to this issue. Revenue Anticipation Notes (RAN's): in anticipation of revenue coming in from the federal government. these bonds do not trigger a credit event in the case of a failure to pay the interest. with equal right on the collateral. which consists in restructuring existing asset in a more efficient way. These structures are very attractive for investors that otherwise would not have exposure to these markets. Similarly. COLLATERISED DEBT AND LOAN OBLIGATIONS (CDO. MORTGAGE BACK SECURITIES A growing business has consisted in pooling mortgage and splitting their cash flows into a number of tranches corresponding to different credit risk. The socalled tranches are often categorises by their seniority (order of priority of the debtor when there is default) but also their average life. CLO) Collaterised Debt Obligation is very similar to collateralised mortgage obligations with the only difference that low-rated bonds instead of mortgages are used as collateral. referred to as the syndicate desk (or more generally debt capital market desk) that deals mainly with new issues. while allowing a bank. and more generally a financial institution normally exposed to .the extent earned to allow the company to survive a close to bankruptcy situation Banks have specialised resource. Collateralised Loan obligations are structured bond backed by the loan repayments from a portfolio of pooled personal or commercial loans. These synthesised securities are part of the repackaging business. The market of new issue is referred to as the primary market as opposed to the secondary market where one can trade existing bonds. coupon. stability and so on. excluding mortgages. bonds and equities are fundamentally different. insurance companies and funds (mutual. Debt capital instruments represents a loan while equity stock provides a stake in the company to the holder. (See credit derivatives). Bond have a determined maturity at which all the payment must have been done2. investors are mainly financial institutions like banks. Discount (a spread between par and offering price) Capital gain. Tax rates also vary across types of investors (resident or not) and types of income (tax exempted and tax non-exempted bonds). TAX AND ACCOUNTING ISSUES Taxation distinguishes the following type of income on bond trading: Interest and coupon payment. .the credit risk of these assets to remove them from its balance sheet and reduce its capital requirement. provident. pension and government pension as well as hedge funds). Other important difference between bonds and equity are the trading size and volume as well as the volatility on these markets3 Because of the trading size in the bond markets. while an equity last as long as the company is alive. As already mentioned 2 3 Except for the very rare case of perpetual bonds Although emerging markets may also suffer from very volatile environment. RATIONAL OF THE BOND MARKET DIFFERENCE BETWEEN BOND AND EQUITY STOCK Although bonds and equities can be both used to raise capital. Rating agency may not be able to rate a given issue if a company is to new and consequently does not have sufficient credit history Table 1 provides the rating convention of Standard & Poor's and Moody's. Other less influential companies includes: Fitch/IBCA Thompson BankWatch. municipality bonds are exempt of federal tax on the accrued interest and also free from state and local taxes if issued in the state of residence of the bond holder. most issues are rated as they provide valuable market information to potential investors. Although it is not compulsory to rate an issue. The two main companies are: Standard & Poor's Moody's. . Like any other bonds. Rating agency are external companies charged to assess the overall credit of a given company and or bond issue. profit realised from the purchase or sale of municipal bonds is still subject to tax. Consulting the rating from these services ratings helps to determine the issue's safety and security. CREDIT RATING INTRODUCTION TO CREDIT RATING Credit rating is an important element for bond valuation.in the section about municipality bonds. Credit Quality High quality bonds S&P AAA+/AAA/AAAA+/AA/AAA+/A/A- Moody’s Aaa1/Aaa2/Aaa3 Aa1/Aa2/Aa3 A1/A2/A3 Baa1/Baa2/Baa3 Ba1/Ba2/Ba3 B1/B2/B3 Caa1/Caa2/Caa3 Ca1/Ca2/Ca3 C1/C2/C3 C medium grade BBB+/BBB/BBBB+/BB/BBB+/B/B- Poor grade CCC+/CCC/CCCC+/CC/CCC+/C/C- Default D Table 1: Rating convention of Standard & Poor's and Moody's PRIORITY OF CLAIMS: SENIORITY AND SUBORNIDATED DEBTS The priority claims is the following: Senior debt: often mortgage bonds or equipment trust certificates as these bonds have the higher seniority level Subordinated debt: there exists various level of subordination for the debt debenture. Preferred stock Common stock PRICING AND RISK MANAGEMENT OF BOND PORTFOLIO BASIC PRICING AND MARKET INDICATORS . However. diluting equity capital. the return of a bond is mainly influenced by two factors: Risk of the bond: mostly related to the credit of the issuer and its probability of default or more generally credit event. This number may vary during the life of the bond. it specifies The exact number of shares per bond. convertible bonds influence the capital structure of a company as its debt equity balance may become substantially modified after conversion. number of shares per bond or conversion price. a convertible bond allows its bondholder to convert the bond into the company's common stock. (conversion ratio. which is the price at which the bond holder can buy a share when converting the bond redeemed at its face value). This additional flexibility sold to the bondholder makes the financing cost lower for the issuer. Central banks play an active role in controlling the overall funding cost but easing or tightening their monetary policy. The terms of conversion are set forth in the indenture (debt contract’s terms). . From an economic point of view. Convertible bond allows taking advantage of both. a company can finance itself either via debt or equity. In particular. Compared to a standard bond. Mainly influenced by the money market. EXOTIC BONDS Convertible bonds: description and factor affecting pricing Usually.Bonds prices are often related to the bond’ s yield as it gives a quantitative measure of the return of a given bond. General cost of borrowing or demand to borrow money. futures and swap market as a whole. There are various types of yields and it is important to make the difference: Nominal yield: defined as the yield stated on the face of the bond. on a unit 1. These options requires a good modelling of the yield curve as the bond’s option can be very sensitive to the assumption of the correlation between the different forward rates. Bonds with embedded options Various bonds have embedded options like the right by the issuer to call the bond. BOND YIELD AND TERM STRUCTURE OF INTEREST RATES Yield computation The return for a bond is measured via its yields. The rights of the bond issuer (usually right to call back the bond and force the conversion). or the right by the holder to put it.The different exercise dates at which the bondholder can convert the bond (various times Bermudan option or all the time American option). Convertible bonds are not easy to price as these are bonds with a Bermudan or American option that depends not only on the overall volatility of the interest rates curve but also the correlation between the various rates. also referred to as the coupon rate Current yield: defined as the nominal yield over the price of the bond. . etc. (See modelling of the interest rate curves). Address the issue of credit risk and counterparty risk. . Allows the analysis and combination of various market scenarios. Mathematically. The investment in a bond provide some return via the coupons paid. the yield to maturity is such that: Price = ∑ i =1 n (1 + y ) C Ti + (1 + y )T P n (1. In fact. treasury and swap markets. Take into account the general funding cost materialised by spot interest rates curve bootstrapped from the money market.Yield to maturity: defined as the reinvestment rate that makes the present value of the cash flows (interest and principal) equal to the market price. quantitative tools to measure bonds should have the following Handle cash flow uncertainty and embedded options quantifying both magnitude and timing. C the (annual) coupon paid at the various payment dates (Ti )i =1.1) How to bootstrap a yield curve Although widely used by the market. One of the most common number used to compare bond is nowadays the total rate of return that takes into account the various elements cited above. denoting by P the principal paid at maturity Tn . the futures.n . the concept of yield does not handle bond with different maturities very well.. as well as bond with random cash flows like bond paying floating or more complicated bonds with embedded options. the interest in the coupon and the capital gains. to finance public debt. related to the market portfolio by the beta of the stock. The Treasury department is also involved in the control of the interest rate but rather on the long end of the curve by issuing government bonds. BONDS AND CREDIT DERIVATIVES . The monetary policy rational is often to control the inflation by regulating the different money stock aggregate (M1 and M2 mainly). The result of this portfolio optimisation lies in the existence of a continuum of optimal portfolio providing the best return for a given level of risk and referred to as the efficient frontier. respectively the expected return of the portfolio. it is quite important to have a diversified and efficient selection of bond instruments. the portfolio with the best return (dual problem). In the bond market. The capital asset pricing model focuses at the risk reward ratio represented by the variance. FEDERAL RESERVE AND CENTRAL BANKS POLICY The Federal Reserve and the other central banks play an important role in the determination of the short end of the interest rate curve by controlling the level of the FED’s funds interest rate. It aims at computing given constraints either on the expected return the portfolio with the smallest variance or given a level of risk.CAPITAL ASSET PRICING MODEL (CAPM) The capital asset pricing model and all its successors have been successively used to provide a better understanding of efficient portfolios and modelling systemic risk in a portfolio. It is now possible to strip out the credit risk component of a bond issue using the credit derivatives markets. Entry category: Market and Instruments. international equity market (overview) Eric Benhamou4 Swaps Strategy.With the arrival of credit derivatives. Related articles: foreign exchange currency market (overview). London. the total return swap (See credit derivatives). The most common credit derivatives used in this goal are the credit default swap. Goldman Sachs International 4 The views and opinions expressed herein are the ones of the author’s and do not necessarily reflect those of Goldman Sachs . FICC. the international bond market has seen some important evolution.
https://www.scribd.com/document/106805870/International-Bond-Market
CC-MAIN-2018-39
refinedweb
3,204
56.86
resize with averaging or rebin a numpy 2d array I am trying to reimplement in python an IDL function: which downsizes by an integer factor a 2d array by averaging. For example: >>> a=np.arange(24).reshape((4,6)) >>> a array([[ 0, 1, 2, 3, 4, 5], [ 6, 7, 8, 9, 10, 11], [12, 13, 14, 15, 16, 17], [18, 19, 20, 21, 22, 23]]) I would like to resize it to (2,3) by taking the mean of the relevant samples, the expected output would be: >>> b = rebin(a, (2, 3)) >>> b array([[ 3.5, 5.5, 7.5], [ 15.5, 17.5, 19.5]]) i.e. b[0,0] = np.mean(a[:2,:2]), b[0,1] = np.mean(a[:2,2:4]) and so on. I believe I should reshape to a 4 dimensional array and then take the mean on the correct slice, but could not figure out the algorithm. Would you have any hint? Answers Here's an example based on the answer you've linked (for clarity): >>> import numpy as np >>> a = np.arange(24).reshape((4,6)) >>> a array([[ 0, 1, 2, 3, 4, 5], [ 6, 7, 8, 9, 10, 11], [12, 13, 14, 15, 16, 17], [18, 19, 20, 21, 22, 23]]) >>> a.reshape((2,a.shape[0]//2,3,-1)).mean(axis=3).mean(1) array([[ 3.5, 5.5, 7.5], [ 15.5, 17.5, 19.5]]) As a function: def rebin(a, shape): sh = shape[0],a.shape[0]//shape[0],shape[1],a.shape[1]//shape[1] return a.reshape(sh).mean(-1).mean(1) Need Your Help Building CompassApp (jruby app) executable from source on Windows windows build rubygems jruby compass-sassI would like to build the executable of CompassApp, a GUI application that lets webdesigners compile stylesheets by using SASS and Compass without using the command line. passing ng-repeat to a directive angularjs angularjs-directivei am trying to create a wrapper directive for select/dropdowns... but not able to pass the ngRepeat to the directive
http://unixresources.net/faq/8090229.shtml
CC-MAIN-2019-04
refinedweb
340
70.63
Another branch of machine learning that has proven its mettle in recent years is recommender systems – systems that recommend products or services to customers. Amazon’s recommender system reportedly drives 35% of its sales. The good news is that you don’t have to be Amazon to benefit from a recommender system, nor do you have to have Amazon’s resources to build one. They’re relatively simple to create once you learn a few basic principles. Recommender systems come in many forms. Popularity based systems present options to customers based on what products and services are popular at the time – for example, “Here are this week’s bestsellers.” Collaborative systems make recommendations based on what others have selected, as in “People who bought this book also bought these books.” Neither of these types of systems requires machine learning. Content-based systems, by contrast, typically benefit from machine learning. An example of a content-based system is one that says “if you bought this book, you might like these books also.” These systems require a means for quantifying similarity between items. If you like the movie Die Hard, you might or might not like Monty Python and the Holy Grail. If you like Toy Story, there‘s a good chance you’ll like A Bug’s Life, too. But how do you make that determination algorithmically? Content-based recommenders require two ingredients: a way to vectorize – convert to 1s and 0s – the attributes that characterize a service or product, and a means for calculating similarity between the resulting vectors. The first one is easy. In my posts on sentiment analysis and spam filtering, you learned about Scikit-learn’s CountVectorizer class and its ability to convert the text in movie reviews and e-mails into tables of word counts. All you need is a way to measure similarity between rows of word counts and you can build a recommender system. And one of the simplest and most effective ways to do that is a technique called cosine similarity. Cosine Similarity Cosine similarity is a mathematical means for computing the similarity between pairs of vectors (or data points treated as vectors). The basic idea is to take each value in a sample – for example, word counts in a row of vectorized text – and use them as the endpoint coordinates of a vector. Do that for two samples, and then compute the cosine between vectors in m-dimensional space, where m is the number of values in each sample. Because the cosine of 0o is 1, two identical vectors will have a similarity of 1. The more dissimilar the vectors, the closer the cosine will be to 0. Here’s an example in 2-dimensional space to illustrate. Suppose you have three rows containing two values each: You want to determine whether row 2 is more similar to row 1 or row 3. It’s hard to tell just by looking at the numbers, and in real life, there are many more numbers. If you simply added the numbers in each row and compared the sums, you would conclude that row 2 is more similar to row 3. But what if you treated each row as a vector? - Row 1: (0, 0) → (1, 2) - Row 2: (0, 0) → (2, 3) - Row 3: (0, 0) → (3, 1) Now you can compute the cosines of the angles formed by 1 and 2 and 2 and 3 and determine that row 2 is more like row 1 than row 3. That’s cosine similarity in a nutshell. Cosine similarity isn’t limited to two dimensions; it works in high-dimensional space as well. To help you compute cosine similarities regardless of the number of dimensions, Scikit offers the cosine_similarity function. The following code computes the cosine similarities of the three samples in the example above: data = [[1, 2], [2, 3], [3, 1]] cosine_similarity(data) The return value is a similarity matrix containing the cosines of every vector pair. The width and height of the matrix equals the number of samples: From this, we can see that the similarity of rows 1 and 2 is 0.992, while the similarity of rows 2 and 3 is 0.789. In other words, row 2 is more similar to row 1 than it is to row 3. There is also more similarity between rows 2 and 3 (0.789) than there is between rows 1 and 3 (0.707). Build a Movie-Recommendation System Let’s put cosine similarity to work building a content-based recommender system for movies. Start by downloading the dataset, which is one of several movie datasets available from Kaggle.com. This one has information for about 4,800 movies, including title, budget, genres, keywords, cast, and more. Then load the dataset and peruse its contents: import pandas as pd df = pd.read_csv('Data/movies.csv') df.head() Use the following statements to extract the columns used to judge movies for similarity and fill missing values with empty strings: df = df[['title', 'genres', 'keywords', 'cast', 'director']] df = df.fillna('') # Fill missing values with empty strings df.head() Next, add a new column named “features” that combines all the words in the other columns: df['features'] = df['title'] + ' ' + df['genres'] + ' ' + df['keywords'] + ' ' + df['cast'] + ' ' + df['director'] Use CountVectorizer to vectorize the text in the “features” column: from sklearn.feature_extraction.text import CountVectorizer vectorizer = CountVectorizer(stop_words='english', min_df=20) word_matrix = vectorizer.fit_transform(df['features']) word_matrix.shape The table of word counts contains 4,803 rows – one for each movie – and 918 columns. The next task is to compute cosine similarities for each row pair: from sklearn.metrics.pairwise import cosine_similarity sim = cosine_similarity(word_matrix) sim.shape Ultimately, the goal of this system is to input a movie title and identify the n movies that are most similar to that movie. To that end, define a function named get_recommendations that accepts a movie title, a DataFrame containing information about all the movies, a similarity matrix, and the number of movie titles to return: def get_recommendations(title, df, sim, count=10): # Get the row index of the specified title in the DataFrame index = df.index[df['title'].str.lower() == title.lower()] # Return an empty list if there is no entry for the specified title if (len(index) == 0): return [] # Get the corresponding row in the similarity matrix similarities = list(enumerate(sim[index[0]])) # Sort the similarity scores in that row in descending order recommendations = sorted(similarities, key=lambda x: x[1], reverse=True) # Get the top n recommendations, ignoring the first entry in the list since # it corresponds to the title itself (and thus has a similarity of 1.0) top_recs = recommendations[1:count + 1] # Generate a list of titles from the indexes in top_recs titles = [] for i in range(len(top_recs)): title = df.iloc[top_recs[i][0]]['title'] titles.append(title) return titles Essentially, this function sorts the cosine similarities in descending order to identify the count movies most like the one identified by the title parameter. Then it returns the titles of those movies. Now comes the fun part: using the get_recommendations function to search the database for similar movies. First ask for the 10 movies that are most similar to the James Bond thriller “Skyfall:” get_recommendations('Skyfall', df, sim) Now call get_recommendations again to discover movies that are like “Mulan:” get_recommendations('Mulan', df, sim) Feel free to try other movies as well. Note that you can only input titles that are in the dataset. Use the following statements to print a complete list of movie titles: pd.set_option('display.max_rows', None) print(df['title']) I think you’ll agree that the system does a pretty credible job of picking similar movies. Not bad for about 20 lines of code! Get the Code You can download a Jupyter notebook containing the movie-recommendations example from the machine-learning repo that I maintain on GitHub. Feel free to check out the other notebooks in the repo while you’re at it. Also be sure to check back from time to time because I am constantly uploading new samples and updating existing ones.
https://www.wintellect.com/recommender-systems/
CC-MAIN-2021-39
refinedweb
1,354
51.89
This is the mail archive of the gcc-patches@gcc.gnu.org mailing list for the GCC project. On Sat, Dec 16, 2006 at 02:19:40PM +0100, Steven Bosscher wrote: > On Saturday 16 December 2006 14:04, Jakub Jelinek wrote: > > +#if NR_BUNDLES == 10 > > When is NR_BUNDLES ever not 10? It is always 10, but I was trying to match the #if NR_BUNDLES == 10 ".bbb", ".mbb", #endif conditional (if NR_BUNDLES changed, then we wouldn't have .bbb and .mbb patterns. Alternatively, we could just nuke the NR_BUNDLES define altogether, the array can be just static const char *bundle_name [] = { ... }; and the #if NR_BUNDLES == 10 plus #endif can go too. Those are the only places which use this and apparently other code already relies on NR_BUNDLES being 10, or at least .bbb and .mbb bundles in the middle (e.g. if (template0 == 9) assuming it is .mlx). Jakub
https://gcc.gnu.org/ml/gcc-patches/2006-12/msg01162.html
CC-MAIN-2020-05
refinedweb
146
74.49
: 09-3003 Full Text Grinder: Bulls make a bid, but 'Noles run away CITRUS COUNTY HRONICLe J Mostly sunny, with a 20 percent chance of an afternoon shower. PAGE A4 Newspaper Serving Florida's Best Community $1 VOLUME 118 ISSUE 54 Water district: Quantity, not quality Driver dies in crash Friday A Lecanto man driving a 2004 Toyota pickup was killed Friday night in a single-vehicle crash, according to the Florida Highway Patrol (FHP). The man's name is being withheld pending notification of his next of kin, according to the pre- liminary report. The man was report- edly traveling northbound on County Road 491 when the truck inexplica- bly left the road and veered west into a cul- vert, causing it to over- turn. He was pronounced dead on the scene. He was not wearing his seatbelt. The crash is still being investigated. -From staff reports Reopening Eagle Buick GMC plans a grand reopening for Oct. 6./Page Dl OPINION: In Citrus County, consumers must make the decision to support local businesses. MORE OPINION: Think so? Find additional letters to the editor and Sound Off./Pages A7-A9 Coffee's hot Grinders, pots, brewing equipment and other coffee-related items are great gifts./HomeFront BUSINESS: M channel McDonald's restaurants in California test tailor- made TV/Page D5 Annie's Mailbox ......A12 Classifieds ............ D5 Crossword .......A12 Editorial .......... ..C3 Entertainment ..........B8 Horoscope................ B8 Lottery Numbers ......B4 Lottery Payouts ........ B8 Movies .................. A12 O bituaries ................A6 Together................A14 6 181|411 57 8 210 07 o SWFWMD to talk about levels at meeting A.B. SIDIBE Staff Writer For Terri Auner, pollution has thinned her beloved Homosassa River of marine life. She feels the death knell of that river and the Chassahowitzka River are about to toll as soon as the water district sets mini- mum flow levels for the waterways at the end of October. For officials at Southwest Florida Water MARK SCOHIER Chiefland Citizen Karen Pinkston leaned over the cracked slab while brushing away the dirt and grime of a century's worth of neglect The name of a young girl cut into the homemade stone, Missouri, was barely visible. "That's what's sad," Pinkston said, standing to wipe the sweat from her brow and the dirt from her hands, "someone put a lot of effort into this, and now she's forgotten." Pinkston, along with her husband, Joe, four volun- teers from the Friends of the Cedar Key National Wildlife Refuge and two rangers, spent several hours on a recent September morning cleaning the site of the Atsena Otie Cemetery Most of the group focused * WHAT: Minimum Flows and Levels workshop. WHEN: 5:30 to 7:30 p.m. Tuesday. WHERE: Citrus County Government Center, Room 166, Lecanto. Management District (SWFWMD), the is- sues around water quality and quantity are discrete one it deals with; the other is not in its purview. Officials further state they have made more than adequate effort to make sure the flow proposals are equitable and based on thorough scientific data. See Page A4 on clearing the thick under- brush collec- tively form Atsena Otie Key, about 1/2 mile by boat from Cedar Key across the Wac- casassa Bay. The key, shaded by wind- swept live oaks and skirted Changes ahead at water district A.B. SIDIBE Staff Writer Southwest Florida Water Management Dis- trict Executive Director Blake Guillory announced last week the agency will restructure in coming months, letting go of some people while shoring up other areas. Moving monument Poe DAVE SIGLER/Chronicle Rick Parker, president of the Vietnam Veterans Gathering, escorts Georgie Carter-Krell to place flowers Saturday by a panel of the Vietnam Traveling Memorial Wall during the 10th annual Vietnam Veterans Gathering at Bicentennial Park. Carter-Krell represents the Gold Star Mothers, who were honored for the sons they lost in wars during the event. The wall will be taken down at 9 a.m. Monday, but is open all night Sunday. Vietnam Traveling Memorial Wall on display through today A.B. SIDIBE Staff Writer CRYSTAL RIVER In 1969, at the height of one this nation's most fitful conflicts the Vietnam War - 19-year-old Bruce Wayne Carter sacrificed himself to protect his fel- low Marines by taking a grenade in the gut. For his valor, Carter was awarded the Congressional Medal of Honor posthumously He's since had a street named after him, and the Miami VA Hospital bears his name. His name has been invoked at many veterans' memorials, and through it all has been one constant bearer of Carter's torch and cham- pion of all veterans: his mother, Georgie Carter-Krell. Carter-Krell's common refrain is, "We should never forget them." Saturday, as solemn music wafted through Bi- centennial Park under the late-morning sun, Jim Stepanek of Vietnam Veter- ans Gathering Inc. wept as he introduced Carter-Krell to the audience. Carter- For more photos, c on this s online.co Krell was escorted by a Marine to lay flowers next to her son's name on the Vietnam Traveling Memorial Wall, which is on display at the park all weekend. The names of all 58,282 U.S. Vietnam War dead are etched in white with a black background. Carter-Krell donned the white colors of her organization, Ameri- can Gold Star Mothers, which pro- vides support for mothers who have lost a son or daughter in military service. She ex- plained and her group member demonstrated to the audience the intricacies and symbolism of folding a click flag for a fallen soldier. tory at "Their efforts to obtain onicle peace around the world om. will never be forgotten," Carter-Krell said. Jane Darling of Lecanto and her friend Ann Allen were hunched down trying to locate the name of a family friend's son. William Marcy of Norwich, Conn., was found on section 24 of the wall, about eight rows from the bottom. "I found him," Darling said. "I Page A4 The structural changes will be phased in over the next nine months, and the staff cuts will affect about 30 employees primarily administrative, IT and management staff, accord- ing to officials. At the same, the agency will be looking to add 15 See CHANGES/Page A4 Ex-NY Times publisher dies, 86 Associated Press NEW YORK Few mo- ments in American journal- ism loom larger than the one that came in 1971, when New York Times publisher Arthur Ochs Sulzberger had to decide whether to defy a pres- ident, and risk a po- tential criminal charge, by publishing a classified Arthur Defense Sulzberger D e p a r t former New ment his- York Times tory of U.S. publisher died involve- Saturday. ment in Vietnam. His choice, to publish the Pentagon Papers and then fight the Nixon administra- tion fam- ily announced. During his three-decade tenure, Sulzberger's news- paper won 31 Pulitzer prizes while he went about transforming the family business from perpetually shaky to the muscular media behemoth it was when he retired. Weekday circulation climbed from 714,000 when Sulzberger became pub- lisher in 1963 to 1.1 million when he stepped down as publisher in 1992. Over the same period, the annual revenues of the Times'cor- porate parent rose from $100 million to $1.7 billion. Yet it was Sulzberger's positions on editorial inde- pendence that made him a hero of the profession, like when he rejected his own lawyers' warnings that even reading the Pentagon Pa- pers, let alone publishing them, constituted a crime. Sulzberger, who went by the nickname "Punch" and served with the Marine Corps, privately worried that he had doomed the newspaper but gave inter- views saying the Times wouldn't allow the U.S. gov- ernment to cover up its mis- takes See Page A6 MARK SCOHIER/Chiefland Citizen Joe Pinkston, of North Florida Monument Co., in Williston, evaluates a broken headstone at the historical Atsena Otie Cemetery. by salt marshes, beaches and swamps, is about 60 acres and is famous for an old mill that once made wooden blanks for a pencil factory in New Jersey Throngs of black salt marsh mosquitoes still swarm this original Cedar Key settle- ment. "To us, the island is im- portant to keep the history of the area," said Lower Suwannee and CKNWR Ranger Pam Darty "Really, this place is a museum. This was the area in the late 1800s." Humans have been using the island for thousands of years. Ruins from the old mill sit next to a giant mid- den composed of millennia of discarded shells from Page A2 TODAY & next morning HIGH 90 LOW 70 SEPTEMBER 30, 2012 Florida's Best Communit Volunteers, rangers work to restore cemetery I--t S IU II N D 'd CITRUS COUNTY (FL) CHRONICLE Does saying 'no make us bad grandparents? ( "r feel exhausted," SMarie said as she pounded the "For Sale" sign into the ground in front of her house. That Marie and Chuck were moving took me totally by surprise. They love it here. "Where are you going?" I asked. "We don't care," she said. "As long as it's far enough away that our kids won't be tempted to bring our grandchil- iA dren to our house each weekend. MUL We're thinking 800 miles ought to do it" "But you love little Chardonnay and her brother, Pinot!" "Deeply, madly, we love them. For a couple of hours. After that, I'm spent. Satur- day, I spent four hours mak- ing 'no' to the kids, or 'Stop that!' When I yelled at Pinot to stop yank- ing Fluffy's tail, Shauna acted like I'd slapped him. It wasn't the child who was complaining; it was the mother. Then, very slowly, as if I were an au pair who didn't know our customs and didn't speak English very well, Shauna ex- plained to me how to raise children. I was supposed to L say: 'Pin -M said. "Like he M doesn't know .LEN where babies come from, like they just showed up one day in his house. '"So here's the deal,' I told Shauna. 'If you don't care what your kids do in your house, that's your business. When you bring them here, we have rules.' Shauna got all huffy with me, but really, you wouldn't think of bring- ing an untrained puppy to someone's house and then act all put out when hosts won't let it do its business on the living room carpet. Don't bring an untrained child to my house. It's rude. "Yes, I could have said, 'That's not the way to play with the cat,' but guess what? It's my cat, not hers," Marie said. "Let me ask you, do you have any lasting memories of someone saying 'no' to you when you were 2 1/2? I didn't think so. What do you think Pinot's little friends say to him when he pulls that kind of stunt? 'Pinot, the cat is not a toy. Would you like me to get you a toy?' No, they would just yell at him to stop it." "So you're really mov- ing?" I asked. "Oh, we'd been thinking of moving for a while. Mak- ing Joey and Shauna feel bad that's just a bonus." Jim Mullen's newest book, "How to Lose Money in Your Spare Time -At Home, "is available at ama- zon. com. You can follow him on Pinterest atpinter- est. com/jimm ullen. CITRUS COUNTY SCHOOLS Elementary school All meals include juice and milk variety. Breakfast Monday: Breakfast sausage pizza, ce- real variety and toast, tater tots. Tuesday: MVP breakfast, cereal variety and toast, grits. Wednesday: Sausage and egg biscuit, cereal variety and toast, tater tots. Thursday: Ultra cinnamon bun, cereal variety and toast, grits. Friday: Ultimate breakfast round, cheese grits, tater tots, cereal variety and toast. Lunch Monday: Pepperoni pizza, spaghetti with ripstick, PB dippers, fresh baby car- rots, broccoli, mixed fruit. Tuesday: Roasted chicken with ripstick, turkey super salad with ripstick, yogurt parfait plate, garden salad, green beans, warm apple slices. Wednesday: Hamburger, mozzarella maxstix, PB dippers, fresh baby carrots, baked beans, peaches. Thursday: Chicken nuggets, ham super salad with ripstick, yogurt parfait plate, garden salad, baked french fries, applesauce. Friday: Chicken sandwich, cheese pizza, PB dippers, fresh baby carrots, corn, pears. Middle school All meals include juice and milk variety. Breakfast Monday: Breakfast sausage pizza, MVP breakfast, cereal and toast, tater tots and grits. Tuesday: Ham, egg and cheese bis- cuit, ultra cinnamon bun, cereal and toast, tater tots. Wednesday: Breakfast egg and cheese wrap, MVP breakfast, cereal and toast, tater tots. Thursday: Breakfast sausage pizza, ultra cinnamon bun, cereal and toast, tater tots. Friday: Breakfast sandwich stuffer, ulti- CEMETERY Continued from Page Al early native people, who by the early 1600s had mostly died out because of diseases brought over by Europeans. The few who remained were carted off to reservations in the 1800s. The U.S. Army built a hos- pital and stockade on the is- land, which served as a base for soldiers during the Sec- ond Seminole War In fact, it was Atsena Otie Key in 1842 where Col. William J. Worth declared the war over It wasn't long before homesteaders started mak- ing their way to the island, and then in 1843 came Au- gustus Steele, a rich devel- oper who built a resort on Atsena Otie for the wealthy Southern planter class. "He really developed it and promoted it," Refuge Oct. 1 to 5 MENUS mate breakfast round, cereal and toast, tater tots, grits. Lunch Monday: Pepperoni pizza, breaded chicken sandwich, PB dippers, fresh baby carrots, broccoli, pineapple. Tuesday: Fajita chicken and rice, ham super salad with ripstick, yogurt parfait plate, garden salad, Mexicali corn, applesauce. Wednesday: Hamburger, roasted chicken with ripstick, PB dippers fresh baby carrots, baked beans, potato trian- gles, peaches. Thursday: Oriental orange chicken plate, macaroni and cheese, turkey super salad with ripstick, yogurt parfait plate, gar- den salad, green beans, warm apple slices. Friday: Spaghetti with ripstick, moz- zarella maxstix, PB dippers, fresh baby carrots, peas, mixed fruit. High school Breakfast Monday: Breakfast sausage pizza, MVP breakfast, cereal and toast, tater tots and grits, juice and milk variety. Tuesday: Sausage, egg and cheese biscuit, ultra cinnamon bun, cereal and toasts, tater tots, juice and milk variety. Wednesday: Breakfast egg and cheese wrap, MVP breakfast, cereal and toast, tater tots, juice and milk variety. Thursday: Ham, egg and cheese loco, ultimate breakfast round, cereal and toast, grits, tater tots, juice and milk variety. Friday: Breakfast sandwich stuff, ultra cinnamon bun, cereal variety, toast, tater tots, juice and milk variety. Lunch Monday: Chicken tenders with rice, macaroni and cheese with ripstick, ham- burger, chicken sandwich, fajita chicken salad with wheat roll, pizza, yogurt parfait plate, baby carrots, fresh broccoli, potato triangles, broccoli, pineapple, juice, milk. Tuesday: Fajita chicken and rice with ripstick, turkey and gravy on noodles with in- dustry grew. Near the end, about 50 households lived on the island until 1896, when a hurricane spawned a 10-foot wall of water that crushed all but a few houses on the island. By the next year, the is- land was abandoned, with residents making homes on nearby Way Key, the present site of the city of Cedar Key Today, the Suwannee S P I | | ripstick, hamburger, chicken sandwich, turkey salad with wheat roll, maxsitx, yo- gurt parfait plate, garden salad, corn, cel- ery, potato triangles, peaches, cold corn salad, juice, milk. Wednesday: Turkey wrap, chicken al- fredo with ripstick, hamburger, chicken sandwich, pizza, ham salad with wheat roll, yogurt parfait plate, baby carrots, chilled baked beans, potato triangles, baked beans, dried fruit, juice, milk. Thursday: Breaded chicken with rice, macaroni and cheese with ripstick, ham- burger, chicken sandwich, turkey salad with wheat roll, maxstix, yogurt parfait plate, garden salad, green beans, potato roaster, mixed fruit, cucumbers, celery, juice, milk. Friday: Barbecue sandwich, pizza, spaghetti with ripstick, fajita chicken salad with wheat roll, yogurt parfait plate, baby carrots, cold corn salad, potato triangles, peas, peaches, juice, milk. SENIOR DINING Monday: Lasagna casserole, garlic spinach, Italian vegetable medley, mixed fruit, slice whole-wheat bread with mar- garine, low-fat milk. Tuesday: Grape juice, Salisbury steak, noodles with brown gravy, garden peas, dinner roll with, margarine, low-fat milk. Wednesday: Chef salad with ham, cheese, whole boiled egg and tomato, French dressing, carrot-raisin salad, fresh orange, slice whole-grain bread with mar- garine, low-fat milk. Thursday: Chicken parmesan, Califor- nia vegetables, Italian flat beans, peaches, slice whole-grain bread with margarine, low-fat milk. Friday: Meatballs with brown gravy, rice pilaf, mixed vegetables, pears, slice white bread with margarine, low-fat milk. Senior dining sites include: Lecanto, East Citrus, Crystal River, Homosassa Springs, Inverness and South Dunnellon. For information, call Support Services at 352-527-5975. River Water Management District owns Atsena Otie, though an agreement speci- fies that it be managed by the Cedar Key National Wildlife Refuge. The island is open to the public, if one is brave enough to face the mosqui- toes, but it can only be reached by boat Besides the cemetery and a few other ruins, Atsena Otie offers fish- ing, hiking and nature study Several species of birds, in- cluding egrets, herons and white ibises, are common to the area. A2 SUNDAY, SEPTEMBER 30, 2012 COMMUNITY Page A3 SUNDAY, SEPTEMBER 30,2012 TATE2& : LOCAL CITRUS COUNTY CHRONICLE Around the COUNTY County offers help for indigent elderly Citrus County Support Services currently has funds available for the Emergency Home Energy Assistance for the Elderly Program (EHEAP). This is a sister program of the Low Income Home Energy Assistance Program (LIHEAP). Income-eligible clients who are older than 60 are able to receive assistance once per season. There are two sea- sons in the year: the cooling season, which runs April 1 to Sept. 30; and a heating season that runs Oct. 1 to March 31. There must be a delin- quent or disconnect notice for electric service. Proof of in- come will be required for any- one in the home 18 years and older. Gross income for a one-person household must be $1,396.25 a month or less to qualify; for a two-person household, the amount is $1,891.25 or less; and for a three-person household, the amount is $2,386.25 or less. LIHEAP is having an En- ergy Conservation Awareness class from 5:30 to 7 p.m. Oct. 23 in the Community Center at the Citrus County Resource Center, 2804 W. Marc Knighton Court, Lecanto. To register, call 352- 527-7530. For more information or to make an appointment, call 352-527-5989. Ron McNeil to speak at Reagan meeting Former Florida U.S. Senate candidate and Patriot Restora- tion of America founder Ron McNeil will speak at 1 p.m. Saturday, Oct. 6, at the Ronald Reagan Republican Assembly of West Central Florida, 938 N. Suncoast Blvd. The topic will be "Restora- tion Solutions for America." The public is invited and refreshments will be served. Call 352-257-5381. CASA donations accepted. Request mail-in ballots now Anyone wishing to vote by mail for the Nov. 6 general election may request a ballot from the Citrus County Su- pervisor of Elections Office by calling 352-341-6740 or going online at. Any qualified registered Citrus County voter is entitled to a vote-by-mail ballot. The Supervisor of Elec- tions Office suggests voting by mail to avoid waiting in line at the polls on Election Day. Voting by mail gives some- one time to review and re- search items on the ballot. Funds offered for sewer connection Citrus County Housing Services has announced available funding for manda- tory sewer connections and assessments under the State Housing Initiatives Partner- ship Program (SHIP). The application period was to close Sept. 7, but it has been extended until at least Oct. 1. This funding is available to eligible low-income families and can be used for permit, impact and other fees neces- sary to connect regional central water and/or sewer service. Priority will be given to hookups done in conjunction with other state or federal funding sources. Eligible ap- plicants will be owner-occupied households with an annual income of up to 80 percent of area median income. Site-built homes, as well as mobile homes constructed after June 1994, are eligible for assis- tance provided the home is classified as real property Applications will be ac- cepted at the Citrus County Resource Center, Housing Services Section, 2804 W. Marc Knighton Court Key #12, Lecanto. The application and more detailed information can be found at. Under "Departments," click on "Community Services," then "Housing Services," then "SHIP" or call 352-527-7520. -From staff reports Riverland News file photos Six-year-old Clara Lynch of Dunnellon jumps across hay bales set up to make a fort for children to play on while visiting the Pickin' Patch. Pick a peck of pumpkin The Pickin'Patch, now an annual tradition, opens in Dunnellon JEFF BRYAN Riverland News DUNNELLON They're back, and ripe for the picking. The Pickin' Patch, where guests can be part of fall tradition picking pumpkins or riding along on wagons stacked with hay, opened Saturday The Pickin' Patch opens at 10 a.m. and will be open until Oct. 28. The hours of operation are 3 to 7 p.m. Friday; 10 a.m. to 7 p.m. Saturday; and noon to 7 p.m. Sunday. What started out three years ago as an idea and prayer has grown well beyond what Scott and Sarah Jo Thomas and Steve and Andrea Dixon could have ever envisioned. In 2010, the couples planted what seemed a meager 6 acres of pumpkins. The response was so overwhelming they added three additional acres a year ago as more than "an estimated" 8,000 people converged on the property. "Obviously, when we started, it was next to unheard of to grow pumpkins here because of vio- lent swings in weather, the hu- midity, the heat, the disease, the insects," Thomas said of the start three years ago. "We were even discouraged by some to not even try Both the Dixons and us felt very compelled that this was a direction God was leading us." "We've been surprised in every facet of our business, not by just people, just the com- ments they make to us, such as 'We've made this part of our tra- dition,"' Thomas explained. "Just the sheer turnout, friends are telling friends, we couldn't be more blessed. There's no way we thought this would grow like More than anything, what cheers Thomas are the positive responses about offering an experience the whole family can enjoy "That's what we want more than anything," he explained. "What we've turned into, what we've morphed into, is people can ac- tually ring in fall. They can help ring in the fall. The hayrides, the corn, the pumpkins, it's a fall ex- perience. People have embraced it. If it wasn't something they wanted or desired, they wouldn't be coming out. The people have been very supportive." For more information or di- rections, visit pumpkinpatch.com. it did. We anticipated a little year-to-year growth, but there's no way we could envision the magnitude of the growth we've had thus far." This year, the size of the "patch" has grown to a whopping 13 1/2 acres of picturesque scenes for families to snap a plethora of pictures. Because of their faith and to praise God for the successes of the Pickin' Patch, the Thomas and the Dixons select a Bible verse each fall and make a sticker to attach to each pump- kin they sell. This year's verse is 2 Corinthians 5:7 "For we walk by faith, not by sight." Campaign TRAIL The Citrus County Chronicle's political forum is 7 p.m. Thursday, Oct. 18, at the College of Central Florida in Lecanto. Information: Mike Wright, 352-563-3228. The Citrus Hills Civic As- sociation is hosting a candi- dates' forum at 7 p.m. Thursday, Oct. 4, at the Citrus Hills Golf and Country Club. Supervisor of Elections Susan Gill is sponsoring a candidates forum targeted for high school students at 7 p.m. Wednesday, Oct. 24, at Cit- rus High School in Inverness. Winn Webb, Republican for sheriff, will have a fundraiser from noon to 2 p.m. Saturday, Oct. 6, at the Inverness Women's Club, 1715 Forest Drive, Inverness. Information: Rosella Hale, 352-746-2545. He will also have a barbecue at 11:30 a.m. to 2 p.m. Saturday, Oct. 20, at Frank Ballots on the corner of U.S. 41 and C.R. 48 in Floral City. Sandra "Sam" Himmel, Democrat for superintendent of schools, has two fundraisers planned: golf tournament at 1 p.m. Sunday, Sept. 30, at Sugarmill Woods Golf & Country Club. Information: 352-302-9843; barbeque 7 p.m. Friday, Oct. 19, at the Davis residence, 3500 E. Oak Trace Path, Inverness. Infor- mation: 352-563-9419 or 352- 637-5191. The Campaign Trail is a listing of political happenings for the 2012 election season. Send notice of events or campaign fundraisers to Mike Wright at mwright@ chronicleonline.com. "We make this a springboard for our faith," Thomas said. "We have the opportunity to witness to thousands and thousands that come through the property. God has his hand in this." Admission is once again $2 for those 4 and older; children 3 and younger are free. The entrance to the Patch has changed this year, because of the larger amount of acreage used. Normally, visitors could gain ac- cess off of Robinson Road, but this year, they'll have to use State Road 40 west. The entrance is directly across from the city water tower and signs will be posted. The ad- dress is 11000 Rolling Road. State BRIEFS Missing airman finally buried at Arlington MARIANNA-A Florida U.S. Army pilot whose body was missing for decades has finally been buried. U.S. Army Air Forces 2nd Lt. Samuel E. Lunday's remains lay inside his aircraft on a Himalayan mountain for decades. An Amer- ican hiker stumbled across the wreckage of Lunday's C-87 and his remains were repatriated in 2003. The News Herald reported Lunday was buried Friday in Ar- lington National Cemetery with full military honors. According to the U.S. Depart- ment of Defense, the hiker re- covered the aircraft's identification plate, military equipment and human remains. The department said Lunday and four other U.S. servicemen were flying over the Himalayan mountainsinn 1943. The crew lost radio communications after takeoff. Officials searched the area, but were thwarted by heavy snow. New battalion activated at Eglin AFB EGLIN AIR FORCE BASE - A new special forces battalion has been activated at Eglin Air Force Base. The fourth and final Battalion of the 7th Spedal Forces Group was activated Thursday. The group is a highly trained, extremely fit and culturally diverse fighting unit. There will be eighteen deploy- able teams of this newest battal- ion and many of them will soon be deployed to Afghanistan, and Central and South America. Gov. Rick Scott joined in the activation ceremony Friday. -From wire reports Man charged in student's disappearance GAINESVILLE Pedro Bravo has been formally charged with first-degree mur- der in the case of a missing Uni- versity of Florida student during his first court appearance. The state argued Saturday that Bravo should be charged with murder because he previously said he beat 18-year-old Chris- tian Aguilar until he was bloody, swollen and barely breathing. Gainesville Police said they discovered Aguilar's backpack hidden in a suitcase in Bravo's closet and blood stains through- out Bravo's car. Bravo was denied bond. Police say Aguilar was last seen Sept. 20 at a Best Buy store with Bravo. A massive search for Aguilar continues. Martha Schulz observes the view throughout the Pickin' Patch after she plucked her own sunflowers. A4 SUNDAY, SEPTEMBER 30, 2012 MONUMENT CITRUS COUNTY (FL) CHRONICLE * 10 a.m. Freedom Ride, begins at Nick Nicholas Ford, Crystal River. Continued from Page Al 0 2 p.m. special guests. used to work with his mother and she would always talk about him, and he is the only person I know who served in Vietnam other than my husband, who is here with me," she said. Allen said she had five brothers who served in World War II. "We are glad we came," Allen said. Michele Carey of Oldsmar said she was glad to have made the trip. Carey was one of nine women who were present and had lost children either in Iraq or Afghanistan. She lost her son Barton Humlhanz in Iraq in August 2004. "You can never forget My son died eight years ago and it is still fresh in my mind. It's always emotional," Carey said. Stepanek, whose group organized the event, said he felt like he was on cloud nine. "We love our brothers and sisters, and it is important that they are not forgot- ten," Stepanek said. He said Sunday will be an even more jam-packed day of activities, including a Freedom Ride beginning at Nick Nicholas Ford at 10 a.m. During events beginning at 2 p.m., Stepanek promises special surprise guests. "People will be happy they came when the surprise guests show up," he said. Gold Star mothers from across cen- tral Florida gath- ered to honor family members who died in battle. According to Anto- nia Gross, this is the largest gather- ing of Gold Star Mothers happen- ing in the state. The Vietnam Trav- eling Memorial Wall is open 24 hours a day, and will be at Bicen- tennial Park in Crystal River until 9 a.m. Monday. DAVE SIGLER/Chronicle WATER Continued from Page Al Auner, with the Homosassa River Alliance, now looks at a final workshop about the Minimum Flows and Levels (MFLs) proposals slated for 5:30 p.m. Tuesday at the Lecanto Government Center - as the last chance for those who care about the water- ways to have their voices heard. "We don't want them to take out more water," Auner said. "If anything, they should be adding water The Ho- mosassa River is dead. The plant life is gone and you hardly find any fish in there. "We want people to show up to this meeting and (have) them know (how) we feel about our river" The water district is pro- posing the following changes to the flow of the Chassahow- itzka and Homosassa rivers. It was recently revised after the initial proposal process began in 2010: U Chassahowitzka River System, up to a 9 percent re- duction in flows. According to We have looked at the plant life in the Homosassa River and it is correct that they are dying, but we don't know why. Robyn Felix spokeswomen for Southwest Florida Water Management District. SWFWMD, existing with- drawals have reduced flows by 1 percent, meaning this new minimum flow would allow an additional 8 percent reduction. The previous pro- posal of sought an 11 percent reduction in flows. U Homosassa River Sys- tem, up to 3 percent reduc- tion in flows. Again, because existing withdrawals have re- duced flows by 1 percent, ac- cording to SWFWMD, this new minimum flow would allow an additional 2 percent reduction. The previous pro- posal was for a 5 percent re- duction in flows. Furthermore, said Robyn Felix, SWFWMD spokes- woman, the water district also delayed establishing the proposed minimum flows to gather more public comment "We held or attended nearly 30 public meetings to discuss the proposed MFLs and gather additional input," Felix said. She said SWFWMD estab- lished a webpage at Water Matters.org/SpringsCoast MFL to keep the public in- formed and to obtain feedback Felix said the MFL pro- posal was submitted to inde- pendent scientific experts for peer review. She said the workshop Tuesday was added for more public input and the date of the final vote by the district's board was pushed back to late October Felix said her agency is charged with dealing with water quantity issues, and not water quality ON THE NET SpringsCoastMFL "We have looked at the plant life in the Homosassa River and it is correct that they are dying, but we don't know why However, as the fish go, we have not found anything to indicate the fish numbers are inadequate," she said. The SWFWMD vote on the MFLs will be done in the dis- trict's Brooksville office, so Citrus County residents wouldn't have to travel to Tampa, officials said. CHANGES Continued from Page Al more scientific and engi- neering staff this year to support the district's groundwater and surface water modeling work, as well as its springs and water quality initiatives, according to Robyn Felix, SWFWMD spokeswoman. "We have a lot of people with expertise in these areas, and many are get- ting ready to retire. So we are looking to replace those people who would get a chance to train with these experts before they retire," Felix said. The district has 617 full- time employees. The organizational changes include creating a Project Management Office to improve the efficiency and effectiveness of how the agency's more than 400 projects are managed. "We are committed to pro- viding the greatest value to the taxpayer," Guillory said in a news release last week. "By implementing new business processes we have found opportunities to improve our efficiency and further reduce our op- erational costs." egal notices in today's Citrus County Chronicle Fictitious Name Notices...................D7 Meeting Notices ........................ D7 Miscellaneous Notices.....................D7 .Self Storage Notices....... .......... D7 YESTERDAY'S WEATHER City Daytona Bch. Ft. Lauderdale Fort Myers Gainesville Homestead Jacksonville Key West Lakeland Melbourne FLORIDA TEMPERATURES F'cast ts ts ts ts ts ts sh thunderstorms will be possible today. INA NA NA 90 72 0.00 THREE DAY OUTLOOK Exluse daily TODAY & TOMORROW MORNING High: 90 Low: 70 Mostly sunny, 20% chance for a PM shower or storm i5 |r p MONDAY & TUESDAY MORNING High: 89 Low: 72 Scattered PM storms, rain chance 40% ) TUESDAY & WEDNESDAY MORNING High: 87 Low: 72 Scattered storms, rain chance 40% ALMANAC TEMPERATURE* Saturday 91/71 Record 95/56 Normal 89/66 Mean temp. 81 Departure from mean +4 PRECIPITATION* Saturday 0.00 in. Total for the month 4.84 in. Total for the year 54.51 in. Normal for the year 44.66 in. *As of 7 p m at Inverness UV INDEX: 8 0-2 minimal, 3-4 low, 5-6 moderate, 7-9 high, 10+ very high BAROMETRIC PRESSURE Saturday at 3 p.m. 29.91 in. DEW POINT Saturday at 3 p.m. 67 HUMIDITY Saturday at 3 p.m. 52% POLLEN COUNT** Today's active pollen: Ragweed, elm, grasses Today's count: 5.9/12 Monday's count: 6.1 Tuesday's count: 5.6 AIR QUALITY Saturday was good with pollutants mainly particulates. SOLUNAR TABLES DATE DAY MINOR MAJOR MINOR MA (MORNING) AFTERNOONO 9/30 SUNDAY 5:54 6:16 1 10/1 MONDAY 6:40 12:29 7:03 1 CELESTIAL OUTLOOK SUNSET TONIGHT SUNRISE TOMORROW C O MOONRISE TODAY OCT. 21 OCT. 29 MOONSET TODAY........ LJOR )N) 12:05 12:52 .7:17 PM. .7:24 A.M. .7:29 P.M. .7:47 A.M. BURN CONDITIONS Today's Fire Danger Rating is: MODERATE.* 6:09 a/2:06 a 6:47 p/2:26 p Crystal River** 4:30 a/11:48 a 5:08 p/11:57 p Withlacoochee* 2:17 a/9:36 a 2:55 p/9:45 p Homosassa*** 5:19 a/1:05 a 5:57 p/1:25 p ***At Mason's Monday High/Low Hig 6:35 a/2:35 a 7:24 4:56 a/12:22 p 5:45 p 2:43 a/10:10 a 3:32 p 5:45 a/1:34 a 6:34 Creek Ih/Low p/3:00 p )/-- p/10:13 p p/1:59 p Gulf water temperature 84 Taken at Aripeka LAKE LEVELS Location Fri. Sat. Full Withlacoochee at Holder 32.93 32.81 35.52 Tsala Apopka-Hernando 38.91 38.91 39.25 Tsala Apopka-lInverness 40.25 40.23 40.60 Tsala Apopka-Floral City 41.69 41.70aturday Sunday Saturday Sunday City H LPcp. FcstH L City H LPcp. FcstH L Albany 60 53 .05 sh 63 48 Albuquerque 79 58 s 81 54 Asheville 71 61 .40 pc 71 56 Atlanta 86 68 r 74 65 Atlantic City 68 56 .01 pc 73 57 Austin 83 72 1.46 pc 76 60 Baltimore 69 55 pc 74 53 Billings 80 55 s 77 46 Birmingham 84 65 ts 76 64 Boise 84 55 s 79 46 Boston 57 54 .02 sh 63 53 Buffalo 64 45 sh 59 49 Burlington, VT 57 52 .03 sh 59 51 Charleston, SC 84 67 sh 80 70 Charleston, WV 69 55 ts 74 50 Charlotte 73 63 .19 pc 76 63 Chicago 79 48 pc 64 50 Cincinnati 72 54 pc 70 48 Cleveland 67 42 sh 61 49 Columbia, SC 83 68 c 78 65 Columbus, OH 70 47 sh 67 46 Concord, N.H. 58 48 .06 sh 63 45 Dallas 73 66 1.02 pc 81 62 Denver 76 50 ts 76 48 Des Moines 83 48 s 80 54 Detroit 72 47 pc 62 48 El Paso 78 59 s 85 61 Evansville, IN 74 50 pc 75 53 Harrisburg 67 51 ts 69 49 Hartford 61 54 c 68 49 Houston 79 73 .34 ts 81 64 Indianapolis 72 51 pc 68 48 Jackson 79 69 .38 ts 77 59 Las Vegas 95 70 s 98 72 Little Rock 74 67 ts 74 56 Los Angeles 77 65 s 84 67 Louisville 75 53 pc 76 57 Memphis 78 68 ts 73 59 Milwaukee 75 51 s 61 48 Minneapolis 81 51 s 79 54 Mobile 83 71 .67 ts 79 69 Montgomery 86 68 ts 78 66 Nashville 77 62 pc 74 57 KEY TO CONDITIONS: c=cloudy; dr=drizzle; f=fair; h=hazy; pc=partly cloudy; r=rain; rs=rain/snow mix; s=sunny; sh=showers; sn=snow; ts=thunderstorms; w=windy. 02012 Weather Central, Madison, Wi. New Orleans 77 73 .36 ts 79 68 New York City 64 57 c 70 56 Norfolk 70 59 .03 pc 76 59 Oklahoma City 72 68 .19 pc 79 56 Omaha 79 42 s 83 50 Palm Springs 10375 s 105 76 Philadelphia 64 58 pc 72 56 Phoenix 97 75 s 101 76 Pittsburgh 65 41 ts 62 45 Portland, ME 55 50 .09 sh 60 50 Portland, Ore 74 61 s 78 51 Providence, R.I. 58 55 .12 sh 67 52 Raleigh 68 60 .92 pc 76 61 Rapid City 86 52 pc 77 51 Reno 86 52 s 89 54 Rochester, NY 63 43 sh 58 48 Sacramento 91 55 s 100 61 St. Louis 76 52 pc 75 55 St. Ste. Marie 65 44 pc 61 44 Salt Lake City 81 54 s 81 55 San Antonio 84 71 .63 pc 80 62 San Diego 83 67 s 84 69 San Francisco 66 55 s 87 61 Savannah 89 66 sh 80 71 Seattle 68 58 s 69 51 Spokane 77 54 s 73 47 Syracuse 66 52 sh 58 49 Topeka 77 43 s 80 54 Washington 73 59 pc 75 55 YESTERDAY'S NATIONAL HIGH & LOW HIGH 105 Thermal, Calif. LOW 24 Fraser, Colo. WORLD CITIES SUNDAY Lisbon CITY H/L/SKY London Acapulco 87/78/ts Madrid Amsterdam 59/52/pc Mexico City Athens 89/68/s Montreal Beijing 78/56/s Moscow Berlin 61/41/pc Paris Bermuda 80/76/ts Rio Cairo 92/72/pc Rome Calgary 66/45/pc Sydney Havana 87/73/ts Tokyo Hong Kong 85/72/pc Toronto Jerusalem 88/66/pc Warsaw 77/56/s 60/58/c 72/49/s 73/55/ts 53/50/sh 55/46/sh 61/44/s 76/59/pc 76/63/r 61/55/pc 81/68/sh 58/44/sh 62/42/s SC I T R U S C 0 U N TY LHKON1CLJtwi 1624 N. Dunkeneld Meadowcrest Dunkenteld Cannondale Dr Blvd. Ave Crystal River, SMeadowcrest FL 34429 N I \ \ SI Inverness S Courthouse office To pkins St. J square 0 Co 106 W. Main 41 Inverness, FL S 34450 Who's in charge: G erry M u lliga n ............................................................................ P ub lish er, 5 6 3 -3 2 2 2 Trina Murphy ...................... Operations/Advertising Director, 563-3232 M ike A rno ld ................................................ ............................ .. E d itor, 5 6 4 -2 9 3 0 Tom Feeney .................................................... Production Director, 563-3275 Kathie Stew art .................................................... Circulation Director, 563-5655 John M urphy ......................... ................................... Online M manager, 563-3255 John M urphy.......................................................... Classified M manager, 563-3255 Report a news tip: Opinion page questions.................................. Charlie Brennan, 563-3225 To have a photo taken.................................... Rita Cammarata, 563-5660 News and feature stories .... ............... ............... M ike Arnold, 564-2930 4FS Phone 352-563-6363 S1 POSTMASTER: Send address changes to: Citrus County Chronicle 1624 N. MEADOWCREST BLVD., CRYSTAL RIVER, FL 34429 PERIODICAL POSTAGE PAID AT INVERNESS, FL SECOND CLASS PERMIT #114280 OCT. 8 OCT. 15 ..................... .......... ................................. CITRUS COUNTY (FL) CHRONICLE Three justices and a house race game change MICHAEL PELTIER The News Service of Florida TALLAHASSEE A trio of Florida Supreme Court justices girded for battle this week following last week's announcement by state Republicans that they will try to take the "activist" justices down. The fight over efforts to remove justices R. Fred Lewis, Barbara Pariente and Peggy Quince went from backwater to front burner this week with attor- ney's groups and former col- leagues jumping to the jurists' defense in the face of a recall campaign now of- ficially blessed by the Re- publican Party of Florida. The ramping up of forces in a judicial retention elec- tion normally an obscure ballot item highlighted an election-dominated week. Also this week, state elec- tion officials settled with the federal government over early voting procedures while continuing the effort to keep ineligible voters from the polls, and a sitting state lawmaker announced he wouldn't seek re-election after his name came up during a prostitution investigation. And what would a Florida campaign be without some voter fraud? This week, the RPOF severed ties with a voter registration company after paying it $1.3 million to gather signatures, some of which may have been faked. Meanwhile, Gov. Rick Scott's elections agency continued its pursuit of illegal voters, sending a new list of possible aliens to local elections offi- cials for them to make sure those listed are not voters. Scott this week continued to sing the economy's praises, touting job growth and other encouraging signs that Florida's economy is coming back. The message continues despite less- optimistic assessments that have surfaced indicating some potholes remain on the road to recovery The governor's weekly radio address boasts the ad- dition of 28,000 new jobs. MERIT RETENTION BATTLE HEATS UP Three Florida Supreme Court judges who have re- jected Republican-backed efforts on a couple of issues found themselves in the crosshairs in the normally afterthought merit-reten- tion elections. With some studies show- ing nine out of 10 Florida voters have no idea what merit retention even means, Lewis, Pariente and Quince are being targeted by con- servatives and now the state Republican executive com- mittee, which described the trio as liberals who had been involved in extensive "judicial activism." Since the 1970s, Supreme Court justices have had their names on the ballot every six years for voters to say whether they should stay on the court. If the jus- tices are not retained, Scott will have the opportunity to appoint three new ones. The justices have collec- tively raised more than $1 million to fight back, though judicial canons limit what they can say in their own defense. CHALLENGES REMAIN IN ELECTION Florida's battle with fed- eral officials over the state's revised early voting scheme seems to have come to an end after a federal judge in Jacksonville this week de- nied a request by Demo- cratic Congresswoman Corrine Brown and other black voters to stop the state from reducing the number of early-voting days ahead of the Nov 6 elections. The voters had argued that reducing the number of early-voting days from at least 12 to no more than eight,would disproportion- ately affect minority voters, who have been more likely to take advantage of early voting than white voters. The state had countered that elections officials were allowed to offer more hours on each of those days, and that the changes applied equally to all voters. In his decision, District Court Judge Timothy Corri- gan of Jacksonville relied heavily on evidence that many counties would offer as many as 12 hours a day in early voting and would re- quire some Sunday voting, a potential opening for the "souls to the polls" get-out- the-vote efforts of some black churches. And local elections super- visors this week again began checking names of some reg- istered voters to see if they're eligible to cast ballots, using a list of 198 names from the state aimed at culling non- citizens from the rolls. Linda Azwell, OD Please RSVP 352.7953317 Crystal Eye Center 1124 N. Suncoast Blvd. Crystal River, FL 34429 The Division of Elections this week sent the names to the supervisors in the coun- ties where those voters live, after using a federal Home- land Security database to pinpoint those who might not be citizens. Local elections supervi- sors contacted late this week said they are still wait- ing for more documentation before notifying potentially ineligible voters. OBAMA UI, HORNER OUT The latest Quinnipiac University poll released this week shows President Barack Obama opening up a wider lead over Republican challenger Mitt Romney, but skeptics found the 53 per- cent-44 percent Obama ad- vantage, contended that nearly half of the U.S. population views the federal government as an entitlement teat. In perhaps the biggest surprise of the week, one state House race changed dramatically Rep. Mike Horner, R- Kissimmee, dropped his bid for re-election after his name was connected to a prostitution operation in Orange County Horner, a two-term law- maker who chairs the House's transportation and economic development budget committee, stepped down following reports link- ing him to Mark David Ris- ner, 54, who was arrested Aug. 16 for racketeering and five prostitution-related charges. Horner hasn't been charged with any crime. "I've had no greater honor than serving the people of Florida, but I have no greater priority than doing the right thing for my fam- ily," Homer said. "I pray to In association with: CATARACT & L LASER INSTITUTE "-( . Weekly ROUNDUP Insurers filings on PIP rates due to OIR by Monday have the chance to earn back their trust and respect during the remainder of my life." Local Republicans will be able to choose a new candi- date to replace Homer, though his name will re- main on the ballot, which can prove confusing. A vote for Homer will actually be a vote for the replacement. But with the change, De- mocrat Eileen Game sud- denly became, well, part of the game. Game, of Frost- proof, had been thought a longshot, but with no incum- bent and a close party breakdown in the new House District 42 in Osceola and Polk counties, Game looked this week to have a real shot FPL SEEKS HIGHER RATES Politics didn't hold com- plete sway this week. Florida Power & Light came to Tallahassee in an unsuc- cessful effort to gain ap- proval for an agreement that would end a six month rate hearing process. The Public Service Commission deferred action on a pro- posed settlement, which was opposed by the Office of Public Counsel. The Public Counsel's Charles Rehwinkel blasted the FPL proposal, which had the blessing of some the utility's biggest commercial and industrial clients. "This proposal is not agreed to by the legal repre- sentative of 99.9 percent FPEs customers, which ren- ders it, effectively, just a proposal that FPL negoti- ated with itself with some specific rate increase offset to the signators," Rehwinkel said. STORY OF THE WEEK: Rep. Mike Homer, R-Kissimmee, steps out of his re-election bid after being connected to prostitu- tion investigation, and the effort to remove three jus- tices from the Supreme Court gets lots of attention. QUOTE OF THE WEEK: "This is just a power grab by the Legislature try- ing to interfere in the busi- ness of the courts," former Republican Sen. Alex Vil- lalobos on GOP efforts to oust the three justices. [ IV\ mi torA+evv t... Il d '-- !i I ., I ,-'-i 11 ., U -.I ,'. ,-'d I I,'It- % 1" 1 nllill,' THE HAGAR GROUP hi i.i "U o'Iii .R u "11 ' L I n>\ L'I''" ~ \ -t* l [-q \ K L'I \ ,2-72,-1, 1 w w z.l ,, u '; l lp niLnk'I spud ~ Associated Press TALLAHASSEE Auto- mobile insurers have until Monday to show Florida regulators how much, if at all, they plan on reducing rates on the personal injury protection, or no-fault, por- tion of drivers' policies. This could mean that Florida's drivers will save money on their insurance bills. A new PIP law still re- quires all Florida drivers to carry $10,000 in coverage for accident injuries, but cre- ated a lower ceiling of $2,500 in coverage for non-emer- gency treatment to cut down on abuses. Jack McDermott, the com- munications director for the Office of Insurance Regula- tion, said it's too early for state officials to really know how the changes in the law will actually affect mo- torists' bills. "It appears the effect of the law for most companies may be to reduce the amount of rate requests, which is a positive develop- ment, but not lead to actual PIP rate reductions," said McDermott He emphasized that regu- lators still have 60 days to review the rate requests be- fore a final decision is made. Others are hopeful that premium reductions will ANNIVERSARY CELEBRATION *f. __ For more infonnation call S 866-888-89=41 RVSales Service Parts NEW & PROWNED THURS., SEPT. 27 SUN., SEPT. 30 Thurs. & Fri. 8-Spmin Sat. 9-5 Sun. 11-5 4505 Monaco Way, Wildwood, FL TOP $$$ FOR YOUR TRADE DEEPEST . DISCOUNTS OF THE YEAR I - MOTORHOMES FIFTH WHEELS TRAVEL TRAILERS CLASS A, B, C GAS & DIESEL l. iI S .I!5 66 l.6 H~:!1 l. .!5 5~ T Swwwhronicleonline.com TODAY'S NUMBER CALL 564-2907 TO REPORT A BINGO. I1 e13rLm Za 1. Traditional Bingo $100 2. Double Bingo $200 3. Full Card Bingo $300 show up more quickly "I fully expect significant premium savings and for those savings to be passed along from insurance com- panies to Florida drivers," Florida Consumer Insur- ance Advocate Robin West- cott said. "By stemming abuses and controlling the skyrocketing costs that come with them, Floridians will see lower PIP premiums." Stemming the abuses, however, remains a huge challenge despite recent changes in the law aimed at doing just that, not to men- tion legal challenges that are likely to be filed after the new rates start taking ef- fect after Jan. 1. The thrust of Florida's re- vamped PIP law was aimed at cracking down on the runaway fraud resulting from bogus pain clinics and staged auto accidents that was increasing the cost of coverage for drivers. The new law puts a 14-day limit on seeking treatment following a crash. Benefits also will be capped at $2,500 unless a medical doctor, os- teopathic physician, dentist, supervised physician's as- sistant or advanced regis- tered nurse practitioner determines the injured per- son has an "emergency medical condition." Chiro- practors cannot make that determination. HEALTH SCREENING Friday, October 5 Vision Cataract Glaucoma Blood Pressure Eyeglass Adjustments Tlie DentofaiaIntue Missing Teeth? Unstable Dentures? .FREE SEMINAR S Wed., Oct. 10 Starting at 4:30 PM SLocation: 591 N. Lecanto Hwy., Lecanto, FL 34461 *.^- ~ Refreshments Served - ^* LIMITED SEATING CALL FOR RESERVATIONS NOW! * Door Prizes to be given away! 352-527-8000 a $150.00 value .8. . Nlichliael N1. Hasliemiian,1 0r & COSMETIC SURGERY INSTITUTE corn STATE SUNDAY, SEPTEMBER 30, 2012 A5 CR3R ISKWI si A6 SUNDAY, SEPTEMBER 30, 2012 )hbiftuirie Mary Brown, 92 NASHVILLE, IND. Mary E. (Allender) Kirts- Brown, 92, passed away Thursday morning at Brown County Health & Living Center in Nashville, Ind. She was a resi- dent of Brown County, Ind., and a for- mer resi- dent of Mary Inverness, Brown Fla. Mary was born March 14, 1920, in Brown County to the late Cecil and Ruth (Snyder) Allender She married Toby Kirts in 1938 in Brown County. He passed away in 1972. Mary then married Earl Brown in 1989 in Inver- ness. He preceded her in death on April 1, 2006. She will be remembered by her children and grandchildren as caring mother and grand- mother who loved cooking for her family, canning from her garden crops, quilting, working crossword puzzles and reading her Bible. Mary was a devoted Christian and attended the Belmont Pen- tecostal Church and the Pentecostal Church in Inverness. Mary will be missed by her children, Nancy Williams of Inverness, Mar- cus (Nancy) Kirts and Don- ald (Phyllis) D. Kirts, both of Morgantown, Robert (Mary) Kirts of St. Mary's, Idaho; stepchildren Cathy (Jack) Baylor of Milan, Darwin "Butch" (Alice) Brown of Columbus and Gary (Jan) Brown of Terre Haute; sis- ters Dolly (Norman) Wodtke of Plainfield, Irene Schroeder of Nashville, and Beryl Deckard of Inverness; seven grandchildren; 12 great-grandchildren; and two great-great- grandchildren. Memorial contributions may be sent in honor of Mary to the Brown County Health and Living Center, Activity Fund, 55 E. Willow St., Nashville, IN 47448. A graveside service will be at 10 a.m. Wednesday, Oct. 3, 2012, at Oak Ridge Ceme- tery in Inverness. Reverend Herman Sears will preside. A funeral service was con- ducted Sunday at Meredith- Clark Funeral Home in Morgantown, Ind. Heinz Fu- neral Home & Cremation, Inverness. Sign the guest book at. com. Frank Collette, 76 INVERNESS Frank K. Collette, 76, of Inverness, died Thursday, Sept 27, 2012. Viewing scheduled from 5 until 6 p.m. Tuesday, Oct. 2, 2012, at the Chas. E. Davis Funeral Home, Inverness. To Place Your F"In Memory" ad, Saralynne Miller at 564-2917 scmiller@chronicleonline .com Coin timfrpainga is 4 aspiort rndae OF HOMOSASSA, Inc. l More Than Just Lorrie Verticals 2" Faux Wood Woven Woods * Cellular & Roman Shades Plantation Shutters Ado Wraps Custom Drapery Top Treatmentsi S* Etc. 5454 S. Suncoast Blvd. (Hwy 19, next toSugarmill Family Rest.) CALL Edward 'Butch' Lengowicz Jr., 78 ASHBURN, VA. Edward "Butch" Lengow- icz Jr, 78, of Ashburn, Va., formerly of Homosassa Springs, Fla., died peace- fully Sept. 26. Ed was born in 1935 in Detroit, Mich., grad- uating from Nativity of Our Lord H i g h Edward School. Ed Lengowicz worked for Jr. S. Strock & Company in Chelsea, Mass. He retired at the age of 46. In 1981, Ed and wife, Jean "Beach," moved to Sug- armill Woods in Homosassa Springs, Fla. During his re- tirement in Citrus County, Ed was an avid golfer, bowler and softball player. He was also a collector of antique cars that he showed around Citrus County as part of the Citrus County Cruisers. In 2006, Ed and Jean moved to Virginia. Ed is survived by his wife, Jean Lengowicz; and sister Barbara Stanton (Flushing, Mich.). He was preceded in death by daughter Lori Lengowicz. He has three surviving daughters, Joanne Roehling (and husband Charles) Ashburn, Va., Linda Salmeri (and hus- band David) East Bridgewa- ter, Mass., and Lisa Lengowicz, Raleigh, N.C. He is also survived by six grandchildren, Joe Chru- niak (Wareham, Mass.), Amber Roehling, Andrew Salmeri, Morgan Roehling, Dylan Salmeri and Brandon Salmeri; as well as several nieces, nephews and a great-niece and -nephew. The family will conduct a small memorial service Oct. 20, 2012, at Spring Arbor, Leesburg, Va. Please send condolences to www. colonialfuneralhome. com. SO YOU KNOW The Citrus County Chron- icle's policy permits free and paid obituar- ies. Email obits@ chronicleonline.com or phone 352-563-5660 for details and pricing options. Deadline is 3 p.m. for obituaries to appear in the next day's edition. Ciu. lra. Funeral Home With Crematory Burial Shipping Cremation Member of International Order of the O ,, ,I.. .1 - For Information and costs, OOOBxP call 726-8323 William O'Brien, 79 DUNNELLON William E. O'Brien, 79, Dunnellon, died Saturday, Aug. 25, 2012, in Ocala, Fla. He was born in Elmhurst, N.Y, and moved to Dunnel- lon in 1996. He retired in 1991 as vice president of Warner-Lambert with 36 years of service. He was a U.S. Army veteran, member of the Knights of Columbus, a graduate of St. John's Uni- versity, Queens, N.Y, for both undergraduate and his MBA. He was a professor of finance at Montclair Col- lege, Montclair, N.J., and Rutgers University, Newark, N.J.; he did volunteer work at Overlook Hospital, Sum- mit, N.J., and St. Elizabeth Ann Seton Catholic Church in Citrus Springs. He was an avid golfer and N.Y. Yan- kees fan; he enjoyed his trips to Ireland and France, especially Paris; enjoyed cruising, gourmet food, was a gourmet chef, a connois- seur of fine wine, watching "Jeopardy!," attending Broadway plays, listening to Irish folk music and spend- ing quality time with his family, especially his grand- children. Survivors include his wife of 56 years, Patricia; son Kevin (Lisa) O'Brien, Skill- man, N.J.; daughter Susan (Kenneth) O'Brien, Linden, N.J.; sister Peggy O'Brien, Elmhurst, N.Y; grandchil- dren Anna, Grace and Michael O'Brien; niece Mar- ianne Fontana, daughter of Edmund and Mary O'Brien. Mr. O'Brien was prede- ceased by his brother, Ed- mund O'Brien. A Memorial Mass was scheduled for 10 a.m. Satur- day, Sept. 29, 2012, at the St Elizabeth Ann Seton Catholic Church, Citrus Springs with Father Kevin MacGabhann officiating. In- urnment will be scheduled at a later date at The Cal- vary Cemetery, Queens, N.Y In lieu of flowers, the family requests donations in the memory of Mr. O'Brien to The St. Jude Children's Hos- pital, 262 Danny Thomas Place, Memphis, TN 38105. Online condolences may be offered at robertsof dunnellon.com. Roberts Fu- neral Home, Dunnellon en- trusted with arrangements. DUDLEY'S AUCTION 4000 S. Florida Ave (U.S. 41 S) S Inverness, FL 352-637-9588 Weekly Estate Auctions Antiques & Collectibles Estates & Downsizing Real Estate Auctions Cash Buyout 8 CERTIFIED ESTATE SPECIALIST APPRAISER LIQUIDATOR S Chr ,eDudley Li REBroker 281384 Serving Our Community... Meeting Your Needs! *o 5430 West Gulf to Lake Hwy. Lecanto, FL 34461 Richard T. Brown Licensed Funeral Director 3 52-795-0111 Fax: 352-795-6694 j brownfh@tampabay.rr.com / Robert Taylor, 82 BEVERLY HILLS The Service of Remem- brance for Mr Robert Briggs Taylor, age 82 years, of Bev- erly Hills, will be at 7:30 p.m. Monday, Oct. 1, 2012, at the Beverly Hills Chapel of Hooper Funeral Homes. Cremation will follow under the direction of Hooper Cre- matory, Inverness. Friends may call from 6 p.m. until the time of service Monday at the chapel. Online condo- lences may be expressed at w w w. Hooper Funeral Home.com. Those who wish may make memorial dona- tions to the Missionary Fund of First Baptist Church of Dover/Rockaway, N.J., or Gideons International. Mr. Taylor was born Jan. 3, 1930, in Belfast, Northern Ireland, to John and Mary Taylor and went home to be with the Lord on Friday, Sept. 28, 2012. He moved to Rockaway, N.J., where he was a partner with Richard's Industries, West Caldwell, N.J., and recently moved to Beverly Hills. He attended Seven Rivers Presbyterian Church, Lecanto. Mr. Taylor was preceded in death by his wife, Edith Wilson Taylor, 2002; an in- fant son, John Taylor; three brothers, Tommy, Billy and Hugh; and a sister, Mar- garet. Surviving are his three daughters, Roberta Briggs Taylor (Scott) Swan- der, Beverly Hills, Jacque- line (Chuck) Wampler, Rockaway, N.J., and Eliza- beth (Carl) Bondorff, Her- nando; a brother, James (Ann) Taylor, Northern Ire- land; six grandchildren; 13 great-grandchildren; and two loving sisters-in-law, Dorothy and Peggy.. Neal Wilborn Sr., 61 LECANTO Neal Elliott Wilborn Sr, 61, Lecanto, died suddenly Sept. 29, 2012. A native of Decatur, Ga., he was born July 9, 1951, to the late Early James Wilborn and his wife, Amelia, and moved to this area in 1992 from Leesburg, Fla. He was an equipment operator for Progress En- ergy with 25 years of service and of the Baptist faith. Neal enjoyed watching NASCAR races and deep- sea fishing. He was a mem- ber of the Masonic Lodge and Eagles Lodge and served our country in the U.S. Air Force. He is survived by his son, Neal Elliott Wilborn Jr. and his fiancee, Julieann Pruitt of Gainesville; two daugh- ters, Haidee and Heather Olson, both of Citrus Springs; and one grandson, Logan McKenzie Wilborn. There will be a Celebra- tion of Life at 3 p.m. Wednesday, Oct. 3, at the Chas E. Davis Funeral Home. Friends may join the family in visitation from 2 p.m. until the hour of serv- ice. In lieu of flowers, please make donations to your fa- vorite charity or organization. Sign the guest book at www. chronicleonline. com. POLICIES Obituaries must be verified with the funeral home or society in charge of arrangements. The U.S. military consists of five active- duty services and their respective guard and reserve units: Army, Marine Corps, Navy, Air Force and Coast Guard. U.S. flags denote mili- tary service on local obituaries. Additional days of publication or reprints due to errors in submitted material are charged at the same rates. New Patient Specials Full Mouth X-RaY, S Comprehensive Exam 4 9 We MeetAII Y u Not i o junction with insurance We Meet All Your Offer expires in 30 days house denture lab e Denture Consults financing available Most insurance accepted. It is our office policy that-offer or reduced-fee service, examination or Itireatment Mm FeeADAcode D0210, D0150 Office Locations: Crystal River Inverness 352-795-5700 &Gardner_ Over 2000 people have participated in Gardner Audiology Research Studies 5 Gardner Audiology 2012 CITRUS COUNTY (FL) CHRONICLE TIMES Continued from PageAl of the freedom of the press," his son, and cur- rent Times publisher, Arthur Ochs Sulzberger Jr, said in a statement. Sulzberger was the only grandson of Adolph S. Ochs (pronounced ox), the son of Bavarian immi- grants who took over the Times in 1896 and built it into the nation's most in- fluential newspaper. The family retains con- trol to this day, holding a special class of shares that give them more pow- erful voting rights than other stockholders. Power was thrust on Sulzberger at the age of 37 after the sudden death of his brother-in-law in 1963. He had been in the Times executive suite for eight years in a role he later de- scribed intro- duced to the chagrin of some hard-news purists popular and lucrative sections covering topics such as food and entertainment LENDUS YOUREARS T Participants sought for hearing in noise study Starkey, America's largest manufacturer of hearing instruments is partnering with Gardner Audiology for a field study of consumer satisfaction with newly pat- ented hearing aid technol- ogy. Voice IQ was designed to maintain speech under- standing in noise and relieve the strain of hearing conver- sation in a crowd and other difficult listening situations. In exchange for complet- ing a pre and post-fitting questionnaire Gardner will loan these hearing aids for a free 30 day field study. Audiologists with advanced university degrees will pro- vide all exams and followup care free of charge. At the end of 30 days par- ticipants will return the aids or they may purchase them with generous field study discounts. Call or click GardnerAudiology.com to join the study mL CITRUS COUNTY (FL) CHRONICLE Letters to the EDITOR Campaigns I am writing this letter as a businesswoman and a grandmother of four beau- tiful children. I have been listening to all the spin sur- rounding our upcoming presidential election and wondering if the voters are hearing the words the politicians are using. When Obama was cam- paigning, one of his phrases was he wanted to fundamentally change America. I don't know about you, but that isn't working out so well for me. The minute Obamacare was sure to pass, my insur- ance rates went from $437 per month to $797 per month and I am healthy I can't begin to think about businesses that will be re- quired to provide health- care for employees. Additionally, the govern- ment took over the car manufacturers and closed many dealerships. Why was this accepted by the Obama administration and con- demned by the same ad- ministration when Mitt Romney restructured busi- nesses for Bain Capital? My challenge to everyone is to think about the words used by the Democrats now. Paul Ryan's budget will change Medicare as we know it. Well, isn't that OK? Medicare as we know it will be broke in just a few years, and something has to be done! Please realize changing something could be for the better, and sen- iors, it will not affect yours. It only changes for people younger than 55. Our country is very ill and I would much prefer a doctor with the knowledge to treat me effectively than one with just a good bed- side manner We may not totally like the medicine, but we need to take it for our country Our children and grandchildren deserve to grow up in a country with the same greatness as we had. Paula Conley Inverness Life expectancy The current estimated year for Progress Energy's completion of the proposed nuclear plant is now 2024 - 12 years from now I will be 79 years old. The aver- age life expectancy of a male is listed as 75.6 years. Claude Strass Homosassa Civil or honest? I had planned to write in response to Joe Spoto's at- tack on the voting rights of the poor. Of course, his con- tention that we (or at least the undeserving poor) have no right to vote was refuted by a brief note from an- other reader citing the Constitution on that right. But today (Sept. 11) John McFadden has moved to the forefront, citing a num- ber of my statements and asking the Chronicle to censor my comments be- cause he finds them offen- sive. He says my statements have no basis in fact, which I find offensive. Did our governor run a continuing criminal enter- prise? Rick Scott was CEO of HCA for a period in which HCA was found to have engaged in $600 mil- lion or more of Medicare fraud. It was fined more than $1.3 billion, but typi- cally no one was found to be responsible. I asserted in the post- globalization era most of the wealth has been fun- neled into the hands of the rich. Unfortunately that is absolutely true. Someone recently charged (Presi- dent Clinton) with betray- ing us to Communist China, citing the Perot/Gore de- bates of the 1992 campaign. ity, been steady since 1970. I questioned whether "the original letter-writer knew how long 150 years might be." He asserted "feel-good liberals" had de- stroyed the nation in that time. I found it strange any- one who passed 11th-grade U.S. History would believe either that we had been governed by "feel-good lib- erals" all that time, or that the country has been destroyed. Conservative letter- writers have been eloquent in their contempt for their economic inferiors. But Mr. McFadden feels it should be a one-way street Pat Condray Ozello Consultant query Please let me understand this correctly Our Citrus County commissioners want to hire consultants to tell them how to raise rev- enues, while at the same time supporting Amend- ment 4, which if passed will result in revenue cuts while incurring more growth and thus more demand for serv- ice, which we definitely won't be able to pay for be- cause of the revenue cuts. My head is spinning. Two issues come to mind: 1) What if the consultant comes back (along with a bill for thousands of dol- lars) and reports that to in- crease revenues, taxes and/or fees should be raised. Then what? How else does the government raise money to fund ongo- ing service? 2) Hiring consultants to decide how to raise rev- enues is outsourcing the job that commissioners are elected (hired) to do by the people. Part of that job is making policies through the budget, making deci- sions on how to spend as well as how to generate revenues to pay for those expenditures. What does it say about leadership when all difficult decisions are absolved through the hiring of consultants? Hanh Vu Homosassa Capitulation If anybody believes for one second the violence we are seeing all over the world is about some film on the prophet Mohammad (Oops! Better say praise be his name!), I have some swampland to sell them. For the sake of argument, let's accept that premise and move on. In most mod- ern countries, we have the right of free speech (an enumerated right) and must therefore grit our teeth even when we read or see horrible things. Now we have Muslim countries in most cases under Sharia law. While they have governments, they are greatly influenced by their clerics. So we are at a deadlock. These coun- tries want death to whomever chooses to exer- cise free speech. There you have it, folks. The Obama administration has asked the filmmaker to pull the film, which to me is contrary to our basic principles and a capitula- tion to Muslim extremism. Disregard the fact that this film has been on YouTube for a while, yet the demonstrations began on Sept 11. Hello? Forget they are chanting "remem- ber bin Ladin." As Rodney King said, "Can't we all get along?" The answer is be- coming only too apparent. Giving billions to such countries while we borrow Actually, they were talk- ing about NAFTA. Ross Perot referred to a "gigan- tic sucking sound" as jobs went south, but stated peo- ple who made money with money like himself would do fine. He was right But it was (President Nixon ... for whom I voted three times) who launched the free-trade era. And the redistribution of income to- ward the rich has, in real- from China even this situation mor How we combat issue is a matter f who will choose tc the upcoming elei think you can gue my vote will go. Gene M Voting age Are the readers paper honestly de over the right of 1 olds to vote? This ing and has no fac support, instead r bitterness and pol resentment. Some of the Soi ites brought up th that people of tha uninformed. I hav news in response People of every ag society are uninfo How else can you the enormous con makes people who firmly believe -e absurd. that one of the most heav- t this ily-investigated and vetted or those people in the history of the o vote in world was secretly born in action. I Kenya? Or the people wav- ss where ing signs beseeching the government to stay out of their Medicare? Or the mil- lusselman lions of people in all politi- Hernando cal affiliations who vote on their faiths, their preju- bias dices, or the out-of-context of this quote they saw in an attack beatingg ad that had spooky music 8-year- playing in the background is insult- instead of the policies that isual will affect them? There are ,Pa idiots of all ages. eynll ug on litical und Off- e point t age are ve some to that: ge in this irmed. explain itingent of Maybe the anonymous callers have some sort of prejudice against the politi- cal views espoused by the Millenials. While it is cer- tainly acceptable to publicly disagree with the genera- tion's political leanings, to believe that their voting rights should be taken away is something entirely differ- 4 Sfeciat 7ad&Ks to DUDLEY'S AUCTION 4000 S Florida Ave, Inverness fn 34450 ., 352-637-9588 S.-.. A B 1 6 6 7 d r e.. aOe 01()\;ICLE ent I believe the word for that is "totalitarian." Jeff Guertin Beverly Hills Read amendments I cannot tell you how dis- appointed I was to see Mr Mulligan's column in the Sunday, Sept. 23, Chronicle concerning the constitu- tional changes that will be on the 2012 ballot. Encour- aging everyone to vote no without researching the in- tent and the long-term ef- fects is, in my opinion, irresponsible journalism. I spent four hours this morning reading the 11 amendments. I also did a little Internet research and see where the ACLU is try- ing to influence Florida voters to vote "no" on many of the amendments. I, for one, rarely agree with the ACLU's position. Time does not allow me to go through each and every amendment, so I will address one, Amendment No. 6. Whether you are pro- choice or pro-life, do you want your tax dollars pay- ing for someone's abortion? You want an abortion, pay for it yourself and don't come knocking on my door Many of the amendments have value to our military, low-income, longtime sen- ior residences and our school children. I ask you to exercise your civic re- sponsibility and read the amendments for yourself. Please don't allow someone like Mr Mulligan to vote for you or someday you will re- gret that decision. Marilyn Balliet Inverness Collectors' Day SAppraisal Fair To be held Sat., Oct. 6, 2012 at the Park's Visitor Center Appraisal fees are $5.00 per item or $12.00 for 3 items It 02 rIi ADULTS & CHILDREN h .WELCOME CHECK UP and CLEANING NEW PATIENTS & EMERGENCIES ,- WELCOME Hablamos Espanol S"SAME DAY 0i APPOINTMENTS DISCOUNT FOR S CASH PAYING AKEL 352-596-9900 DENT L AmirAke. Ef Szieeft. HlOMoES rSSF 4150 S. Suncoas Blvd. (US 19), U PHomosassa, FL !LaLiFL 628-5445, ext.100O AF. '2 The Park's Visitor Center will be open to the public with free admission. (Regular admission will apply for entrance into the Wildlife Park.) Proceeds from appraisal fees will benefit the Friends of Homosassa Springs Wildlife Park. COLLECTORS' DAY (from 10:00 am until 4:00 pm) Interesting collections will be on display and you will be share and learn from those who understand the joy of collecting. Collectibles will include vintage tools, patriotic and holiday collectibles, antique hat pins, bowls, bottles, tools, figurines, toys, pincushions, nutcrackers & ceramics. APPRAISAL FAIR (from 11:00 am until 4:00 pm) Several know- ledgeable collectors, dealers, auctioneers, and appraisers will be on hand to assist you in identifying and placing a value on your treasures. Their specialties will include, but are not limited to, coins, military, jewelry, tools, postcards, signatures and other paper, and string instruments. Many different items can be identified and valued. OPINION SUNDAY, SEPTEMBER 30, 2012 A7 CITRUS COUNTY (FL) CHRONICLE Endorsement LETTERS Himmel: A-plus Having a daughter who has recently graduated high school from Citrus County and having been in- volved in both the band boosters (Lecanto) and IB Parent Organization, I have seen first-hand how suc- cessful Citrus County schools are. Come Novem- ber, I strongly encourage the citizens of Citrus County to vote to re-elect Sandra "Sam" Himmel as superintendent of schools. First of all, Citrus County has been an A-plus school district for seven years. That's seven years in a row. It is impossible to argue with success like that! As a small-business owner, I am focused on getting results, and that is exactly what Su- perintendent Himmel has done. I don't care if some- one is a Democrat or a Re- publican I vote for the person who can produce re- sults, and Superintendent Himmel can. Moreover, Superinten- dent Himmel has incredi- bly energy and attends as many functions as humanly possible. Whether it be watching the halftime show of our LHS band or visiting with the IB parents to hear their concerns, she is al- ways ready and willing to be anywhere that is neces- sary It is rare to see some- one with that much energy and commitment Finally, Superintendent Himmel treats every per- son as family Last year when my daughter Alexis needed a superior letter of recommendation, Superin- tendent Himmel took time out of her busy schedule to write one. I cannot think of many other elected offi- cials who would take the time to get this involved and to be this helpful. I was absolutely amazed that she took the time to help my daughter This fall, I strongly urge everyone to vote to re-elect Superintendent Himmel. We are fortunate in Citrus County to have someone of her talent. David Strickland Chassahowitzka Vote for Dawsy I will be voting for Jeff Dawsy for sheriff on Nov. 6 - and I am a Republican. I do not vote based on party lines. I vote for the candi- date who will do the best job and has the best inter- est of our citizens at heart. That man is Jeff Dawsy He has the experience and has proven his qualifications over the past 16 years' serv- ing as our sheriff. His school resource offi- cers ensure our children's safety and their presence in our schools is a constant reminder to the youth of Citrus County that you have a trusted friend nearby who is looking out for you. Sheriff Dawsy's Community Oriented Policing program calls upon our willing citi- zens to help prevent crime by patrolling our communi- ties. The safety of our citi- zens, their property and their businesses can only be accomplished by having properly trained personnel who have access to the most current equipment. Sheriff Dawsy's efforts have made us (one of the safest counties) with a pop- ulation more than 100,000 in the state of Florida (our population is more than 140,000). Sheriff Dawsy is as dedi- cated to his job, personnel, and citizens as he is to his own family Sheriff Jeff Dawsy has my vote! Debbie Groff Beverly Hills Proven record This is my first letter to the editor, but I feel a very important one. I would like people to know from my point of view a little about Sam Himmel. I have known Sam since she was a little girl and watched her grow into a very caring woman. I don't think I have ever seen her without a smile on her face. I watched her go through the death of her mother, my best friend, and her father and she overcame these with courage and strength. I have a daughter who is a teacher in the school sys- tem and a grandson in the school here in Inverness and I feel confident that she will see to it that the teachers and students will receive all that she can give them. I think she has SWING W TATES proven that she can do the job as superintendent and do it well and will continue to work for our children. Thank you for your sup- port for Sam. Claire Jenkins Inverness A working sheriff I have known Jeff Dawsy in excess of 20 years. Through this time, I have observed a gentleman who stands up to his word, com- mitment, and dedication to the citizens of this community. During these past 20 years plus, I have observed Jeff moving through the ranks of road patrol deputy to sergeant, lieutenant and finally to captain of the Emergency Operations Cen- ter before entering his bid to become sheriff in 1996. Having won the election in 1996, I saw Jeff Dawsy truly demonstrate his lead- ership skills by reaching out to the citizens and mak- ing them a part of the Cit- rus County Sheriff's Office. He has always kept his word when a promise is made, balancing his re- sponsibilities as a family man and his responsibili- ties as a leader, always demonstrating "if I ask you to do it, I too will do it." Jeff Dawsy is a working sheriff, many mornings up well before the first light of dawn and not retiring to the comforts of home until well in the night many well after midnight. Jeff Dawsy has the years of experience in law en- forcement, tremendous ju- dicial knowledge, and budgeting experiences that make him totally qualified to remain sheriff in Citrus County This man truly cares about you and me, and all citizens of this community. He strives, studies and re- searches techniques and methods to improve and/or enhance technology within the sheriff's office that will keep this community one of the safest in the state. A vote for Sheriff Jeff Dawsy will give him the op- portunity to continue the many programs that are a benefit to all of us; young, elderly, rich, middle class, and those less fortunate than others. He is a man of sincerity, honesty, integrity, and someone who was born to lead. Pam Ferguson Homosassa The right choice While I have only been a citizen of Citrus County for a few years, I have had the pleasure of working with Sheriff Dawsy on an issue of public safety Although Sheriff Dawsy and I dis- agreed on the best solution to the problem, in the end I have learned his directions seem to have been better than my suggestion. Sheriff Dawsy always lis- tened, took advice and even agreed to disagree, always professionally and politely My limited experience in emergency services has shown me that you don't fix it unless it is broken. Sheriff Dawsy has proven that the citizens' well-being is his first prior- ity and the safety of the public safety professional who are sworn to protect us come next. That is the cor- rect set of priorities for anyone sworn to provide for our safety. Michael R. Rehfeld Pine Ridge Accomplished I'm originally from Ocala, where my father served on the Ocala Police Depart- ment as a captain for 17 years and then went on to become a professor of crim- inology and law enforce- ment at CFCC (now College of Central Florida) for 20 years. Needless to say, I have lived a lifetime im- mersed in law enforcement I moved to Citrus County 18 years ago and soon after Jeff Dawsy was elected sheriff. I have been amazed at the many accomplish- ments that he's been able to achieve here in "little old Citrus County." We have a sheriff's office that rivals most larger counties in all aspects. It would have been a lot easier for him to just roll along and let our county stay in the 'Andy of Mayberry" era, but he's chosen to move forward and use modern technology and techniques to keep our crime rates low. As a citizen, I cannot for the life of me understand why anyone would not want the best trained, most well equipped deputies on the road (unless you are a criminal). I believe Sheriff Dawsy has proven his com- mitment to us, the taxpay- ers, and I certainly sleep better at night knowing he and his men are out there. My father passed last De- cember, but he spoke many times of how impressed he was with our sheriff, and said if there were more like him, our state would be a much better place. For this and many other rea- sons, I and my wife support Jeff Dawsy for sheriff. Troy and Patti Strawder Lecanto Annual Percentage Yield. Rates may vary depending on deposit amount and availability. Certain restrictions and penalty for early withdrawal may apply. n *Promotional incentives may be included to obtain yield. BBB All bank accounts are FDIC insured to the legal limits Call for complete details 000csGo APPOINTMENTS RECOMMENDED MEMBER SATURDAY, OCTOBER 20TH CRYSTAL RIVER NATIONAL WILDLIFE REFUGE DAY 10am-4pm SIMPLY. OUTDOOR FUN! WHERE MANATEES THRIVE!. ) ENDORSEMENT GUIDELINES The Chronicle has enacted its practice of asking that endorsement letters be limited to the reasons writers are supporting candidates not why they won't support candidates. Endorsement letters are subject to editing to keep the emphasis on reasons for support vs. criticism of their opponents. A8 SUNDAY, SEPTEMBER 30, 2012 OPINION CITRUS COUNTY (FL) CHRONICLE Sound OFF Define lyngbya I have just read "Frustra- tion mounts over well," on Sept. 12's newspaper. One of the speakers said they have lyngbya cleanup. That word is not in the diction- ary. Would you please tell me what it means? Or is this another pull the wool over the people's eyes? Editor's note: Lyngbya is a type of algae that grows like strands of long, green, mucky hair in fresh water, forming mats that block out light and can, eventually, dominate the ecosystem. Selfish teachers These public employee unions have become too strong. And who is really im- portant in Chicago the teachers or the students? The teachers are supposed to be there for the students every day, but they're only thinking of themselves. Their average salary, by the way, is $74,000 a year. Show the Rays This is Thursday, Sept. 13. Why isn't the Rays base- ball game televised today? It's one of the most impor- tant games of the series. We're almost near the end. Why can't they put it on TV? Why do we have to see something that's immaterial to anybody? Editor's note: The Rays played at 12:35 p.m. that day. Major League Baseball's blackout rules are a mystery to us, but the SUN network does not televise all games. These factors may have contributed to the omission. Bad reputation I'd just like to say I don't think Beverly Hills is getting a fair rap. ... I must say I think it's not fair that when something good happens, the newspaper lists the ad- dress as Pine Ridge. When something bad happens, they list it as Beverly Hills. I know Pine Ridge technically is in Beverly Hills, but it gives Beverly Hills a bad rep unfairly anyway. I live in Bev- erly Hills and I must say that my neighborhood has im- I can't water my lawn. I just think something needs to be done about any such stu- pid, stupid reason for them to do that. "Cf lWR5n6' OVR W- AoIdM IS proved at least 80 percent in the last few years. The homes are being bought by nice, nice people and they're taking care of the place. The whole area looks better in the long run, so there. It's a living In reading Sept. 13's Sound Off, "Saves a lot of trouble," about the 25 cents being charged for a shop- ping cart. ... Next time you complain about the econ- omy and no jobs, you re- member that the person who got those carts out of the parking lot got paid. The person who bagged your groceries got paid. Unemploy Congress We have millions of peo- ple in this country who want to work but don't have jobs. Then we have Congress filled with people who have jobs but don't seem to want to work. Let's switch them around. Put Congress on unemployment and give their jobs and their salaries and benefits to people who will work. Violent news I'm calling about the arti- cle you printed, the Sept. 14 article about Islamic prac- S4, .. d . < NO4 tice as far as people being, for (committing) robberies, having their right arms and left legs cut off. If you have any courage to print this, why has not the Muslim peo- ple in the United States voiced their concerns about these practices because they are a nonviolent religion? But every time you see in the paper, which you printed, they are very violent. 'Stupid book fair' I'm a little bent out of shape with the school sys- tem. They got this book fair for the last five days and they keep sending the kids home with these crazy amounts. My daughter's ask- ing me for $10 one day and she wanted $7 another day for books. This is ridiculous. Why is the school selling books? It's not their business to be selling books. It's their business to be teaching our kids. Sam Himmel needs to look into this and stop this stupid book fair thing. I think it's ridiculous and puts the parents on edge because sometimes we just don't have the money to give to the kids. It's got to stop. It's ridiculous. Tax water bottlers We don't need to pay an- other consultant to do something for the county when we've got staff mem- bers in the county that can do the same job, probably a better job. Let me suggest one way the county could probably generate funds for the budget shortfall without doing it on the backs of the taxpayers: Charge the water bottling company 1 cent for each gallon of water pumped from the well lo- cated in our county. Do you know that 1-cent fee, if you average the proposed daily take in our water, would bring into the county coffers about $422,000 a year? They tear up our roads and stuff hauling our stuff out of the county, paying out-of- county people, and also the bottling plant gets another county's tax paid to them. If I were a county commis- sioner, somebody would have to prove to me I could- n't tax those people. Change water laws I cannot believe that they are letting them them being the people that are drawing down 150,000 a day out of our aquifer. We won't get a benefit, a thing out of it monetarily, but yet Waste of money This is about the new solar-powered speed lights that are out on Pleasant Grove Road by Pleasant Grove Elementary and also on Highland Boulevard by Citrus High and Inverness Primary. You know, those things are a waste of money. They hardly ever work and they don't even give you ac- curate speeds half the time. It shows you you're going the wrong speed limit, but you're looking right at your speedometer and it shows your speedometer as going 50 and it's saying that you're going 35. So I think that's a waste of time when it doesn't work, which is ridiculous. It only works when it wants to work. I think it as a waste of money. Hopefully, other people agree. Maybe they can fix it or just get rid of them. Port before horse Citrus County does not need a seaport. We have nothing to export and noth- ing to import. What we need are some manufacturing companies to create jobs. Having a port is like buying a cart before we buy the horse to pull it. Why no warning? Mr. Editor of the Chronicle: As a person that buys your Chronicle, I would like to know if you have any information or can get infor- mation; was our president warned about attacks on our embassies in Cairo and all the other eastern coun- tries? If there was an attack warning, wasn't our CIA on top of it? If not, why not? Don't you have any re- porters that can tell us? Editor's note: Unfortu- nately, the Chronicle cannot afford to send reporters to the Middle East. The newspaper relies on reporting from The Associated Press. As to the vi- olent protests sparked by the anti-Muslim film made in the United States and promoted on You Tube, according to Wikipedia, the 14-minute trailer had been uploaded in July, but not dubbed in Arabic until September. An Egyptian TV station ran it Sept. 9, and the protests broke out Sept. 11. To date, at least 50 peo- ple have died in the violence. Some Muslims have put a bounty on the head of the film's producer, Mark Basseley Youssef, aka Nakoula Basse- ley Nakoula, aka Sam Bacile. Shameful roads Citrus County, you ought to be ashamed of yourself. You raised the gas prices up 5, 6 cents just to fix the roads and you never fixed the roads. Then you got money, stimulus money, and you haven't done anything. Yeah, you do a few. You're patching all the roads. Shame, shame, shame on you. Good letter I read today in this morn- ing's paper (Sept. 15) Roger Dobronyi's letter to the edi- tor regarding the fact that oil is definitely a dying re- source and he really wrote a very intelligent letter. ... So congratulations, Mr. Dobronyi. * E T WO -^IL I.,HU INY LMNTE Hours: Mon. Fri. 8-5 Sat. 9-1 on 9 pm S 5 MM A CARPET & T^B~l^^B^BBIEI tOLOSN"SF Moaw 0 a Stsfcion6arneeo Cre 527-1811 FREE ESTIMATES 44 W. Gulf To Lake Hwy., Lecanto (next to landfill) CCC42837 SERVINGCIRUSCOUNTYSINCE1975 o'i 'I 9* r~. . p.' p j F ' I EXPERIENCE the thrill of beef and vegetable kabobs made ready for the grill. Gather your friends, grab your grilling tongs, and EXPERIENCE THE ULTIMATE TAILGATE PARTY. F Publix. OFFICIAL SUPERMARKET OF THE TAMPA BAY BUCCANEERS $2 OFF Any Fresh Meat Department Purchase of $2 or More Limit one coupon per customer per day. Customer is responsible for all applicable taxes. Reproduction or transfer of this coupon constitutes fraud. Offer good 9/30/12 10/06/12 only in Citrus, Hernando, Pasco, Pinellas, Hillsborough, Polk, Manatee, Sarasota, Charlotte, Lee, Collier, Lake, Sumter, Osceola, and Highlands counties. Publix. WHERE SHOPFr. IS A PLEASURE. LU# 12363 OPINION SUNDAY, SEPTEMBER 30, 2012 A9 0 wf t NATION Nation BRIEFS & WORLD CITRUS COUNTY CHRONICLE Associated Press Whitney Kropp is escorted by her father Jason Kropp onto the Ogemaw Heights High School football field Friday night in West Branch, Mich. Community stands behind prank victim WEST BRANCH, Mich. - A mid-Michigan community cheered on a 16-year-old sophomore the victim of an apparent prank by classmates - as she took her place with other members of her high school's homecoming court. Whitney na- tional interest and on Friday, residents and business own- ers hav- ing a lot of fun right now." Her gown, jewelry, shoes, hair styling and makeup were donated. GM recalls 40K cars over fuel leaks DETROIT General Mo- tors Co. is recalling more than 40,000 cars sold in warm-weather states be- cause. The vehicles have plastic parts connected to the fuel pump which could crack. If the crack gets large enough, fuel could leak and cause a fire. GM says its warranty data indicates that the problem is far more common in warm- weather states. It will repair the vehicles for free in those states. Owners will be notified of the recall by mail. Troubled lottery winner found dead ECORSE, Mich. Police said a Detroit-area woman who collected welfare benefits de- spite winning a $735,000 lot- tery prize has died of a possible drug overdose. Ecorse police Sgt. Cornelius Herring confirmed 25-year- old Amanda Clayton was found dead about 9 a.m. Sat- urday at a home in the com- munity Serv- ices about new winners. -From wire reports Associated Press WASHINGTON When last we saw the chief justice of the United States on the bench, John Roberts was joining with the Supreme Court's liberals in an un- likely. Roberts will be watched closely, following his health care vote, for fresh signs that he's becoming less ide- ologically predictable. The first piece of evi- dence could be in the court's consideration of the University of Texas' already limited use of race to help fill its incoming freshman classes, which comes before the court Oct 10. The outcome could further limit or even end the use of racial prefer- ences in college admissions. The court also is expected to confront gay marriage in some form. Several cases seek to guarantee federal benefits for legally married same-sex couples. A provi- sion of the 1996 Defense of Marriage Act deprives same-sex couples of a range of federal benefits available to heterosexual couples. Several federal courts have agreed that the provi- sion of the law is unconsti- tutional, a situation that practically ensures that the high court will step in. A separate appeal asks the justices to sustain Cali- fornia's Proposition 8, the amendment to the state con- stitution that outlawed gay marriage in the nation's largest state. Federal courts in California have struck down the amendment. Once again, many legal analysts expect Roberts es- sentially to be against gay marriage. "The outcome clearly turns on how Anthony Kennedy votes," said Georgetown University law professor Michael Seidman. The justices may not even consider whether to hear the gay marriage issue until November There still is a chance that the court could become enmeshed in election dis- putes, even before the bal- lots: A high-stakes dispute, to be argued first thing Mon- day, in- side the house. The question is whether the dog's sniff it- self was a search. A separate case looks at the reliability of animals trained to pick up the scent of illegal drugs. A challenge to the de- tention of a man police picked up a mile away from an apartment they had a warrant to search. Occupants of a home may be detained during the search for the safety of officers, but this case tests how far that au- thority extends away from the place to be searched. Environmental dis- putes involving runoff from logging roads in Oregon and water pollution in Los Angeles. Minneapolis searching for answers DAVID JOLES/The Star Tribune A memorial sits on a bench in the Bryn Mawr neighborhood Saturday. In Syria, heritage the latest victim Associated Press BEIRUT -A fire sparked by battles between Syrian President Bashar Assad's troops and rebel fighters tore through Aleppo's centuries-old covered mar- ket Saturday, burning wooden doors and scorching stone stalls and vaulted pas- sageways. The souk is one of a half-dozen renowned cul- tural offi- cials and Syrian experts say The Aleppo market, a major tourist attraction with its narrow stone alleys and stores selling perfume, fab- rics. In this image taken from video obtained from Shaam News Network, which has been au- thenticated based on its contents and other AP reporting, a fire rages at a medieval souk in Aleppo, Syria. Syrian rebels and residents of Aleppo struggled Saturday to contain a huge fire that destroyed parts of the city's medieval souks, or markets, in a historic district that helped make the heart of Aleppo, Syria's largest city and hub, a UNESCO world heritage site. Most of the other sites rec- ognized as heritage sites by UNESCO, the global cultural agency, are also believed to have suffered damage dur- ing the 18-month battle to oust Assad, Rao said. The ancient center of Aleppo - Syria's largest city has been hit the hardest, he said. "It is a very difficult and tragic situation there," said Ahmad al-Halabi, a local ac- tivist speaking by phone from the area. He said rebels and civilians were trying to control the blaze, but only had a few fire extinguishers. The fire in the souk erupted late Friday and was still burning Saturday On Thursday, rebels launched what they said would be a "decisive battle" for the city, followed by days of heavy fighting, including shelling and street combat. Amateur video has shown rebels taking cover behind walls and makeshift barri- ers, attacking regime forces with grenades and assault rifles. Activists reported heavy shelling by pro-Assad troops. It's not clear what set off the fire in the old market, made of hundreds of stone stalls that line covered al- leys with vaulted ceilings. The market stalls lie be- neath the city's towering 13th century citadel, where ac- tivists say regime troops and snipers have taken up positions. The Syrian conflict has killed more than 30,000 peo- ple, according to activists. Rodrigo Martin, a Brus- sels expert on Syrian histor- ical sites, said the Syrian regime bears the bulk of the responsibility for the de- struction because it signed international agreements to protect cultural sites. For at least two millennia, cultural sites have been threatened or destroyed by wars throughout the Mideast, Martin said. "History continues, what- ever we do," Martin said. "Mankind can just be really destructive." World BRIEFS Austerity protests turn violent again MADRID Tens of thou- sands of Spaniards and Por- tuguese rallied in the streets of their countries' capitals Saturday to protest enduring deep economic pain from austerity measure, and the demonstration in Madrid turned violent after Spaniards enraged over a long-lasting recession and sky-high un- employment clashed with riot police for the third time in less than a week near Parliament. Spain's state TV said early Sunday that two people were hurt and 12 detained near the barricades erected in down- town Madrid to shield the Parliament building. Televi- sion images showed police charging protesters and hit- ting them with their batons, but the violence did not ap- pear as severe as a protest on Tuesday when 38 people were arrested and 64 injured. Evidence tossed at start of butler's trial VATICAN CITY-The pope's once-trusted butler went on trial Saturday for allegedly stealing papal documents and pass- ing them off to a journalist. In its first hearing in the case, the three-judge Vatican tribunal threw out some evi- dence gathered during the in- vestigation of butler Paolo Gabriele, who is charged with aggravated theft. Gabriele faces up to four years in prison if convicted. -From wire reports Eyes on Roberts as court begins new term EXCURSIONS CITRUS COUNTY CHRONICLE * \,lerni N.olecin be foJund onf P,3re A l; 'i' o[f Icj. ,a' Clhioihcle. Beauty outside doesn't mean pretty inside Associated Press PYONGYANG, North Korea A for- eign tour agency has released the first public photos from inside the tallest and most notorious building in - North Korea: the 105-story, pyra- mid-shaped Ryugyong Hotel, which remains unfinished more thai 20 years after construction began. Be ijing-i)ased Koryo Tours got a peek at the interior) or the hotel in Pyong t ang. the capital. Photos taken by the company Sept. 23 show a bare con- crete lobby, as well as sweel)ing views of Pyongyang from a viewing platfoirm.. photos courtesy Koryo Tours/Associated Press Hotel's house historian Palm Beach landmark brought to life with longtime employee's tales MATT SEDENSKY Associated Press PALM BEACH en- twined with that of the IF YOU GO property "It certainly The Breakers: 1 S. Country isn't just a hotel Road, Palm Beach; email to me," he said., or As he guides call 888-273-2537. Tours with several dozen hotel historian Jim Ponce, guests through 2 p.m. Tuesday. Reservations the ballrooms, required. Free for hotel guests, parlors and with reservations through hallways of The concierge. Reservations Bea s for non-guests, call 561- Breakoffers 655-6611; $15. Ponce offers more than just staid commen- tary on gilded ceilings, Venetian chandeliers and other tokens of ex- cess. He tells of the gasp he heard when Princess Diana and Prince Charles entered the Mediter- ranean Ballroom for a dance in 1985, brushes with everyone from Bette Davis to Eleanor Roosevelt, even splitting a bottle of Moet & Chandon with Phyl- lis Diller. "We love to drop names," Ponce said. MEN The Breakers was first opened under a different name in 1896 by Henry Flagler, the oil and rail tycoon who developed much of Florida's eastern coast. Fla- gler Associated Press Jim Ponce stands outside The Breakers Hotel in Palm Beach on Sept. 11 after leading a tour of the old hotel. No place in this storied playground of the rich evokes as much history as The Breakers, and no one knows the sprawl- ing resort's story better than Ponce. Sixty years after first coming to work as a front-desk clerk at the hotel, 95- year-old Ponce still serves as the in-house historian, showing up every Tuesday to offer a tour to guests. stunning fashion, in just under a year. MEN His own history at the hotel began in 1952, after fin- ishing World War II service in the Navy He held various jobs at The Breakers and hotels around Palm Beach until returning in 1977 as an as- sistant manager. He retired in 1982, but never really left He vows to keep coming as long as his health allows. "He has perspective that none of us have," said Kirk Bell, the hotel's manager. "He has a history of the people that have come and gone royalty, presi- dents,. MEN let- ter anec- dote. And even as the tour concludes outside the Ital- ian Renaissance landmark, he can't help but think of one more. "You got time for just a short story?" he asks. And filled with delight, the guests lean in for more. Rock of Gibraltar This photo of a Barbary macaque was snapped at the Rock of Gibraltar by Nate Mishou. He was touring the Costa del Sol, Spain, with Joanne Mishou, Lyn Floyd and Jane Gibson.. A12 SUNDAY, SEPTEMBER 30, 2012 Girl needs to tone it down SUNDAY EVENING SEPTEMBER 30, 2012 C: Comcast, Citrus B: Bright House DII: Comeast, Dunnellon & Inglis F: Oak Forest H: Holiday Heights C B D/I F H 6:00 6:30 7:00 1 7:30 I 8:00 8:30 I 9:00 9:30 10:00 10:30 11:00 11:30 0 WESH NBC 19 19 News News Football Night in America '14' NFL Football New York Giants at Philadelphia Eagles. (N) B News Masterpiece Classic Masterpiece Classic Call the Midwife (In Masterpiece Classic Masterpiece Classic Masterpiece Classic 0 MDU PBS 3 3 14 6 "Emma" 'PG' Emma" 'PG' Stereo)'14'B 'PG'B 'PG'c 'PG ' 0 WUFT PBS 5 5 5 41 Keep Up As Time... NOVA 'PG' Call the Midwife '14' Masterpiece Classic Masterpiece Classic MI-5 "Isolated" a WF LA, NBC 8 8 8 8 8 News Nightly Football Night in America (N) (In NFL Football New York Giants at Philadelphia Eagles. From Lincoln News 0 NBC 8 8 8 8 8 News Stereo Live)'14' Financial Field in Philadelphia. (N) (In Stereo Live) a W FV ABC 20 20 20 News World Once Upon a Time (N) Once Upon a Time Revenge "Destiny" (In 666 Park Avenue "Pilot" News Sports 0 FT ABC 20 20 201News PG' "Broken 'PG' Stereo TPG '14' m Night T CBS 10 10 10 To Be Announced 60 Minutes (Season The Amazing Race (In The Good Wife "I The Mentalist "The 10 News, Paid 10 10 10 Premiere) (N) N Stereo) Nc Fought the Law"'14 Crimson Ticket" '14' 11pm (N) Program NFL Football New Orleans Saints at The OT (N) The Bob's Family Guy American FOX13 10:00 News (N) News Burn STTFOX13 13 13 13 Green Bay Packers. PG Simpsons Burgers 14 Dad 14 (In Stereo) N Notice'PG' E WCJBD ABC 11 11 4 News ABC Once Upon a Time Once Upon a Time Revenge'PG 666 Park Avenue'14 News Inside Ed. CLF IND 2 2 2 22 22 Brody File Stakel/ Truth Great Awakening Love a Place for Andrew Daniel Jesse Pastor Great SIND 2 2 2 22 22 Terror Transfms Child G' Miracles Womack Kolinda Duplantis Dayna Awaken m WS ABC 11 1 1 News World Once Upon a Time (N) Once Upon a Time Revenge "Destiny" (In 666 Park Avenue "Pilot" News Castle'PG' SFT ABC 11 11 11 News 'PG' B "Broken 'PG' B Stereo) PG' B '14 Bm Family Guy Family Guy Big Bang Big Bang Law & Order"Savages" Law & Order How I Met How I Met The Office The Office ( WMOR IND 12 12 16 114' 14' Theory Theory 'PGC' "Jeopardy"'14'* 'PG' '14'm ( TTA) MNT 6 6 6 9 9 '70s '70s Scrubs Raymond Seinfeld Seinfeld Chris Chris Tampa Whacked Born Ride Honor (f ACX) TBN 21 21 Dr. C.Stanle Rejoice in the Lord Paid Paid Journey Creflo Connec Jim Raley Dayna Brody King of Two and Two and Engagement CSI: Miami"Cheating CSI: Miami"Gone Baby Cold Case "Jackals" (In ** Ronin ii I ( E) CW 4 4 4 12 12 Queens Half Men Half Men Death"'14'm Gone"'14' Stereo)'14'B -.,,, I m Casita Big Rotary Sunflower Inverness Your Citrus County Court I Spy 'Y TheCisco Black SWYKE FAM 16 16 16 15 Dog Club Spotlight Kid 'G' Beauty (3 WOOX FOX 13 7 7 NFL Football: Saints at Packers The OT Simpsons |Burgers IFam. Guy |American FOX 35 News at 10 Big Bang Big Bang (n CWVEAUNI 15 15 15 15 14 Comned. |Noticiero |AqufyAhora (SS) Mira Quien Baila'14'(SS) Sal y Pimienta '14 Comned. Noticiero I XPX ION 17 **** "E.T. the Extra-Terrestrial" (1982) House '14' B House'14'B IHouse "Fidelity" '14' House "Poison" '14' 54 48 54 25 27 Exterminator Exterminator Storage Storage Storage Storae Storage Storage Shipping Shipping Shipping Shipping 54 48 54 25 27 WarsPG' Wars PG Wars P G' WarsPG WarsP WarsP Wars PG Wars'PG Wars'PC' Into the West Mary Into the West "Casualties of War" Custer's death. Hell on Wheels "The Hell on Wheels "The Breaking Bad "Fifty- 55 64 55 Light Shines. 14 (Part 5 of 6) 14' B Lord's Day" (N) Lord's Day" M One" '14' Off the Off the Call of Call of Off the Off the *** "Oceans" (2009) Narrated by Pierce *** "Oceans" (2009) 52 35 52 19 21 Hook Hook Wildman Wildman Hook Hook Brosnan. Premiere. (In Stereo)'G' (In Stereo)'G' "He's *** "Akeelah and the Bee" (2006) Laurence Fishburne. A **2 "To Wong Foo, Thanks for Everything, Let's Stay Let's Stay 96 19 96 Mine" girl hopes to compete in a spelling bee. 'PG' Julie Newmar" (1995) Wesley Snipes. Together Together [BIAVO] 254 51 254 Housewives/NJ IHousewives/NJ Housewives/NJ Housewives/NJ Housewives/NJ Happens Jersey South Park South Park South Park South Park ** "Accepted" (2006, Comedy) Justin Long, Tosh.O Key & South Park Brickleberry S 27 61 27 33 MA' 14 *'MA *MA Jonah Hill, Blake Lively'PG-13'B '14'm Peele 14 'MA' S** "Footloose" (2011) Kenny ** "Sweet Home Alabama" (2002, Romance-Comedy) **2 "Footloose" (2011, Drama) Kenny 98 45 98 28 37 Wormald.'PG-13' Reese Witherspoon. (In Stereo)'PG-13' Wormald. (In Stereo) 'PG-13' m CNBC 43 42 43 Paid |Paid Diabetes Wall St. Millions |Millions Mark Zuckerberg American Greed Porn: Business (tW ) 40 29 40 41 46 CNN Newsroom (N) CNN Newsroom (N) Belfast Tapes Piers Morgan CNN Newsroom (N) Belfast Tapes Austin & Shake It Good- Gravity *** "Bolt"(2008) Voices of John Phineas Gravity Austin & Good- Good- Y7i, ShkIhare'T (iSN) 46 40 46 6 5 AllyG' Up! G' Charlie Falls'Y7 Travolta.PG and Ferb Falls'Y7' AllyG' Charlie Charlie (ESPN) 33 27 33 21 17 SportsCenter (N) SportsCenter (N) (Live) a |Baseball |WNBA Basketball SportsCenter (N) [ESPN21 34 28 34 43 49 Auto Racing Baseball Tonight (N) NHRA Drag Racing Midwest Nationals. From Madison, III. BM NASCAR Now (N) (EWTN) 95 70 95 48 Devotions Holy Mass andNovena River of Light G' G.K. |Rosary Beloved God |Bookmark *** "Alice in Wonderland" (1951, Fantasy) *** "The Lion King" (1994, Musical) Voices ***f "The Lion King"(1994, Musical) Voices (EUMJ 29 52 29 20 28 Voices of Kathryn Beaumont. G of Rowan Atkinson.'( of Rowan Atkinson.' ( *** "DeadAgain"(1991, Mystery) Kenneth **** "The Crying Game" (1992, Suspense) *** "Sex, Lies, and Videotape" inJdeid)" 118 170 Branagh. (In Sfereo)'Rc Stephen Rea. (I Stereo) 'R' B(1989) James Spader. 'R' i IH (Et 44 37 44 32 Fox News Sunday FOX Report (N) Huckabee (N) Fox News Sunday Geraldo at Large (N) Huckabee FOOD 26 56 26 Diners |$24 in 24 Food Truck Race Cupcake Wars (N) Food Truck Race Iron Chef America Restaurant Stakeout (JSNFLJ 35 39 35 Bull Riding IGame World PokerTour UFC Unleashed (N) Being: Liverpool (N) World PokerTour S 51*** "Salt" (2010, Action) Angelina Jolie, Liev ** "Transformers: Revenge of the Fallen" (2009) Shia LaBeouf. Sam "Transformers: (L) 30 60 30 51 Schreiber, Chiwetel Ejiofor. PG-13 Witwicky holds the key to defeating an ancient Decepticon. Revenge of the Fallen" GOLF 727 67 727 Live From the Ryder Cu (N) (Live) Live From the Ryder Cup HAiL 59 68 59 i ** "Personally Yours" "Second Honeymoon" (2001, Comedy-Drama) ** "The Nanny Express" (2009, Drama) Frasier 'PG' Frasier 'PG' 59 68 59 45 54 (2000) BI Roma Downey Tim Matheson. N Vanessa Marcil, Brennan Elliot. NB **+ "Dinner for Schmucks" "The Sitter" (2011) Jonah Hill. Boardwalk Empire (N) Treme "Saints" (N) Boardwalk Empire 302 201 302 2 2 (2010) Steve Carell. (In Stereo) 'R'B 'MA'm 'MA'm 'MA' 303 202 303 Boxing Real Time With Bill *** "Rise of the Planet of the Planet of *** "Beginners" (2010) Ewan "Brides 303 202 303 Maher 'MA' c Apes" (2011) James Franco. the Apes McGregor. 'R'B maids" HGTV 23 57 23 42 52 Hunters Hunt Intl Million Dollar Rooms You Live in What? Buying and Selling Property Brothers'G' House Hunters Reno Counting Counting Counting Counting Counting Counting Counting Counting Counting Counting Modern Marvels"Food WISE 51 25 51 32 42 Cars'PG' Cars PG ars'PG' Cars PG' Cars'PG' Cars PG' Cars'PG' Cars'PG Cars'PG' Cars 'PG' Trucks"'PG' *** "Cries in the "The Preacher's Daughter" (2012, Drama) "A Mother's Nightmare" (2012, Suspense) "The Preacher's S 24 38 24 31 Dark"(2006)'NR' Andrea Bowen, Adam ayfield. NR' Annabeth Gish, Jessica Lowndes. NR' N Daughter" (2012) *** "Circle of Friends" (2006, Suspense) ** "In the Land of Women" (2007, Comedy- ** "Reservation Road" (2007, Drama) 50 119 Julie Benz. 'NR' N Drama) Adam Brody 'PG-13' B Joaquin Phoenix, Mark Ruffalo. 'R' B ri) 320 221 320 3 3 Soernn, **, 'Tower Heist" (2011) Ben "Little Fockers" (2010, Comedy) Robert De *** Troy" (2004) Brad Pitt. Achilles leads S320 221 320 3 3 'P-13' m Niro. (In Stereo)'PG-13' cc Greekforces in the Trojan War. 'R' (MSNBJ 42 41 42 Caught on Camera |Caught on Camera Caught on Camera |Sex Slaves: Teens Sex Slaves: Oakland |Lockup Taboo "Extreme Narco Bling '14, V Cocaine Sub Hunt Inside Cocaine Taboo "Changing Taboo "Changing B109 65 109 44 53 Bodies" 14' 14, L,V' Submarines '14, V Gender" (N) 14' Gender" 14' (NilR 28 36 28 35 25 You Gotta |You Gotta Big Time |Victorious Full H'se Full H'se Full H'se |Full H'se Nanny |Nanny Friends |Friends (WN) 103 62 103 25 Best Oprah 25 Best Oprah Oprah's Next Oprah's Next Oprah's Next Oprah's Next tiXY) 44 123 Snapped 'PG' B Snapped 'PG' B Snapped 'PG' B Snapped (N) 'PG' Snapped 'PG' B Law Order: Cl ** "The Twilight Saga: Eclipse" *** "Our Idiot Brother" (2011) Dexter "Are You ...?" Homeland "The Smile" Dexter "Are You...?" (SHW 340 241 340 4 (2010) Kristen Stewart Paul Rudd. 'R' MA' Bc 'MA' Bc 'MA' Bm NASCAR Dumbest SPEED Center (N) NASCAR Victory Wind Tunnel With Dave My Classic Car Crazy Motorcycle Racing 732 112 732 Victory L. Stuff (Live) Lane (N) Despain (N) Car 'G' Bar Rescue Bar Rescue 'Tiki Bar Rescue "On the Bar Rescue "Bikini Tattoo Rescue "Just Bar Rescue "Fallen sPIK 37 43 37 27 36 "Bottomless Pit"'PG' Curse"'PG' Rocks" 'PG' Bust"'PG' Deadly" (N) 'PG' Angels"'PG' ** "Just Go With It" (2011) Adam Sandler, Boss"The ** "The Vow"(2012, Romance) Rachel Boss The 1TAiZJ 370 271 370 Nicole Kidman. (In Stereo) 'PG-13' Conversation"'MA' Bc McAdams. (In Stereo) PG-13' Conversation"'MA' 5U1) 36 31 36 Sportsman Florida Fishing the College Football Florida State at South Florida. (Taped) Seminole Professional Tarpon 36 31 36 Sports. Flats Sports Tournament Series Y 311 59 31 26 29 **"The Devil's Advocate" (1997, Suspense) ** "Shutter Island" (2010, Suspense) Leonardo DiCaprio. Premiere. A *t "White Noise" 31 59 31 26 29 Keanu Reeves. R Bc 1950s lawman hunts an escaped murderess. R (2005) (IBS) 49 23 49 16 19 "Yes Man" (2008) Jim Carrey. "Paul Blart: Mall Cop" (2009) 'PG' ** "Paul Blart: Mall Cop" (2009) 'PG' S 35**** "Singin'in the Rain"(1952, Musical *** "The Mummy" (1932, Horror) ** "Charlie Chan in Egpt" "Abbott and Costello M 169 53 169 30 35 Comedy) Gene Kelly 'G' (DVS) Boris Karloff. 'NR' (1935) Warner Oland.'NR' Meet the Mummy" S MythBusters (In Stereo) MythBusters (In Stereo) MythBusters (In Stereo) MythBusters (In Stereo) MythBusters (In Stereo) MythBusters (In Stereo) S 53 34 53 24 26 'PGt' 'PG' 'PG'B *PG'I 'PG'B 'PG'B CTIC 50 46 50 29 30 Here Comes Honey Breaking Amish '14' Medium Medium Medium |Medium Breaking Amish '14 Medium |Medium 350 261 350 **** "Roadracers" (1994, Action) David ***2 "The Help" (2011) Viola Davis. An aspiring writer *** "Lost in Translation" (2003) (vi0 350 26J 1 350 Arquette, Salma Hayek. (In Stereo) captures the experiences of black women. N Bill Murray 'R' (* 48 33 48 31 34 "I Am Legend" (2007, Science Fiction) *** "Gladiator" (2000) Russell Crowe. A fugitive general becomes a ***' "Gladiator" S48 33 48 31 34 Wil Smith, Alice Braga. PG-13'B gladiatorinancientRome.'R'B (DVS) (2000)'R' (IT N) 38 58 38 33 ***"Shrek"(2001, Comedy) 'PG' Dragons |StarWars Cleveland |King/Hill King/Hill IFam. Guy Fam.Guy Dynamite TRAV 9 54 9 44 Bizarre Foods Halloween Ext. Making Monsters Making Monsters (N) Halloween Crazy Dest. Dest. iITVJ 25 55 25 98 55 World's Dumbest... Wipeout'PG' c Wipeout 'PG' Wjipeout PG' Pawn Pawn World's Dumbest... (1VI 32 49 32 34 24 M*A*S*H |M*A*S*H M*A*S*H IM*A*S*H'PG' M*A*S*'H Raymond IRaymond Raymond Raymond Raymond TKing Law & Order: Special Law & Order: Special Law & Order: Special Law & Order: Special Law & Order: Special Law & Order: Special (S 47 32 47 17 18 Victims Unit '14 Victims Unit '14 Victims Unit '14 Victims Unit '14 Victims Unit '14 Victims Unit '14" Bridezillas "Jennifer & Bridezillas "Jennifer & Bridezillas "Minyon & Bridezillas "Tabby & Bridezillas (N) '14' Bridezillas"Minyon & W 117 69 117 Blanca"'14' Minyon"'14' Christine"'14' Christine"'14'B Christine"'14' WGN-A] 18 18 18 18 20 MLB Baseball Bloopers! |MoMothe r Mothe |Mother Mother |Mother News |Replay 30 Rock 130 Rock Dear Annie: My 21- year-old grand- daughter recently confided that she doesn't at- tract fe- male friends. But ' she has a strong voice and tends to come across as AN N loud and dra- matic, especially MAI in a group of peo- ple. Sometimes she talks ex- cessively Kelly is aware that she is loud and says she can't help it. My grandson, Kelly's cousin, told me this is why men are turned off by her He says he has difficulty tolerating this behavior. We love Kelly and have al- ways accepted this as part of her personality even though it can be annoying. Should I talk to her about this or sim- ply hope that she finds someone who accepts her as she is? Can she change this aspect of her personality? - Worried Grandma Dear Grandma: Yes, as- pects of one's personality can be modified with will- ingness and effort, but this is less about personality than behavior, and that cer- Today MOVIES p.m., 7:20 p.m. "Trouble with the Curve" (PG-13) 1 p.m., 4 p.m.,. "Won't Back Down" (PG) 1:30 p.m., 4:30 p.m., 7:20 p.m. . 9:40 p.m. No passes. "Hotel Transylvania" (PG) 1 p.m., 4 p.m., 7p. Visit for area movie listings and entertainment information. Sunday PUZZLER ACROSS 1 Story from Aesop 6 Level 10 Cygnets 15 Abbr. in a cookbook 18 Do-nothing 19 Drive 21 Creature of- 22 Loud laugh (hyph.) 23 Makeup 24 Gulch 25 Seed-to-be 26 Omnia vincit - 27 Eagle 28 Mothers and grandmoth- ers 29 Catlike animal 31 Complete 33 Becomes more solid 35 Declare 36 Aquatic mammal 37 Twisted 38 Moved little by little 40 Hard-hearted 41 French cleric 42 Kind of door 44 Talisman 45 Singer Guthrie 47 Crazy 51 Electric razor 52 Layered rock 53 Streams 55 generis 56 Slender candle 57 Box 58 Coercion 60 Devoured 62 Arab VIP 63 Inconsistent 65 Mail 66 Not difficult 67 Cushion 68 Ventilates 69 -American 71 Covered with water 73 King Cole 75 You -! 76 City in Ohio 77 Coffee-filled vessel 78 Die down 81 "War of the Worlds" au- thor 83 Good-bye! 84 Gator's cousin 85 Throw 87 Formula 90 Reheat 92 Agreement among na- tions 94 Kind of bean 95 Kind of orange 96 Friendly 98 British composer 99 Wheel spokes 100 soda 101 Short trip for business 103 Musical group 105 Stir up 106 Island dance 108 Charter 109 Sings like Ella 110 Next to 111 Metric unit 113 Foggy 114 Part of RFD 115 Transform 118 Jars 119 Greek letter 120 River in Belgium 124 Eternally 125 Gras 126 Alloy 127 Put to work 128 Contends 129 Express a belief 131 Source 133 Thoroughbred creature 135 Coup d'- 136 Chops 137 Character 138 Pressed 139 Term in tennis 140 Baking need 141 Krupa or Kelly 142 Really small DOWN 1 Discharges 2 Like a lot 3 Plainspoken 4 Table part 5 "... I saw Elba" 6 Constructed 7 Paramour 8 As neat as - 9 Playing card 10 Spade 11 Be uncertain 12 Touch Nothing African antelope Indian language Coast Reduced Demonstrated Delivered a lesson Detestation Money gambled Particular Seize Computer in a network Kind of surgeon Winds Cervine animal Nautical map Medicine man Per - Converses God of war Steakhouse Wine city in Italy Combustible material Fork park Curtail Casual duds Sing Seven - Salesman's pitch Displace Patient's complaint Weasel relative Town in Washington state Ornate Monk's title Composed Branchlet Bitter Like ice skates Of cows Sword Largest asteroid Worm on a hook - Hashana Birthright seller Summon English queen Old and worn Kin Dirt Form of expression Sub - "Bohemian -" Berets Untamed Struck by horror Auctioneer's cry Lighter fluid Sunbeam Most painful Go to bed "Bolero" composer The cream Perspire Eyre and Fonda Started Sudden increase City in Germany Tall and slender Isinglass Tiny bit Easy as - 132 Dishcloth 133 Simple house 134 Mineral Puzzle answer is on Page A14. 2012 UFS, Dist. by Universal Uclick for UFS tainly can be changed. Please tell Kelly so she can work on it. Suggest she learn to modulate her voice so it is less strident and find ways to listen more and speak less so she doesn't monopo- lize conversations. This is good advice whether it at- tracts men or not. Her be- havior shouldn't be so abrasive that it prevents people from get- ting to know her DearAnnie: My husband and I laughed when we read the letter from "Also Tired of Bad Haircuts." My husband and I have groused about this, too. We laughed be- cause we had IE'S found the obvious solution only the .BOX pic- tures will be worth a million words. -Expecting a Better Haircut Now U Annie's Mailbox is written by Kathy Mitchell and Marcy Sugar, longtime editors of the Ann Landers column. Write to: Annie's Mailbox, c/o Creators Syndicate, 737 Third SL, Hermosa Beach, CA 90254. ENTERTAINMENT CITRUS COUNTY (FL) CHRONICLE 4I Ll CITRUS COUNTY (FL) CHRONICLE Veterans NOTES Due to space considera- tions, the Veterans Notes some- times contain only basic information regarding each post. For more information about scheduled activities, meals and more for a specific post, call or email that post at the contact listed. Special Forces Associa- tion Associa- tion of America (MOAA) will meet Thursday, Oct. 4, at the Kracker Shack, U.S. 41 North, Inverness. Lunch begins at 11:30 a.m.; the meeting will convene at noon. Speaker is Susan Gill, Citrus County super- visor of elections. Plans for up- coming events, particularly preparations for Veterans' Ap- preciation Week and Veterans in the Classroom, will be dis- cussed. All MOAA members and prospective members (ac- tive duty, retired or former offi- cers of the U.S. uniformed services and their spouses) are welcome. Call chapter Secre- tary Gary Runyon at 352- 563-5727 for information. out- line. The Nature Coast All Vet- erans Trib- ute and veterans from all con- flicts fur- nished. Applications must be re- ceived by Sept. 30. Call Richard Mass at 352-726-8877, or email at richardmass@ tampabay.rr.com for approval. number to the veteran. Purple Heart recipients are sought to be honored with cen- terpieces with their names on them at The Old Homosassa Veterans' Memorial. Call Shona Cook at 352-422-8092. * Ocala Regional Airport en- couraged by calling 352- 400-8952. CCVC general meet- ings are at 10 a.m. the fourth Thursday monthly at the DAV building in Inverness. Members can renew with Gary Williamson at 352-5274537, or at the meeting. Visit. AMVETS William Crow Post 447, Inglis, is on State Road 40 East. For more infor- mation about the post and its activities, call 352-447-1816; email Amvet447@comcast.net. All are welcome to a rib din- ner hosted by the Ladies Auxil- iary from 4 to 7 p.m. Saturday, Oct. 6. Music starts at 7 p.m. On the menu are St. Louis pork ribs, baked beans, parsley pota- toes, pasta salad, coleslaw, desserts and more. Tickets are $8. Blanton-Thompson American Legion Post 155 is at 6585 W. Gulf-to-Lake High- way, Crystal River. Doors open at 4 p.m. with dinner available; entertainment at 7 p.m. All are welcome at 5 p.m. dinners on Wednesday and Fridays, of- fered by the Legion, Auxiliary, Sons of the American Legion, American Legion Riders and 40/8 families. For more informa- tion about the post and its activi- ties,. Eligibil- ity chairwoman Barbara Logan, 352-7954233.urs- days alternating between Twisted Oaks Golf Club and Cit- rus Springs Country Club. Tee time is 8 a.m. New players, both men and women, are welcome. You do not have to be a mem- ber of the VFW to join. Lunch follows. Call Rich or Jayne Stasik at 352464-3740. Edward W. Penno VFW Post 4864, 10199 N. Citrus Springs Blvd., Citrus Springs, 3524654864. WiFi available at the post for free. The post is a nonsmoking facility; smoking is allowed on the porch. Informa- tion regarding any post events is available at the post or call 3524654864. Afghanistan and Iraq war vet- erans are wanted for member- ship. Call 3524654864. Friday night dinners are open to the public from 5 to 6:30 p.m. for $8; children younger than 6 eat for $4. Disabled American Veter- ans. Our main function is to assist disabled veterans and their fam- ilies when we are able. Anyone who knows a disabled veteran or their family who requires as- sistance is asked to call Com- mander Richard Floyd 727492-0290, Ken Stewart at 352419-0207, or 352- 344-3464. Service Officer Joe McClister is available to assist any vet- eran or dependents with their disability claim by appointment. Call 352-344-3464. Ambulatory veterans who wish to schedule an appoint- ment' ben- efits or membership, Call Ken Stewart at 352-419-0207; leave a message, if desired, should the machine answer. Disabled American Veter- ans Auxiliary Unit No. 70 col- lect toiletry items for the veter- ans. State Road 44 East, Inver- ness. Call the post at 352- 344-3495, or visit 4337.org. The public is welcome at the Oct. 20 Outdoor Flea Market and Pancake Breakfast. All-you- can-eat pancakes served from 7:30 to 10:30 a.m. for $5. For information about activi- ties and the post, call Carl Boos at 352489-3544, or email boosc29@gmail.com. Rolling Thunder Florida Chapter 7 meets the second Saturday monthly at the DAV building at 1039 N. Paul Drive in Inverness. This is an advo- WTWEEKONDS TAT WALDORF ASTORIR ORLANDO Bar u.Ch-oea andmore Eno a ...dil esr .C.0dit. Askfb prmoio coe BBW I.Fo reeratins cll 88208047 ALDO R or v sit w w w W al orf sto ia.rand co /.a.AS O R ' *. . . . .ANDO EX R O DN R 0L CS *IN UA*XERE C .Wldr~td~rad~o cacy group for current and fu- ture veterans, as well as for POWs and MIAs. Florida Chap- ter 7 welcomes new members to help promote public aware- ness ultrarayl997. Call or visit the post for regular and special events, as well as meetings. Google us at VFW 4252, Hernando. The public is welcome at the Sunday buffet breakfasts from 10 a.m. to noon; cost is $6. The public is welcome at the Oct. 21 flea market beginning at 7 a.m. Outside space is $5 (bring a table) and inside space is $10. Call the post at 726-3339 to re- serve space. Proceeds benefit the Cancer Aid & Research Foundation. The public is welcome at the Saturday, Nov. 3, Bonanza Bingo. Cost of $35 includes the bingo packet and luncheon. in- formation about the post and its activities, call 352-637-0100. The post invites the public to an Old Country Hayride Opry Show at 2 p.m. Sunday, Oct. 7. There will be music and danc- ing. Admission is free. the post at 352- 746-5018. The Korean War Veter- ans Association, Citrus Chapter 192 meets at the VFW Post 10087, Beverly Hills, at 1 p.m. the first Tuesday monthly. Call Hank Butler at 352-563- 2496, Neville Anderson at 352- 344-2529 or Bob Hermanson at 352-489-0728. See VETERANS/Page A14 H OLly WOOD TOUIS Serving Express Shuttles To Tampa's Spring Hill sQiNNO/I Seminole Hard Rock Casino 8 YEARS 10..10 l!r.: r u.T ,J : IrJ.mj! DAY s Day Tr wm~ $25$F 56 5 S675 TAMPA *IW Us Trip To Hard Rock Casino FREE Play $5 Meal Voucher Wednesdayy pick-up Homosassa: 19 Wal-Mart parking lot 8:00 AM s20oo Per Person DAY TRIPS ONLY t -.- *.. :... ... ....... -- -- -..- V |Jtilf!J!flJtl ?yll AIL WiJii ThJPei1 ThJ!U4I.Jhi| .uAl ,UJ 'J! flif f l f ,Iiia tjiiTjD, *3l lUy iiji 'iuiiiJi i Jjl iall U iillj Uiijai Biltmore Candlelight Christmas 4 Days, 3 Nights 5 Meals, 1 Show, admission to Biltmore House, WineryTour, Tour of Asheville & Much More! Tour Date Nov. 8 & Dec. 6 $399 p. p. dbl occupancy $519 single 2 DAY, 1 NIGHT CASINO GETAWAY TO HOLLYWOOD, FL 4 Casinos, $105 Free Play, 4 Meal Vouchers, 1 Buffet This is the trip you don't want to miss! Limited Seats WELCOME BACK SNOWBIRDS SPECIAL! $99 pp dbl occupancy Call for Tour Dates & Pricing ST AUGUSTINE 3 DAY, 2 NIGHT On/Off 1 hr. narrated trolly tour, admission to Oldest Store Museum, scenic cruise, 5 meals, transportation, beach front hotel Tour Date October 23 $279 p. p. dbl occupancy 8368" single THE LONGEST RUNNING OKTOBERFEST IN THE U.S.!! 4 meals. Dinner at Festhalle included. German music. Waltzes, plus a guided tour of the Port Columbus Nat'l' Civil War Naval Museum Tour Date October 15 *239s p. p. dbl occupancy 8299g single 2 DAY 1 NIGHT GETAWAY TO SOUTH BEACH MIAMI "THE MAGICAL CITY" Includes 3 meals. World famous Polynesian Dinner Show, admission to the Exotic Fruit and Spice park. Tour of Millionaire's Row, Fisher Island and Art Deco District Tour Date September 26 $1 79 p p dbl occupancy $199 single Bok Tower Gardens "Florida's Best Garden" Day trip, General admission Pinewood Estates and lunch & Much more! Call For Tour Dates $54pp CASINO EXTRAVAGANZA To Hollywood Florida 3 Days 2 Nights Pkg. includes 5 casino's, total 5 meal vouchers, 2 buffets. Call For Tour Dates o- Limited Seating Call For Pricing Pick-up location in Hernando, Pasco, Citrus, Pinelas & Hilsborough (Select Tnps) TRY YOUR LUCK WITH US' WEEKEND GETAWAY TO IMMOKALEE CASINO Includes $60 FREE PLAY, Two $5 Meal Vouchers, 1 Breakfast Buffet Call For Tour Dates Guaranteed Best Price! 8500 p p dbl occupancy 1 1500 Call For Tour Dates & Pricing 3 DAY, 2 NIGHT GETAWAY FANTASY FEST KEY WEST $30 free play, 2 meals plus $5 meal voucher, hotel accommodations Tour Date Oct. 26th *189" p. p. dbl occupancy s320" single 3 DAY/2 NIGHT NEW YEAR'S EVE PARTY WITH A CHANCE TO WIN $2013 EVERY HOUR From 3 30- 11 30pm IT'S LUCKY 13 AT IMMOKALEE CASINO 4 Casinos, $100 Free Play, 2 meals plus plus 4 meal vouchers. Live entertainment, complimentary cocktails from 11:30 12:30, plus shopping at St. Armand's Circle in Sarasota. Tour Date: December 30 S204 p p dbl occupancy $294 single Sfor overnight trips SPRING HILL- PICKUP US * Stop spending your own valuable time and energy making your own travel arrangements. As your personal travel consultant, we will book all of your FISHItD G CHARrERS travel needs. c p oD-nc,. c.,siR...e. GROUPER IS OPEN Our prices are the same if not better than you would find A UP R I 0 OPN booking yourself. i5 000 The value of working with us is our knowledge, expertise, relationship A with travel suppliers and our personal commitment to you. I' i.r .l CALL OR STOP BY OUR OFFICE WE LOOK FORWARD TO ASSISTING YOU! S- g352-422-4640 (3e)rsit Chare Can Be Arranged The of London n COLLETTE featuring VACATIONS the Centennial Chelsea Flower Show May, 18, 2013 Includes round trip with air from Tampa, fully escorted, hotels, meals,tours and royal membership S$4,528,, Call for full itinerary. Bi&wto r tMe Hoida December 2-7, 2012 *519/pp Includes round-trip motorcoach, fully escorted itinerary, hotels, 8 meals and more. See the Biltmore Estates fully decorated in holiday spirit. Call for full itinerary Space is limited. PLANTATION Reservation Suggested 352-795-5797 tr.. ...... Plantation on Crystal River, 9301 W. Fort Island Trail, Crystal River Spectacular SPECIALS Becky's travel Store j R11 Day Danube River Cruise with 7 Day Peru & Budapest Ireland Upgraded to Cat B cabin u Machu Picchu Rivercruise and2 nts Culture Mar. 11-17, 2012 Budapest Hotel package Castle Upgraded Vista Book by Dec 31. 2012 Upgradedista April27 2013 Small group travel Dome Train or May 11, 2013 Air from Orlando Land/Cruise only April 25 $2899 $2036 per person* $2699er person $2699 per person May 9 $2929 3557 N. Lecanto Hwy., Beverly Hills, FL 34465 5278855 Located Next to Winn Dixie (352) 527-8855 U. TALLY-HO 352-860-2805 / wwwtallyhovacations.com W ', ww dmuir@tallyhovacations.com S.,r I[.,y i(AWrV.4tut, ,FL Seller of Travel 10131 I I sdvanced SUNSET $ R!'erv 'tions I ? .0 CRUISE 257Requirced SUNDAY, SEPTEMBER 30, 2012 A13 A14 SUNDAY, SEPTEMBER 30, 2012 Pat (Rollins) McKinney and Art McKinney recently celebrated their 50th wed- ding anniversary, with two weeks in Hawaii. The couple were mar- ried Sept. 3, 1962, in St. Paul's Catholic Church, Hamilton, Mass. Both are retired, Pat from Citrus County Schools and Art from the Citrus County Chronicle and Citrus County Schools. VETERANS Continued from Page A13 Allen-Rawls American Legion Post 77 and Auxil- iary Unit 77 meet the first Thursday monthly at the Inver- n. The post will do a bus tour to Miami and Key West from Ran- dal American Legion Post 155, 6585 W. Gulf-to-Lake Highway, Crystal River. Visitors and interested parties are always welcome. Call mem- bers, Chef De Gare Tom Smith at 352-601-3612; for the Ca- bane, call La President in- They have two children, Laura (Geoff) Hannam of Thornton, Colo., and William (Pamela) McKin- ney of Mount Vernon, N.H. They also have two grand- children in Colorado and one step-grandchild in Tampa and New Hampshire. The have made their home in Citrus County for 25 years and live in Inverness. vited. To learn more about Aaron A. Weaver Chapter 776 MOPH, visit the chapter's website at purpleheart.org for informa- tion about the post and its activities. Cmdr. Oct. 13, Nov. 10 and Dec. 8. 50th ANNIVERSARY The St. Jeans Robert and Jo-Ann St. Jean of Crystal River cele- brated their 50th wedding anniversary on Sept. 29, 2012. The couple were mar- ried Sept. 29, 1962, in Cen- tral Falls, R.I. Both retired, Jo-Ann was a teacher's aide in Colchester, Conn., and Robert was a manager at Pratt & Whitney Aircraft in Hartford, Conn. They have lived in Citrus County for 17 years. They have four children - Deborah Saitta and Susan St. Jean of Edge- wood, N.M.; Jill Holmes of Trumbull, Conn.; and Jay St. Jean of Wallingford, Conn. They have four grandsons and four grand- daughters: Tyler, Mathew, Bradley, Chandler, Sydney, Morganne, Grace and Hannah. The St. Jeans celebrated in June at a party with fam- ily and friends, given by daughter Jill and son-in- law Philip Holmes. In SERVICE Alexis Baughman Air Force Reserve Airman 1st Class Alexis L. Baughman graduated from basic military training at Lackland Air Force Base, San Antonio, Texas. The airman completed an intensive, eight-week program that included training in mili- tary discipline and studies, Air Force core values, physical fit- ness, and basic warfare princi- pies and skills. Airmen who complete basic training earn four credits to- ward an associate in applied science degree through the Community College of the Air Force. Baughman is the daughter of Elizabeth McClung of Inver- ness and Richard McClung of Webster. She is a 2009 gradu- ate of South Sumter High School, Bushnell. For the RECORD Divorces 9/17/12 to 9/23/12 James Romeo Caldwell, Beverly Hills vs. Shirian Earle Caldwell, Beverly Hills Jesse J. Grantham, Dunnellon vs. Brandie R. Grantham, Homosassa Dorothy A. Henick, Bronson vs. Frederick G. Henick, Lecanto Martha A. Johnson, Beverly Hills vs. Charles J. Johnson, Beverly Hills Michael James Leonard, Crystal River vs. Esther Gail Leonard, Inverness Wiley D. Levins, Crystal River vs. Sunny Lee Levins, Crystal River John Joseph McKenzie, Crystal River vs. Brenda Lynn McKenzie, Crystal River Jamie J. Mulverhill, Inverness vs. Gisele D. Mulverhill, Spring Hill Charles Schwent, Homosassa vs. Debra R. Schwent Annie Mae Stevenfield, Lecanto vs. David Ezra Stevenfield, Dunnellon Marriages 9/17/12 to 9/23/12 Todd Christopher Downs, Inverness/Pamela Jeanine Waters, Inverness Randy Jeffery Erickson, Crystal River/Arianna Pearl Friends, Crystal River Wayne Arthur Keath Jr., Inverness/Caitlin Josephine Flannery, Inverness Eli Thomas McLane, Homosassa/Lydia Brooke Vincent, Brooksville Pier Giorgio Pezzi, Orlando/Mary Jo Reynolds, Orlando David Francis Welch, Brooksville/Maryellen Christine Berkley, Brooksville For Citrus County public records of marriages and divorces, call the clerk at Sunday's PUZZLER Puzzle is on Page A12. F AB L E FILIAT SWIAINS TISIP I D LER PROPE L HAB I AT HAHA ROU GE RAVINE OVUILE AMOR SETS AVER OTTER G NAR LED NEIDGED C U LM ABBE E SCREENECHARM AIRLO DAFT S A E SHALE C REE EK S SU I TA P ER SP AIR DUR ESS E TEN E M I R SPOTTY POST FACILE i I~ lI IFO CA- I MAT AIR ISMAFRO A WA A NAT BET AKRON URN EBB W ELL S CIAO C ROC LOB0 REC IPIE WARM TREATY FAAV A OA GE N I RA I SAL ERRAND OCTET FOMENT HULA H IREMSICATSEBIES IDE GRAM SIOUP Y RJUR A L RESHAPE JOLTS BETIA YSER AL WAIYIS MARDI METAL USSE V I ES O I0 I-NE OR I G IIN HORSE ETAT DICESINATIURE U R G E D LET YEAST GENE TEENYr f 9-30 0 2012 UFS, Dist. by Universal Uclick for UFS 352-341-6400 or visit www. clerk, citrus. fl. us. 50th ANNIVERSARY The McKinneys Engagement Murphy/Hass Geri and Sam Murphy of Lecanto announce the en- gagement and approaching marriage of their daughter, Devin Murphy of Long Beach, Calif., to Tony Hass of Long Beach. The prospective groom is the son of Kerry and Rich Hass of Merrill, Wisc. The bride-elect is a 2002 graduate of Lecanto High School and 2005 graduate of ' the University of South Florida. She graduated from the University of Southern 1 California in 2008 and is now a clinical research associate at Jonathan Children's Can- cer Center in Long Beach. Her fiance is a 2002 gradu- in Corona Del Mar, Calif., as ate of Merrill High School an architect. (Wisconsin) and a 2008 grad- The couple will exchange uate of Iowa State Univer- nuptial vows at 4 p.m. Feb. 2, sity. He is associated with 2013, at Cross Creek Ranch Laidlaw Schultz Architects in Dover. Engagement Gromling/Mclntyre Kayla Elizabeth Gromling and Christian Lee McIntyre of Inverness have an- nounced their engagement The bride-elect is the daughter of Mr and Mrs. Charles Miller Jr and Dawn Miller of Inverness. She is a graduate of Citrus High School, where she was ac- tive in volleyball and track. She is now associated with All About Caring. Her fiance is the son of Mr and Mrs. Jimmy McIn- tyre and Collette McIntyre. A graduate of Citrus High School, he was active in football, track and weightlifting. The prospec- tive groom is now in the U.S. Army Nuptial vows will be ex- changed Oct. 26, 2013. ATTENTION BUSINESS OWNERS I Improve Your Performance I Enhance Your Marketing I Beat the Competition by Attending Score's Small Business Institute Program Begins Tuesday, October 2nd! 6- 8 p.m. Building 3, Room 202 College of Central Florida 3800 S. Lecanto Highway, Lecanto SCORE in partnership with CF is pleased to offer the Small Business Institute again. Sessions are $25 each or $100 for the entire program. Individuals who complete the program will receive a certificate plus a coupon for $100 for future advertising in the Citrus County Chronicle. Tuesday 2 One Hr. Sessions 6pm 8pm Tuesday, October 2nd 6-7pm Increasing Profits 7-8pm Measuring Results Tuesday, October 9th 6-7pm Solving Problems for More Money 7-8pm Projecting Profit Improvements Tuesday, October 16th 6-7pm Research for Profits* 7-8pm Sales Through Marketing & Market Media Tuesday, October 23rd 6-7pm Continuous Improvement For Greater Profits* 7-8pm Profit Planning & Summary FREE Open Round Table Discussions with Facilitator Every Thursday of October 6pm 8pm For Attendees To Register or for more information contact Dale Malm of SCORE at 352-249-1236. Click on Small Business Institue link SCORE@ College of Central Florida CHRONICLE Counselors to America's Small Business CFltraining.cf.edu TOGETHER CITRUS COUNTY (FL) CHRONICLE SPORTS Americans extend advantage vs. Europeans at Ryder Cup./B5 CITRUS COUNTY CHRONICLE - 0 Recreational sports/B2 0 MLB/B3 0 Scoreboard/B4 0 TV, lottery/B4 0 College football/B5, B6 0 Auto racing/B5 0 NFL/B7 0 Entertainment/B8 Real winner of race is Jessie's Place LARRY BUGG Correspondent INVERNESS Citrus County Sheriff Jeff Dawsy smiled like he had just won the race Saturday morning. The 56-year-old chief law en- forcement official finished 144th in the 16th annual Beat the Sher- No. 4FSUshakes lethargic play to down USF30-17 Associated Press TAMPA pre- vious two weeks to Rutgers and Ball State. Yet the second-ever meeting between the schools and Florida State's first appear- ance- see to lead USF (2-3) to a 10- point upset of the Seminoles in his first college start, B.J. Daniels threw for 143 yards, ran for 72 yards more and had two touchdowns for the Bulls. But the game changed dra- matically on a play the senior iff race. He had a time of 25:15 and 143 others reached the finish line before he did. However, it was a fundraiser for Jessie's Place and there was between $12,000-$15,000 raised for the cause, which was the real winner Jessie's Place is a Citrus County child advocacy center in In 'in Beverly Hills. It's named for Jes- to Dawsy's heart, so he was happy sica Marie Lunsford, a Ho- mosassa girl who was kid- napped and murdered in 2005. A record crowd of 476 registered for the race and 435 runners It was a huge effort by everybody. Jeff Dawsy Citrus County Sheriff speaking about the Beat the Sheriff 5K race, which benefits Jessie's Place, a Beverly Hills- based child advocacy care center. crossed the finish line. Jessie's Place is near and dear I with the real winner "It was okay," said Dawsy of his run. "I've done better and worse. "It's (the race) a lot of work, but I think it's emo- tional that the community em- braces it They all know what it's about. They all understand that in . .., .- .-,- =-- -- -. -. -. .... .. ,. .-- .- --- I Associated Press Florida State quarterback EJ Manuel gets sacked by South Florida defensive lineman Tevin Mims during the first quarter Saturday in Tampa. The No. 4 Seminoles improved to 5-0 following a 30-17 win. quarterback missed after being knocked woozy by a hit at the end of a 20-yard run that was wiped out by a holding penalty. With the clock showing no time remaining in the third quarter, the officials an- nounced the period would end with an untimed down. Fresh- man Matt Floyd came off the bench to replace Daniels on third-and-12 from the USF 23. The backup was sacked at the 12 by Cornelius Carradine, who forced a fumble that Jones scooped up and re- turned See Page B6 Beat the Sheriff5K raises money for child advocacy center . -' ..1 :. . ' .~- "* -'" "2 ..-. " :?'"*. .- i. -4. Associated Press Tampa Bay Rays starter Matt Moore pitched seven shutout innings Saturday for the win against the Chicago White Sox in Chicago. I Check & Top-Off All Fluids Check Tire Pressure on All 4 Tires ' 27-Point Inspection - I. Battery Test _.. 0 NO APPOINTMENT NEEDED!- I All makes & models. Valid on any vehicle, even if purchased elsewhere' I 2209 Highway 44 West Inverness, FL 34453 U 352.341.0018 e lovechevysales.com CHEE S -LET HOURS OF OPERATION: *II ^ ySales 9AM-8PM Mon.-Fri.: 9AM-6PM Sat. Service 8AM-5PM Mon.-Frt.: 8AM-Noon Sat. 000CL5D I .111614i tid* FFREE SAVE 13% ,,Alnment iI i I i i iiM h -j-*d L S Get 1 FREE! I I I ... .. .. . I FREE Air CondItoning Check I 'l.,jL-Vrrrg Wjl'r 't ~"1tr- l uI3,i,.Ort ntr3 S We check header valve, air outlet temperature. an & ompresso clut ofraon, bel, oses connectors eks & radia r sur'ces I' '- m- -'-' o I 2219 S. Suncoast Blvd. Homosassa, FL 34448 352.628.4600 Slovehoncda.com Sr A HOURS OF OPERATION: HON Sales 9AM-8PM Mon.-Fri.: 9AM-6PM Sat.; 11 IAM-4PM Sun. Service 8AM-5PM Mon.-Fri.: 8AM-2PM Sat. it's (the threat and performance of abuse) a vicious attack on our young people. They want to make sure that there is some place that they (victims of sexual abuse) can go and get looked at and hopefully healed. It's a great thing. "We should be moving into our permanent location in Lecanto sometime in January or Febru- ary We're excited about that I ap- preciate all the volunteers who came out and helped us put it on. See Page B4 Rays bash White Sox TB's 4 HRs back Moore in win over Chicago Associated Press CHICAGO The math is there for the Tampa Bay Rays to see and despite a 10-4 victory Satur- day over the slumping Chicago White Sox, they know pulling out a wild card berth when trailing by three with four to play is a Rays box monumental score assignment. score Of course, 0 For the they didn't stats from clinch a playoff Tam pa spot last sea- Bay's game son until the against the final day. So, Chicago keep playing. White Sox, "We have to see Page believe we're B4. going to get the help while we take care of our own business. We're 1-0 on Saturday, let's go 1-0 on Sunday," manager Joe Maddon said. "I'm like the biggest score- board watcher, but at the end of the day I can't worry about that" For the White Sox, it's just as difficult They trail Detroit by two in the AL Central with four left and must find a way Sunday to See Page B4 I LOVESERICE COUPON, m nI-n I SPage B2 S SEP jET THE NAME Advanced Fitness wins softball title Special to the Chronicle The men's softball summer sea- son is over, though not without an exciting finish. In the first round ofplayoffs, sec- ond seed Reflections Church 2 faced off against third seed R.C. Lawn Care. After exchanging runs for almost the entire game, Reflec- tions Church came out on top and advanced the championship game. In the opposite bracket, top seed Advanced Fitness was matched up against fourth seed The 01' Guys. Though a hard-fought game by The 01' Guys, Ricardo Valle and his Advanced Fitness team re- mained undefeated. The championship game then commenced. The two teams had already played a game each, but that did not lessen the intensity of this game. At the end of seven in- nings, the game was over and Ad- vanced Fitness kept their undefeated 14-0 record and the first-place trophy Advanced Fitness celebrates its men's softball title. Special to the Chronicle Co-ed softball returns to Bicentennial Park Co-ed softball is back! The fall league will be starting on Oct. 23, with the registration deadline of Oct. 16. Games are held at Bicentennial Park in Crystal River, beginning at 6:30 p.m. League fees depend on the number of teams that register. For any questions or more informa- tion, call recreation programs special- ist Jess Sandino at 352-527-7547. Beach volleyball league begins successfully Beach volleyball has come to Citrus County! Tuesday started off the Parks and Rec department's inaugural beach volleyball league, and it was a total suc- cess. Participants brought their families out, for an all-around great night. If you are interested in playing, we will be having several weekend 4-on-4 tournaments coming soon. Our next league will not begin until February 2013, though everyone is welcome to come out and be a part of the fun! For more information, please con- tact recreation programs specialist Jess Sandino at 352-527-7547. Mark of an athlete Received a Skype from my son, who just returned from a long tour in Afghanistan. On his way home, in Turkey, he met up with an- other group also on their way home. Well, let's just say, they were very happy to be going home. He then said, "all of a sudden the other group tattooed my leg with their motto and I don't remember a thing." Well, as you know, it is not some- thing a dad wants to necessarily hear but having been in a war zone and having your son come home alive .... it's OK! Today, whether it is a team motto, kids' pictures, the Olympic rings, a girlfriend's name or just body art du jour, tattoos are ubiquitous. While I have fre- - quently noted tattoos and * body art be- fore, it struck me that ath- letes, soldiers Dr. Ron Joseph and tattoos DOCTOR'S seem to go to- ORDERS gether ORDERS The cul- tural status of tattooing has evolved from that of an antisocial behavior in the 1960s to that of a trendy fash- ion statement in the 1990s. Tattoos are commonly seen on professional sports figures from the NFL, NHL and NBA to ice skating champions, cage fighters and triathletes. There is a long history of tattoo- ing, as many of you may know better than I, but there is also a substan- tial medical literature. While there is a top-10 list for almost everything, there is also a list for athletes with the best and worst tattoos. The concept of Mike Tyson's fa- cial tattoo actually has a historical basis, reflecting a warrior face as opposed to the prison face when he originally did this several years ago. The word tattoo comes from the Tahitian word "tatau," which means to mark something. Tattoos began more than 5,000 years ago and are as varied as the people who wear them. Tattoos are created by inserting indelible dyes beneath the dermis, or outer layer of the skin. This leaves a variety of patterns with sin- gle or multiple colors. The meanings vary from the warrior in Borneo a thousand years ago to the Maori chief in New Zealand several hun- dred years ago or a football, rugby, basketball or tennis player today There is an online blog that explains the meaning of various athletes' tats. Decorative body art has its values and meanings to the individual. The medical problem faced in the ancient days of tattoos was not as serious as the tattoos of today How they are applied or even the inks used are reasonably similar The difference in society today is the transmitted diseases. Tattoo remorse, the removal of the art of last night's bright idea, can cost up to 10 times more than the inking, over $5,000 or more, is not covered by Obamacare, is un- comfortable, time-consuming and usually incomplete. Tattoos involve many needles making many tiny punctures in the skin. Each needle puncture carries the potential for contamination See DOCTOR/Page B4 Haunted run set for Oct. Special to the Chronicle Citrus Hills will host the Citrus "Haunted" Hills 5K Fun Run at 4:30 p.m. Saturday, Oct 27, in the neighborhood of Terra Vista. The Halloween-themed run will also include a one-mile fun walk, as well as pizza and music at the fin- ish line. The Citrus "Haunted" Hills Fun Run will support the Citrus Memorial Heart and Vascular Center. Sponsors include HPH Hospice, Comfort Keepers and the Citrus County Chronicle. Registration begins at 3 p.m. at Terra Vista's BellaVita Fitness Center, 2125 W Skyview Crossing, Hernando. Participants may reg- ister in advance at www. citrusroadrunners. org. The registration fees are: Adult pre-registration (price good through Oct. 26 and in- cludes T-shirt) $20 Citrus Roadrunners and Cit- rus Hills member preregistration (price good through Oct. 26 and includes a T-shirt) $18 Adult registration on race day, Oct. 27 (T-shirt quantities limited for day-of registrants) - $25 Children 10 and younger - $12 At the conclusion of the race, prizes will be awarded for Top Male and Female Runners in standard age groups, Best Cos- tume Individual and Best Cos- tume Group. For more information or to sign up, visit wwwcitrusroad runners. org, or call 352-746-5828. NCSC has important upcoming dates The Nature Coast Soccer Club is holding recreational coaching clinics scheduled: * U-6 Academy on Tuesday, Oct. 2, from 5:30 to 7:30 p.m. * U-8 Academy on Thursday, Oct. 4, from 5:30 to 7:30 p.m. * U-10 on Saturday, Oct.6, from 9 to 11:30 a.m. * U-12/14 on Saturday, Oct. 6, from 1 to 3:30 p.m. Meet Mike Penn, director of coach- ing, at the Central Ridge fields. Other important dates include our Jam- boree on Oct. 27, Opening Day on Nov. 3 and Picture Day on Nov.10. For information, go to the website at or "like" us on Facebook. Movie in the Park on Oct. 27 Parents, don't forget to mark your calendar for Citrus County Parks and Recreation's annual Halloween Movie in the Park event. This year's event will be Saturday, Oct. 27, at Lecanto Community Park. Monsters vs. Aliens (rated PG) will be this year's movie and will be shown on Parks and Rec's new two-story-tall air screen. The movie will begin at dusk. Once again, there will be a pre- carved pumpkin contest and several categories of costume contests includ- ing: boys, girls, couples and family. Pre-movie festivities begin at 6 p.m. and will include a bounce house, face painting and carnival games. Free popcorn will be pro- vided and food, drinks, and glow-in- the-dark products available for DAVE SIGLERIChronicle Seven Rivers Christian School's Zach Saxer tries to throw a loose ball off a Weeki Wachee player to re- tain possession Saturday during a United States Speciality Sports Association (USSSA) boys basketball shootout at Lecanto High School. purchase. For more information, call Citrus County Parks and Recreation at 352-527-7540 or visit www. citruscountyparks.com. 5K, 'Popsicle Mile' run for scholarships The inaugural Alumni Pride 5K and Popsicle Mile Run/Walk at the Lecanto High School complex will be Oct. 6. Proceeds will be used for scholarship programs at Lecanto. All finishers in the Popsicle Mile will be recognized. Awards in the 5K will be given to the top two finishers in each age category: younger than 11, 12 to 14, 15 to 18, 19 to 29, 30 to 39, 40 to 49, and 50 and older. Register online at active.com; type in Lecanto as the site. Or, get a mail-in application at scoringproviders/first-annual- alumni-pride-5k-and-popsicle-mile- fun-run-walk. Race day registration begins at 8 a.m.; 5K is a 8:15 and Popsicle Mile is at 9:15 a.m. Register by Monday, Oct. 1, at 2 p.m. and receive a T-shirt. For more information, contact Mike Ossman at mikeossmann@ nefcom.net or 352-904-886-3344; or email Freddie Bullock at bullockf@citrus.k12.fl.us; or call Ron Allan at 352-746-2334. Tourney for Wounded Warriors Project The Beverly Hills Horseshoe Club will have its inaugural Veterans Tour- nament fundraiser for Wounded War- riors Project on Dec. 8. Men, women and youths are welcome. All pro- ceeds will go to the Wounded War- riors Project. Sponsors will be accepted and recognized. There will be two divisions, NHPA-sanctioned players and unsanctioned players. Sanctioned players will follow NHPAtournament rules, and will pitch five games of 40 shoes. Sanc- tioned players will be credited for their scores as in any other NHPA tournament. Unsanctioned players will pitch three games of 30 shoes; the rules for these players will follow the NHPA guidelines for scoring. Thirty and 40 foot players will play together. The 30-foot rule will be as follows: 60 years and older have the choice of pitching 30 or 40 feet. All women and youths (17 and younger) will pitch 30 feet. Physically chal- lenged players will have the right to pitch 30 feet, regardless of age. All others pitch 40 feet. Entry fee will be $15. All players will receive a free hamburger or hot dog and a cold drink after they have pitched. All entries must be in before Tuesday, Dec. 4, by 5 p.m. Entries can be made by phone or email; pay- ment must be in by Dec. 4, as time is needed to form classes for sanc- tioned players and a schedule for unsanctioned players. The public is welcome to observe. Refreshments will be served at a dis- counted price for non-pitchers. For entry information, call Ron Fair at 352-746-3924, or email rfair3@ tampabay.rr.com. Parks & Rec offers youth tennis lessons Come join Citrus County Parks & Recreation and Tennis Pro Mehdi Tahiri for youth tennis lessons. Instruction will include conditioning, drills, footwork, match play, doubles and single strategy. The five-week ses- sions will be at the Cit- rus Y at 352-637-0132. Golf tourney needs committee members The Alzheimer's Family Organiza- tion will have its 12th Annual Charity Golf Tournament on Nov. 10 at Seven Springs Golf and Country Club, New Port Richey. Committee members are needed to assist in the coordination of the fundraising event. The Alzheimer's Family Organiza- tion serves the central Florida area, including Citrus, Hernando, northern Hillsborough, Lake, Pasco, northern Pinellas and Sumter counties. The Florida Department of Elder Affairs has determined this region has more than 100,000 Alzheimer's disease sufferers. By assisting the Alzheimer's Family Organization, participants net- work with local and regional profes- sionals, golfers and concerned members of the community helping those afflicted with Alzheimer's dis- ease and their families. For more information, call 727-848- 8888, or toll-free at 888-496-8004. Throw horseshoes in Beverly Hills Beverly Hills Horseshoe Club meets at 8:30 a.m. each Wednesday. Men, women and juniors age 10 and older can join. There are all levels of play; handi- capped method. Call Ron Fair 352-746-3924, or email rfair3@ tampabay.rr.com. IN CITRUS COUNTY (FL) CHRONICLE AL Rays 10, White Sox 4 Tampa Bay Chicago ab rh bi ab rh bi DJnngs If 5 0 1 0 Wise cf 3 0 0 0 BUptoncf 4 1 1 1 JrDnksph-cf 0 1 0 0 EJhnsn ss 1 0 0 0 Youkils 3b 3 0 0 0 Zobrist ss 4 2 2 1 Omedo ph-ss 1 1 1 0 Thmpscf 0 00 0 A.DunnIb 3 0 0 0 Longori3b 4 1 1 1 Jhnsnph-lb 0 1 0 0 Brignc 3b 0 00 0 Konerk dh 3 0 0 0 Kppngrlb 4 1 1 2 Hudsnph-dh 1 1 1 4 C.Penalb 1 00 0 Riosrf 3 0 2 0 BFrncs rf 2 0 1 0 HGmnz ph-rf 1 0 0 0 Joyce ph-rf 2 2 2 4 Viciedo If 3 0 0 0 RRorts 2b 4 0 1 0 AIRmrz ss 3 0 0 0 SRdrgz dh 2 1 0 0 JoLopz 3b 1 0 0 0 Scott ph-dh 2 0 1 0 Flowrs c 4 0 0 0 CGmnz c 3 22 1 Bckhm 2b 2 0 0 0 Vogtph-c 1 0 0 0 Totals 39101310 Totals 31 4 4 4 Tampa Bay 003 201 130 10 Chicago 000 000 040 4 E-Beckham (7). LOB-Tampa Bay 10, Chicago 4. 2B-Zobrist (39). HR-Keppinger (9), Joyce 2 (17), C.Gimenez (1), O.Hudson (2). SB-De.Jennings 2 (31), B.Upton (31). CS- Joyce (3). IP H RERBBSO Tampa Bay M.MooreW,11-11 51-31 0 0 2 4 Farnsworth 2-3 0 0 0 0 1 Archer 2 3 4 4 2 2 B.Gomes 1 0 0 0 0 1 Chicago Sale L,17-8 31-37 5 5 3 7 Omogrosso 12-32 0 0 1 3 Heath 1-3 1 1 1 1 0 Axelrod 12-32 3 2 3 3 Septimo 1 1 1 1 0 2 Marinez 1 0 0 0 0 1 Axelrod pitched to 2 batters in the 8th. T-3:19. A-26,559(40,615). Blue Jays 3, Yankees 2 New York Toronto ab rh bi ab rh bi Jeter dh-ss 5 1 1 0 Lawrie 3b 3 00 0 ISuzukilf-rf 5 1 3 0 RDavis If 4 1 3 2 AIRdrg 3b 3 00 0 Encrnc dh 4 0 0 0 Cano 2b 3 0 2 1 YEscor ss 3 1 1 0 Swisherib 3 02 0 YGomslb 2 0 1 0 Grndrscf 3 0 0 1 Lindph-1b 0 0 0 0 AnJons rf 2 00 0 Sierra rf 4 0 0 0 Ibanez ph-lf 2 0 0 0 Mathis c 3 1 1 0 Gardnr pr-lf 0 0 0 0 Hchvrr 2b 3 0 1 1 ENunez ss 3 0 1 0 Gose cf 3 0 0 0 Pettittep 0 000 Chmrlnp 0 00 0 ErChvz ph 1 00 0 Eppleyp 0 00 0 Logan p 0 000 DRrtsn p 0 00 0 CStwrt c 2 00 0 RMartnph 1 0 0 0 Totals 33 29 2 Totals 29 3 7 3 NewYork 200 000 000 2 Toronto 100 011 OOx 3 E-Sh.Hill (1), YGomes (1). DP-New York 1, Toronto 1. LOB-New York 10, Toronto 6.2B- Mathis (12), Hechavarria (7). HR-R.Davis (8). CS-I.Suzuki (7), Gardner (1). SF-Cano, Granderson. IP H RERBBSO New York Pettitte L,5-4 52-35 3 3 3 4 Chamberlain 11-31 0 0 0 3 Eppley 1-3 1 0 0 0 0 Logan 0 0 0 0 1 0 D.Robertson 2-3 0 0 0 0 0 Toronto R.Romero 3 6 2 2 2 3 Sh.HilIIW,1-0 3 0 0 0 2 0 LincolnH,4 1-3 1 0 0 0 1 LoupH,5 2-3 1 0 0 0 0 DelabarH,10 1 0 0 0 0 2 JanssenS,21-24 1 1 0 0 0 1 Logan pitched to 1 batter in the 8th. WP-R.Romero. T-2:54. A-36,139 (49,260). A's 7, Mariners 4 (10 innings) Seattle Oakland ab rh bi ab rh bi Ackley 2b 4 0 0 0 Crisp cf 5 2 4 0 Gutirrzcf 5 0 0 0 Drew ss 4 0 0 0 Seager3b 5 1 1 1 Cespdsl If 4 2 2 0 Jasodh 3 1 1 0 Mosslb 5 1 3 5 Smoaklb 3 1 0 0 JGomsdh 3 0 0 0 MSndrs If 3 1 1 2 S.Smith ph-dhl 0 0 0 Olivoc 4 0 1 0 Reddckrf 3 1 0 0 C.Wells rf 4 0 0 0 Dnldsn 3b 4 1 1 2 Triunflss 3 0 1 0 DNorrs c 4 0 0 0 JMontr ph 1 0 0 0 Rosales 2b 2 0 0 0 Ryan ss 0 0 0 0 Pnngtnph-2b 2 0 0 0 Totals 35 45 3 Totals 37710 7 Seattle 010 300 000 0 4 Oakland 000 100 012 3 7 One out when winning run scored. E-Moss (9), Cespedes (3). LOB-Seattle 5, Oakland 5.2B-Olivo (13), Crisp (23), Ces- pedes (25), Moss (16). HR-Seager (19), M.Saunders (19), Moss (21), Donaldson (9). SB-Jaso (5), M.Saunders (21), Crisp (37). IP H RERBBSO Seattle Vargas 7 5 1 1 0 7 C.CappsH,2 1-3 1 1 1 1 1 Wilhelmsen BS,5-34 12-32 2 2 1 3 O.PerezL,1-3 1-3 1 1 1 0 0 Pryor 0 1 2 2 1 0 Oakland Straily 41-33 4 3 4 3 Figueroa 12-30 0 0 0 3 Neshek 1 0 0 0 0 0 Scribner 11-32 0 0 0 0 R.Cook 2-3 0 0 0 0 1 BalfourW,3-2 1 0 0 0 0 1 Pryor pitched to 2 batters in the 10th. T-3:09. A-21,517 (35,067). Tigers 6, Twins 4 Detroit Minnesota ab rhbi ab rhbi AJcksncf 5 1 1 0 Spancf 4 1 0 0 Berry If 4 1 1 0 Revere If 5 0 2 0 MiCarr3b 4 1 1 3 Mauerdh 3 1 0 0 Fielder 1b 4 1 1 1 Mornealb 4 1 0 0 DYong dh 4 00 0 Doumit c 4 1 1 4 Dirks rf 4 2 2 1 Parmel rf 4 0 1 0 JhPerlt ss 4 0 1 1 Plouffe 3b 4 0 2 0 Avila c 4 0 0 0 JCarrll2b 3 0 0 0 Infante 2b 3 0 1 0 Flormnss 3 0 0 0 Totals 36 68 6 Totals 34 4 6 4 Detroit 020 000 040 6 Minnesota 000 000 040 4 E-Jh.Peralta (7), Plouffe (18). LOB-Detroit 5, Minnesota 9.2B-Jh.Peralta (32), Plouffe (17). HR-Mi.Cabrera (43), Fielder (29), Dirks (8), Doumit (18). SB-A.Jackson (12), Berry (21), Infante (5), Revere (39). IP H RERBBSO Detroit VerlanderW,17-8 Benoit Alburquerque H,1 Valverde S,33-38 Minnesota Walters L,2-5 Duensing AI.Burnett Fien Perdomo 7 4 1 1-3 1 3 2-3 1 0 1 0 0 AI.Burnett pitched to 2 batters in the 8th. Verlander pitched to 1 batter in the 8th. Balk-Alburquerque. T-3:23. A-32,839 (39,500). BASEBALL AMERICAN LEAGUE W Baltimore 91 New York 91 Tampa Bay 87 Toronto 70 Boston 69 W z-Washington96 z-Atlanta 92 Philadelphia78 New York 73 Miami 67 East Division L Pct GB WC L10 67 .576 7-3 67 .576 6-4 71 .551 4 3 9-1 88 .443 21 20 4-6 89 .437 22 21 2-8 East Division L Pct GB WC L10 62 .608 6-4 66 .582 4 7-3 79 .497 1712612 5-5 85 .462 23 12 7-3 90 .427 2812 1712 2-8 Str Home W-3 46-34 L-1 48-30 W-1 44-34 W-1 38-39 L-4 34-47 Away W 45-33 Detroit 85 43-37 Chicago 83 43-37 Kansas City70 32-49 Cleveland 66 35-42 Minnesota 66 Central Division L Pct GB WC L10 Str Home Away 73 .538 6-4 W-1 50-31 35-42 75 .525 2 7 2-8 L-1 45-35 38-40 87 .446 14Y219Y2 4-6 L-6 36-42 34-45 91 .420 18Y223Y2 5-5 W-3 35-41 31-50 92 .418 19 24 5-5 L-1 31-49 35-43 W Texas 92 Oakland 90 Los Angeles 87 Seattle 73 NATIONAL LEAGUE Str Home Away W-1 48-30 48-32 W-1 47-33 45-33 L-3 40-41 38-38 L-1 36-45 37-40 W-1 36-40 31-50 z-clinched playoff berth W x-Cincinnati 95 St. Louis 85 Milwaukee 81 Pittsburgh 77 Chicago 59 Houston 52 Central Division L Pct GB WC L10 Str Home Away 63 .601 6-4 L-1 50-31 45-32 73 .538 10 7-3 L-1 47-30 38-43 77 .513 14 4 5-5 W-1 47-30 34-47 81 .487 18 8 3-7 W-1 43-34 34-47 98 .376 35Y2 25Y2 1-9 L-6 37-41 22-57 106.329 43 33 4-6 L-1 35-46 17-60 W x-San Fran. 92 Los Angeles 82 Arizona 79 San Diego 74 Colorado 62 West Division L Pct GB WC L10 Str Home Away 65 .586 5-5 L-1 49-30 43-35 68 .570 212 6-4 W-2 46-31 44-37 70 .554 5 212 7-3 W-1 46-35 41-35 85 .462 191217 3-7 L-2 38-40 35-45 West Division L Pct GB WC L10 Str Home Away 65 .586 8-2 W-3 48-33 44-32 75 .522 10 2Y2 6-4 W-3 41-35 41-40 78 .503 13 5Y2 6-4 W-1 39-37 40-41 83 .471 18 10Y2 3-7 L-3 41-38 33-45 95 .395 30 22Y2 4-6 L-1 35-46 27-49 x-clinched division Associated Press Toronto Blue Jays Adeiny Hechavarria, left, and Rajai Davis celebrate their team's 3-2 win over the New York Yankees Saturday in Toronto. Yankees lose, Orioles win Teams now tied for AL East lead Associated Press TORONTO -Adeiny Hechavarria doubled home the tiebreaking run in the sixth inning and the Toronto Blue Jays beat the Yankees 3-2. Toronto's Rajai Davis homered and had three hits as the Blue Jays increased the pressure on the Yan- kees, who wasted several opportuni- ties early Shawn Hill (1-0) pitched three in- nings of scoreless relief for the win and Casey Janssen closed it out for his 21st save in 24 chances. Andy Pettitte's stretch of 11 score- less innings since his return from a broken lower left leg was halted in the first when Davis hit a one-out solo homer to left, his eighth. Davis had hits in his first three at bats after a 4-for-4 night Friday, giv- ing him seven straight hits before he struck out in the seventh. The Yankees loaded the bases twice in the first inning but managed just a pair of sacrifice flies by Robin- son Cano and Curtis Granderson. New York loaded the bases again in the third but failed to score, com- ing up empty when Hechavarria made a diving catch on Eduardo Nunez's sharp liner for the third out. Toronto tied it in the fifth when Jeff Mathis led off with a double, took third on a fly and scored on a two-out single by Davis. AMERICAN LEAGUE Tigers 6, Twins 2 MINNEAPOLIS Miguel Cabrera hit a three-run homer to move into at least a tie for the lead in all three triple crown cat- egories and Justin Verlander struck out eight in seven innings to help the Detroit Tigers stay in front in the AL Central with a 6-4 victory over the Minnesota Twins. be- come the first player since 1967 to lead the league in all three categories. Verlander (17-8) allowed four hits and one unearned run to drop his ERA to 2.64 for the Tigers. stream- ing out of the dugout to celebrate its major-league leading 14th walk-off win. The A's are 2 1/2 games back of Texas in the division and 2 1/2 ahead of the Los Angeles Angels for the final wild card. AMERICAN LEAGUE Friday's Games Saturday's Games at Cleveland, late Sunday's Games Kansas City (Hochevar 8-15) at Cleveland (McAllister5-8), 1:05 p.m. Angels (Greinke 6-2) atTexas (Darvish 16-9), 1:05p.m. (Game 1) Yankees (Hughes 16-13) at Toronto (Alvarez 9-14), 1:07 p.m. Boston (Z.Stewart 1-3) at Baltimore (J.Saunders 2-3), 1:35 p.m. Detroit (A.Sanchez 4-6) at Minnesota (Hendks 1 -8), 2:10 p.m. Tampa Bay (Price 19-5) at White Sox (Quintana 6-5), 2:10 p.m. Seattle (Er.Ramirez 1-3) at Oakland (Milone 13-10), 4:05 p.m. Angels (Santana 9-12) atTexas (Holland 11-6), 7:05 p.m. (Game 2) Monday's Games. NATIONAL LEAGUE Friday's Games's Games Pittsburgh 2, Cincinnati 1 Milwaukee 9, Houston 5 Atlanta 2, N.Y. Mets 0 Philadelphia at Miami, late Washington 6, St. Louis 4 (10 innings) Chicago Cubs at Arizona, late San Francisco at San Diego, late Colorado at L.A. Dodgers, late Sunday's Games Philadelphia (Hamels 16-6) at Miami (Eovaldi 4-12), 1:10 p.m. Cincinnati (Cueto 19-9) at Pittsburgh (Rodriguez 12-13), 1:35 p.m. N.Y. Mets (Mejia 1-1) at Atlanta (Medlen 9-1), 1:35 p.m. Houston (Lyles 4-12) at Milwaukee (Fiers 9-9), 2:10 p.m. Washington (Detwiler 10-7) at St. Louis (Lynn 17-7), 2:15 p.m. San Fran. (Uncecum 10-15) at San Diego (Volquez 11-11), 4:05 p.m. Chicago Cubs (Rusin 1-3) at Aizona (Collmenter 5-3), 4:10 p.m. Colorado (J.De La Rosa 0-1) at Dodgers (Beckett 1-3), 4:10 p.m. Monday's Games. For more box scores, see Page B4. Orioles 4, Red Sox 3 BALTIMORE Chris Davis hit his 30th home run, rookie Manny Machado lined a go-ahead shot in the seventh in- ning and the Orioles climbed into a tie atop the AL East by defeating the Red Sox. After finishing in the division cellar in the previous four seasons, Baltimore (91- 67) is now in first place with the New York Yankees. Both teams have four games left. Baltimore went ahead 3-0 in the fourth, then let Boston pull even before Machado homered a liner into the second row of the left-field seats off Felix Doubront (11-10). NATIONAL LEAGUE Braves 2, Mets 0 ATLANTA- Mike Minor pitched 6 1-3 sharp innings to win his fifth straight deci- sion, Martin Prado and Jason Heyward each had an RBI and the Atlanta Braves beat the New York Mets 2-0.. Pirates 2, Reds 1 PITTSBURGH -Andrew McCutchen hit a solo home run off Jonathan Broxton with one out in the ninth inning, lifting the Pittsburgh Pirates over the Cincinnati Reds 2-1. A day after getting no-hit by Cincin- nati's Homer Bailey, the Pirates won with eight hits. McCutchen's 31st homer helped Pitts- burgh. Brewers 9, Astros 5 MILWAUKEE. Nationals 6, Cardinals 4 (10 innings) ST. LOUIS Michael Morse circled the bases for a grand slam after taking an imaginary swing, and the Washington Na- tionals cut their magic number for winning the NL East to one Saturday night, beat- ing re- trace their steps and Morse back to the plate. He mimicked his swing minus a bat, then made his trip around the bases. SUNDAY, SEPTEMBER 30, 2012 B3 NL Pirates 2, Reds 1 Cincinnati WValdz 2b Cozart ss Votto lb Gregrs pr Ondrskp Broxtn p Rolen 3b Bruce rf Heisey If DNavrr c Stubbs cf Leake p Arrdnd p Ludwck ph Phipps pr Frazier 1 b Pittsburgh ab r h bi 4 0 1 0 4 0 1 0 2 0 1 0 0 00 0 00 0 00 0 4 0 1 1 4 0 0 0 3 0 0 0 3 0 1 0 4 0 0 0 2 0 1 0 0 0 0 0 1 0 1 0 0 1 0 0 0 0 0 0 Presley If SMarte If JHrrsn 2b AMcCt cf GJones rf Grilli p Hanrhn p GSnchz lb PAIvrz 3b McKnr c Barmes ss dArnad pr Tabata rf McPhrs p JHughs p Holtph Mercer ss ab rh bi Totals 31 171 Totals 3228 2 Cincinnati 000 000 010 1 Pittsburgh 000 000 101 2 One out when winning run scored. E-Arredondo (1), Cozart (14). DP-Pitts- burgh 1. LOB-Cincinnati 9, Pittsburgh 12. 2B-Leake (3), Ludwick (26), Presley (12), PAlvarez (24). HR-A.McCutchen (31). S- W.Valdez, D.Navarro, Holt. IP H RERBBSO Cincinnati Leake 6 4 0 0 3 3 Arredondo 1 2 1 1 1 1 Ondrusek 1 1 0 0 2 0 BroxtonL,3-2 1-3 1 1 1 0 0 Pittsburgh McPherson 6 4 0 0 1 5 J.Hughes 1 1 0 0 0 2 Grilli BS,3-5 1 2 1 1 1 2 HanrahanW,5-1 1 0 0 0 2 0 WP-Ondrusek. T-3:11. A-38,623 (38,362). Braves 2, Mets 0 NewYork Atlanta ab rh bi ab rh bi Tejada ss 4 0 0 0 Constnz cf 4 0 1 0 AnTrrs cf 3 0 1 0 Venters p 0 0 0 0 DnMrp ph 1 0 0 0 Kimrel p 0 00 0 DWrght3b 3 0 1 0 Pradolf 4 1 2 1 Hairstn rf 3 0 1 0 Heywrd rf 4 00 1 I.Davisph 1 0 0 0 C.Jones 3b 4 0 0 0 Dudalb 4 0 0 0 FFrmnib 4 00 0 Bay If 3 0 1 0 Uggla 2b 3 0 2 0 RCeden 2b 3 0 0 0 McCnnc 2 01 0 Nickesc 2 0 0 0 Smmnsss 3 1 2 0 Shpchph-c 1 0 1 0 Minor p 1 0 0 0 CYoung p 2 0 0 0 Durbin p 0 00 0 EIRmrp 0 0 0 0 Avilanp 0 00 0 JuTrnrph 1 0 0 0 Hinskeph 1 00 0 RRmrzp 0 00 0 RJhnsncf 0 00 0 Totals 31 05 0 Totals 302 8 2 NewYork 000 000 000 0 Atlanta 100 010 00x 2 E-Uggla (12). DP-Atlanta 2. LOB-New York 5, Atlanta 6. 2B-D.Wright (41), Prado 2 (42). CS-Constanza (2). S-Minor. IP H RERBBSO NewYork C.YoungL,4-9 6 7 2 2 1 6 EI.Ramirez 1 1 0 0 0 1 R.Ramirez 1 0 0 0 0 1 Atlanta Minor W,11-10 61-33 0 0 0 4 Durbin H,15 1-3 0 0 0 0 0 AvilanH,5 1-3 0 0 0 0 1 VentersH,20 1 2 0 0 0 0 KimbrelS,41-44 1 0 0 0 0 2 HBP-by Kimbrel (D.Wright).WP-C.Young 2, Kimbrel. Balk-Avilan. T-2:33. A-48,310 (49,586). Brewers 9, Astros 5 Houston Milwaukee ab r h bi ab rh bi Altuve 2b 4 0 0 0 Aoki rf 5 23 2 SMoore rf 4 1 2 0 Bianchi 3b 0 00 0 Wallacb 4 01 0 RWeks2b 4 00 0 FMrtnz If 3 1 1 2 Farrisph-2b 1 01 0 JCastroc 4 1 1 0 Braun If 3 1 2 0 Dmngz3b 3 0 1 0 Morganph-lf 1 00 0 DelRsrp 0 0 0 0 ArRmr3b 4 2 3 2 Bogsvc ph 1 1 1 2 LSchfr ph-rf 0 0 0 1 Greeness 4 1 1 1 Hartib 3 22 4 BBarnscf 4 0 1 0 lshikawph-1b1 0 0 0 Keuchl p 0 0 0 0 Lucroy c 4 1 1 0 Fick p 0 00 0 Torreal c 0 0 0 0 Pareds ph 1 0 0 0 CGomzcf 4 02 0 Storey p 0 0 0 0 Segura ss 3 1 1 0 B.Laird3b 1 0 0 0 Estradp 3 0 0 0 LHrndzp 0 00 0 Verasp 0 00 0 Totals 33 59 5 Totals 36915 9 Houston 000 000 005 5 Milwaukee 043 100 01x 9 E-Del Rosario (2). DP-Houston 1, Milwaukee 1. LOB-Houston 3, Milwaukee 8. 2B-Aoki (37), C.Gomez (19), Segura (4). HR-F.Mar- tinez (4), Bogusevic (7), Greene (11), Ar.Ramirez (27), Hart 2 (30). S-Keuchel, Estrada. SF-L.Schafer. IP H RERBBSO Houston Keuchel L,3-8 21-38 7 7 1 2 Fick 12-32 1 1 1 0 Storey 2 3 0 0 1 1 DelRosario 2 2 1 0 0 1 Milwaukee Estrada W,5-7 8 4 0 0 1 11 Li.Hernandez 2-3 5 5 5 0 0 Veras 1-3 0 0 0 0 0 WP-Fick. T-3:05. A-34,294 (41,900). Nationals 6, Cardinals 4 (10 innings) Washington St. Louis ab r h bi Werth rf 6 0 1 0 Harper cf 5 1 3 0 Zmrmn3b 5 1 2 0 LaRochIb 3 2 2 0 Morse If 4 1 1 4 Berndn If 0 0 0 0 Dsmnd ss 5 00 0 Espinos2b 4 1 1 0 KSuzukc 5 0 2 2 Zmrmnp 2 00 0 SBurntt p 0 00 0 Matthsp 0 0 0 0 Clipprd p 0 0 0 0 Tracy ph 1 0 0 0 Storen p 0 0 0 0 Lmrdzzph 1 0 1 0 Stmmn p 0 00 0 Totals 41 6136 ab rh bi Jay cf 4 0 2 MCrpnt 3b 5 0 0 Hollidy If 4 0 1 Craigilb 5 0 1 YMolin c 4 0 1 Beltran rf 4 1 1 Schmkr 2b 4 1 1 SFrmn p 0 0 0 Salas p 0 00 Kozma ss 4 2 3 Lohse p 2 0 0 Mujica p 0 0 0 Freese ph 0 0 0 Chamrs pr 0 0 0 Boggs p 0 0 0 Motte p 0 00 Descls ph-2b 1 0 1 Totals 37 411 Washington400 000 000 2 6 St. Louis 000 000 301 0 4 DP-Washington 3. LOB-Washington 10, St. Louis 7. 2B-Harper (25), Zimmerman (36), K.Suzuki (5), Kozma (4). HR-Morse (17). S- Bernadina, Zimmermann. SF-Jay. IP H RERBBSO Washington Zimmermann 61-37 3 3 2 5 S.BurnettH,30 1-3 1 0 0 0 0 MattheusH,17 1-3 0 0 0 0 0 ClippardH,12 1 0 0 0 1 0 StorenW,3-1 BS,1-4 1 2 1 1 0 1 StammenS,1-2 1 1 0 0 0 1 St. Louis Lohse 6 8 4 4 1 9 Mujica 1 2 0 0 0 2 Boggs 1 0 0 0 0 1 Motte 1 1 0 0 0 1 S.Freeman L,0-2 1-3 0 1 1 1 0 Salas 2-3 2 1 1 1 0 PB-Y.Molina. T-3:38. A-42,264 (43,975). B4 SUNDAY, SEPTEMBER 30, 2012 Crystal River 37, Citrus 34, OT CR 13 8 0 10 6 37 CH 7 7 17 0 3 34 Scoring Summary First Quarter CR D. Baldner 40-yard run (J. McAteer kick) CH D. Franklin 19-yard pass from C. Bog- art (A. Killeen kick) CR S. Franklin 36-yard pass from Joe LaFleur (kick blocked) Second Quarter CR -A. Ellison 45-yard fumble return (A. El- lison run) CH D. Chapes 2-yard run (Killeen kick) Third Quarter CH A. Killeen 35-yard field goal CH -J. Pouncey 55-yard punt return (Killeen kick) CH Pouncey 39-yard run (Killeen kick) Fourth Quarter CR McAteer 26-yard field goal CR Franklin 29-yard pass from LaFleur (McAteer kick) Overtime CH Killeen 26-yard field goal CR D. Dawsy 5-yard pass from LaFleur Individual Leaders Passing -CR: LaFleur 69-9-141-3-0; CH: Bog- art 6-11-106-1-1. Rushing CR: Baldner 15-76-1; Ty Reynolds 6-19-0; CH: Pouncey 19-125-1; Chapes 34-109- 1. Receiving CR: Franklin 3-99-2; Reynolds 1 - 26-0; Dawsy 1-5-1; CH: Desmond Franklin 2-36-1; Stevie Smith 2-33-0; Pouncey 1-29-0 Interceptions CR: McAteer. Lecanto 28, The Villages 0 LEC 6 15 0 7 28 VIL 0 0 0 0 0 Scoring Summary First Quarter LEC N. Waters 5-yd run (kick blocked) Second Quarter LEC R. Addison 60-yd run (N. Waters 2-pt run good) LEC D. Anderson 90-yd fumble return (kick good) Fourth Quarter LEC N. Waters 12-yd run (kick good) Individual Leaders Passing LEC: C. Barber 3-7-54-0-0; VIL: C. Kelly 5-11-129-1-1. Rushing LEC: R. Addison 6-140-1, N. Waters 9-99-2, J. Lucas 12-61-0; VIL: M. Sallie 11 -48-0, T. MacEdo 10-47-0. Recieving LEC: J. Lucas 3-55-0; VIL: T. MacEdo 5-129-0. South Sumter 35, Dunnellon 7 Dun 0 7 0 0 7 SS 14 0 7 14 35 Scoring Summary First Quarter SS- Simmons 11 pass to McKrachon (Moir kick) SS -Simmons 51 rush (Moir kick) Second Quarter Dun Boley 29 pass to Jackson (kick good) Third Quarter SS D. Gibson 91 kick return (Moir kick) Fourth Quarter SS Simmons 15 pass to L. Gibson (Moir kick) SS Brown 5 rush (Moir kick) Individual Leaders Rushing Dun: Boley 18-58; SS: Simmons 3- 58-1, McMullen 8-38-0, Brown 3-11-1. Passing Dun: Boley 5-14-67-1-2; SS:Simmons 3-12-50-2-1. Receiving Dun: Jackson 3-44-1; SS: Bannis- ter 1-24-0; L. Gibson 1-15-1; McKrachon 1-11-1. Glantz-Culver Line NFL Today FAVORITE OPEN TODAY O/U UNDERDOG New England 3 at Detroit 6 at Atlanta 7 San Francisco 312 San Diego 1Y2 at Houston 11 Seattle 212 at Arizona 612 at Denver 6 Cincinnati 212 atGreen Bay 7 at Tampa Bay 2Y2 at Philadelphia 2 (5012) at Buffalo (48Y2) Minnesota (48Y2) Carolina (4112) at N.Y Jets (4412) at Kan. City (4412) Tennessee (39) at St. Louis (39) Miami (4812) Oakland (4312) at Jax. (53) New Orleans (4712) Washington (4712) N.Y Giants Tomorrow at Dallas 3 3Y2 (42) Chicago Ryder Cup results Saturday At Medinah Country Club Medinah, Ill. United States 10, Europe 6 Foursomes United States 3, Europe 1 Justin Rose and lan- cia, Europe, 2 and 1. Jim Furyk and Brandt Snedeker, United States, def. Rory Mcllroy and Graeme McDow- ell, Moli- nari, Europe, 5 and 4. Sergio Garcia and Luke Donald, Europe, def. Tiger Woods and Steve Stricker, United States, 1 up. Rory Mcllroy and lan Poulter, Europe def.Jason Dufner and Zach Johnson, United States, 1 up. Ryder Cup pairings Sunday At Medinah Country Club Medinah, Ill. All Times EDT Singles 12:03 p.m. Luke Donald, Europe, vs. Bubba Watson, United States. 12:14 p.m. -an Poulter, Europe, vs. Webb Simpson, United States. 12:25 p.m.- Rory Mcllroy, Europe, vs. Kee- gan Bradley, United States. 12:36 p.m. -Justin Rose, Europe, vs. Phil Mickelson, United States. 12:47p.m.-Paul Lawrie, Europe, vs. Brandt Snedeker, United States. 12:58 p.m.- Nicolas Colsaerts, Europe, vs. Dustin Johnson, United States. SCOREBOARD FOT 1theC record == lorida LOTTERY Here are the winning numbers selected Saturday in the Florida Lottery: CASH 3 (early) 0-1-1 .;..*. CASH 3 (late) 2-8-4 .K PLAY 4 (early) 5-5-7-8 PLAY 4 (late) 5-3-5-9 FANTASY 5 Florida Lotty 4-18-21-26-30 POWERBALL LOTTERY 14-18-28-29-57 10-15-21-28-35-41 POWER BALL XTRA 8 3 On the AIRWAVES TODAY'S SPORTS AUTO RACING 2 p.m. (ESPN) Sprint Cup: AAA 400 race 2 p.m. (ESPN2) NHRA Lucas Oil Series (Taped) 6 p.m. (ESPN2) Global Rallycross Championship (Taped) 8 p.m. (ESPN2) NHRAAAA Insurance Midwest Nationals (Same-day Tape) 12 a.m. (ESPN2) Sprint Cup: AAA 400 race (Taped) BASEBALL 1 p.m. (FSNFL) Philadelphia Phillies at Miami Marlins 2 p.m. (SUN) Tampa Bay Rays at Chicago White Sox 2 p.m. (TBS) Tampa Bay Rays at Chicago White Sox 2 p.m. (WGN-A) Chicago Cubs at Arizona Diamondbacks WOMEN'S BASKETBALL WNBA conference semifinal 4 p.m. (ESPN2) Indiana Fever at Atlanta Dream. Conference Semifinal Game 2 9 p.m. (ESPN) Minnesota Lynx at Seattle Storm. Conference Semifinal Game 2 COLLEGE FOOTBALL 6 a.m. (FSNFL) Texas at Oklahoma State (Taped) 7:30 p.m. (SUN) Florida State at South Florida (Taped) NFL 1 p.m. (CBS) New England Patriots at Buffalo Bills 1 p.m. (FOX) Seattle Seahawks at St. Louis Rams or Carolina Panthers at Atlanta Falcons or San Francisco 49ers at New York Jets or Minnesota Vikings at Detroit Lions 4 p.m. (FOX) New Orleans Saints at Green Bay Packers 8:20 p.m. (NBC) New York Giants at Philadelphia Eagles GOLF 12 p.m. (NBC) 2012 Ryder Cup Final Day 3 p.m. (GOLF) Web.com: Chiquita Classic Final Round BULL RIDING 5 p.m. (CBS) PBR 15/15 Bucking Battle (Taped) 6 p.m. (FSNFL) CBR South Point Vegas Challenge (Taped) 7 p.m. (NBCSPT) PBR Greensboro Invitational SOCCER 1 p.m. (UNI) Mexicano Premier Division: Pumas vs. Puebla VOLLEYBALL 11 p.m. (NBCSPT) Beach Volleyball (Taped) Note: Times and channels are subject to change at the discretion of the network. If you are unable to locate a game on the listed channel, please contact your cable provider. Correction In Saturday's article entitled 'Panthers stampede Buffalo,' Roshon Addison was misidentified. Addison had 6 carries for 140 yards and a touchdown in Lecanto's 28-0 victory over The Villages. The Chronicle regrets the error.eWestwood, Europe, vs. Matt Kuchar, United States. 1:53 p.m. Martin Kaymer, Europe, vs. Steve Stricker, United States. 2:04 p.m.- Francesco Molinari, Europe, vs. TigerWoods, United States. Sprint Cup AAA 400 Lineup After Saturday qualifying; race Sundayvy,. Nationwide OneMain Financial 200 results Saturday At Dover International Speedway Dover, Del. Lap length: 1 miles (Start position in parentheses) 1. (3) Joey Logano, Toyota, 200 laps, 149.8 rat- ing, 0 points, $39,375. 2. (10) Paul Menard, Chevrolet, 200, 110.2, 0, $29,675. 3. (12) Michael Annett, Ford, 200, 99.5, 41, $30,718. 4. (4) Elliott Sadler, Chevrolet, 200, 103.1, 40, $26,893. 5. (7) Kyle Busch, Toyota, 200, 113.1, 0, $17,650. 6. (13) Cole Whitt, Chevrolet, 200, 89, 38, $24,218. 7. (38) Brian Scott, Toyota, 200, 95.6, 37, $22,528. 8. (5) Kasey Kahne, Chevrolet, 200, 115.3, 0, $14,920. 9. (6) Ricky Stenhouse Jr., Ford, 200, 99.6, 35, $22,018. 10. (9) Austin Dillon, Chevrolet, 200, 102.1, 34, $21,818. 11. (15) Mike Bliss, Toyota, 200, 84.7, 33, $20,343. 12. (1) Darrell Wallace Jr., Toyota, 200, 91.6, 32, $23,618. 13. (8) Ryan Blaney, Dodge, 200, 86.1, 0, $20,118. 14. (11) Ryan Truex, Toyota, 200, 85.9, 30, $19,993. 15. (21) Jeff Green, Toyota, 200, 80.2, 29, $20,893. 16. (25) Danica Patrick, Chevrolet, 200, 76.7, 28, $19,843. 17. (24) Joe Nemechek, Toyota, 200, 73.7, 27, $22,368. 18. (14) Sam Hornish Jr., Dodge, 199, 103, 26, $19,918. 19. (16)Alex Bowman, Chevrolet, 198, 70.5, 25, $19,668. 20. (23) Jason Bowles, Dodge, 198, 67.9, 24, $20,293. 21. (29) Mike Wallace, Chevrolet, 197, 64, 23, $19,568. 22. (18) Blake Koch, Toyota, 197, 62.7, 22, $19,468. 23. (34) J.J. Yeley, Ford, 197, 64.7, 0, $12,925. 24. (33) Timmy Hill, Ford, 197, 53.1, 20, $19,343. 25. (31) Jamie Dick, Chevrolet, 197, 50.5, 19, $13,300. 26. (37) Eric McClure, Toyota, 197, 47.3, 18, $19,243. 27. (27) Jeremy Clements, Chevrolet, 194, 63.1, 17, $19,193. 28. (41) Brad Teague, Chevrolet, 193, 41, 16, $19,118. 29. (39) Tim Andrews, Ford, oil leak, 174, 58.1, 15, $12,575. 30. (2) Justin Allgaier, Chevrolet, 164, 105.3, 15, $19,293. 31. (30) Erik Darnell, Chevrolet, 148, 43.9, 13, $18,938. 32. (35) Justin Jennings, Chevrolet, suspension, 108, 41.4, 0, $12,410. 33. (42) Tony Raines, Dodge, engine, 53, 37.9, 0, $18,818. 34. (17) Kevin Lepage, Ford, axle, 35, 46.1, 10, $12,315. 35. (40) Danny Efland, Ford, overheating, 14, 41.1, 9, $12,285. 36. (43) Scott Riggs, Chevrolet, suspension, 14, 36.2, 0, $12,260. 37. (32) Carl Long, Ford, handling, 12, 40.9, 7, $12,240. 38. (26) Chase Miller, Chevrolet, handling, 9, 40.4, 6, $12,176. 39. (20) Josh Wise, Chevrolet, electrical, 6, 37.5,0, $12,075. 40. (19) Michael McDowell, Toyota, rear end, 6, 32, 0, $12,020. 41. (36) T.J. Bell, Chevrolet, vibration, 6, 34.1, 3, $11,990. 42. (28) Kelly Bires, Chevrolet, brakes, 4, 29.4, 0, $11,950. 43. (22) Charles Lewandoski, Toyota, vibration, 3, 29.3, 1, $11,892. Race Statistics Average Speed of Race Winner: 123.711 mph. Time of Race: 1 hour, 37 minutes, 0 seconds. Margin of Victory: 0.876 seconds. Caution Flags: 3 for 15 laps. Lead Changes: 4 among 3 drivers. Lap Leaders: J.Allgaier 1-13; J.Logano 14-47; K.Kahne 48-50; J.Logano 51-200. Leaders Summary (Driver, Times Led, Laps Led): J.Logano, 2 times for 184 laps; J.Allgaier, 1 time for 13 laps; K.Kahne, 1 time for 3 laps. Top 10 in Points: 1. E.Sadler, 1,054; 2. R.Sten- house Jr., 1,045; 3. A.Dillon, 1,029; 4. S.Hornish Jr., 994; 5. J.AlIIgaier, 926; 6. M.Annett, 916; 7. C.Whitt, 843; 8. M.Bliss, 781; 9. B.Scott, 703; 10. J.Nemechek, 678. Orioles 4, Red Sox 3 Boston Baltimore ab r h bi Ellsurycf 4 1 1 0 McLoth If Pdsdnk If 2 0 0 0 Hardy ss Nava ph-lf 1 0 0 0 AdJonscf Pedroia 2b 4 0 1 0 Wieters c C.Ross rf 3 0 1 1 C.Davis rf MGomzlb 3 1 0 0 EnChvzrf Sltlmchc 3 1 1 2 MrRynlilb Lvrnwy dh 3 00 0 Machd 3b Ciriaco 3b 3 0 1 0 Ford dh Aviles ss 3 0 0 0 Andino 2b Totals 29 35 3 Totals Boston 000 021 000 Baltimore 010 200 10x ab r h bi 4 0 1 0 4 00 0 4000 3 22 2 0 00 0 4 0 1 0 3 1 2 2 2 0 1 0 2 00 0 304 7 4 3 4 E-Aviles (15), C.Davis (6). DP-Baltimore 2. LOB-Boston 3, Baltimore 5. 2B-McLouth (12). HR-Saltalamacchia (25), C.Davis (30), Machado (7). SB-C.Davis (2). CS-C.Ross (2). S-Andino. SF-C.Ross. IP H RERBBSO Boston DoubrontL,11-10 7 7 4 3 1 10 Tazawa 1 0 0 0 0 1 Baltimore S.Johnson 5 4 3 3 3 3 THunterW,7-8 2 1 0 0 0 0 MatuszH,4 2-3 0 0 0 0 0 O'DayH,13 1-3 0 0 0 0 0 Ji.Johnson S,49-52 1 0 0 0 0 1 S.Johnson pitched to 2 batters in the 6th. HBP-by Doubront (C.Davis). T-2:37. A-46,311 (45,971). AL leaders BATTING-MiCabrera, Detroit, .327; Trout, Los Angeles, .321; Mauer, Minnesota, .320; Bel- tre, Texas, .319; Jeter, New York, .316; Butler, Kansas City .315; Fielder, Detroit, .309. RUNS-Trout, Los Angeles, 125; MiCabrera, Detroit, 108; Kinsler, Texas, 103; AJackson, De- troit, 102; AdJones, Baltimore, 102; Hamilton, Texas, 101; Cano, New York, 98. RBI-MiCabrera, Detroit, 136; Hamilton, Texas, 125; Encarnacion, Toronto, 110; Willing- ham, Minnesota, 110; Butler, Kansas City, 106; Fielder, Detroit, 106; Pujols, Los Angeles, 102. HITS-Jeter, NewYork, 210; MiCabrera, De- troit, 199; Butler, Kansas City, 188; Beltre, Texas, 187; Cano, New York, 184; AGordon, Kansas City 184; AdJones, Baltimore, 183. DOUBLES-AGordon, Kansas City, 51; Pu- jols, Los Angeles, 48; Cano, New York, 44; NCruz, Texas, 43; Choo, Cleveland, 42; Kinsler, Texas, 42; MiCabrera, Detroit, 40. TRIPLES-AJackson, Detroit, 10; Andrus, Texas, 9; Rios, Chicago, 8; JWeeks, Oakland, 8; Crisp, Oakland, 7; AEscobar, Kansas City, 7; Trout, Los Angeles, 7; Zobrist, Tampa Bay, 7. HOME RUNS-MiCabrera, Detroit, 43; Hamilton, Texas, 43; Encarnacion, Toronto, 42; ADunn, Chicago, 41; Granderson, NewYork, 40; Beltre, Texas, 36; Willingham, Minnesota, 35. STOLEN BASES-Trout, Los Angeles, 47; RDavis, Toronto, 45; Revere, Minnesota, 39; Crisp, Oakland, 37; AEscobar, Kansas City, 32; DeJennings, Tampa Bay, 31; Kipnis, Cleveland, 31; BUpton, Tampa Bay, 31. PITCHING-Weaver, Los Angeles, 20-4; Price, Tampa Bay 19-5; MHarrison, Texas, 18- 10; Sale, Chicago, 17-8; Verlander, Detroit, 17- 8; Scherzer, Detroit, 16-7; Darvish, Texas, 16-9; PHughes, NewYork, 16-13. STRIKEOUTS-Verlander, Detroit, 239; Scherzer, Detroit, 228; FHernandez, Seattle, 216; Darvish, Texas, 214; Shields, Tampa Bay, 208; Price, Tampa Bay 201; Sale, Chicago, 192. SAVES-JiJohnson, Baltimore, 49; Rodney, Tampa Bay, 46; RSoriano, New York, 42; CPerez, Cleveland, 39; Nathan, Texas, 36; Valverde, Detroit, 33; Reed, Chicago, 29; Wil- helmsen, Seattle, 29. NL leaders BATTING-MeCabrera, San Francisco, .346; Posey, San Francisco, .334; AMcCutchen, Pitts- burgh, .329; Braun, Milwaukee, .321; YMolina, St. Louis, .320; Craig, St. Louis, .311; DWright, New York, .306; Pacheco, Colorado, .306. RUNS-AMcCutchen, Pittsburgh, 107; Braun, Milwaukee, 105; JUpton, Arizona, 105; Rollins, Philadelphia, 101; Harper, Washington, 96; Holliday, St. Louis, 94; Bourn, Atlanta, 93; Pagan, San Francisco, 93. RBI-Braun, Milwaukee, 112; Headley San Diego, 109; ASoriano, Chicago, 108; Ar- Ramirez, Milwaukee, 103; Holliday, St. Louis, 101; Posey, San Francisco, 100; LaRoche, Washington, 99; Pence, San Francisco, 99. HITS-AMcCutchen, Pittsburgh, 191; Braun, Milwaukee, 187; Prado, Atlanta, 186; Scutaro, San Francisco, 185; SCastro, Chicago, 179; AHill, Arizona, 179; Reyes, Miami, 178. DOUBLES-ArRamirez, Milwaukee, 50; Goldschmidt, Arizona, 43; AHill, Arizona, 43; Prado, Atlanta, 42; Votto, Cincinnati, 42; DWright, New York, 41; DanMurphy, New York, 39. TRIPLES-Pagan, San Francisco, 15; SCas- tro, Chicago, 12; Fowler, Colorado, 11; Reyes, Miami, 11; Bourn, Atlanta, 10; MeCabrera, San Francisco, 10; Colvin, Colorado, 10. HOME RUNS-Braun, Milwaukee, 41; Stan- ton, Miami, 36; Bruce, Cincinnati, 34; LaRoche, Washington, 32; ASoriano, Chicago, 32; IDavis, New York, 31; AMcCutchen, Pittsburgh, 31. STOLEN BASES-Bourn, Atlanta, 39; Vic- torino, Los Angeles, 38; EvCabrera, San Diego, 37; Pierre, Philadelphia, 37; Reyes, Miami, 37; CGomez, Milwaukee, 36; Altuve, Houston, 33. PITCHING-GGonzalez, Washington, 21-8; Dickey, NewYork, 20-6; Cueto, Cincinnati, 19-9; Lynn, St. Louis, 17-7; 8 tied at 16. STRIKEOUTS-Dickey, New York, 222; Ker- shaw, Los Angeles, 221; Hamels, Philadelphia, 208; GGonzalez, Washington, 207; Gallardo, Milwaukee, 204; CILee, Philadelphia, 200; Strasburg, Washington, 197. SAVES-Kimbrel, Atlanta, 41; Motte, St. Louis, 40; Papelbon, Philadelphia, 37; Hanra- han, Pittsburgh, 36; AChapman, Cincinnati, 36; Axford, Milwaukee, 33; Clippard, Washington, 32; Putz, Arizona, 32. RAYS Continued from Page B1 beat Rays ace David Price as he goes for his 20th win. "We have to win every game and hope Detroit loses a couple," said Chicago's Alex Rios, who had two of the White Sox's four hits al- lowed Saturday by Tampa Bay starter Matt Moore and two relievers. "That's what has to happen." Moore allowed one hit in 5 1-3 shutout innings, Matt Joyce came off the bench to homer twice and Jeff Kep- pinger and Chris Gimenez also connected Saturday Tampa Bay, with nine wins in 10 games, remained three games out of the sec- ond wild card behind Oak- land, which beat Seattle 7-4 in 10 innings Saturday The White Sox, who've dropped 9 of 11, fell two games behind Detroit in the AL Central when the Tigers defeated the Twins 6-4 After Sunday, the Rays go home for three against Bal- timore and the White Sox head to Cleveland. Detroit goes to Kansas City, while Oakland has three at home against the AL West leading Rangers. "If we win out, we're hop- ing the way their (As) sched- PLACE Continued from Page B1 It was a huge effort by everybody We thank the sponsors and the runners. All the money goes to Jessie's Place." Crystal River High School cross country runner Bran- don Harris won the race with a time of 17:42. "I didn't even warm up this morning," Harris said. "I got here two minutes be- fore the line. I'm happy with this." Another Crystal River High cross country runner, Clarissa Consol, was the winning female. Consol is in her first year of cross coun- try and posted a personal best with a time of 19:40. She was 14th overall. "It felt great," Consol said. "The hills were really tough. I like this course. I was very surprised (to win). Anything for a good cause is good." Kerri Kitchen, a former Seven Rivers Christian cross country coach, en- joyed the run. "It's a great course," Kitchen said. "It was really humid. It's really hard to breathe." Bob Brockett was happy that his wife, Claudia, was running with him. Brockett was one of the first to start the Crystal River triathlons and the oral surgeon is happy to run for a noble cause. "I support this," Brockett DOCTOR Continued from Page B2 with not only the hepatitis B & C virus but also the HIV virus and other infec- tious diseases. The risk of exposure does not matter if you are a high school neo- phyte athlete or a world class athlete Hepatitis C, known as the silent killer, is nine times more like to occur in people with tattoos. It is the silent killer causing damage to your liver for years before finally resulting in end stage liver failure and/or liver cancer. In other words you have may have no symptoms until there is severe non-re- pairable liver damage. This may happen at an early age. Hepatitis C is the leading reason people need a liver transplant. Aside from serious infec- tions the tattoo needle can cause allergic reactions making the skin itch and break out. Granulomas in the skin are red inflamed bumps. Thick ropy and painful scars called keloids can occur especially in dark-skinned individuals. Some allergic reactions occur without warning and occasionally years after the tattoo was placed. Tattoos placed over moles make detection of a cancer- ous skin growth difficult to detect. There is medical evi- dence that the tattoo ink may cause a reaction to the strong magnetic frequency CITRUS COUNTY (FL) CHRONICLE ule is a chip and a chair kind of thing -that's all we need," Gimenez said. Moore (11-11), 0-4 in his previous five starts, retired the first 13 batters before Rios singled with one out in the fifth. Dayan Viciedo fol- lowed with a walk but Moore got out of it on a fly ball and a strikeout of Tyler Flowers. "I never felt that there was anything wrong, espe- cially physically And that's where a little bit of the ques- tions came from at this stage of the season and with my age," said Moore, like Sale, a young lefty with a big fu- ture. "That's a natural ques- tion with my velocity being down a little bit. But I felt like I went out there and competed with what I had." With the White Sox trail- ing short- est start of the season. He gave up seven hits and was charged with five runs while walking three and striking out seven. He said fatigue was not a factor whatsoever. "That was terrible. That was a disgrace," Sale said. said. "It's a culture of health. This is so refreshing to get up early and smell no cigarette smoke." Race director Melissa Bowermaster was pleased with the way the race was handled and the money raised. "It was a little better than last year," Bowermaster said. "We help abused chil- dren. We help eliminate the trauma that the system kind of adds to their problem by bringing the children in one facility that is meant for them for them to be com- fortable. We have been in Beverly Hills for three years. "We get $3,000 in state funding and that's about it. We rely completely on com- munity support. This is a great thing." Beat The Sheriff 5K 2012 Results Male Overall Winner: Brandon Harris, 17:42. Male Masters Winner: Patrick Andriano, 19:36. Female Overall Winner: Clarissa Consol, 19:40. Female Masters Winner: Marjolein Bass, 21:26. Top 10 1. Brandon Harris, 17:42; 2. Grant Cameron, 18:42; 3. Bran- don Kempton, 18:31.4; 4. Corey Pollard, 18:31.6; 5. A.J. Bass, 18:59.4; 6. John Bester, 18:59.9; 7. Hunter Roessler, 19:05; 8. Corbin Clarke, 19:06; 9. Pedro Lopez, 19;09; 10. Dylan Coleman, 19:10; 144. Jeff Dawsy (sheriff), 25:15. pulses of an MRI machine. This is due to the metal ox- ides that may be contained in some black, brown, red, yellow and orange ink. This may cause temporary swelling or burning and can distort the MRI image. Migration to the lymph nodes occurs with some pig- ments from the tattoo site and large particles may ac- cumulate, causing lymph node swelling. How can you be sure the tattoo you want does not place you in a medical predicament? Check li- censing with the local health department. Single- use items and throwing away used pigments is im- portant. Following proper sterilization by using an au- toclave that heats and ster- ilizes non-disposable equipment is crucial. Hand washing with anti- bacterial soap is vital for your doctor and the tattoo artist as well. Important is not only hand washing but wearing latex gloves and disinfecting the work sur- faces. Tattoos can be cool, sexy and send a message. Tattoos do not improve athletic per- formance. They can, how- ever, be the gateway to a life-long infection. When we watch these world-class ath- letes perform with the body art of a Maori warrior, we often are not aware or for- get the hidden dangers. Ron Joseph, M.D., a hand and shoulder orthopedic surgeon at SeaSpine Ortho- pedic Institute, may be reached atrbjhand@cox.net CITRUS COUNTY (FL) CHRONICLE No. 4 Florida St. 30, USF 17 Florida St. 7 617 0- 30 South Florida 3 0 7 7 17 First Quarter USF-FG Bonani 32, 11:18. FSU-Greene 10 run (Hopkins kick), 8:57. Second Quarter FSU-FG Hopkins 6, 5:45. FSU-FG Hopkins 43, :03. Third Quarter USF-Daniels 1 run (Bonani kick), 11:55. FSU-Haplea 1 pass from Manuel (Hopkins kick), 5:09. FSU-FG Hopkins 23, :34. FSU-Jones 12 fumble return (Hopkins kick), :00. Fourth Quarter USF-Daniels 3 run (Bonani kick), 12:37. A-69,383. First downs Rushes-yards Passing Comp-Att-Int Return Yards Punts-Avg. Fumbles-Lost Penalties-Yards Time of Possession FSU 20 40-183 242 19-26-0 0 4-38.0 0-0 6-50 34:08 USF 14 32-125 143 17-33-1 18 6-37.2 3-2 6-48 25:52 INDIVIDUAL STATISTICS RUSHING-Florida St., Thompson 16-74, Pryor 7-65, Benjamin 1-17, Greene 1 -10, Manuel 10- 9, Wilder 5-8. South Florida, Daniels 15-72, Murray 7-40, Lamar 8-22, Shaw 1-2, Floyd 1- (minus 11). PASSING-Florida St., Manuel 19-26-0-242. South Florida, Daniels 17-33-1-143. RECEIVING-Florida St., O'Leary 4-40, R.Smith 3-19, Greene 2-71, Thompson 2-24, Dent 2-20, Haplea 2-12, Wilder 2-3, Shaw 1-47, Pryor 1-6. South Florida, Mitchell 4-29, Murray 4-(minus 3), Hopkins 3-59, Landi 2-30, Welch 1-13, Dunkley 1-10, A.Davis 1-3, Lamar 1-2. Miami 44, NC St. 37 NCState 7 7 7 16 37 Miami 23 0 7 14- 44 First Quarter NCSt-Creecy 1 run (Sade kick), 9:29. Mia-Hurns 14 pass from Morris (Wieclaw kick), 8:40. Mia-Hamilton Safety 8:28. Mia-Dorsett 24 pass from Morris (Wieclaw kick), 6:52. Mia-Scott 76 pass from Morris (Wieclaw kick), 4:18. Second Quarter NCSt-Creecy 7 pass from Glennon (Sade kick), 14:56. Third Quarter NCSt-Underwood 4 pass from Glennon (Sade kick), 8:14. Mia-Du.Johnson 4 run (Wieclaw kick), :54. Fourth Quarter NCSt-Underwood 28 pass from Glennon (kick failed), 10:23. Mia-Scott 13 pass from Morris (Wieclaw kick), 8:00. NCSt-Smith 6 pass from Glennon (Sade kick), 5:43. NCSt-FG Sade 50, 1:58. Mia-Dorsett 62 pass from Morris (Wieclaw kick), :19. A-38,510. NCSt Mia First downs 30 26 Rushes-yards 46-224 32-85 Passing 440 566 Comp-Att-Int 24-42-2 26-49-1 Return Yards 3 6 Punts-Avg. 4-40.8 8-40.6 Fumbles-Lost 5-4 0-0 Penalties-Yards 14-100 4-20 Time of Possession 33:22 26:38 INDIVIDUAL STATISTICS RUSHING-NC State, Creecy 19-120, Thorn- ton 17-87, Barnes 7-44, Team 1-(minus 8), Glennon 2-(minus 19). Miami, Du.Johnson 12- 39, James 13-31, Dorsett 1-5, Botts 1-4, Clements 1-4, Morris 4-2. PASSING-NC State, Glennon 24-42-2-440. Miami, Morris 26-49-1-566. RECEIVING-NC State, Palmer 5-94, Smith 3- 86, Underwood 3-50, Creecy 3-16, Payton 2- 83, Watson 2-29, Carter 2-28, Talbert 1-19, Thornton 1-14, Barnes 1-13, Winkles 1-8. Miami, Dorsett 7-191, Scott 6-180, James 3-53, Du.Johnson 3-24, Hurns 2-54, Waters 2-14, De.Johnson 1-41, Clements 1-5, Walford 1-4. Missouri 21, UCF 16 Missouri 0 7 7 7 21 UCF 3 7 0 6 16 First Quarter UCF-FG Moffitt 42, 3:28. Second Quarter Mo-Green-Beckham 80 pass from J.Franklin (Baggett kick), 12:39. UCF-McDuffie 12 pass from Bortles (Moffitt kick), 9:11. Third Quarter Mo-Murphy 66 punt return (Baggett kick), 7:04. Fourth Quarter Mo-Lawrence 10 run (Baggett kick), 9:31. UCF-Godfrey 18 pass from Bortles (pass failed), 4:34. A-35,835. Mo UCF First downs 16 27 Rushes-yards 29-89 35-128 Passing 257 267 Comp-Att-lnt 19-30-1 29-45-0 Return Yards 70 16 Punts-Avg. 8-42.9 9-38.3 Fumbles-Lost 1-0 2-1 Penalties-Yards 5-35 1-5 Time of Possession 26:47 33:13 INDIVIDUAL STATISTICS RUSHING-Missouri, Lawrence 19-104, J.Hunt 1-3, J.Franklin 9-(minus 18). UCF, S.Johnson 15-93, B.Harvey 8-25, Godfrey 3-19, Calabrese 1-6, Bortles 8-(minus 15). PASSING-Missouri, J.Franklin 19-30-1-257. UCF, Bortles 29-43-0-267, Calabrese 0-1-0-0, Team 0-1-0-0. RECEIVING-Missouri, Lucas 5-33, Lawrence 4-50, Moe 3-29, McGaffie 2-26, Washington 2- 19, Green-Beckham 1-80, Waters 1-17, Sasser 1-2, J.Hunt 0-1. UCF, Worton 5-56, McDuffie 5- 38, Godfrey 4-40, B.Harvey 3-8, S.Johnson 3- (minus 12), Hall 2-28, Perriman 2-25, Reese 2-24, Calabrese 1-41, Tukes 1-11, Floyd 1-8. SPORTS SUNDAY, SEPTEMBER 30, 2012 B5 Morris breaks Miami passing record UMQBleads team to 44-37 win over N.. CState Associated Press MIAMI Gino Torretta won a Heisman Trophy at Miami. Steve Walsh, Ken Dorsey, Vinny Tes- taverde, Bernie Kosar, Craig Erick- son, re- maining,, sav- ing laugh- ter con- nected on a 50-yarder to tie the game with 1:58 left. The biggest difference: N.C. State finished with six turnovers, Miami only one. "If you think it was crazy watch- ing, it was definitely crazy while you're in it," said N.C. State run- ning back Tony Creecy, who fin- ished with a game-high 120 rushing yards on 19 attempts and scored a touchdown. "You can't win with four, five, six fumbles. We kind of lost the game ourselves on all the Associated ress Miami quarterback Stephen Norris is stopped by North Carolina State's Earl Wolff (27) during the second half Saturday in Miami. fumbles. Miami played well, but we beat ourselves." It's the first three-game winning streak since 2009 for the Hurri- canes (4-1, 3-0), who go to Chicago to play unbeaten Notre Dame next weekend. N.C. State (3-2, 0-1) saw its three-game win streak end. Mike Glennon completed 24 of 42 Stretching it oul Americans extend lead into final day ofRyder Cup Associated Press momen- tum over the final frantic hour Sat- urday ser- enades of "Ole, Ole" as both sides trudged to the team rooms in dark- ness to prepare for 12 singles matches on Sunday The Americans still had a big lead, 10-6. Europe at least had hope. "The last two putts were massive," European captain Jose Maria Olaza- bal said after watching Poulter stay undefeated in this Ryder Cup by rolling in one last birdie putt from 12 feet. "That gives us a chance. It's been done before in the past. Tomor- row is a big day" Only one team has ever rallied from four points behind on the final day the United States in that fa- mous, fol- lowed by Poulter against Webb Simp- son, Rory McIlroy against Bradley and Justin Rose against Mickelson. U.S. captain Davis Love III put Tiger Woods winless in the Ryder Cup for the first time going into Sun- day in the anchor position against Francesco Molinari, whom Woods beat in Wales last time. The final two matches Saturday were a showcase of what the Ryder Cup is all about one brilliant shot Associated I USA's Phil Mickelson, left, and Keegan Bradley look over a putt on the foi hole during a foursomes match Saturday at the Ryder Cup golf tournament the Medinah Country Club in Medinah, III. after another, birdies on every hole, suspense at every turn. Donald and Sergio Garcia were on the verge of blowing a 4-up lead to hard-charging Woods and Steve Stricker, hanging on when Donald matched two birdies with Woods, in- cluding- roy made a 15-foot birdie putt on the 13th, and Poulter took it from there. "We had to make birdies, and wow! Five in a row. It was awesome," Poul- ter said. "I've got the world No. 1 at my side, backing me up. It alloy me to hit some golf shots." The crowd was still buzzing as it f out of Medinah, and Poulter grinned "It's pretty fun, this Ryder Cu said Poulter, who raised his car record to 11-3-0. It's been plenty fun for the Am cans, who for the first time have lost any of the four sessions since Ryder Cup switched to the curry format in 1979. Mickelson Bradley were flawless in fourson matching a Ryder Cup record largest margin with a 7-and-6 over Donald and Lee Westwood. Mickelson and Bradley have bee: dominant that they have yet to play 18th hole in any of their three match] They didn't play in the afternoon, r of the master plan by U.S. capl Davis Love III to make sure his p ers were fresh for Sunday Love came the first U.S. captain since 1 to make sure each of his players sat at least one match before the final( passes for 440 yards and four touch- downs for N.C. State, but his inter- ception with 48 seconds left there was apparently a miscommunication between him and receiver Tobias Palmer, who "zigged when Mike thought he was going to zag," Wolf- pack coach Tom O'Brien said - helped set up Miami's winning score. t Missed chances doom UCF Knights drop home loss to Missouri Associated Press ORLANDO re- minder that they aren't quite free of those self- destructive habits. * UCF (2-2) controlled most of the game, but a special S teams mishap and late turnover erased early mo- mentum in its bid to defeat its first Southeastern Con- ference opponent at home. Marcus Murphy returned a punt 66 yards for a touch- down and James Franklin added an 80-yard touch- ~' down pass to help Missouri grind out the win. Press UCF trailed 21-10 before urth a late score, but following a t at Tigers punt, Knights re- ceiver Jeff Godfrey's fumble wed with 2:26 left allowed Mis- souri (3-2) to hang on. filed "I feel like we lost poise," ed. Knights running back Storm I Johnson said. "The coaches upeer preach to us that we've got ,eer to finish, and that's what we didn't do." eri- Johnson, starting his sec- not ond game while Latavius the Murray continues to work rent his way back from a shoulder and injury, said there was a bit of nes, lost focus in the Knights' for huddle down the stretch. win "It's very frustrating, just as a player," Johnson said. n so "It was a winnable game *the today I felt like we could Lhes. have won even with all the part mistakes we had. It was still tain a winnable game." lay- Coming off a dismal pass- be- ing performance last week .979 at South Carolina, Franklin out was efficient, going 19 for 30 day for 257 yards. Hamlin takes pole at Dover International Speedway Logano dominates for Nationwide win in Delaware Associated Press DOVER, Del. Could it really be true love between Denny Ham- lin and Dover? So far, it's at least a crush. His performance Sunday will really determine the fate of this relationship. Trying his best to adjust his ap- proach toward his least favorite track, Hamlin's reignited courtship produced fantastic re- sults Saturday when he turned a lap of 159.299 mph to win the pole at Dover International Speedway Hamlin has been open in his disdain for the 1-mile concrete oval and knew he'd have to con- quer his Dover demons to keep his driven bid for his first career Cup championship rolling along. Hamlin, third in the points standings, turned to a sports psy- chologist Sep- ca- pable of staying in the front and hopefully we'll have a shot to win," Hamlin said. Hamlin won his 12th career pole, third this season, and, no surprise here, his first pole at Dover. He had never started bet- ter than third. Logano charges to Nationwide win at Dover DOVER, Del. Nation- wide,. B6 SUNDAY, SEPTEMBER 30, 2012 WVU QB throws for 656yards, 8 TDs in victory Associated Press ATHENS, Ga. Even for a Big 12 game, what West Virginia and Baylor did was crazy Then Tennessee and Georgia showed that the Southeastern Con- ference isn't all about defense. Geno Smith and No. 9 West Vir- gin is 136, set by Navy (74) and North Texas (62) in 2007. Baylor did tie a record for most points by a losing team in a regula- tion FBS game. It almost made Tennessee-Geor- gia look like a defensive struggle. The fifth-ranked Bulldogs needed three late takeaways to hold on for a 51-44 victory over the Vols at home. It was the highest- scoring game in the 42-game his- tory of the SEC rivalry No. 3 LSU 38, Towson 22 BATON ROUGE, La. Zach Met- tenberger connected with Odell Beck- ham Jr. five times for 128 yards and two touchdowns, and No. 3 LSU over- came nagging offensive sloppiness in a 38-22 victory over overmatched but feisty Tow full- back, scored his third touchdown of the season on a 1-yard plunge, but was hurt in the fourth quarter and did not put any weight on his left leg as he was helped off the field. No. 5 Georgia 51, Tennessee 44 Todd Gurley ran for three touch- downs and Keith Marshall added two as Georgia recovered after blowing a 17-point lead. Georgia (5-0, 3-0 SEC) locked it up with three takeaways in the final 6 min- utes. Twice Sanders Commings inter- cepted sec- ond quarter before Tennessee took the lead with 20 unanswered points. Tennessee (3-2, 0-2 SEC) took its third straight loss in the series under coach Derek Dooley, the son of Georgia's for- mer longtime coach Vince Dooley. Bray completed 24 of 45 passes for 281 yards. No. 6 South Carolina 38, Kentucky 17 LEXINGTON, Ky. Marcus Latti- more ran for two touchdowns and Con- nor Shaw passed for another in the second half as No. 6 South Carolina scored 31 straight points for a 38-17 victory against Kentucky. Shaw was 15 of 18 for 148 yards as the Gamecocks (5-0, 3-0 Southeastern Conference) moved into a tie with Florida and Georgia atop the East divi- sion, with the Bulldogs coming to Co- l WIN Continued from Pal check him out." Daniels, who scored a 1-yard run i third quarter, returned after the : fumble to lead a 73-yard scoring driv( he finished with a 3-yard TD burs there would be no miraculous come "The defense came out and r started dominating the line of scrimi and then got settled down," Fisher "We played too loose in the beginnii Manuel completed 19 of 26 passes wi SPORTS Geno Associated Press West Virginia quarterback Geno Smith threw for 456 yards and eight touchdowns Saturday against Baylor in Morgantown, W.Va. The No. 9 Mountaineers scored a 70-63 victory over Baylor in a Big 12 matchup. ahead to stay. Kentucky freshman Jalen Whitlow was 12 of 23 for 114 yards in relief of Maxwell Smith, who was knocked out on the first series with an ankle injury. No. 9 West Virginia 70, Baylor 63 MORGANTOWN, W.Va. Geno Smith threw for 656 yards and tied a Big 12 record with eight touchdown passes to lead West Virginia. Smith outdueled Baylor's Nick Flo- As- sociated Press poll. The previous record of 124 was set in No. 12 Oklahoma's 82-42 win over Colorado in 1980. ex- tended its FBS-best winning streak to 12 games by beating SMU 24-16. TCU (4-0) has won 11 of 13 over SMU and regained the Iron Skillet tro- phy, which goes to the winner of the Dallas-Fort Worth rivalry. The Horned Frogs' previous loss came last season at home to the Mustangs (1-3). The game was played in a heavy rainstorm. The rain picked up in inten- sity Con- ference)., com- pleted 25 of 43 passes for 341 yards and three touchdowns. Alex Amdion caught eight passes for 193 yards and two touchdowns for the Eagles (1-3, 0-2), who led 21-17 before giving up three straight touchdowns to fall behind 38-21. sec- ond half until its final play, but baffled the Broncos with their triple-option offense. Jay Ajayi had 118 yards and a touch- down on six carries for Boise State. New Mexico quarterback Cole Gautsche scored twice and added a 2- point conversion, carrying it 71 yards on 11 carries. Kasey Carrier added 86 yards on 18 carries with a touchdown. Semi- noles three years ago. Florida State defensive back Ronald Darby breaks up a pass intended for South Florida wide receiver Andre Davis during the third quarter Saturday in Tampa. Associated Press UF's Debose goes from big hope to big letdown GAINESVILLE It no doubt wasn't fair for former Florida coach Urban Meyer to compare receiver Andre De- bose to Percy Harvin before he even stepped on campus. Harvin was one of the top playmak- ers in school history. He turned short passes into huge gains, made defend- ers look silly with open-field moves and probably would have been a Heisman Trophy contender had he not shared the spotlight with all-everything quarter- back consis- tently do it the right way, generally your practice habits carry over to the game." Debose doesn't have a catch for the 11th-ranked Gators (4-0, 3-0 South- eastern Conference), who are off this weekend before hosting No. 3 LSU. The program's prized recruit in 2009 has two carries for a yard, has seven punt returns for 67 yards and is averag- ing 24.2 yards on six kickoff returns. He has more fumbles than first downs. "Guys that don't go out and consis- tently fol- lowing knee surgery to address a lin- gering high school track injury, Debose returned two kickoffs for touchdowns in 2010. He was even better last year, catching 16 passes for 432 yards and four scores, and returning a kickoff 99 yards for a touchdown against Ohio State in the Gator Bowl. ay to go, Winona St. 45, Upper Iowa 42 Wis. Lutheran 27, Lakeland 17 Wis.-Eau Claire 21, Wis.-Stout 13 Wis.-LaCrosse 19, Wis.-Stevens Pt. 13 Wis.-Oshkosh 19, Wis.-River Falls 7 Wis.-Whitewater 27, Wis.-Platteville 26 SOUTHWEST Hardin-Simmons 31, Mississippi College 0 Houston 35, Rice 14 Mary Hardin-Baylor 76, Sul Ross St. 28 Nevada 34, Texas St. 21 SE Louisiana 31, Lamar 21 Stephen F Austin 42, Cent. Arkansas 37 TCU 24, SMU 16 Texas A&M 58, Arkansas 10 Texas Lutheran 34, E. Texas Baptist 28 W. Kentucky 26, Arkansas St. 13 FAR WEST Air Force 42, Colorado St. 21 Arizona St. 27, California 17 Boise St. 32, New Mexico 29 E. Washington 32, Montana 26 Montana St. 24, S. Utah 17 N. Arizona 24, Portland St. 10 Sacramento St. 54, Idaho St. 31 UCLA 42, Colorado 14 CITRUS COUNTY (FL) CHRONICLE College Football scores EAST Albany (NY) 55, Monmouth (NJ) 24 Bloomsburg 43, Gannon 24 Brown 37, Georgetown 10 Catholic 41, Hampden-Sydney 28 Clarion 31, East Stroudsburg 27 Clemson 45, Boston College 31 Colgate 47, Yale 24 College of NJ 55, W. Connecticut 27 Cornell15, Bucknell10 Cortland St. 20, Montclair St. 0 Delaware Valley 42, Albright 21 Denison 30, Wooster 22 Duquesne 24, St. Francis (Pa.) 21 Gettysburg 35, McDaniel 3 Indiana (Pa.) 41, Millersville 7 Ithaca 40, Utica 22 Lehigh 34, Fordham 31 Merchant Marine 34, RPI 31 Merrimack 63, Pace 14 New Hampshire 34, Delaware 14 Ohio 37, UMass 34 Penn 28, Dartmouth 21 Princeton 33, Columbia 6 Robert Morris 31, Lafayette 28 Rochester 30, St. Lawrence 20 Rowan 17, Brockport 3 Sacred Heart 34, CCSU 21 San Jose St. 12, Navy 0 Shippensburg 49, Lock Haven 6 Stony Brook 23, Army 3 Susquehanna 17, Muhlenberg 0 UConn 24, Buffalo 17 Ursinus 24, Moravian 7 Villanova 35, Maine 14 Wagner 31, Bryant 21 Washington & Jefferson 28, Bethany (WV) 26 Waynesburg 20, Thiel 19 West Chester 37, California (Pa.) 34 West Virginia 70, Baylor 63 Wilkes 37, FDU-Florham 27 William Paterson 21, SUNY Maritime 14 SOUTH Alabama A&M 38, Grambling St. 17 Alabama St. 54, Alcorn St. 14 Albany St. (Ga.) 17, Kentucky St. 14 Appalachian St. 55, Coastal Carolina 14 Bethune-Cookman 38, Hampton 26 Campbellsville 15, Kentucky Christian 14 Chattanooga 28, The Citadel 10 Christopher Newport 45, Maryville (Tenn.) 31 Cumberland (Tenn.) 41, Pikeville 23 Cumberlands 61, Lindsey Wilson 21 Drake 35, Campbell 7 Duke 34, Wake Forest 27 E. Kentucky 28, UT-Martin 16 Elizabeth City St. 23, St. Augustine's 21 Ferrum 49, Averett 28 Florida St. 30, South Florida 17 Furman 45, W. Carolina 24 Gallaudet 52, Anna Maria 24 Georgetown (Ky.) 63, Bethel (Tenn.) 21 Georgia 51, Tennessee 44 Georgia Southern 35, Samford 16 Hobart 61, WPI 8 Howard 56, Savannah St. 9 Jackson St. 34, Prairie View 13 Jacksonville 26, Marist 14 Jacksonville St. 31, SE Missouri 16 LSU 38, Towson 22 Louisiana College 38, Howard Payne 6 Louisiana Tech 44, Virginia 38 Louisiana-Lafayette 48, FlU 20 Louisiana-Monroe 63, Tulane 10 Mars Hill 35, Newberry 28 McKendree 41, Kentucky Wesleyan 17 Miami 44, NC State 37 Middle Tennessee 49, Georgia Tech 28 Millsaps 33, Centre 16 Missouri 21, UCF 16 Murray St. 70, Tennessee Tech 35 North Carolina 66, Idaho 0 North Texas 20, FAU 14 Old Dominion 45, Richmond 37 Presbyterian 28, Davidson 13 Randolph-Macon 22, Emory & Henry 10 SC State 14, Norfolk St. 0 South Carolina 38, Kentucky 17 Southern U. 21, Florida A&M 14 Stillman 32, Lane 22 Tennessee St. 40, Ark.-Pine Bluff 13 Troy 31, South Alabama 10 Tulsa 49, UAB 42 Tusculum 49, Brevard 39 Union (Ky.) 37, Bluefield South 14 Washington & Lee 42, Guilford 21 Willamette 28, Sewanee 24 William & Mary 35, Georgia St. 3 Winston-Salem 35, Bowie St. 3 Wofford 49, Elon 24 MIDWEST Adrian 24, Hope 0 Alma 20, Olivet 14 Ashland 68, Lake Erie 21 Aurora 55, Maranatha Baptist 14 Avila 35, Bethany (Kan.) 19 Bemidji St. 35, Minn.-Crookston 2 Bethel (Minn.) 21, Augsburg 20 Bowling Green 48, Rhode Island 8 Butler 21, Dayton 11 Cal Poly 35, North Dakota 17 Carthage 31, North Park 6 Cent. Missouri 35, Missouri Southern 10 Central 31, Dubuque 24 Cincinnati 27, Virginia Tech 24 Coe 51, Buena Vista 0 Cornell (Iowa) 48, Beloit 8 DePauw 17, Washington (Mo.) 14 Doane 27, Midland 7 E. Illinois 65, Austin Peay 15 Eureka 31, Westminster (Mo.) 18 Findlay 43, Notre Dame Coll. 42 Fort Hays St. 37, Truman St. 23 Grand Valley St. 51, Michigan Tech 43 Greenville 49, Crown (Minn.) 18 Gustavus 37, Hamline 0 Hillsdale 44, N. Michigan 6 Illinois College 56, Lawrence 20 Illinois St. 34, South Dakota 31 Indiana St. 24, S. Illinois 3 Iowa 31, Minnesota 13 Lake Forest 13, Carroll (Wis.) 10 Loras 28, Luther 25 Malone 24, Tiffin 14 Martin Luther 17, Presentation 13 Miami (Ohio) 56, Akron 49 Minn. St.-Mankato 30, Concordia (St.R) 10 Minot St. 32, Mary 21 Missouri Valley 47, Culver-Stockton 7 Monmouth (III.) 31, St. Norbert 9 N. Dakota St. 33, N. Iowa 21 N. Illinois 55, Cent. Michigan 24 Northern St. (SD) 45, Minn. St.-Moorhead 7 Northwestern 44, Indiana 29 Northwestern (Minn.) 38, Minn.-Morris 14 Ohio Dominican 24, Walsh 13 Ohio St. 17, Michigan St. 16 Penn St. 35, Illinois 7 Purdue 51, Marshall 41 Ripon 42, Knox 17 S. Dakota St. 17, Missouri St. 7 Saginaw Valley St. 31, Ferris St. 24, OT Siena Heights 28, Taylor 14 Simpson (Iowa) 20, Wartburg 19 Sioux Falls 41, SW Minnesota St. 22 St. Cloud St.51, Minn. Duluth 49 St. Olaf 38, St. John's (Minn.) 35 St. Scholastica 43, Mac Murray 6 St. Thomas (Minn.) 47, Carleton 24 Texas Tech 24, Iowa St. 13 Toledo 37, W. Michigan 17 Trine 30, Kalamazoo 20 Washburn 42, SW Baptist 14 Wayne (Mich.) 21, Northwood (Mich.) 11 Wayne (Neb.) 31, Augustana (SD) 27 Wheaton (III.) 49, Augustana (III.) 7 CITRUS COUNTY (FL) CHRONICLE NFL standings AFC East W L T Pct PF PA N.YJets 2 1 0 .667 81 75 Buffalo 2 1 0 .667 87 79 New England 1 2 0 .333 82 64 Miami 1 2 0 .333 65 66 South W L T Pct PF PA Houston 3 0 0 1.000 88 42 Jacksonville 1 2 0 .333 52 70 Tennessee 1 2 0 .333 67 113 Indianapolis 1 2 0 .333 61 83 North W L T Pct PF PA Baltimore 3 1 0 .750 121 83 Cincinnati 2 1 0 .667 85 102 Pittsburgh 1 2 0 .333 77 75 Cleveland 0 4 0 .000 73 98 West W L T Pct PF PA San Diego 2 1 0 .667 63 51 Denver 1 2 0 .333 77 77 Kansas City 1 2 0 .333 68 99 Oakland 1 2 0 .333 61 88 NFC East W L T Pct PF PA Dallas 2 1 0 .667 47 54 Philadelphia 2 1 0 .667 47 66 N.Y Giants 2 1 0 .667 94 65 Washington 1 2 0 .333 99 101 South W L T Pct PF PA Atlanta 3 0 0 1.000 94 48 Tampa Bay 1 2 0 .333 60 67 Carolina 1 2 0 .333 52 79 New Orleans 0 3 0 .000 83 102 North W L T Pct PF PA Minnesota 2 1 0 .667 70 59 Chicago 2 1 0 .667 74 50 Green Bay 1 2 0 .333 57 54 Detroit 1 2 0 .333 87 94 West W L T Pct PF PA Arizona 3 0 0 1.000 67 40 San Francisco 2 1 0 .667 70 65 Seattle 2 1 0 .667 57 39 St. Louis 1 2 0 .333 60 78 Thursday's Game Baltimore 23, Cleveland 16 Sunday's Games's Game Chicago at Dallas, 8:30 p.m. Thursday, Oct. 4 Arizona at St. Louis, 8:20 p.m. AFC leaders Week 3 Quarterbacks Att Corn Yds TD Int Roethlis., PIT 120 82 904 8 1 Dalton, CIN 95 65 867 6 3 Schaub, HOU 96 63 751 5 1 Flacco, BAL 110 71 913 6 2 Brady, NWE 118 79 887 4 1 Fitzpatrick, BUF 86 50 581 8 3 Locker, TEN 104 67 781 4 2 C. Palmer, OAK 128 80 879 5 2 P Rivers, SND 103 69 688 4 3 Gabbert, JAC 79 40 468 4 0 Rushers Att Yds Avg LG TD J. Charles, KAN 55 323 5.87 91t 1 Jones-Drew, JAC 59 314 5.32 59t 1 Spiller, BUF 33 308 9.33 56t 3 Re. Bush, MIA 50 302 6.04 65t 2 A. Foster, HOU 79 294 3.72 22 3 R. Rice, BAL 46 268 5.83 43 3 Ridley, NWE 52 233 4.48 20 1 McGahee, DEN 50 213 4.26 31 2 Green-Ellis, CIN 56 204 3.64 19 2 Richardson, CLE 50 175 3.50 32t 2 Receivers No Yds Avg LG TD Wayne, IND 23 294 12.8 30t 1 Lloyd, NWE 22 237 10.8 27 0 A. Green, CIN 21 311 14.8 73t 2 Ant. Brown, PIT 18 240 13.3 27 1 Bowe, KAN 18 234 13.0 33t 2 Pitta, BAL 18 188 10.4 25 2 Decker, DEN 17 243 14.3 35 0 M.Wallace, PIT 17 234 13.8 37t 3 McFadden, OAK 17 107 6.3 17 0 Welker, NWE 16 251 15.7 59 0 Scoring Touchdowns TD Rush Rec Ret Pts A. Foster, HOU 4 3 1 0 24 H. Miller, PIT 4 0 4 0 24 Spiller, BUF 4 3 1 0 24 NFC leaders Week 3 Quarterbacks Att Corn Yds TD Int M.Ryan,ATL 107 77 793 8 1 Kolb, ARI 59 38 428 4 0 Ponder, MIN 97 68 713 4 0 Griffin Ill, WAS 89 60 747 4 1 A. Smith, SNF 92 64 641 5 1 Manning, NYG 118 79 1011 5 3 Romo, DAL 108 70 841 4 3 Rodgers, GBY 115 78 745 3 2 R.Wilsonr, SEA 75 43 434 4 1 Bradford, STL 95 61 660 4 3 Rushers Att Yds Avg LG TD M. Lynch, SEA 72 305 4.24 36 1 Gore, SNF 45 264 5.87 23t 2 Morris, WAS 61 263 4.31 29 3 L. McCoy PHL 58 261 4.50 22 1 A. Peterson, MIN 58 230 3.97 20 2 D. Martin, TAM 63 214 3.40 17 1 Murray, DAL 50 213 4.26 48 1 Griffin Ill, WAS 32 209 6.53 19 3 And. Brown, NYG 33 184 5.58 31 3 M.Turner, ATL 42 154 3.67 25 2 Receivers No Yds Avg LG TD Harvin, MIN 27 277 10.3 24 0 Amendola, STL 25 296 11.8 56 1 C.Johnson, DET 24 369 15.4 51 1 Cruz, NYG 23 279 12.1 80t 1 Gonzalez, ATL 21 214 10.2 25 3 R.White, ATL 19 244 12.8 26 1 M. Crabtree, SNF 19 183 9.6 20 0 Sproles, NOR 18 163 9.1 25 1 J. Graham, NOR 17 172 10.1 23 3 Burleson, DET 17 149 8.8 21 1 Scoring Touchdowns TD Rush Rec Ret Pts Ve.DavisSNF 4 0 4 0 24 And. Brown, NYG 3 3 0 0 20 Eight tied at 18 points (three TDs) Dolphins set to face hostile Cards defense Associated Press GLENDALE, Ariz. The Arizona Cardinals stifled Tom Brady and battered Michael Vick. Next comes Miami rookie quar- terback Ryan Tannehill, who leads the Dolphins (1-2) onto dangerous turf on Sunday He will face a Cardinals defense that has allowed just two touch- downs this season, fewest in the NFL. Overall, they've given up 40 points, second only to Seattle's 39 through three games. "It's a fast defense," Miami running back Reggie Bush said. "They do a good job at getting a lot of guys to the ball carrier They thrive off turnovers. They do a good job at creating turnovers and stripping the ball." Arizona could be the league's biggest September surprise, one of just three unbeaten teams in the league (the others are Atlanta and Houston). The Cardinals are 3-0 for the first time in 38 years, a statistic that is a testament to the franchise's many seasons as an NFL wasteland. The combination of a stout defense, standout special teams play and an offense that has been good enough under the controls of quarterback Kevin Kolb have led to the fast start But this is the first game the Car- dinals, winners of seven in a row at home, are favored to win, and there could be a natural tendency for this defense to ease up a bit "Not at all," safety Kerry Rhodes said. "We've been schooled on that all week. We're not great. We're not where we want to be yet. We've got work to do. Nobody's slacking off. We'll be ready to go." Bush, knocked out of last Sunday's NATIONAL FOOTBALL LEAGUE Air raid in Buccaneers host RG3, Redskins at 4:25p.m. today Associated Press TAMPA Whether it's throwing the football or tucking it to run, Robert Griffin III and Josh Free- man iden- tity on offense with their young, strong-armed quarterback. "The team is scoring 33 points a game, so we're being pretty suc- cessful when it comes to scoring points. We Blackout just have to be more U According to local successful TV listings, the when it Bucs game will comes to not be televised winning today due to NFL games," blackout rules. Griffin said, re- flecting on a start that includes a surprising win over New Orleans and close losses to St. Louis and Cincinnati. The Redskins and Bucs meet today at Raymond James Stadium, both looking to end two-game skids. "For me, whatever they ask me to do, I'm going to go out and do it be- cause Associated Pres Miami quarterback Ryan Tannehill will face arguably the best defense of his young NFL career when the Dolphins play at the Arizona Cardinals today. tough 23-20 overtime loss to the New York Jets with a bruised knee, pro- claimed early in the week that he would play at Arizona, before ac- knowledging he was not the coach. The Cardinals are preparing for a strong Miami rushing game regard- less, but it's much more dangerous when Bush is the ball carrier. "He's been great this year," Rhodes said. "He's been running the ball in between the tackles, something that was a question mark for him I guess before he got to Miami. But he's been running well, running hard. He looks like an every-down back "It's not just him. It's a running back by committee thing. But he is 'the' guy, he's the go-to guy" The strong running game eases the pressure on Tannehill, who has earned a mix of praise and criticism from Dolphins coach Joe Philbin. "Frankly, he's got to throw the bal more accurately than he did las Sunday," Philbin said. "That's jus the bottom line. There's no othei way to cut it with the film. We try t( be honest with our guys if we can. I you watch the tape of him, he's doing some very good things, but on Sun day he's got to make great decisions and he's got to throw the ball mor accurately for us to win the game." Jags rookie WR Blackmon finding NFL Associated Press JACKSONVILLE -Justin Black- mon hap- pens, it'll happen. I don't control it All I can do is get out there and play." Blackmon has 31 yards receiv- ing heading into today's game against Cincinnati. It's hardly the production the Jaguars (1-2) ex- pected when they traded up to se- lect con- cerned about." Blackmon has been targeted 15 times by quarterback Blaine Gabbert. Most of the missed con- nections have been off-target throws, including what should have been an easy touchdown in the season opener at Minnesota, but Blackmon did drop a per- fectly SUNDAY, SEPTEMBER 30, 2012 B7 Tampa? Associated Press Tampa Bay Buccaneers quarterback Josh Freeman has completed just over 51 percent of his passes for 491 yards and four touchdowns against three interceptions. in- terception in a 16-10 loss to the Cowboys. Much of that production came on Tampa Bay's final drive, and the Bucs finished with just 166 yards of total offense. The absence of a consistent run- ning game has been part of the problem, but Schiano scoffed at the notion he and offensive coordina- tor Mike Sullivan hindered Free- man and wasted a strong defensive performance with overly conserva- tive ques- tion about his desire to offensively mold the Bucs into in a tough, phys- ical unit that thrives on a solid rushing attack. "As you look back, would we like to change a few, Mike and I? Sure, we'd like to a change a few" calls, Schiano said. "We were all out of sync. We were trying to get it calmed down and going and just never really got it. When that hap- pens, intercep- tions, said it's too soon to draw any conclusions about the third offen- sive, some- times you lose a couple games," the 24-year-old quarterback added. "But I feel like our team mentally is where we need to be. We're push- ing forward ... excited about having another opportunity to go out and try to find a way to win." The Redskins certainly haven't tried to restrict Griffin, who's com- pleted 67.4 percent of his passes for 747 yards, four touchdowns and one interception. The rookie also has rushed for 209 yards more than any quar- terback and a league-leading three TDs on the ground while tak- ing a physical beating. That has prompted coach Mike Shanahan to ask his young star to take some pre- cautions on the field. Several fined for late hits Associated Press NEW YORK Baltimore Ravens safety Ed Reed, De- troit Lions linebacker Stephen Tulloch and Pitts- burgh hel- met-to-helmet hit on Ten- nessee tight end Craig Stevens. Mundy's hit on Raiders receiver Darrius Hey- ward-Bey resulted in his fine. Heyward-Bey was taken from the field on a stretcher and s diagnosed with a concussion. s Four players were fined $15,750 Friday by the league: Denver LB Von Miller, Cincin- nati defensive back Adam Jones, Eagles defensive end s Jason Babin, and Titans DE Scott Solomon. Miller was tagged for driv- l ing Houston quarterback Matt t Schaub to the ground one play t before fellow Broncos line- r backer Joe Mays' hit took off a o piece of Schaub's left earlobe. f Mays was suspended for one g game and fined $50,000 ear- - lier this week. s Denver has been fined e more than $150,000 in the first three weeks of the season. )ugh place offensive tackle Guy Whimper onto the field with mixed re- sults. Jacksonville was so con- cerned about how the line, especially Whimper, would hold up against Robert Mathis and the Colts that offensive coordinator Bob Bratkowski's game plan cen- tered around running back Mau- rice Jones-Drew Jones-Drew ran 28 times for 177 yards and a touchdown as the Jaguars often used fullback Greg Jones and tight end Marcedes Lewis as extra blockers. Hot defense in Arizona ENTERTAINMENT CITRUS COUNTY CHRONICLE Memoir: Arnold reveals affairs, talks run for office Associated Press LOS ANGELES -Arnold Schwarzenegger says his wife, Maria Shriver, was told to "snap out of it" by her mother for her attempts to persuade him against running for California governor in 2003, a con- versation that ultimately opened the door to his successful candidacy Eunice Kennedy Shriver told her daughter that her husband would be "angry for the rest of his life" if she stopped his ambitions, Schwarzenegger writes in his new autobiography, "Total Recall: My Unbe- lievably True Life Story" Schwarzenegger has often said- lamo, declined to com- ment on the contents of the book. "Total Recall" will offi- cially. The book is part of an effort by the onetime "Mr Universe" to rebrand him- self after leaving office with a mixed record and subsequent embarrassing revelations about a fling he had with the family's housekeeper Schwarzenegger, who fa- thered a son with the housekeeper, says he also let the boy down. Schwarzenegger, 65, said he avoided telling his wife for years about the boy, who is now a teenager, even when Shriver asked him, partly because of his longtime penchant for se- crecy, and his fear that the news would become pub- lic and undermine his po- litical career In an interview with "60 Minutes" scheduled to air Sunday, Schwarzenegger said having sex with his housekeeper was "the stu- pidest thing" he ever did to Shriver and caused great pain to her and their four children. "I think it was the stu- pidest thing I've done in the whole relationship. It was terrible. I inflicted tremendous pain on Maria and unbelievable pain on the kids," he told the show. Shriver filed for divorce in July Associated Press People who modeled for Norman Rockwell illustrations pose Friday with the pieces in which they were featured at the Bennington Museum in Bennington, Vt. From left: Butch Corbett, Tom Paquin and Don Trachte. Mary Immen Hall is seated. All-American reunion Rockwell kids gather to share their memories of the artist Associated Press MONTPELIER, Vt. and '50s for their neighbor Norman Rockwell in the Vermont town of Arlington reunited therecom- ing" and showed people welcoming home a young man who's carrying a suitcase full of dirty laundry An estimated 300 people from the area modeled for Rockwell during his 14 years in the southern Vermont town. Of the 70 or so still living, the oldest is 93 (he couldn't make it to the reunion). Many still live in and around Arlington. Among the models was Mary Whalen, who posed for the popu- lar own- ers are treating them to a turkey lunch in honor of Rockwell's fa- mous painting of an excited family gathered for Thanksgiving dinner Birthday In the year ahead, a new awareness of your needs will help you strike a better balance in your personal affairs. This fresh enlightenment will encourage you to de- vote more time to those things in your life that really matter. Lib neg- ative aspects? All it will bring is an investment in failure. "I think it's important that the models keep the tradition of the image that Vermont, Arlington in particular, was important in Nor- man Rockwell's biography That while he lived in Arlington he did his best work, probably ... and his local models were Arlington peo- ple," said James "Buddy" Edger- ton, 82, who lived next door to Rockwell, his wife and three sons and modeled for him at least a dozen times. Rockwell was a full-fledged member of the town, attending school basketball games and square dances, and had a great sense of humor, his neighbors re- call. But as one of America's fore- most artists, he could be as precise as any high-fashion photographer He would first have the models photographed and then would sketch a drawing. Sometimes the session in his studio took minutes, sometimes several hours. He al- ways lit- tle embarrassed," said Trachte, who was 5 or 6 when he posed for a painting of a little boy and girl in pajamas, holding hands and peering up at Santa Claus. Years later, Trachte and his brother found a Rockwell hidden in a wall at his parents' house; "Breaking Home Ties" sold at auction in 2006 for $15.4 million. Today's HOROSCOPE Capricorn (Dec. 22-Jan. 19) Don't be so self-involved that you forget to acknowledge those who have helped you get where you want to go.. Rockwell knew just what he wanted, instructing the children to sit or stand in certain positions with particular expressions and to wear certain clothing, often pro- viding man- aged to paint the small piece of tape around her leg from a sprained ankle that appeared above her bobby sock: "He didn't miss the details." Edgerton who went on to write the memoir "The Unknown Rockwell: A Portrait of Two Amer- ican Families," about a farm boy growing up next door to the Rock- wells modeled for his neighbor mostly as a Scout, with his image published in four calendars. The last time he modeled was in 1964, after Rockwell had moved about 65 miles away to Stock- bridge, Mass., now home to the Norman Rockwell Museum. Edgerton appeared as a Scout- master with his son, then 9, in a painting called "Growth of a Leader," showing four profiles of a Scout progressing from a child to an adult with a graying side- burn much like Edgerton has today "He was a wonderful guy," Edgerton said. "He made you feel you were the most important per- son in the world when you were doing it." Taurus (April 20-May 20) Now's the time to take control over your financial affairs. Regardless of how bad things look, you can turn it around. Use plenty of elbow grease. Gemini (May 21-June 20) Just to make a point, you may opt to do things the hard way and cause more trouble for yourself than need be. Quit being so stubborn. Cancer (June 21-July 22) Innately, you are a practical and logical person, but when you allow your emotions to take control, all reason flies out the window. Leo (July 23-Aug. 22) Don't be one of those people who lets personal gain take precedence over the nobler instincts. Virgo (Aug. 23-Sept. 22) Important goals may be un- achievable, but not necessarily owing to obstacles or influ- ences over which you have no control. It'll be because you handle things in a clumsy manner. Florida LOTTERIES SO YOU KNOW Last night's winning numbers, Page B4. FRIDAY, SEPTEMBER 28 Mega Money: 3- 5 10 26 Mega Ball: 7 4-of-4 MB No winner 4-of-4 12 $533.50 3-of-4 MB 61 $230 3-of-4 1,235 $33.50 2-of-4 MB 1,688 $17 1-of-4 MB 11,734 $2.50 2-of-4 31,728 $2 Fantasy 5: 3 11 18 -20 -30 5-of-5 No winner 4-of-5 326 $555 3-of-5 9,961 $17.50 THURSDAY, SEPTEMBER 27 Fantasy 5:1 3 25 29 31 5-of-5 3 winners $67,353.39 4-of-5 281 $115.50 3-of-5 8,297 , Sept. 30, the 274th day of 2012. There are 92 days left in the year. Today's Highlight: On Sept. 30, 1962, James Meredith, a black student, was escorted by federal marshals to the campus of the Univer- sityzecho- slov, the National Farm Workers Association, founded by Cesar Chavez and a fore- runner of the United Farm Workers, held its first meeting in Fresno, Calif. Ten years ago: New Jersey Sen. Robert Torricelli abruptly ended his scandal-tainted re- election campaign just five weeks before the election. Five years ago: Taliban militants in southern Afghanistan hanged a teenager found to have U.S. money in his pocket as a warning to others not to use dollars. One year ago: A U.S. drone airstrike in Yemen killed two American members of al-Qaida, cleric Anwar al- Awlaki and recruiting maga- zine editor Samir Khan. Today's birthdays: Nobel Peace Laureate Elie Wiesel is 84. Actress Angie Dickin- son is 81. Singer Cissy Hous- ton is 79. Singer Johnny Mathis is 77. Pop singer Sylvia Peterson (The Chif- fons) is 66. Actress Fran Drescher is 55. Country singer Eddie Montgomery (Montgomery-Gentry) is 49. Rock singer TreyAnastasio is 48. Actress Monica Bellucci is 48. Tennis player Martina Hingis is 32. Thought for Today: "Nothing you can't spell will ever work." Will Rogers, American humorist (1879- 1935). Mary Immen Hall of Bennington, Vt., looks at the 1940 Norman Rockwell illustration "A Scout is Helpful" and the photograph it was created from on Friday at the Bennington Museum. COMMENTARY SO YOU KNOW * Find more letters and Sound Off today on pages A7 to A9. CITRUS COUNTY CHRONICLE Riding th residential 0 Y 1 Associated Press Democrats are hoping President Barack. : Republican presidential candidate Mitt Romney speaks May 16 in St. Petersburg, Fla. Obama speaks July 24 at a fundraising event at the Oregon Convention Center in Portland, Ore. Election by association a factor in some U.S. Senate and House races HENRY C. JACKSON Associated Press WASHINGTON If Rep. Connie Mack scores an upset over Democratic Sen. Bill Nelson in Florida's Senate race, he'll prob- ably owe Mitt Romney a thank you. Should former Gov Tim Kaine hold off former Sen. George Allen in the Senate contest in Vir- ginia, President Barack Obama may deserve a share of credit. The fates of Obama and Romney in No- vember are likely to impact more than the White House. They will help shape a num- ber of key Senate and House races. The prospect of presidential coattails or the opposite, a drag is factoring into the way races down the ballot are being run, espe- cially in close contests. "There's obviously a down-ballot impact from the performance of the top of the ticket," said Sen. John Thune, the No. 3 Re- publican in the Senate. So Senate Republi- cans are pulling for Romney and doing all they can to help him, Thune said. Of Rom- ney, he added: "We need him to do well." Democrats feel the same about the top of their ticket. Leaders in the Senate, includ- ing the presidential race is having at least a tangential effect Romney's struggle to overcome his re- marks at a meeting with donors offered an early demonstration of how the top of the ticket can quickly shake other races. His comment, secretly recorded at a Florida fundraiser in May, that 47 percent of Americans think they are "victims" entitled I m Associated Press U.S. Rep. Connie Mack addresses a crowd of supporters Wednesday at the Bay County Republican headquarters in Panama City. to government help and that he doesn't worry about "those people," sent Republi- can Senate candidates scrambling. In Mas- sachusetts, Connecticut, Nevada and Hawaii, Republicans respectfully but surely disavowed Romney's remarks. There are, after all, a lot of Republicans in that 47 percent seniors, for example, who depend on government programs such as Medicare and Social Security after paying into them for decades. Working-class Ameri- cans, too, who may be out of work in an econ- omy that has many voters jittery and angry Are they the moochers Romney de- scribed? The very question opened up a round of sniping that reached from vulnera- ble Republican Senate candidates all the way to Romney's wife, Ann. U.S. Bill Nelson, D-Fla., speaks during a rally for Presdient Obama on Sept. 8 in Seminole. "I disagree with Governor Romney's in- sin. See Page C4 Citizens insurance works to tighten belt BARRY GILWAY Special to the Chronicle Citizens Property Insurance takes its fiscal responsibili- ties to our policyholders and all Floridians very seriously We are especially sensitive to the concerns expressed in recent articles regard- ing executive expenses and inter- national travel costs. Although Citizens' travel expenses are 0.17 percent of our overall operating budget, I saw the questions raised as an opportunity to take a closer look at our expense procedures and identify ways Citizens can tighten its belt. Recently, I announced revised travel expense guidelines to the Cit- Guest COLUMN izens board. These more rigorous standards apply to all employees, regardless of title. They define ac- ceptable meal and hotel expenses for domestic and international travel and were effective immediately Tightened travel guidelines are only one way Citizens can achieve efficiency in our business opera- tions. Cost savings also are achieved by purchasing reinsurance in the international market to ensure claims payments and protect Florida policyholders from the risk of assessments in the event of a storm. Because reinsurers are based abroad, international travel is a necessary part of negotiating and purchasing reinsurance. As a government entity operating in an international industry, Citi- zens walks a line between fiscal stringency and conducting business internationally on behalf of all Floridians. International travel is expensive, but the return on invest- ment for these trips is compelling. We evaluate the value of all trips to ensure the benefits to our policy- holders will be worth the invest- ment. Trips to transfer catastrophic risk taken by Citizens CFO, and highlighted in the Citrus County Chronicle, ultimately saved an esti- mated $47 million on the cost of reinsurance and reduced potential assessments for all Florida policy- holders by $1.2 billion. At Citizens, we are committed to efficiencies in everything we do, whether in Tallahassee or interna- tionally Tightening our travel guidelines is just one way we will strengthen our ability to carry out our mission on behalf of Floridians. I will continue to search for addi- tional ways to increase Citizens' ef- ficiency and reduce spending to benefit our policyholders and the people of Florida. Barry Gilwayis president/CEO and executive director of Citizens Property Insurance Corp. Gerry Mulligan OUT THE WINDOW It's silly season, don't answer the phone During election sea- son, a big part of my job seems to be answering the telephone and saying: "That's not true." The silly season of elec- tions again proves to me that politics and truth have very little in com- mon. But don't be discour- aged, it's still the best and longest-running experi- ment in self determina- tion that our species has ever toyed with. Some advice for voters: Don't answer your tele- phone until after the No- vember elections. The hottest ploy of the politicians this election season has moved from the anonymous direct- mail attacks to recorded telephone calls that are false and misleading. At least these things are pretty consistent in that they avoid the facts. Nancy Argenziano, the candidate without a polit- ical party, seems to be the victim of most of the tele- phone attacks so far, and that should not be a sur- prise. Argenziano is run- ning for the Florida House of Representatives against incumbent Jim- mie T Smith. Argenziano once served as our representative, state senator and Public Service Commission member all before her well-publicized falling-out with the state Republican Party. Now she is running as an Independent, and the powerful Republican Party leaders don't want to welcome her back to Tallahassee. So hundreds of thousands of dollars are being spent by state spe- cial interests to attack and misrepresent what she has done during her pub- lic life. The funny thing is it's not necessary There is a pretty big dif- ference between where incumbent Jimmie Smith falls on the real issues fac- ing Florida and the posi- tions of Nancy Argenziano. The same is really true on the national level - there is a huge difference between where President Obama stands on the is- sues compared to GOP challenger Mitt Romney. The fringes of both politi- cal parties want to make nonsense the tone of the campaign when what we really need to know is how the candidates will revive the economy, grow more jobs, reduce federal spending and deal with health care. We still have people talking about where Pres- ident Obama was born as opposed to how the candi- dates will keep us from stumbling into a nuclear war with Iran. There are real differ- ences in how the candi- dates want to approach the issues. That's what should help us decide who we support in both local and national campaigns. You won't find the Chronicle issuing an en- dorsement this year in the See Page C2 Memories in the heart, not in a chunk of steel I don't remember when I first began to read a daily newspaper, but it was before I started to school. I learned to read by reading The Tampa Tribune, not by reading the "Alice and Jerry" primary school series of books. I read Fred B those, too, but the A SI newspaper was really OF I what got it done. I still read the newspaper, every day I used to read two, but since I've retired, I only read one the Citrus County Chronicle. I previ- ously read a national newspaper as well to help me along in my real-world job, but, no more. Yep. The Chronicle gives me everything I need, but I must con- r L L fess, I don't always read it all. I read what I want to, what I think is mean- ingful to me. I read three columnists from start to finish on a reg- ular basis Nancy Kennedy, Gerry Mulli- gan and me. I read rannen Nancy and Gerry be- -ICE cause I know I will be IFE better for doing so; and, I read me to see if what I've written sounds as good as I'd hoped it would when I wrote it As to the other columnists, I usually start by reading the last paragraph. If I find that interest- ing, I will read the first paragraph and, then if I'm hooked, I'll finish it. I read the headlines, both news and sports, then I read all of what- ever articles look interesting. I read Sound Off; I read four comic strips Arlo and Janice, Frank and Ernest, The Grizzwells and Beetle Bailey; and I read the want ads, not all of 'em, but a select few. Stick with me, I'm coming to a point I always read the Classic Cars for sale ads; and I'm always look- ing for a specific make and model. I few days ago, I saw an ad for the sale of a 1955 Chevrolet Bel Air that's not what I'm looking for, and it's a good thing. The vehi- cle had been fully restored and the owner wanted $35,000 for it. Thirty-five thousand dollars for a car that sold new for something less than $2,500. Now, will anyone pay $35,000 for such a vehicle? Maybe. Probably But, at least in my opinion, it will have to be someone who had a love affair with a 1955 Bel Air not a love af- fair in a 1955 Bel Air, but a love af- fair with a 1955 Bel Air. No, I'm looking for a red 1962 Ford Fairlane 500 Sports Coupe with white leather interior and bucket seats. Why? Because I did indeed have a love affair with one. It was my first car; I bought it sec- ond hand for $1,800 in 1964, but as far as I was concerned, it was the most beautiful, most perfect car that had ever been made. I loved it! Oh, and yes, please don't make more out of this than there is, but I also had a love affair in my 1962 Fairlane 500. There's nothing R- rated here, but it was the car I had when I met and began dating my Cheryl; it was the car we drove away in together after our wedding to begin our honeymoon and at the time it was decorated with white shoe polish graffiti that screamed "Just Married!" as well as whispering a few double entendres; and it was the car we drove home from the hospital after our firstborn, Beth, arrived. Now, with all of that said, here's the $64,000 question, or at least the $35,000 question: Would I pay such a price for my own special car? Absolutely not No way! No how! The marvelous memories are in my heart, not in a chunk of steel put together five decades ago in Detroit! Fred Brannen is an Inverness resident and a Chronicle columnist. Endorsement LETTERS= Respect for Dawsy There is a saying that all politics really comes down to the local level. I vote for the person who I believe in regardless of political party affiliation. I read, I listen, and I observe. As a sixth-generation Citrus County native, I am very concerned about what happens in this place I call home. I have watched as the Citrus County Sheriff's Office has become one of the ab- solute best in the entire state. I am proud of the professionalism that has been brought to this department over the years under Jeff Dawsy I have known Jeff for years now, not only as sheriff, but as a friend. As a sheriff, I have watched his department upgrade in every area of law enforcement. As a friend, I know his heartfelt concern for the welfare of the people of this county I talked with Jeff and many deputies during the Jessica Lunsford tragedy and saw how their lives were drastically af- fected and changed. They were not just a "department" of law enforcement, they were caring individuals who struggled with the difficult parts of their job. I have the highest regard for law en- forcement in Citrus County and know that Jeff will continue to lead and do it with human concern. Lloyd D. Bertine Pine Ridge Vote for Dawsy Vote Jeff Dawsy on Nov 6. I could list all of the programs and specialty units that Sheriff Jeff Dawsy has implemented to protect public safety and prevent crime. I can even quote statistics that are public information that go into detail about how financially responsible the sheriff's office is and that Citrus County has been well below state average per capital on public safety for years. I could also boast about how Jeff has made sure that sheriff's of- fice personnel are trained to standards to ensure public safety and they have the equipment and operating procedures in place to perform the jobs they have been charged with. I can also tell you about his qualifications, because his educational ac- complishments and 25 years experience in law enforcement prove that he is highly qualified for the position of sheriff. But from a personal perspective and from someone who has raised children and continues to raise a teenager in this county, is watching grandchildren being raised here and is a business person in this community, the bottom line is Jeff Dawsy cares about Citrus County As a teenager he moved here, graduat- ing from Crystal River High; he has raised two children here, his daughter Stacey, now married and mom to Jeff's grandson, Nathan; and his son Brian, who is now with the Hillsborough County Sheriff's Of- fice; and he is still raising Destin, who is a junior at Crystal River High School. And he is the husband to locally raised Gail, whom I know he adores. His family and friends know that they can always count on Jeff; he is always there for support and words of encourage- WINDOW Continued from Page C1 presidential race. National politics are not our area of expertise, and we don't pre- tend to be any more in- formed than you are on the issue of who should lead the nation. On the local level we will issue endorsements. We spend a lot of time at the Chronicle talking to candi- dates and listening to their plans for our community. We recognize that not everyone has the time to get into deep discussions with all of the local folks who are running - so we do that and then offer our recommendations. But you get to make the choice on who wins the election. My friend Winston Perry from Homosassa al- ways tells me he looks for- ward to our endorsements so he knows who not to vote for. As long as he votes, I'm good with that. It's an understatement to say these are really impor- tant decisions we are about ENDORSEMENT GUIDELINES The Chronicle has enacted its practice of asking that endorsement letters be limited to the reasons writers are supporting candidates not why they won't support candidates. Endorsement letters are subject to editing to keep the emphasis on reasons for support vs. criticism of their opponents. SO YOU KNOW Find more letters and Sound Off today on pages A7 to A9. ment when needed. He is also here per- sonally for the safety and well being of Cit- rus County I ask you to join me on Nov 6 and vote for Jeff Dawsy for sheriff of Citrus County Rhonda Lestinsky Beverly Hills Dawsy the right man Sheriff Dawsy is the right man for the job. He has an undeniable resolve to pro- vide the citizens of Citrus County the qual- ity of life, and the peace of mind, that they live in (one of the) safest counties in the state of Florida with populations over 100,000. I can list many reasons this is so, but I would like to expand on one issue, that of child safety Having worked with Sheriff Dawsy for 30 years, I can attest to his absolute passion to make our county, state and nation a safer place for our kids. The road to child safety begins with a twice nationally recognized School Resource Officer program that helps keep our children safe in school, teaches basic safety and life issues, and de- velops partnerships between kids and cops. Second, an Internet Crimes Against Children Unit that proactively targets and arrests those who are actively stalking our children. Third, a Child Protective Investigations Unit that has set the standard statewide for investigations into child neglect and abuse charges. Fourth, a Sexual Offender/Predator Unit that tracks, and makes accountable, the more than 200 sexual offenders who live in our county Fifth, a phenomenal Child Advocacy Center, Jessie's Place, which is a service center dedicated to helping children who have experienced abuse or neglect. Sixth, still in the developmental stage, is Safety Town, a place to teach kids about fire and bicycle safety Sheriff Dawsy is not one to rest on his accomplishments; he is forever striving to make the quality of life in Citrus County even better. I have absolutely no doubt that under Sheriff Dawsy's leadership, the next four years will bring the citizens of Citrus County a sheriff's office that is sec- ond to none, that is responsive to the citi- zens, and is of the highest quality of service. Capt. James Cernich "Retired" Inverness to make on both the local and national levels. Do your best to avoid the nonsense and vote for the candidates you believe have the best ideas and the ability to im- plement those ideas. It's that simple. Gerry Mulligan is the publisher of the Chronicle. Email him atgmulligan @chronicleonline. com. , 6824 Gulf To Lake Hwy. 1 Crystal River 352-794-6139 Referee fiasco highlights disdain for American workers With our nation in the middle of a contentious presidential cam- paign and our economy stuck in the doldrums, what is the sudden piece of good news that has Americans cheering? A big drop in gas prices? Decreased un- employment? Teamwork in Congress? Wrong! The National Football League's lockout of referees is over That's right. The immense suffering of overpaid profes- sional football players and NFL fans has come to an end. Without being asked, White House Press Secretary Jay Car- ney spoke for President Obama - and the rest of the country- in welcoming news of a deal be- Steve K tween the NFL and the refer- FLOI ees' union. VOI "The president's very pleased that the two sides have come together," Carney said. "It's a great day for America." Hallelujah. For the entire preseason and three weeks of the regular season, we've put up with replacement referees who failed to live up to snuff and caused lovers of the game to question the NFEs integrity Now it's over, but not because the NFL was brought to its knees at the negotiating table. Rather, because of a blown call at the end of Monday night's game that cost the Green Bay Packers a win. Fans and players were outraged. The outcry was immense, marathon negotiat- ing sessions commenced and a settlement was announced Wednesday at 11:30 p.m. It came none too soon right before Thurs- day night's Browns-Ravens matchup in Baltimore. With the help of two federal mediators, the league and the NFL Referees Associ- ation agreed to an eight-year labor pact that still must be ratified by the union's 121 members, who work on a part-time basis officiating games. Carney said the focus can now return to the games, not the officiating. But the real issue that caused the lockout -job secu- rity and benefits for part-time referees - was obviously lost on the White House and a jubilant America. The defeat of the NFL lockout was a vic- tory not just for the referees, but for Amer- ican workers who are under serious attack in a new, part-time economy where employers force workers to work part-time hours for less pay and no retirement or health benefits. The big dispute was over pen- sion and retirement benefits for officials who are called part- time, but work long hours on top of regular jobs. In the end, the referees' an- irlander nual salaries will increase from RIDA $149,000 in 2011 to $173,000 in CES 2013, and $205,000 by 2019. A dis- puted defined-benefit pension plan will remain in place for current officials through the 2016 season or until they earn 20 years of service. Then, the defined-benefit plan will be frozen. The NFL also will have the option, at the beginning of the 2013 season, to hire referees on a full-time basis, like other leagues. While most sports commentators lamented the length of the lockout, these lockouts are now too common in profes- sional sports. The National Hockey League is in Day 5 of a player lockout by wealthy franchise owners, a stoppage that will ultimately hurt the sport and its 2012- 2013 season. So while Americans can be happy that "real" football is back, they should con- sider whether penalty flags should be thrown not only against players on the field, but against franchise owners who exemplify the 21st Century-stereotype of the rich, grubby American employer. Steven Kurlander blogs at Kurly's Kommentary, writes a weekly column for Fort Lauderdale's Sun-Sentinel and is a South Florida communications strategist. Dr. Michael Welch, DMD & Associates Dr. Philip Sherman, DMD Dr. Jay Skipper, DMD 5A Cleaning Special 5n Porcelain Dentures 00 Second $ 00 New Patients Only U$ Fused to UU Opinion FREE Exam & E-Rays Metal Crowns tarting at X-ray & Exam 5w/Cleaning 5S Upper & Lower (New Patients Only) D0210 D0150 D1110 (For first one) D0210 P O0150 Coupon required. Chargeable if eligible from insurance. Coupon required. Not valid with any other offers. Coupon required. Not valid with any other offers. If not chargeable by insurance. Coupon required. Not valid with any other offers. Expires 10/01/12 Expires 10/01/12 D2751 Expires 10/01/12 D5510- D5120 Notvalid with any other offers. Expires 10/01/12 We offer root canal therapy In our. *codes 0210 & 0272 are chargeable codes & eligible from insurance. We Welcome You To I Value Dental Care s C2 SUNDAY, SEPTEMBER 30, 2012 COMMENTARY CITRUS COUNTY (FL) CHRONICLE m u f 14 C)PINION CITRUS COUNTY CHRONICLE EDITORIAL BOARD Gerry Mulligan............. .................. publisher Mike Arnold ..................... .................. editor Charlie Brennan ........................... editor at large Curt Ebitz................ .............citizen member Zlfl Mac Harris ............... ............citizen member Founded Rebecca Martin .......... ....... guest member by Albert M. Williamson Brad Bautista ............. .................. copy chief "You may differ with my choice, but not my right to choose." David S. Arthurs publisher emeritus SHOP LOCALLY Businesses need support of consumers ' W e need big com- munity support so we can continue to grow and add new stores ... if we have the interest and we have the traffic they will come." Crystal River Mall manager Mil- I lie Bresnahan THE I made that com- The futu ment recently to a Crystal R Chronicle re- porter who was OUR 01 examining what the future holds Consume for the large retail nee center located on the north side of the city. The mall has gone through some tough times over the last five years as the nation's econ- omy went reeling through the biggest downturn in 70 years. The loss of the Sears depart- ment store earlier this year was a kick in the shin for those interested in the future of the 429,000-square-foot shopping center. But the new owners of the mall have a much lower debt on the facility and that gives them the opportunity to offer lease rates more in line with other retail operations in our county. Consumers need to pay at- tention to Ms. Bresnahan's quote, because it goes to the heart of improving shopping options at the mall and at other retail centers in Citrus County. The owners of retail centers make their decisions to invest in a community based on the spending patterns of the com- munity they serve. Investors don't spend mil- lions of dollars to launch new locations in markets unless they are pretty darned sure they will be successful. And for those in the retail business, success is measured at the cash register. Citrus County does not have the shopping options Tampa has because we don't have the population and spending pat- Microchip all pets In today's paper (Sept. 12) per- taining to the cats, that Animal Control has too many of. Now they're going to lower the price. I say get the people's name, microchip those cats and if they put them out like they all do- they put them to the street because they get tired of them then you've got someone to go to, to find C out why they let them out CALI and give them a fine. Oth- 56) erwise than that, they're going to be loaded now, you're going to be loaded then. There's no sense in all this killing for these people who have cats and have cats. They're so cute, but then they put them out. I know for a fact; I have two feral cats and I am tak- ing care of them. Please microchip them. You know what? That's the only way. I found a dog three weeks ago that had just been adopted from the pound not even two hours and he was on the street and I found him. What good is that? S r r c terns to support all of those op- tions. We do have consumer spending that some retailers find exciting. Look at the re- cent expansion of Wal-Mart, Publix and the competing dol- lar stores. There is a chicken-and-the- egg dilemma e of the going on right now ver Mall. as new retailers look at the mall, INION: and at other po- tential shopping r support locations in the led. county, to deter- mine what will work here and what won't. Don't expect to see a Nord- strom's coming to Citrus County any time soon. But Tar- get, Kohl's, and sporting good stores can all find a location and excel. Ms. Bresnahan's quote is a reminder to consumers that they make the ultimate deci- sion about which stores come and survive in our small mar- ket. When you are in a big city like Tampa the population is large enough to support multi- ple and competitive shopping destinations. In Citrus County consumers must make the decision to sup- port local businesses. If you go to Orlando and drop $500 Christmas shopping, that's $500 you didn't spend in your own community. And, con- sumers, those $500 shopping sprees make a difference. Ms. Bresnahan's challenge is real. If consumers shop at the mall, more stores will open. The same retail therapy will work throughout the county. The mall is a big employer; it pays a lot of property and sales taxes; and it plays an important social/cultural role in our com- munity. It needs our support. The businesses throughout our community need your support. Retail growth is a gradual process. And consumers hold the keys to the kingdom. 'Not good business' We're not going to monitor this company that's going to draw down our water and we're JND going to depend on them to be honest and not take more than 76,000 gal- lons a day? That's not good business ... That is not a good deal. ... Thai in Inverness? 3-0579 This is regarding today's restaurant article. It's wonderful that all these places are opening all dedicated to American food. Please, if somebody's out there, we have space for a good Thai food restaurant. ... Please, somebody open up a Thai (restau- rant) in Inverness. It's wonderful and I'm sure it would do very well. Can't change past I'm sick and tired of listening to people say George Bush did it, the past president did it. That was then; this is now. Now is when you change things. You cannot change the past. Don't you understand? "Money-getters are the benefactors of our race. To them ... are we indebted for our institutions of learning, and of art, our academies, colleges and churches." P.T. Barnum, 1810-1891 CITRUS COUNTY CHRONICLE Presidency: It's debatable he spectacles _ we persist in dignifying as presidential "debates" -two-minute regurgi- tations of rehearsed , responses often / subtract from the na- tion's understanding. But beginning this Wednesday, these less- Georg than-Lincoln-Douglas OTI episodes might be edi- fying if the candidates VOlI can be inveigled into plowing fresh ground. Concerning the Judiciary Although the average age of the Supreme Court justices (66) is younger than that of the Rolling Stones (68), three justices will be in their 80s before the next pres- idential term ends, so the next president probably can solidify today's conservative majority or create a liberal majority. For Mitt Romney: Many con- servatives advocate "judicial re- straint" They denounce "judicial activism" and define it as not properly deferring to decisions by government's majoritarian branches. Other conservatives praise "judicial engagement" and define it as actively defend- ing liberty against overbearing majorities. Do you favor "re- straint" or "engagement"? Do you reject the Kelo decision, in which the Supreme Court deferred to government's desire to seize pri- vate property and give it to wealthier private interests who would pay higher taxes? For Barack Obama: You de- plore the court's Citizens United decision. What is your constitu- tional basis for rejecting the de- cision's principle that Americans do not forfeit their First Amend- ment rights when they come to- gether in corporate entities (mostly nonprofit advocacy cor- porations such as the Sierra Club) to speak collectively? You say you would "seriously con- sider" amending the First Amendment to empower Con- gress to regulate political speech. Explain why you choose to make the Bill of Rights less protective. For Romney: The Republican platform ..... endorses using "what- ever legislative method is most feasi- ble" to ban flag dese- cration. Can you distinguish this from the anti-blasphemy laws in some Islamic e Will countries? Should we criminalize expressive IER acts that offend? DES Concerning Fobreign Policy For both: On Oct. 7, we begin the 12th year of the war in Afghanistan and 51 recent NATO fatalities have been at the hands of our supposed Afghan allies, causing U.S. commanders to in- definitely suspend many joint op- erations. Why are we staying there 27 more months? For Romney: You envision "countervailing duties" to punish China for manipulating the value of its currency Do the "quantita- tive easings" by Ben Bernanke's Federal Reserve, which vastly expanded the money supply, con- stitute currency manipulation? Would duties increasing the prices Americans pay for Chi- nese imports violate your vow to not raise taxes? For Obama: Your campaign boasts about increasing the num- ber of unfair-trade charges against China. How would Amer- icans' welfare be enhanced by raising the prices they pay for consumer goods and production materials from China? For both: You are correct that China subsidizes politically con- nected businesses. Does not our Export-Import Bank do this? For Obama: Are GM and Chrysler subsidized? Are they politically connected businesses? Concerning Domestic Policy For Obama: Your opponent pro- poses cutting income tax rates 20 percent and implies paying for this partly by means testing some deductions (e.g., mortgage interest payments and charitable giving). Do you oppose his plan for making the income tax more progressive? For Romney: You say "redistri- I I c Vote no on 8 The title of Amendment 8, "Religious Freedom," is inten- tionally misleading. This change deletes current provision in the state constitution that prohibits taxpayer funding of religious in- stitutions, and would allow the state to use public money to fund religious institutions and schools. This would mean that public schools, which are al- ready financially stressed, would get less money, that students who go to private schools would not always be taught by certified teachers, and that many people would be supporting a religion in which they do not believe. Amendment 1 of the U.S. Con- stitution specifically prohibits a law such as this proposed change: "Congress shall make no law respecting an establishment of religion," and Amendment 14 prohibits any state from passing a law that is against the Consti- tution: "No State shall make or enforce any law which shall * WHAT: Presidential debate on domestic policy. WHEN: 9 to 10:30 p.m. Wednesday, Oct. 3. NETWORKS: PBS, NBC, CBS, ABC, FOX, UNI, CNN, CNBC. bution" has "never been a char- acteristic of America." You're kidding, right? Is not redistribu- tion one purpose of progressive taxation? Is not most of what gov- ernment does from agriculture subsidies to subsidized student loans to entitlements the re- distribution of wealth from one cohort or region to another? For Obama: You recently said changing Washington "from the outside" is "how some of our biggest accomplishments like health care got done mobiliz- ing the American people." You're kidding, right? A majority of the American people never sup- ported passage of Obamacare. Did you not secure passage by deals with Big Pharma and other inside Washington players? For both: Do you agree that a fi- nancial institution that is too big to fail is too big to exist? If not, why not? The biggest banks emerged from the Great Reces- sion Obama: Your deep blue Illinois like another essen- tially one-party Democratic state, California is buckling under the weight of its portion of the es- timated . SO YOU KNOW Find more letters and Sound Off today on pages A7 to A9. abridge the privileges or immu- nities of citizens of the United States." Organizations opposing Amendment 8 include: The League of Women Voters of Florida, the Florida PTA, the Florida School Boards Associa- tion, Americans United for the Separation of Church and State, the National Council of Jewish Women, Anti-Defamation League and the Florida ACLU and the Florida Education Association. If the proposed amendment is passed and acted upon, our tax money will be used in lawsuits challenging the change. Vote NO on Amendment 8. Save our money, our values, and our religious freedom. The Rev. Mary Louise DeWolf. j CITRUS COUNTY (FL) CHRONICLE Letter to the EDITOR County bus pros, cons I would like to commend the dispatchers and drivers who work for the Citrus County bus service. They are very courteous and depend- able. It is a blessing for those who do not drive, and the disabled. I take the bus regularly, but notice there are never more than three people on the bus. Many times I am the only rider Reservations must be made three days in ad- vance by noon. The time pickups are scheduled sometimes makes doctors appointments a problem. Food shopping poses another problem be- cause return trips are sometimes lengthy, which causes the shoppers to remain in the stores until the bus arrives or have their per- ishables melt SO YOU KNOW Find more letters and Sound Off today on pages A7 to A9 of the Chronicle. The drivers must drop off people according to the schedule, even when they are close by the riders' homes. Drivers must go from one di- rection to another, making a return trip longer It seems with the high cost of gasoline, the mileage and wear and tear on the buses, sched- uling more passengers for shoppers on certain days and others for doctors appointment or other destinations would be a simple, logical solution. I'm sure other passengers would agree. Camille Asaro Crystal River COATTAILS Continued from Page C1 Democrats, meanwhile, are left to defend Obama on broader issues his stew- ardship of the slowly recov- ering economy, the stubbornly high 8.1 percent unemployment rate, his health care overhaul that struck even some in his own party as a too-big govern- ment power grab. That's easier for some than others. In Wisconsin, Demo- cratic Rep. Tammy Baldwin has hugged Obama tightly, appearing before him at a campaign rally Saturday, practically gushing. "This is such an exciting end to such an exciting week I never thought I'd be able to say that I would open for the president of the United States," Baldwin said. In the crucial Senate bat- tleground of Montana, though, a recent survey of the state from Mason Dixon polling showed Democratic Sen. Jon Tester down by 3 percentage points, 45 per- cent to 48 percent, to Repub- lican Rep. Denny Rehberg. Obama trails Romney in the same state poll by 9 percent- age points, and the poll shows Montanans are di- vided on more partisan lines than 2006, when Tester won his seat As a result, Tester has worked hard to put distance between himself and Obama. In one TV ad airing during the summer, Tester bragged he "took on the Obama ad- ministration" and noted his votes against the auto and Wall Street bailouts, which Obama supported, and his support for the Keystone XL oil pipeline, which Obama has opposed. If either Obama or Rom- ney- vada, another presidential swing state. Some potential for coat- tails shows up in polling. In Virginia, Kaine's num- bers have tracked closely with Obama's polling in the state. Last week, a poll re- leased per- centage points, respectively Those polls also showed Baldwin improving her posi- tion Mon- tana, but both states' Senate races are close. On the other side, Obama should sweep Massachusetts, even as War- ren and Brown go to the wire in a tight race. In House races, the con- nection to the top of the ticket is inescapable Re- publican vice presidential candidate Paul Ryan is a Wisconsin congressman. For weeks, Democrats have seized on Ryan's budget plan in an effort to tie Re- publican candidates to changes to Medicare that could prove unpopular, es- pecially with seniors. For example, in a close upstate New York contest, vulnerable Democratic Rep. Kathy Hochul has sought to tie Ryan's budget to her op- ponent, Republican Chris Collins, to the GOP-backed budget. Collins has been forced to publicly withhold support for the Ryan plan. Republicans, in turn, have tied Democrats to Obama and specifically the presi- dent's health care law, un- popular with many voters. The National Republican Congressional Committee recently released eight ads in key districts focused on the health care issue. Wednesday Thursday Friday Saturd S 13 14 Li'. Archangel Michael Greek Orthodox Church invites you to join the... Greek Festival & Vendor/Art Expo0 i Oct. 26, 27, 28 Indoor Dinners aG'I o 8' Outside Grille ,teo 11 a.m. 8 p.m. ADMISSION $2 Donation t 4705 W. Gulf to Lake Blvd. (S.R.. 44), Lecanto *Delicious Greek dinners *Greek music *Gyros 8r Grilled Specialties *Greek pastries, desserts 8 coffee shop *Specialty merchandise vendors *Free parking Rain or shine For information call 527-0766 or then click Festival Donate a unit of blood and get $1.00 off a meal on Friday, October 26th. Gil C uk Ik C II GIIIIII WIt4I FD.S. DISPOSAL. CH PNICLE Christmas in the Hills Event Pre-Registration required by November 24 Parade Theme .^ e6^uet'441 Parade Info Call E. 352-527-0962 Arts & Crafts Info Call 352-746-4882 *" Car Show info Call S.,_.1 352-400-0960 I CAdditional Information can be found at -(RII CHI NICE Best Float *Wins $500^ 52o 21 Septe m ber 28 -28 29 llBk 2979 SPONSORED EVENTS SOe FAR THIS YEAR! The Chronicle is committed to supporting local businesses and organizations that provide all types of services, fundraisers and entertainment throughout our community. The Chronicle is committed to helping make Citrus County the best place to live anfwork. Sat rda coe t trr0^h0^ O^r C0111Lny TheChrnice i MA"UWgS O00CGc EEEEEEEEEEEEEEEEEEEEEEE ------------EEEE C4 SUNDAY, SEPTEMBER 30, 2012 COMMENTARY BUSINESS CITRUS COUNTY CHRONICLE Dealership to honor veterans Eagle Buick GMCplans event Saturday PAT FAHERTY Staff Writer Saturday, Oct 6, will be a special day at Eagle Buick GMC. The well-known Homosassa busi- ness is holding the grand reopening of its new dealership and the dedi- cation of a memorial paying tribute to the life of Rob Phillips. Eagle Buick GMC recently com- pleted an extensive $1.5 million renovation as part of GMC's corpo- rate effort to upgrade and stan- dardize its dealers. The facility has a complete fresh look with a variety of new amenities for customers. It now has a covered area out front, contemporary show- room furnishings, a much larger service area and even Wi-Fi in the service area waiting room. Though in keeping with its his- tory, she said, the famous muscle- man statue out front remains. But there is one area not quite finished yet. The memorial to Rob Phillips is still under construction. The dealership's late owner died in a boating accident Aug. 21, 2011. Penny Hughes, Eagle's customer relations manager, explained the project's details. The memorial will be a large granite octagon anchor- ing a 100-foot-tall flagpole at its cen- ter Each branch of the military will be honored by a plaque on a panel of the octagon, with a special trib- ute to the Marine Corps, in which Phillips served. There will also be a panel featuring an eagle. She said the Homosassa dealership got its name because the site was home to some eagles, which were relocated when the property was developed. Hughes said the base of the mon- ument goes 10 feet into the ground to support the flagpole, which will fly a 30-foot-by-60-foot American flag. "This is something Rob always wanted to do," Hughes said. "It is what he stood for; the Marine Corps was a big part of him and many of our customers are military veterans." She said they are hoping local dig- nitaries attend the dedication. The Marine Corps will do a gun salute PAT FAHERTY/Chronicle Eagle Buick GMC will host its grand reopening and the dedication of the Rob Phillips Memorial on Oct. 6. The dealership's late owner died in a boat- ing accident Aug. 21, 2011. and raise the American flag. Representatives from GM and the Citrus County Chamber of Com- merce will cut the ribbon for the re- opening of the dealership. The grand reopening of Eagle Buick GMC and the dedication of the Rob Phillips Memorial are scheduled for 11 a.m. to 2 p.m. Sat- urday, Oct 6. t Associated Press Mary Morgan, a Nassau County information technology specialist, poses Sept. 17 with the telephones she is assessing as part of a county- wide efficiency effort in Mineola, N.Y. Nassau County is currently shutting off hundreds of unused telephone lines and reviewing its stock of telephones as part of a cost-cutting initiative. Local governments throughout United States try to cut costs via efficiency FRANK ELTMAN Associated Press MINEOLA, N.Y In some places, it's as simple as pulling the plug on thousands of unused telephone lines or installing software that automatically shuts off idle school com- puters to save on electric bills. Other places are doing such things as merging town fire departments, combining 911 centers or out- sourcing collection of parking fines. Around the country, governments big and small are embracing cooperation, consolida- tion and efficiency to wring a few more dol- lars coun- ties and several townships announced antic- ipated savings of more than $1 million annually by joining forces to buy such things as medical supplies for ambulances and chemicals for wastewater treatment and swimming pools. "Joint purchasing is an example of where we can do more with less by finding effi- ciency," Suffolk County Executive Steve Bel- lone said. In neighboring Nassau County, officials are in the midst of a review of unused telephones and telephone lines in the wake of large staff cutbacks. The county comptroller's office es- timates in- cludes disconnecting unused phones and buying efficient light bulbs is expected to cut costs by about $218 million annually Last year, three cities in San Diego County - El Cajon, La Mesa and Lemon Grove - struck an agreement to combine their fire- fighting, emergency medical treatment and emergency planning services. They expect to save a combined $560,000 annually. Fire re- sponse times haven't suffered, according to Heartland Fire and Rescue Fire Chief Mike Scott Three counties in New Jersey are each try- ing to combine their local 911 call centers under one roof. Something similar has al- ready been done in Lincoln Park, Southgate and Wyandotte, three cities in Michigan's Wayne County. In other places, discussions are under way to consolidate school districts. And some mu- nicipalities agen- cies, according to Todd Haggerty, an analyst for the Conference of State Legislatures. Among them: Connecticut placed nine state agencies within a new Office of Government Account- ability, resulting in a reduction of 23 positions and a savings of $1.5 million in 2012 and a projected $1.8 million in 2013. Kansas estimates it will save $3 million in 2012 by abolishing its Health Policy Au- thority and shifting its responsibilities, in- cluding the administration of Medicaid, to the Department of Health and Environment Missouri transferred the responsibilities of the State Water Patrol to a division within the State Highway Patrol; $3 million a year in administrative cost savings are anticipated. Bruce Williams SMART MONEY Loans can help in college D EAR BRUCE: What is the best ap- proach to paying for college when one has- n't been preparing finan- cially? We have the ability to make monthly payments and have outstanding credit, which means we will be able to borrow. - PR, via email DEAR PR: First of all, you could investigate a PLUS loan, which is a par- ents' loan for undergradu- ate students. The good thing is these loans are not hard to find; the bad thing is you must start to repay the loan immediately; re- payment is not postponed until students graduate. Another thing to con- sider is where your student will be going to school. If you cannot handle the huge tuitions that some schools charge, you may want to consider sending your stu- dent to a community col- lege, fi- nancially helpful, but from the standpoint of building character, it's unbeatable. DEAR BRUCE: My son and his fiancee plan on getting married in a cou- ple of years. Several years ago, she filed for bank- ruptcy When they marry, will he become legally re- sponsible for her debts? - Concerned Mother, via email DEAR CONCERNED MOTHER: The straight an- swer is "no." Your son will have no responsibility for any of his new bride's old bills, assuming he had no role in developing those debts. I would suggest that your son and his new wife keep their finances com- pletely separate for a de- cent period of time. They should have no joint ac- counts, including checking accounts, savings accounts and brokerage accounts. It also would be wise for her to keep all of her accounts in her maiden name. That way, there will be no con- fusion with your son's fi- nances when they are sharing the same address. Once the dust settles a few years from now, they can alter this approach if they so choose. DEAR BRUCE: My mother is 83 years old and is $20,000 in debt. She raised us as a single parent and couldn't buy property or save a lot of money She lives solely on Social Secu- rity, and I help her out by making payments to some of her creditors. She's afraid to have her credit affected, so I've been help- ing her out in this way My brother thinks I am throwing away my money He claims that, at her age, there's nothing they can do to her, and so it doesn't make any difference now. - Reader, via email DEAR READER: Un- happily, your brother is correct. There's little, if anything, that creditors can do to your mother. If you and your brother did not sign for her credit Page D4 D2 SUNDAY SEPTEMBER 30, 2012 Promotional information provided by the Citrus Chamber of Commerce Scan II.N this: numberr connection 28 N.W. U.S. 19, Crystal River, FL 34428 352-795-3149 401 Tompkins St., Inverness, FL 34450 352-726-2801 Business Appreciation Month BBQ a huge success More than 800 people showed up at M & B Dairy on September 20 to cel- ebrate the 9,000 businesses in Citrus County that employ more than 44, 000 people. The Adam D. Tucker/Tim Mc- Graw Tribute Band treated attendees to its music show and the Agricultural Alliance once again prepared fantas- tic food. The Citrus County Chamber of Commerce and Economic Devel- opment Council thank the many busi- nesses that made this event possible and phenomenal: Superior Resi- dences of Lecanto/Sunflower Springs Assisted Living Facility, Progress En- ergy, Sibex, TCG, Crystal Chevrolet, M & B Dairy, Ag Alliance, Neon Leon's, Ike's Old Florida Kitchen, CCSO/Jeff Dawsy, Nick Nicholas Ford, Powers Protection, Hollinswood Ranch, Mike Scott Plumbing, Bernie Little Distrib- utors, The Grove, Job Site Services, FDS and Schnettler Construction. It is through the support of local busi- ness and hundreds of volunteers that we are able to celebrate business in Citrus County and we applaud all who helped put on the event and who attended. THANK YOU! CITRUS COUNTY Economic Development Council, Inc. The calm before the storm at M & B Dairy, Lecanto. Weather was on our side for the entire event. S^ ? About 800 people joined in celebrating the 9,000 businesses in Citrus County. The festivities started at 6 p.m. at M & B Dairy, home to the Swisher Sweets 2012 Farmer of the Year Dale McClellan. There was plenty of food, drink, music and all-around fun for all who attended. So, until next year .... Welcome Forest View Estates/Solstice O.-,_ r ....c -..n.f-.?. 7:7]W Ambassadors from the Citrus County Chamber of Commerce joined with the crew of Solstice to cut the ribbon on Forest View Estates retirement community. From left are: Sarah Fitts, First International Title; Nancy Hautop, Cadence Bank; Jennifer Duca, Comfort Keepers; Bill Hudson, Land Title of Citrus County; Tom Corcoran, Life Care Center of Citrus County; Janet Mayo, Plantation on Crystal River; and Kelley Paul, Wollinka Wikle Title Insurance. Celebrate the Good Life! That's the Solstice commu- nity motto! Forest View Estates, Stonebrook and Walden Woods are three of our Sol- stice communities located in beautiful Homosassa right here in Citrus County just off U.S. 19. Vibrant va- cation-style 55-plus retire- ment communities that offer resort-style ameni- ties, heated pools, club- house, tennis courts, and so much more. You'll discover the af- fordability of homes that range from $19K to $70K. A great alternative that provides homeowners with the freedom to enjoy their retirement with ease. Take a tour and meet the crew! Steve Herrick, Commu- nity General Manager; Teri Paduano, Sales Counselor for Forest View Estates and Stonebrook; Nancy Jack- owiak, Sales Counselor for Walden Woods; and Susan Watson, Operations Administrator. Upcoming Citrus County Chamber/ EDC events Oct. 11 Business After Hours 5 to 7 p.m. at NATURE COAST EMS. Oct. 12 October Chamber Lunch, 11:30 a.m. at Citrus Hills Golf& Coun- try Club. Oct 23 TUESDAY Business After Hours 5 to 7 p.m. at ALPACA MAGIC. Nov 1 Business After Hours 5 to 7 p.m. at HOSPICE OF CITRUS COUNTY. Nov. 8 Business After Hours - SENICA AIR and CITRUS COUNTY BUILDERS ASSOCIATION preview Citrus County Cruisin' Now to Oct 2 -Join the Friends of the Citrus County Library System at their Fall Mega Book Sale at the Au- ditorium, 3610 S. Florida Ave., Inver- ness. This is your chance to find some fantastic bargains in recycled reading from thousands of fiction titles, cookbooks, history, audio books, CDs, DVDs and more. There's something for everyone at this huge event. Don't miss out! Hours: 1 to 4 p.m. Sunday, Sept. 30, "Blue Light" specials and BOGO; 10 a.m. to 7 p.m. Monday, Oct. 1, half-price day; and 10 a.m. to 3 p.m. Tuesday, Oct. 2, $3-a-bag day Oct. 6 Nick Nicholas Ford and The Citrus County Chronicle host the third annual Nature Coast Mus- tang Club All Ford Powered Car & Truck Show on Saturday, Oct. 6, at Nick Nicholas Ford, 2901 State Road 44, Inverness. Proceeds benefit Friends of Citrus County Animal Services, and donations of non-per- ishable food items for local charities will also be accepted. Music, fun, raf- fle, 50/50 and FORDS! Travel a little farther south to enjoy Bikes & BBQ in Floral City. Join Floral City for a day of barbe- cue competition, music, art and small-town charm. Bike riders from across the area converge here to the 35th annual "Remodeling America" Home & Outdoor Show Nov 10 to 11. Nov 9 11 a.m. November Cham- ber Lunch at Plantation on Crystal River. Nov 15 Business After Hours 5 to 7 p.m. at FERRIS GROVE RETAIL STORE. Dec. 1 6 p.m. Crystal River "A Postcard Christmas" Parade. Dec. 5 BWA December Luncheon. Dec. 6 Business After Hours 5 to 7 p.m. at B & W REXALL DRUGS. w CITRUS COUNTY Chamber of Commerce participate in the annual Rails to Trails fundraiser the next day, Oct. 7, on the Withlacoochee State Trail. Visit. Oct 26 to 28 The Cooter Festival returns in 2012 with three days loaded with fun, music, contests, games food, refreshments, turtle races, barbecue cook-off, Cooter Idol championship, Triathlon, Costume Contest and more. Free parking and admission. More information is avail- able at. Nov 3 Celebrate the Blues from 11 a.m. to 5 p.m. with the annual Blues 'n Bar-B-Que in Homosassa. Tickets are $20 at the gate. The ticket price is for the concert only Barbecue cooked onsite, Cuban cuisine in the Museum Dec. 8 Noon Inverness "A Post- card Christmas" Parade. Dec. 13- Business After Hours/Pa- rade Winners 5 to 7 p.m. WAY- BRIGHT REALTY Jan. 19 and 20 2013 Florida Man- atee Festival in Crystal River. www. floridamanateefestival.com/external/ wcpages/manatee festival/index.aspx I- Check out our com- plete calendar for com- munity, entertainment t'-. and fundraising events. il' Caf6, cold beer, wine, soda, water, cof- fee and desserts will stave off hunger and keep you energized. Please, no pets, no coolers, no outside food or drink, but bring chairs for your per- sonal comfort and be ready to have a great time! More information is avail- able at. Travel a few miles north and join the street festival as the Rotary Club of Crystal River-Kings Bay presents the fifth annual Stone Crab Jam on Saturday, Nov 3. This street festival kicks off at 4 p.m. on the south side of Citrus Avenue all the way to the waterfront at King's Bay Park in Crystal River, with music on three stages, food and craft vendors, and beer, wine and soda/water. Gen- eral admission tickets are only $5, and VIP tickets are just $50 each. More information is available at www stonecrabj am. corm/. Nov 10 to 11 Return to the Crys- tal River Armory during the 35th an- nual "Remodeling America" Home & Outdoor Show. Hosted by the Cit- rus County Builders Association and sponsored this year by Senica Air, the show is open to the public from 9 a.m. to 4 p.m. Saturday and from 10 a.m. to 3 p.m. Sunday More infor- mation is available at wwwcitrus builders. com/comm_home_outdoor- showphp. YOU CAUGHT \ MY EYE... John Wayne Office Max, Inverness / ... FOR OUTSTANDING CUSTOMER SERVICE! CITRUS COUNTY Chamber of Commerce News You CAN USE BUSINESS REGISTRATIONS Oct. 12 Chamber Members Lunch at Citrus Hills. A forum on the pros and cons of Amendment 4 on the upcom- ing ballot. Sponsored by Sun- flower Springs Assisted Living Facility. Networking begins 11:30. Register and prepay at. Be sure to log into the Mem- bers Only section to receive member discounts. October Mixers: we have two! Oct. 11 at NATURE COAST EMS and TUESDAY, Oct. 23, at ALPACA MAGIC. Mixers are free, but we do ask you to register so our hosts may prepare refreshments. Register at no charge at. Nov. 9 Chamber Mem- bers Lunch at Plantation on Crystal River. Join us as we honor Veterans. Sponsored by HPH Hospice; November is Na- tional Hospice Month. Network- ing begins 11:30 a.m. Register and prepay at chamber.com. Be sure to log into the Members Only section to receive member discounts. November Mixers: we have three! Nov. 1 at HPH HOSPICE, Nov. 8 at CITRUS BUILDERS ASSOCIATION AND SENICAAIR CONDI- TIONING preview of the 35th Home & Outdoor Show and Nov. 15 at FERRIS GROVES. Mixers are free, but we do ask you to register so that our hosts may prepare refreshments. Register at no charge at. IMPORTANT INFORMATION The last day to register to vote in the November Presiden- tial election is Oct. 9. Go to for com- plete information and a sample ballot. There are 11 Amend- ments on the ballot for Citrus County residents. The following websites provide explanation of the amendments. Florida League of Women Voters. org (Be Informed Tab) The Collins Center - Chronicle www. chronicleonline.com/content/ good-bad-about-11-state- changes Citrus County Property "like" us on f aE Appraiser Office pa.org. Nature Coast EMS Profes- sional Emergency First Aid Kits are now available! The small kits are $20 and large kits are $30. The Nature Coast EMS administration building is lo- cated in Lecanto at Country Hill Drive and Homosassa Trail be- hind Crystal Glen subdivision and office hours are Monday through Friday 8 a.m. to 5 p.m., (except holidays). Discounts are available for purchasing multiple kits. Call 352-249-4730, or email Katie Lucas at katie.lucas @naturecoastems.org. HALLOWEEN Nature Coast EMS holds its third annual Trunk or Treat Halloween Friday, 10/26 from 5:30 p.m. to 7:30 p.m. at Nature Coast EMS Lecanto headquar- ters located at 3876 W. Country Hill Drive behind Crystal Glen subdivision on Homosassa Trail. FREE to the public. Face painting, haunted hallways, kids costume contest, free hot dogs, treats, a movie and more! Homosassa Springs Wildlife State Park presents haunted tram rides from 6 to 11 p.m. Friday, Oct. 26, and Satur- day, Oct. 27. Suggested dona- tion is $5 for adults, $3 for children 12 and younger, $2 for the Haunted House. This fundraising event with kids' cos- tume contest, free hot dogs, treats, a movie and more is sponsored by the Friends of Ho- mosassa Springs Wildlife Park. SANTA CLAUS The Magic of Christmas is the theme for the 10 a.m. Sat- urday, Dec. 1, Parade in the Hills Christmas parade this year. For more information, please visit parks.com. "A Postcard Christmas" is the theme for the Saturday, Dec. 1, parade in Crystal River. Parade begins at 6 p.m. from Northeast Third Avenue and continues south on U.S. 19 to Port Paradise Road. Applica- tions are available at www. citruscountychamber.com on the events page. The Inverness Christmas parade kicks off at noon Satur- day, Dec. 8. The theme is "A Postcard Christmas." Applica- tions are available at www. citruscountychamber.com on the events page. Healthy living is the topic on this weeks Chamber Chat. Dr. Joy Dowe from the IM&P Wellness Center in Crystal River co-host with Melissa Benefield to talk about health and nutrition. We discuss the simple changes that you can make today to start living a healthier lifestyle. Amy Lou Kingery is going to tell us how we can participate in the 5th Annual Kings Bay 5K coming up on Saturday November 3rd. It's the same day as the Stone Crab Jam and all pre- registrants get a free ticket to the Jam! Did you know 4 out of 5 child safety seats are not used correctly? Sue Littnan Child Passenger Safety Coordinator for the Early Learning Coalition shows us how to properly install a car seat to ensure your child's safety. And Rosie is back! In keeping with the Healthy Living theme Rosie from the Havana House Grill is going to teach us how to make a protein packed Edamame Salad that is both healthy and satisfying! You have 3 chances to watch Chamber Chat-- Monday 6pm-- Thudayay! -e m CITRUS COUNTY (FL) CHRONICLE A rare fight for print readers Newspapers clash in New Orleans KEVIN MCGILL Associated Press NEW ORLEANS When The Times-Picayune decided to print three days a week, a nearby pub- lication, set- ting up an old-fashioned newspa- per war. The battle for print readers comes even as more peo- ple- leansan- glehold on print news for decades, consolidating other dailies under its banner. The newspaper - named after a Spanish colonial coin worth about 6 cents has had its finger tightly on the pulse of the people and events. Its cov- erage of hurricanes such as Betsy and Katrina, the New Orleans .. Associated Press Sara Pagones, bureau chief of the new Baton Rouge Advocate New Orleans bureau talks on the phone Thurs- Complementary introductory day with computer boxes in the foreground of their temporary workspace in New Orleans. As The Times- copies of the Baton Rouge (La.) Picayune in New Orleans scales back its print edition to three days a week, the Baton Rouge newspaper is Advocate's new New Orleans edi- starting its own daily edition to try to fill the void. tion are seen Thursday in front of copies of the New Orleans Times- Picayune at Lakeside News in the Saints, the entertainment, politi- paper is fading," he said. "This misnomer," Amoss said. "Yes, New Orleans suburb of Metairie, cal corruption and ties to the Mis- has been a long, deteriorating sit- we're reducing frequency of print- La. sissippi River all forged tight bonds with readers. The Advocate's challenge is the first by a major daily newspaper in New Orleans in more than 50 years. The Advocate has built its reputation on accountability re- porting in state government and coverage of Louisiana State Uni- versity, particularly school sports. Both newspapers have steadily shifted to online news. In June, The Times-Picayune's owner, privately held Advance Publications Inc., and a new sub- sidiary, Nola Media Group, an- nounced the paper would lay off 200 employees and shift its focus to the free website Nola.com. Ad- vance is pursuing similar three- times-a-week strategies with several other newspapers in the chain, including publications in Michigan, Alabama, Pennsylvania and New Jersey Edward Atorino, a media indus- try analyst at Benchmark Co., said other newspapers in major metro- politan markets will closely watch The Times-Picayune's experiment. "The day of the seven-day news- uation. It's not a shock, and we're going to see more of it." Atorino said total print adver- tising dollars in the United States dropped from roughly $23 billion in 2008 to $19 billion in 2011. While TheAdvocate takes steps into the New Orleans market, Nola Media is planning to strike back. The company said it will ex- pand its operations in The Advo- cate's home turf and offer a customized version of Nola.com for Baton Rouge residents. "There are a lot of competitors in the market," new Times- Picayune publisher Ricky Math- ews said. "We've always got to strive to be the best we can be." Nola Media is telling readers the print edition will be familiar, complete and even better. Proto- type ing, but the three editions that we will be printing will hold their own in news hole and amount of content against what is now dis- tributed over seven days." Even after recent layoffs, in- cluding more than 70 from the newsroom, Amoss said the new operation is employing 156 people to gather and disseminate news. The Advocate hopes to expand its print audience by 20,000 in the New Orleans area. Currently, they sell about 400 papers a day there. Publisher David Manship said 10,000 free copies were being dis- tributed indus- try fig- ures show paid circulation for The Times-Picayune at just under 155,000 for Sunday and more than 134,000 daily. It has never come close to the more than 257,000 fig- ure prior to Hurricane Katrina in 2005, when the paper won a Pulitzer for its coverage. Manship, publisher of The Ad- vocate, said phone calls for sub- scription information jammed lines when the paper's expansion into New Orleans was announced. "We're going to give it a mini- mum of six months," he said. "We think we'll be able to achieve some good numbers by then." Business DIGEST Public relations group luncheon The Nature Coast Chapter of the Florida Public Relations As- sociation (FPRA) will have its monthly luncheon meeting at 11:30 a.m. Friday, Oct. 5, at Cit- rus Hills Golf & Country Club. The Nature Coast Chapter welcomes public relations and communication practitioners to the luncheon. The cost is $15 for members and $18 for non- members. Call at 352-795-8344 for reservations or information. SRRMC welcomes Olga Savage, D.O. CRYSTAL RIVER On Aug.13, Olga Savage, D.O., was appointed to the medical staff at Seven Rivers Regional Medical Cen- ter. She spe- cializes in family prac- tice. "Dr. Sav- w age's educa- tion, experience Olga and passion Olgavage Savage for helping Seven Rivers people align Regional with the hos- Medical pital's mission Center. to provide ex- cellence in health care," said Joyce Brancato, chief executive officer. "She will provide the best quality care for our patients." Dr. Savage earned a medical degree at Ural State Medical Academy and completed a resi- dency in psychiatry at St. Pe- tersburg Institute of Postgraduate Training & Med- ical-Social Expertise in Russia. She then earned a doctor of os- teopathic medicine degree at Lake Erie College of Osteo- pathic Medicine in Erie, Pa., and completed an internship and residency in family practice at St. Petersburg General Hos- pital in St. Petersburg. Dr. Sav- age is board-certified in family practice. "With open hands, we wel- come Dr. Savage to the Seven Rivers Regional family," said William V. Harrer III, M.D., chief of staff. For more information about the hospital and its medical staff, visit SevenRivers Regional .com. CF appoints new executives OCALA- The College of Central Florida has announced the appointment of Joe Mazur as vice president of Administra- tion and Finance and Cindi Morrison as director of the Ap- pleton Museum of Art, College of Central Florida. "We welcome Mr. Mazur and Ms. Morrison to the CF family and are excited about their ex- perience as we build our lead- ership team," said Dr. James Henningsen, CF president. "Mr. Mazur has extensive experi- ence in accounting and finance, as well as computer information systems. Ms. Morrison comes to CF from a university mu- seum and is familiar with the museum accreditation process, which is invaluable as we work toward accreditation for the Appleton." Mazur, who begins his serv- ice at CF on Oct. 8, has nearly 15 years of experience with the Florida College System and has served as dean of finance at Indian River State College since 2006. He served in fi- nance and accounting roles at Edison State College, Fort Myers, and as an accountant with the Florida Prepaid Col- lege Program. He has a Bache- lor of Science in finance and accounting from Florida State University, and a Master of Sci- ence in computer information systems from Florida Gulf Coast University. He is a certi- fied public accountant. "I'm happy to become part of the CF family and the Marion, Citrus and Levy communities," Mazur said. "I'm looking for- ward to serving the students, faculty and staff in fulfilling the college mission." Morrison has been director of the Mulvane Art Museum at Washburn University in Topeka, Kan., since 2008. The museum has a collection of more than 4,000 objects from around the world and hosted more than 120,000 guests in 2011. Morri- son has almost 35 years of ex- perience at sites including the Lancaster Museum of Art in Pennsylvania; Maryland Hall for the Creative Arts; and Zoller and Chambers Galleries, School of Visual Arts at Penn- sylvania State University. She has a Bachelor of Fine Arts and Master of Fine Arts from Edin- boro University in Pennsylva- nia. Her service at the Appleton begins on Nov. 16, prior to the site visit of the American Asso- ciation of Museums as part of the museum accreditation process. To learn more about CF, visit. New benefits for veterans The government does an ex- cellent job providing veterans and their spouses with burial benefits if you use a Veterans National or VA State Cemetery; however, the Department of Veterans Affairs does not pro- vide or pay for funeral or cre- mation arrangements for veterans or their families. Charles Davis, owner of Chas. E. Davis Funeral Home With Crematory, Inverness, an- nounced the funeral home has been selected to be the area's exclusive benefit provider for the Veterans Cremation Society. Effective immediately, it joins with more than 1,000 licensed funeral homes across 48 states that are helping millions of vet- erans and their families take control of their final arrange- ments while providing compre- hensive savings, benefits and planning services. VCS selects funeral homes to become VCS benefit providers based on their history of uncompromised pro- fessional cre- mation services and merchan- dise, membership in the Veterans Cremation Society ensures your final arrange- ments are carried out according to your wishes. Veterans Cremation Society membership is now open to veterans, their spouses, their parents and their adult children. To join VCS, visit CremationSociety.com. The lifetime membership fee for an individual is $40, and $75 per couple and is nonrefundable. Adviser attends DFA Symposium Sally Long, senior private wealth adviser and chief com- pliance officer for Joseph Capi- tal Manage- ment, at- :. tended the Dimensional Fund Advi- sor's 2012 Global Acad- emy and Annual In- vestment Sally Long Symposium Joseph Capital from Sept. 19 Management. to 21 in Austin, Texas. Long joined advisers from the United States, Canada, Eu- rope and Australia for the Global Academy and Sympo- sium sessions. The theme was "Retaining Good People in Your Business Best Practice in Staff Compensation, Learning and Development." Guest speakers included Angie Her- bers, an industry consultant who spoke about "The P4 Prin- ciple: Building Great Busi- nesses by Creating Great Employees." The two-day symposium fea- tured presentations by DFA leaders, including David G. Booth, Eduardo A. Repetto, professor Kenneth R. French (an expert on the behavior of security prices and investment strategies) and professor Eu- gene F. Fama (widely recog- nized as the "father of modern finance"). Other speakers included for- mer U.S. Sen. Bill Bradley and professor Brad M. Barber, of the UC Davis Graduate School of Management. Session topics included lessons from sover- eign funds discussions, the alpha outcome of some univer- sity endowments and the sci- ence of fixed-income investing. Joseph Capital Management is a fee-only wealth planning advisory firm in Hernando, with clients nationwide. Long can be reached at 352-746-4460. Chamber plans October luncheon Reservations are open for the Citrus County Chamber of Commerce's October Lunch- eon on Friday, Oct. 12. Net- working begins at 11:30 a.m. at Citrus Hills Golf & Country Club. Guest speakers will present a forum about Amendment 4. Prepaid registration for mem- bers is $18; at the door price is $20. Log into the Members Only section at countychamber.com to register, or call 352-795-3149. Bealls Outlet reopening Bealls Outlet store at Re- gional Shopping Center, 1430 U.S. 41 N. in Inverness, has undergone a total store makeover. Store manager Michelle Malanga will host a grand reopening to showcase all the major improvements through Monday, Oct. 1. Event sponsors include Life- South Blood Mobile, Master- piece Dental Studio, We Care Food Pantry, Citrus County Fire Rescue, Manhattan Hairstyling Academy, Not Just a Fish Store and Bella the clown. Leadership Citrus applications open Applications are now being accepted for the Leadership Citrus Class of 2013. Leader- ship Citrus has been active in the community for 21 years, and participants have gained a ON THE NET Apply for Leadership Citrus online at www. leadershipcitrus.com. Applications are due by Thursday, Oct. 25. higher level of awareness and understanding of Citrus County and all it has to offer. Leadership Citrus is a five- month program that meets every other week. A limited number of applicants will be se- lected to participate in the pro- gram by a committee made up from the Leadership Citrus Board. The process involves fill- ing out an application and going through an interview process. Selected members will be noti- fied through the mail in Decem- ber and classes will start in January. Class membership is open to Citrus County residents, and members of the Citrus County Chamber of Commerce will re- ceive a discount. Cost of the class is $495 for Chamber mem- bers and $595 for nonmembers. Applications can be found at; ap- plications are due by Oct. 25. BUSINESS DIGEST Submit information via email to newsdesk@ chronicleonline.com or fax to 352-563-3280, attn: Business Digest. The Chronicle reserves the right to edit notices. High-resolution photos will be considered for publication. Images taken with most cellphone cameras or lifted off websites or Facebook do not repro- duce well. Publication on a specific date or in color cannot be guaranteed. Submissions about specific prices of products or sales events are considered advertising and are not eligible for Business Digest. BUSINESS SUNDAY, SEPTEMBER 30, 2012 D3 CITRUS COUNTY (FL) CHRONICLE The week ahead Investors eye the 'cliff as Obama gains in polls MATTHEW CRAFT AP Business Writer NEW YORK As President Barack Obama widened his lead over Mitt Romney in polls this month, traders at hedge funds and investment firms began shooting emails to clients with a similar theme: It's time to start prepar- ing for an Obama victory. What many in the market worry about isn't that high earners may pay more in taxes if Obama is reelected. It's gridlock in Washington come January, when more than $600 billion in spend- ing cuts and tax hikes could kick in just as the country smacks into its borrow- ing limit again. There is reason to expect a deal. If Obama wins, the Republican fight to make him a one-term president will be lost With the elections over, there will be little reason or room for political posturing. House Republicans could fi- nally Si- mons, a market economist at the in- vestment re- cently laid out the grim consequences of dropping off the fiscal cliff. Starting Jan. 1, tax cuts signed by President George W Bush expire, as do Obama's cuts to payroll taxes. Federal spending on defense and other domestic pro- grams will drop, while emergency un- employment benefits run out The combined effect off all these changes would shrink the economy nearly 3 percent at an annual rate in the first half of next year, the CBO esti- mates, and push unemployment up to 9.1 percent by the fall. Recent surveys of businesses suggest the threat is al- ready weighing on the minds of execu- tives when they're making hiring and spending plans. For the world's biggest money man- agers, the fiscal cliff now ranks as the greatest hazard to the global economy, according to Bank ofAmerica's most re- cent fund manager survey It topped the European debt crisis, a collapse in Chi- nese real estate and even a war be- tween Israel and Iran. The danger looms so large to most in- vestors that they believe Washington MONEY Continued from Page Dl card (I assume that is the case), the debt realistically goes away with her when she dies. In other words, the creditor is stuck Your mother is concerned about her credit I would as- sume that she is at her max or that she is still using the card and making minimum pay- ments. Maybe she is making the minimum payments so she can continue to borrow money The morality of that is another question. DEAR BRUCE: I would like to purchase an estab- lished business, a retail phar- macy that has no competition at the moment and is in a rural area. The seller is ask- ing $700,000. How would I go about financing it? S.P, via e-mail DEAR S.P: You've asked a very involved question in just a few lines. The purchase of a small business is generally fi- nanced that specialize in fi- nancing businesses, although the finance costs are going to Associated Press President Barack Obama climbs the stairs to Air Force One on Thursday at Andrews Air Force Base, Md., for a flight to Virginia Beach, Va. per- cent chance of re-election, up from 51 percent at the start of September Democrats are far less likely to take the House from Republicans, who hold a 50-seat majority. Intrade markets put the chance that Republicans will con- trol the House at 74 percent. If these forecasts prove right, the bal- ance of power in Washington would re- main. In one dizzying stretch that August, the Dow Jones industrial average dropped 2,000 points in three weeks. 'And don't forget," Lyngen adds, "that be significantly higher than a bank would charge. The fact that this pharmacy is in a rural area with no competition could change to- morrow. A retail chain could decide to put up a store nearby, and finance people will then get nervous. If you have substantial eq- uity pe- riod and make it more favor- able in terms of a loan. DEAR BRUCE: I am 55 years old and single, and I am feeling the pinch of not hav- ing planned for my retire- ment until now. I clear $295 a week and have a monthly ex- pense of $350 for my car pay- ment I don't own a house, so I have no real estate to fall back on, although I don't have any rent expense, either My credit card bills are around $1,800 from medical ex- penses and emergency things. My other monthly ex- penses run about $250. I am thinking about getting a zero-interest credit card and combining my credit card bills to get my monthly payment down to $100. I would also like to start in- vesting in a 401(k), but having more money taken out of my monthly income is hard. My health may take a toll if I add a part-time job. Any sugges- ultimately got resolved."- man expects the stock market will start sinking after the elections as people re- alize strate- gist at the brokerage BTIG, wonders if that's placing too much faith in Wash- ington. "Republicans aren't losing the House," Greenhaus said. "So as the odds of Obama winning re-election go up, what you have to ask is: How are these two parties going to find middle ground in just a few months? I have no idea." tions? -J.B., via email DEARJ.B.: You have made an understatement when you say you haven't planned well. Having a car payment in ex- cess of a week's pay is ab- solutely in- come. Under ordinary cir- cumstances, I would immediately suggest a part- time job, but at the same time, you should not jeopard- ize your health. You mentioned that you have no rent expense at this time. What happens if that all changes? How will you be able to afford rent? Given your current situa- tion, sav- ings. un- derstand your frustration, but the reality is that you can't run away from an obligation and expect it to disappear You owe the money on the credit cards and apparently you stopped making these payments, even the mini- mum. Had you not done that, your creditors would not be suing you. The credit card companies can't take your home, but they most surely can get a lien against it. As a conse- quence, you wouldn't be able to sell the house until you paid not only the amount owed but also ongoing inter- est for every day that passed until the obligation was paid. Social Security and civil serv- ice money cannot be at- tached, but still you can't just wiggle your nose and have the debt go away. You should be able to ne- gotiate a lower fee, but if you already made arrangements to pay off this obligation and negotiating a lower fee was not done at that time, I sus- pect this option is no longer available to you. I wish I could tell you more, but creditors do expect to be paid. The fact that things are tough is not an ex- cuse not to pay Email bruce@ brucewilliams. com. Associated Press Jeanine Hamilton, owner of Hire Partnership, a staffing company, wears a headset Tuesday while working at her office in downtown Boston. Hamilton was laid off from her job in June 2008 and then started her own business de- spite the poor economic times. Startups find benefits in launching in bad times JOYCE M. ROSENBERG AP Business Writer NEW YORK Starting a business in a tough econ- omy taught entrepreneurs Chuck Tanowitz and Todd Van Hoosear the value of time. The duo started Fresh Ground, a public relations firm, in Boston in early 2010. The recession was technically over, but many companies were still feel- ing its effects. That trans- lated to some prospective clients trying to get some- thing for, well, very little. They quickly learned to structure conversations with prospective clients so they would know early on how much money a client was willing or able to spend rather than dis- covering at the end of a long meeting that a client had just $1,000 for a project We learned "how to fig- ure out where to find the right (clients) prospects versus the ones who are just tire-kicking," Tanowitz says. Conventional wisdom says don't start a business during an economic down- turn. Based on government figures, many people agree. In 2007, there were 844,000 new startups in the U.S. By 2009, that number had fallen to just 700,000, according the Bureau of Labor Statistics. But a starting a company during bad economic times can be good business. It often teaches entrepre- neurs lessons that make them better business own- ers, and it can reap bene- fits such as savings on rents, products and serv- ices and access to a better talent pool. In a downturn, entrepre- neurs learn how to be bet- ter business owners because they have to work harder to get and keep cus- tomers, says Caroline Daniels, an Entrepreneur- ship strat- egy that is helping them build their business. The firm's revenue has doubled in the past year, according to Tanowitz. "We knew consciously that coming out of a reces- sion we'd be much stronger, we'd have a good base of clients," Tanowitz says. unem- ployed, she was able to get highly qualified candidates that she could send out on temporary jobs and to in- terviews. Because she was able to pull together a large group of strong temporary workers and job candi- dates, she developed a good reputation that is serving her well now that the economy is showing signs of life. Since the mid- dle of her first year in busi- ness,. FEWER RIVALS, MORE DEALS The prospect of opening a knitting shop in the after- math of the recession looked risky. The economy was hard on boutiques that sell designer yarns, knit- ting and crochet needles and patterns. Many went out of business when cus- tomers cut back on their hobbies or looked for less expensive yarn online. But is also meant there was less competition. So Karen Posniak, a former retail salesperson and a personal shopper, decided that it was a good time to fulfill her dream of open- ing a knitting shop of her own. She and her husband had moved to Hoboken, N.J., just across the Hud- son eas- ier sec- ond year and $3,150 in the third year. D4 SUNDAY, SEPTEMBER 30, 2012 BUSINESS CITRUS COUNTY (FL) CHRONICLE McDonald's asks, TV with that? New channel on eatery's menu LYNN ELBER AP Television Writer LOS ANGELES The question of the moment at 700 pioneering McDonald's restaurants: You want TV with those fries? Not just any television, but the custom-made M Channel, formu- lated and tested with the same at- tention to detail that made Big Macs and Chicken McNuggets cul- tural icons. The channel's aim is to offer ex- clusive content to entertain cus- tomers. More ambitiously, it also intends to create promotional and sales opportunities for record companies and others who want to dive into McDonald's vast cus- tomer sports- casts localized for cities and even neighborhoods, he said. But there's more: It will supersize the experience by directing viewers online for shopping or other opportunities. Get details on a featured elec- tronic toy or be among the first to download a music video discovered via M Channel. Want to get close to artists you heard on your coffee break? Enter to win backstage con- cert passes or maybe lunch with them (just a guess, but the location may not be optional). -: Associated Press McDonald's patrons watch the new McDonald's television channel Sept. 7 at a McDonald's restaurant in Nor- walk, Calif. McDonald's is testing its own TV channel in 700 California restaurants in a pilot project that could expand to all the company's restaurants. M Channel's goal is to target dif- ferent audiences at different times of day and be so area-specific that a restaurant could show high school football game highlights to home- town fans, Edmondson said. News reports are taped by local station anchors for the channel. Among those who have enlisted as content providers are producer Mark Burnett ("Survivor," "The Voice"), ReelzChannel and broad- cast stations. A range of advertisers, minus other restaurants and per- haps alcoholic beverages, will be welcome, Edmondson said. For now, the programming is in its infancy At a McDonald's in Costa Mesa, south of Los Angeles, a flat-screen TV tucked in a corner showed an hour-long loop that in- cluded weather; a trivia quiz that promoted "Jeopardy!"; features on windsurfing in Maui and auto rac- ing; interest- ing," said the 18-year-old Lua, perk- ing up. That opening is just what Ed- mondson wants to exploit "If you see a piece of content that connects with you immediately, we've provided you a value," he said. "If we can do it consistently, we become a trusted source of in- formation ... and a great way for content providers to engage with consumers." Major music companies are intrigued. "Interscope values a new way of communicating to customers where our content is positioned front and center to a massive audi- ence," said Jennifer Frommer, the company's head of brand partner- ships. "The channel provides a platform to market music in ways that have never been done before." The pilot project, which began testing in scattered Western outlets two years ago, recently completed expansion to all McDonald's Cali- fornia outlets from San Diego north to Bakersfield. All told, the eateries get nearly 15 million monthly visits from adult cus- tomers alone. M Channel could expand to the roughly 14,000 McDonald's nation- wide within 18 months of getting the "go" from the company and franchisees, Edmondson said. He declined to predict when the green light could come for the project that has advanced with caution, the giant chain's approach to mak- ing changes. The end game Edmonson fore- sees: Versions of the channel in McDonald's worldwide, and per- haps the birth of a template for other industries. So far, the in- vestor-funded Channel M has con- sumed tens of millions of dollars and it "will be that again to pull it off," he said, declining to give an exact figure. The M channel is "a smart thing to do," said Valerie Folkes, a mar- keting professor at the University of Southern California's Marshall School of Business. TV sets, which originally sprouted in auto service shops and elsewhere to keep customers dis- tracted while cooling their heels, have new potential in a splintered media market. 'Advertisers face difficulties not only in reaching the right people but also in capturing their atten- tion," Folkes said. "Here they have people who they know are cus- tomers and who are more inclined to listen to their message." How will McDonald's Corp. judge M Channel's value? 'Ad revenues are important, but the channel must be positively re- ceived by our customers in order to be viewed as a success," said Brad Hunter, senior marketing director for McDonald's USA. To lDace an ad. call 563-5966 -I __ MAINTENANCE I Cmopd E I WORKER I V I I Advertising Sales Assistant The Citrus County Chronicle is now accepting applications for a Full Time position of Advertising Sales Assistant. Assist sales depart- ment, manage work flow, create insertion orders, filing, knowledge of Excel & Word. Ability to work well in a deadline driven environment. Excellent Customer Service Skills. HOMOSASSA 2/1, $425/mo.+ util. No Pets (352) 503-7562 HOMOSASSA 2/1'%, No Pets $500 (352) 628-5696 INVERNESS Move in special! 4/2/2 1st, last, sec. $595/mo 352-400-1501 P/T Position; Pay based on Qualifications $10-$11.75. Resp include chkg lines and water me- ter for damage, repairing as required. GED or HS Diploma, valid Dr Lic, vehicle and own tools required. (352) 489-1777 missionincitrus.com Citrus County's Only Emergency Homeless & Veteran's Shelters Now 80-100 a night includes 18 children EMERGENCY FUNDS & Other needs are needed at this time. 352-794-3825 PLANT SALE DEBE'S GARDEN Fri, Oct. 5, Sat, Oct. 6 3903 S. Lecanto Hwy. JERSEY JIM Classic Country Music For Your Next Affair k (352) 621-3588 * $$ 145 Feet of 8ft. Privacy Fencing you take down and it yours Call After 10 am (352) 628-4668 Dry-lot paddock Manure. No shavings. Pick-up size load avail- able and ready to load! Lecanto area, by landfill. 697-5252 Female Pitt Bull Terrier, 3 yrs, sweet Free to Good home good w/ pets and kids need fenced yard (352) 249-7698 Fa:(52 6-66 ol -re (8)82-30 1 m i:. a .0cm I est: w ^hrncenln ^o 1 year old Chi-winnie female, 8 lbs spayed all shots Very active, gets along with other animals (352) 465-9201 Free Artificial Christmas Tree complete w/ accessories decorations and skirt (352) 564-0095 FREE HORSE MANURE Great fertilizer/mulch. Stored in trash cans - easy to load onto your truck or container. Pine Ridge (352) 270-7127 leave message if no answer FREE Horse Manure GREAT FOR GARDENS Easy Access Pine Ridge 746-3545 Free straight horse manure, no shavings. you haul 513-4473 GE Refrigerator, 23CF, White, ice maker, needs cleaning U Move (352) 628-6335; (352) 228-1243 horse manure mixed with pine shaving great for gardens or as mulch. U load and haul LOST CAT Petite, gray, long hair Fairview Estates Citrus Hills REWARD (352) 726-3545 FOUND KITTEN Orange, female Found on HY 19 S. of Homosassa (352) 527-4887 Found Large Dog Off Rockcrusher Has Collar Call to Identify 302-2194 FOUND Older Dog Chocolate colored, neutered, part Lab and Hound (?). Found on NE 12th St in Ocala on 9/17 (352) 843-0307 or 547-9484 Found Sweet Cat Black with white paws long hair, yellow eyes Ft. Island Traild (352) 302-4546 White Dog, found in vi- cinity of Best Western in Crystal River, older adult dog call to identify: (352) 446-7963 missionincitrus.com Citrus County's Only Emergency Homeless & Veteran's Shelters Now 80-100 a night includes 18 children EMERGENCY FUNDS & Other needs are needed at this time. 352-794-3825 FL JUMBO SHRIMP 15 ct @ $5/lb,13 ct @ $6/lb,9 ct @ $7/lb. Stone Crabs $6/lb. (352)513-5038 NURSERY AIDE PT Sun AM Wed PM exp only (352)7262522 Library Assistant Announcement # 12-58 Full time advanced clerical work assisting customers in the library. Coordinates volunteers and community service workers. Must be able to bend, stoop and lift approxi- mately 20 pounds. Assigned to Coastal Region branch, Crystal River but will work at various branch locations when needed and be available to work some evenings and Saturday. One year of library service desk experience. Must successfully pass a level II background check. Starting pay $10.77 hourly. Excellent benefits. ALL APPLICATIONS MUST BE SUBMITTED ONLINE: Visit our website at You can also visit one of the local Libraries or the Human Resources Department, 3600 West Sovereign Path, Suite 178, Lecanto, Fl. 34461 to apply online by Friday, October 5, 2012 EOE/ADA. WORKER P/T Position; Pay based on Qualifications $10-$11.75. Resp include chkg lines and water me- ter for damage, repairing as required. GED or HS Diploma, valid Dr Lic, vehicle and own tools required. (352) 489-1777 RECEPTIONIST For Evening Shift. Established Cosmetology school in Inverness. S10+ / hour. Organization and follow thru a must. Must have good communica- tion and people skills. Send Resumes to: jpuglisi@ manhattanhairstyling academy.comr HAIR STYLIST Full time/Part time Call Sue 352-628-0630 to apply in person Tell that special person " Happy Birthday" with a classified ad under Happy Notes. Only $28.50 includes a photo Call our Classified Dept for details 352-563-5966 Your World CHXo)NIcIe ACTIVITY ASSISTANT/C.N.A. Join our fun and exciting team !!! Arbor Trail is accepting applications for a fulltime Activities Asst. If you are an ener- getic, creative and customer service oriented individual, we are looking for you. Must be able to work weekends and evenings. C.N.A. license and CPR cer- tification is required for this position. Previous experience is preferred. Email resume to: athrc@southern LTC.com or fax: 352-637-1921 Or apply in person at: 611 Turner Camp Rd, Inverness An EEO/AA Employer M/F/V/D Assistant Business Office Manager Ufe Care Center of Citrus County Full-time position available. Experience with long-term care billing and collections of Medicare, Medicaid and private insurance is required. We offer great pay and bene- fits, including medical coverage, 401 (K) and paid vacation, sick days & holidays. Please Apply In Person 3325 W. Jerwayne Ln. Lecanto, FL 34461 Visit us online at LCCA.COM. Resumes may be faxed to the attention of Business Office Manager at 352-746-6081. EOE/M/F/V/D 35458 #1Employment sowce is S CNA to work with Children with Medical Needs. PEDIATRIC DAY HEALTH FACILITY Call 352-360-0137 or Fax resume to: 352-360-1082 Dental Assistant For High Quality Oral Surgery Office. Springhill/Lecanto Experience a must. Email Resume To: marvamoli@ yahoocom ot r \world first. CikNiI Store Fronts Available Lowest Leasing Rates Ever! Busy Hwy 19 Crystal River location Anchored by national retail stores Newly refurbished Kiosks also available C3 CRYSTAL RIVER M.A.L.L 352-795-2585 1 801 NE Hwy 19 Crystal River, FL 34428 BUSINESS SUNDAY, SEPTEMBER 30, 2012 D5 I D6 SUNDAY, SEPTEMBER 30, 2012 EXP. MARKETER In search of a friendly professional individ- ual who will be expected to market to local Physicians. Please e-mail your resume to resumes1990 @yahoo.com PHYSICAL THERA- PIST, PTA, OPT, RNS Rapidly expanding home health company, Village Home Care is seeking additional staffing Citrus County, The Villages and Ocala. These individuals must have experience in Medicare Home Health. Full time and part time positions are available for Physical Therapists, Physical Therapists As- sistants, Occupational Therapists, RNs, LPNs, and Medical Social Worker. Please respond by email: plarkin@villagehomecare.org or fax: 352-390-6559 RECEPTIONIST Mon. thru. Fri. Doctor's Office Send Resume to 4065 N. Leccnto Hwy. Suite #100 Beverly Hills Fl/ 34465 RNs-Hospice Full-time & Part-time HPH Hospice is a not-for-profit community-based healthcare organiza- tion providing innova- tive, skilled medical care to patients with life-limiting illness and compassionate support to their family members. * Admissions RN, FT * Case Manager, FT * Evening RN, PT * Weekend RN, FT For more Information, please call our recruiter today! Cynthia at: 800-486-8784 12107 Majestic Blvd. Hudson, FL 34667 Email: humanresources @hphosplce.net Webslte: HPH -Hospice .org/careers HPI.hospice EOE SMITTYS APPLIANCE REPAIR. Washer & Dryers, Free Pick Up 352-564-8179 Affordable Lic. Nursing Care in The Home (352) 341-2076 Cell (407) 301-6060 Providing Transporta- tion for Errands, Shopp- ing Appts., Reasonable Flat & Hrly Rates, Working WITH you to make it work FOR you. Call Bridge Transportion Corp. (352) 422-2271 SHADY VIEW CANVAS Awnings *Carports *Boat Tops & Covers upholst 352 613-2518 Your World 4 "wiu "&te CHONicLE I i I MEDICAL OPPORTUNITIES Billing Clerk Receptionist Medical Asst. Scanning Asst. Blind Box 1792P c/o Citrus County Chronicle, 1624 N. Meadowcrest Blvd. Crystal River, FL 34429 COLLEGEof CENTRAL FLORIDA -an equal opportunity college- Multiple Employment Opportunities Available Professional * Assistant Director of Admissions/ Inter- national Students * Educational Advisor, Admissions and Records * Programmer Analyst II Instructional: * Faculty, Associate Degree Nursing * Faculty, Communi- cations * Faculty, Criminal Justice Institute * Adjunct opportuni- ties college-wide Please submit a copy of transcripts with the online application for all positions that re- quire a degree How to Apply Go to, click on Quick Links then Employment at CF. Submit unofficial transcripts with the online application at time of submission. Alternatively fax transcripts to 352-873-5885. 3001 SW College Road Ocala, FL 34474 CF is an Equal Oppor- tunity Employer THE KLEEN TEAM Residential/Comm. Lic., Bonded, Insured (352) 419-6557 DIESTLER COMPUTER New & Used systems repairs. Visa/ MCard 352-637-5469 ON SITE COMPUTER SERV. (352) 341-4150 EXPERIENCE Slabs, Driveway, Patios, Foundation Repair #CBC057405, 427-5775 BB&T Part-Time Teller Crystal River location. Good customer service/cash handling skills. Related experience. No nights/weekends. Cross-trained opportuni- ties. All qualified and interested candidates need to apply on line EOE/AA/D/V, Drug Free Workplace j CUST. SERVICE REP/or 220 Agent Needed for busy Insurance office. Apply in person 9am-12N SHELDON PALMES INSURANCE 8469 W Grover Cleve- land, Homosassa . HEALTHCARE MARKETING REP Searching to be part of a team with a deeper purpose? TLC Rehab fosters a culture of giving back to the community through high perfor- mance teams. We have an opportunity for an experienced dynamic marketing/ sales rep to market Outpatient Physical Therapy services to existing and new healthcare profes- sionals. Competitive salary & benefits of- fered with a car allowance and results driven bonus structure. Please apply online at: mgmtjobs.com or fax resume to 352.382.0212. INSURANCE REP With a 440/220 LIC. Sales/ Customer Serv- ice Position. Prior Independent agency skills preferred. Mail Resume to: Box # 1797P Citrus County Chronicle 1624 N. Meadowcrest Blvd. Crystal River, FL 34429 Or Fax: 352-564-2952 Attn: Box 1797P Your World Sii ci. nir cl-. rilm m)' A 5 STAR COMPANY GO OWENS FENCING All Types. Free Est. Comm/Res. 628-4002 BOB BROWN'S Fence & Landscaping 352-795-0188/220-3194 ROCKY'S FENCING Free Est., Lic. & Ins., 352 422-7279 * Clean Waxed Floors Free Estimate 344-2132 Librarian I Youth Announcement # 12-57 Full time professional library work responsible for Youth Services. Assigned to Central Ridge Library, Beverly Hills, but will work at various branch locations when needed and be available to work some evenings and Saturday. Four year degree with major course work in library science preferred. Must successfully pass a level II background check. Starting pay $13.84 hourly. Excellent benefits. ALL APPLICATIONS MUST BE SUBMITTED ONLINE: Visit our website at You can also visit one of the local Libraries or the Human Resources Department, 3600 West Sovereign Path, Suite 178, Lecanto, Fl. 34461 to apply online by Friday, October 12, 2012 EOE/ADA. CHKko NicE Accepting applications for Advertising Sales Rep Sell print and online advertising for Citrus Publishing Working a Sales Territory within Citrus County.. #1 HANDYMAN All Types of Repairs Free EST., SRr DISC. Lic#38893, 201-1483 1 CALL & RELAX' 25 vrs Paint/Remodel, Repairs, Woodwork, Flooring, Plumbing, Drywall, Tile work Lic.37658/Ins. Steve 352-476-2285 #1 A+TECHNOLOGIES All Home Repairs. All TV's Installed Lic.#5863 352-746-3777 ANDREW JOEHL HANDYMAN. Gen. Maint/Repairs Pressure Cleaning. 0256271 352-465-9201 ABC PAINTING Book it Now and Finish your List before the Holidays Dale 352-586-8129 Affordable Handyman S/FAST 100% Guar. AFFORDABLE V RELIABLE* Free Est k 352-257-9508 * Affordable Handyman V FAST. 100%Guar. AFFORDABLE V RELIABLE- Free Est *k 352-257-9508 * Affordable Handyman VFAST 100% Guar. AFFORDABLE V RELIABLE- Free Est k 352-257-9508 * Affordable Handyman V FAST. 100%Guar. AFFORDABLE s RELIABLE- Free Est 352-257-9508 *k All Painting & Home Repairs. Call Doug at 352-270-6142 Free Est. Reg. & Ins. CLASSIFIED ADVETISNGaE SALES^^^ ExpndngAgai!j You'e CiruGoutyIt Waneegtic iniiulto! osl Cl I1(ic.E1 (352) 563-5966 ELAINE TO THE RESCUE Free Estimate. At Your Convenience. No Job to Small (262) 492-3403 Exp House Keeper. Contact Sheila @ 352-586-7018 JUSTIN LAWN CARE Hedge & Tree Trimming c)476-3985 (o)634-5826 CITRUS COUNTY (FL) CHRONICLE RETAIL SALES Nights/ weekends 75 CHROME SHOP Wildwood (352) 748-0330 SALES PT/FT Sales. 8409 W. Crystal St. Crystal River-DFW APT. MAINTENANCE For 36 Unit Complex F/T, & Benefits, must have reliable transpor- tation and own tools. Working knowledge of Gen Maint., Plumbing AC & Lawncare. Apply at FLORAL OAKS APTS Or send Resume to: 8092 S Floral Oak Circle (352) 860-0829 DRIVER OTR LB/FLATBED 2 Yrs Exp, Class A CDL (352) 799-5724 EXP. MILLWORK Fabricator & Installer Apply at Built-Rite, 438 E. Hwy 40,Inglis, POOL TECHNICIAN Experienced Pool Tech. Route consists of Citrus Hills, Pine Ridge, Her- nando, and Beverly Hills area. Call Gene @ 697-4994. Technician Needed. Our business is growing and we are in need of technicians who have experience in diesel en- gines and transmis- sions. We have the best working hours Mon-Fri and paid holidays. Sign on bonus or moving al- lowance is available. GM experience even though not required is a plus. We offer top wages and benefits. Call Kevin 352-493-4263 or send email to kbelfry@ymail.com S c o g g i n s Chevrolet/Buick General Helpr AT YOUR HOME Mower, Generator, Service & Repair. WE HAVE MOVED 4551 W Cardinal St Homosassa. Bring it in or we can come to you. MIKE ANDERSON PAINTING, Int./Ext. & Pressure Washing CALL a PROFESSIONAL (352) 464-4418 COMPUTER OPERATOR Needed to sell antiques on ebay. Commission up to 30K. Must have positive feedback. (352) 628-9128 GENERAL LABORER F/T, Clean Lic. Drug Test, GED required Apply At 8189 S. Florida Ave., Floral City. 8AM-3PM C IoipNaME IONICLE ABC PAINTING CALL STELLAR BLUE All Int./ Ext. Painting Needs. Lic. & Ins. FREE EST (352) 586-2996 MIKE ANDERSON PAINTING, Int./Ext. & Pressure Washing CALL A PROFESSIONAL (352)464-4418 PIC PICARD'S Pressure Cleaning & Painting 352-341-3300 All phases of Tile Handicap Showers, Safety Bars, Firs. 422-2019 Lic. #2713 Looking For Person Girl Friday responsi- bility from House- keeping to Fin. Assist. Must like animals Avail. if nec- essary 7 days week Live in or Not CALL (352)522-1009 6pm-9pm Only Volunteer Outreach Coordinator Announcement #12-56 Plan, promote, coordinate, recruit, administer and supervise shelter volunteers and volunteer related programs. Two years experience in volun- teer management and experience in the care and handling of animals preferred. Must be able to safely handle and restrain large animals. Must possess a valid Florida Driver License. Beginning pay $10.77 hourly. Excellent benefits. ALL APPLICATIONS MUST BE SUBMITTED ONLINE: Please visit our website at You can also visit one of the local Libraries or the Human Resources Department, 3600 W Sovereign Path, Suite 178, Lecanto, FL 34461 to apply online by Friday, October 5, 2012 EOE/ADA Choir Piano Accompanist P/T: 1 hr Thursday choir rehearsal; Sun a.m warm up plus one service. Or- gan a plus. Fax resume to 352-489-5222. Hope Lutheran Citrus Springs. Questions-call Diane 352-598-4919 Massage Therapy Weekend Class OCT. 20, 2012 SAT. 9-5, SUN. 9-5 HAVE A NEW CAREER IN 37 WEEKS BENE'S International School of Beauty New Port Richey Campus 1-866-724-2363 JOHN GORDON ROOFING, EXPERT REPAIRS & REROOFS ccc132549 302-9269. #1 Employment source is 2-END TABLES cherry wood, granite tops. 25.5 x 17 by 23" tall asking $80 352-794-3768 SONY RADIO 1960's am/fm 2 band wood framed 8.5 x 14.5w 6" deep. Asking $35 352-794-3768 ACTION FIGURES Various packaged 10-20+ years old.$5 & up. Marvel, Spawn and more 352-794-3768 BETTY BOOP PLATE 12" asking $10 call Kate at 352-794-3768 HOLLY HOBIE PLATES set of 2. asking $10 call Kate at 352-794-3768 PEE-WEE HERMAN DOLL 1987 17" pull string asking $15 Call Justin 352-794-3768 ,t Tell that special person Happy Birthday" with a classified ad under Happy Notes. Only $28.50 includes a photo Call our Classified Dept for details 352-563-5966 VARIOUS STUFFED ANIMALS smoke free. some mint. call Kate 352-794-3768 VINCIATA PRINT ON CANVAS "Girl of Valdano" 24"h x 18"w near mint asking $75 firm 352-794-3768 WARREN KIMBLE CAT PLATES in box. Never used. asking $20 call Kate at 352-794-3768 CAST IRON KITCHEN SINK-KOHLER White, standard 32x22, double 6 inches deep. $75.00 can e-mail pic 513-4027 CROCK POT RIVAL 5 quart Excellent condition. $10. Toaster $4. 352-270-3909 FREE APPLIANCE REMOVAL All Unwanted Appliances Removed Free 352 209 5853 G.E WASHER Like New $100 352-287-5279 MINI CUPCAKE MAKER New in box Never opened $5. Cost $20 new 352-270-3909 Middle Aged Couple Recently Moved to Crys- tal River looking for PT work; honest & reliable; NO JOB TOO SMALL References provided. Call Greg or Laura @ (850) 499-9795 SOD, LANDSCAPING & MOWING 352-364-1180, 352-257-1831 A TREE SURGEON Lic. & 344-2556, Richard WATER PUMP SERVICE & Repairs- all makes & models. Call anytime! Ron's Affordable Handyman Services All Home Repairs SSmall Carpentry Fencing *Screening Clean Dryer Vents Affordate & Dependable Experience lifelong 352-344-0905 cell: 400-1722 Licensed & Insured Lic.#37761 POOLS ANIDPA A ddan artisiK to0u0to your existing yard "or poolaorpln something All E ior Alumin Inc. omplelely new! 352.621.0881 (OM...0.6!HFaxW352.621.0812 "Often unita 14 6" SEAMLESSGUTTERS 1 never dutile & SCREEN ROOMS S 6" Seamless Gutters YOURINTEIOCKING BRICK PAVERSPECIAIST Screen Rooms Car Ports ICOPES 4 Hurricane Protection POOL AND PAVER LLC allextalum13@yahoo.com . Lic. CPC1456565 I352-400-3188 Citrus Lic. #2396 LICENSED & INSURED Leaded Glass Installed in your EXISTING DOOR! * "NO ROT" Door Units * Blinds Between the Glass * Custom Carved Glass (Art Pieces/ Bath Glass) Perry's Custom Glass & Doors 352-726-6125 I 2780 N. Florida Ave., Hernando, FL (Hernando Plaza) 000C42R AAA ROOFING Call the "euakah6uste" Free Written Estimate $100 OFF Any Re-Roof Must present coupon at time contract is signed Lic./I ns. CCCO57537 000CHOW1 When mopping isn't enough call... Mr. Tile Cleaner Showers Floors Lanais SPools & Pavers ,', -Cleaning & Sealing S Grout Painting I'. '-ll* Residential & S Commercial 586-1816 746-9868 WINDO.J We Clean Windows and o Whole tot MoreI Window Cleaning Window Tinting Pressure Washing Gutter Cleaning FREE ESTIMATES 352-683-0093 Bonded & Insured GENERAL Stand Alone Generator Thomas Electric, LLC Residential/Commercial Service Generac Centurion Guardian Generators Factory Authorized Technicians ER0015377 352621124 REMODEIN CITRUS COUNTY (FL) CHRONICLE REPAIR, washers dryers,FREE pick up 352-564-8179 WASHER OR DRYER $135.00 Each. Reliable, Clean, Like New, Excel- lent Condition. Can De- liver 352 263-7398 WHIRLPOOL DRYER approx. 10 years old In good working condition $75 352-400-2593 30" Electric Stove White, Excellent condition $100. (352) 302-8265 Computer Desk L shape, mahogny w/ small hutch, shelves, $200 (352) 563-6327 (352) 860-3481 Heavy Duty Aluminum Ladder Rack for Vans 2 supports w/2 aluminum door kits for PVC $140 (352) 586-7125 TABLE SAW Grizzly 10" table saw with mobile base. Top 41" wide x 27" deep. With 1-1/2 HP mo- tor, 110V or 220V. ac- cessories included. $200 or best offer. Telephone (352) 795-6318 or email: apm2ts@yahoo.com MAGNAVOX 26" TV, with remote, excellent condition, $35, (352) 465-1813 (Dunnellon) Magnavox 32" $85. RCA 26" $70. Both with Remotes (352) 220-2715 MAGNAVOX 36" TV WITH LARGE MATCH- ING STAND, used very little, excellent condition, $95, (352) 465-1813 Sony 51 Inch Projection TV Works great, $150. obo (352) 422-0005 TELEVISION 32' Sharp. 2004 $75 call Kate at 352-794-3768 DIESTLER COMPUTER New & Used systems repairs. Visa/ MCard 352-637-5469 IRON PATIO TABLE w/2 CHAIRS Decorative Table and 2 Chairs, $35, 352-287-9270 PATIO TABLE, Slate Top, 2 Chairs w/Cushions, $75, 352-287-9270 2 "ASHLEY" 5-DRAWER DRESSER CABINETS BARELY USED!!! ONLY A FEW MONTHS OLD!!! Buy both for $400 or $225 for 1 352-746-1910 4 COUNTER HT CHAIRS Elegant, contemporary metal and leather, exc condition. $25 352-249-7212 BOOK CABINET WITH GLASS DOORS Oak, 5x3,12 in. deep.100.00 VERY NICE! 352-513-4027 CHEST OF DRAWERS Old solid wood 5 drawers 1 cedar drawer 38"W x 52"H $85. 352-270-3909 DRESSER Blond Oak look particle board. Perfect for kids room $25. 352-270-3909 ENT/DESK CENTER Cream color, formica, finish, 3 piece, desk folds down. $50.00 352-513-4027-email pic ENTERTAINMENT CTR Real wood, ch stain, glass door, holds 27" non-hd TV +more. Beau- tiful. $75 746-7232 LMSG KING BOX SPRINGS & MATTRESS $400. Used Less than 6 MO.. $1,300 New 304-544-8398 or 352-563-5537 Preowned Mattress Sets from Twin $30; Full $40.Qn $50; Kg $75. 352-628-0808 Queen Size Bed & Boxspring $65. (352) 563-0425 ROUND WOOD DINING TABLE and 4 captains chairs $100.00 513-4473 SLEEPER SOFA Sage color Solid fabric Good condition $50. 352-621-0175 Sofa Bed, seafoam contemporary $100 Early American Drop leaf table & 4 chairs $350 (352) 628-4475 Sofa like New! Gold/ Neutral background some floral Must see, SMW Sacrifice $100 (352) 503-3914 Temperpedic Ergo Twin Long Adjustable Bed. 2 months old, excel. cond. org. price $1,900 Sell $900 or make offer 352-270-1515, 270-1516 WOODEN DESK Dark brown Perfect for kids room or garage $15. 352-270-3909 Craftsman Riding Mower 21 1/2 HP Briggs & Stratton engine, 42" Deck, Overhead Valve $500 (352) 746-7357 PLANT SALE DEBE'S GARDEN Fri, Oct. 5, Sat, Oct. 6 3903 S. Lecanto Hwy. PLANT SALE DEBE'S GARDEN Fri, Oct. 5, Sat, Oct. 6 3903 S. Lecanto Hwy. INVERNESS Fri, Sat, Sun 8:30a-3:30p Craftsman HP Lawn trac- tor 42" w/acc., 10" radial arm saw w/dado kit setup for shop-vac, complete BR set, antique white wood, Aluminum Canoe. Something for everyone!! 2231 S Carnegie Dr INVERNESS Sat. & Sun. 8am-6pm 413 Hunting Lodge Dr. Kensington Estates, Sept. 29 & 30, 8am-2pm Electric Pre-War trains, tools & collectibles, etc. 589 E. Reehill St. Lecanto(352) 637-4562 PLANT SALE DEBE'S GARDEN Fri, Oct. 5, Sat, Oct. 6 3903 S. Lecanto Hwy. WANTED Rods, Reels, tackle, tools, Antique collectibles, hunting equipment. 352-613-2944 Good Condition Jeans, Shorts, Capris Jeans are name brand $5.75ea (352) 628-0262 LEATHER JACKET & CHAPS white leather jacket w/fringe and chaps, wms size XL $100.00 352-628-3736 3 AIRSOFT GUNS Shot- gun, single shot rifle, and fully/semi automatic R71 and ammo $75.00 352-628-3736 Above Ground Pool. Round 15' diameter, 52" deep. All accessories including sand filter and new pump. $500 (352) 795-9399 Anderson Full View Storm Door, Light Tan Full Glass & Screen han- dle on left, all screws, and more to mount $50. 352-382-2733 ANIMAL CLIPPER BLADES Oster A5 #4 #30 #40 $12.each #3F $18. #7F $16. Excellent 352-270-3909 BICYCLE- 1 yr old, 24' Huffy cruiser, like new. $65.00 (352)-621-4711 CIRCULAR SAW crafts- man sears best 2 1/8 hp. $25.00 352-746-0167 COMPUTER DESK w/hutch and pull out end to form L shape.Like new. Oak finish. $65. Call 352-382-1154 CORVETTE C5 ROOF PANEL SUNSHADE: From Mid-America. $45. Email jnk44@1 umc.org call 352-634-3844. Dining Rm Table, 5 ft round 6 chairs, all solid wood, white pine, stained early american $325. Excericse Bike w/Fan wheel, keeps cool $200. 726-8361 LARGE PET CAGE $40.00, can e-mail pic- ture 352-513-4027 Lumber for Sale Cherry & Oak (352) 637-5250 MITER SAW delta 15amp.heavy duty 10" carbon blade.$90.00 352-746-0167 MOVING BOXES 63 Sm, 18 Med, 1 Lg, 2 picture, 2 lamp. $60 for all. 352-897-4108 PET NET RESTRAINT for minivan by Hatchbag Never used $50. New cost $80. 352-270-3909 ROYAL PALACE WOOL RUG 5x8 feet, dark blue background with pattern, very good condition. $50.00 352 726 5753 SUBWOOFERS sound dynamics rts series 1000-100 watts rms/400 watts peak like new $50.00 352-527-9982 Treadmill, like new nor- dicktrack T7SI $325 Thomasville Sofa, earthtones, $175 (352) 382-2294 VINTAGE WICKER TEA CART, decorative AND useful, excellent condi- tion, $95, (352)465-1813 (Dunnellon) WHEELCHAIRS portable, baskets, brakes, leg rests, Excellent. Several to choose from $75/ea 352-341-1714 BUYING US COINS Top $$$$ Paid. We Also Buy Gold Jewelry Beating ALL Written Offers. (352) 228-7676 UP- RIGHT PIANO Beautiful piano with light oak finish and in great condition. Nice addition to any home.Original asking price was $1200.00.Reduced to $950.00. Call 352-400-1612. Upright Piano & Bench Kohler and Campbell, excl. cond. Was asking $2K, Now $1,500 (352) 563-6327 (352) 860-3481 4 CRYSTAL WINE GLASSES beautifully etched 5 3/4oz genuine.never used, ask- ing $20 352-794-3768 QUEEN Reversible brown/beige Clean soft nice material $20. 352-270-3909 HOUSEHOLD ITEMS 37&19inch TV's, DVD & VCR Recorder; TV Cabi- net; Electric Fireplace; Microwave over Range hood, Leather Loveseat, Computer Desk. 352-601-0256 KING COMFORTER re- versible solid navy/solid red. Excellent condition. Used only few times.High loft. $20 Inv. 341-3607 Light Finish 3 Pc Ent. Center, 5 Pc. Bamboo look Patio Set, HP Office all-in-one, Portable massage table, Large tables, ornate, faux marble top, oval oak pedastal table w/ leaf. Call for Pics 202-341-9496 ROYAL TAVERN WALL PLAQUE 17x11 Lion.$15 call Kate at 352-794-3768 TWIN BEDDING 2 red box-pleated (not ruffled) bedskirts & 2 matching red pillow shams. All for $10. Inverness 341-3607 TWIN QUILT/SHAMS White w/red floral/blue check Very pretty & clean $12. 352-270-3909 Physical Fitness Gym Equipment for Sale (352) 459-1240 Recumbnant Excercise Bike $100. obo (352) 795-6266 2 FLY RODS w/ reels 6 FT.$ 30. BOTH OBO 2 vintage came poles, 3 pc. $40. both obo 220-4074 3 Speed Chesapeake Bicycle, good cond. $45. Used revolving top, golf BagBoy $35. (352) 382-0051 ABU GARCIA COMMO- DORE ROD 11.6 heavy action w/ master spinning reel. $60.00 obo 220-4074 ABU GARCIA CONOLON 300 8 FT, OLYMPIC 1075 7.6 ft., Silstar pt 70 7 ft, Samurai 6 ft, $45. all 220-4074 AMMO BELT Holds 25 rounds of 44 or equal cal- iber, black $15.00 Call or text 352-746-0401 AR-15 M4 LMT 1x9 barrel, quad rail, folding sights, C-15 carbon upper and lower, 1 mag very light 5.5 lb sacrifice $690, CCW or Rcpt, will trade for a 1911, 45,9mm, 38S Inverness 352-586-4022 BICYCLE NEXT- 18 Compound Bow, Myles Keller Legend Magnum, complete hunting pkg., Tru-Ball Release, hard & soft cases $150 obo (352) 628-5355 Gun Club looking for 5-10 acres for lease. 352-302-0648 HOLSTER, 44 MAG Leather Bianchi 1873 for revolver $45.00 Call or text 352-746-0401 REM 750, 30-06, Auto, As New $475. SAUER, 7mm Mag, Bolt, As New $725. TIKKA, .308, Bolt, Scope Rings, NIB $700. Brownina BAR, 25-06, Auto, Engraved, As New $750. MAUSER 93, 7mm, Bolt, Sporter Stock, w/ Ammo, As New $400 RUGER 77maa, .375 H&H, Bolt, Safari Grade, As New $1,750 REM 513T, .22 LR, L,S, Bolt, Target Rifle, Red- field SHOULDER HOLSTER for 44 mag, Uncle Mikes, sidekick, black, size #3 $25.00 Call or text 352-746-0401 VINTAGE ZEBCO XRT80 REEL W/12 FT. ROD $50.00 obo 220-4074 U-DUMP TRAILER Single Axel 5x8X3 w/ Spare $2050 (352) 527-0018 Fisher Price Take along swing $10 Baby Tub $7 Child's desk with Seat $35. (352) 794-3768 Greco High Chair $20, Infant Bounce $10 (352) 794-3768 Tell that special person " Happy Birthday" with a classified ad under Happy Notes. Only $28.50 includes a photo Call our Classified Dept for details 352-563-5966 AAAAA ^- --- WANT TO BUY HOUSE or MOBILE Any Area. Condition or Situation. Call Fred, 352-726-9369 WANTED Rods, Reels, tackle, tools, Antique collectibles, hunting 2 IVaIie Ud rUIIUIIU, DIdBIa and Tan. 10 wks old. No shots, No papers. $150 ea (352) 419-8153 2 Very Small Yorkie Boys Socialized & Play- full, Shots, health certs., & CKC Reg. 4-5 Ibs, grown $600. ea. Parents on site (352) 212-4504 (352) 212-1258 BEAGLE PUPPIES $125 Crystal River Area 386-344-4218 386-344-4219 BIRD SUPPLY SALE Sun, Oct 7th, 9a-4p, Cages, Seed, Millet, Cut- tlebone, Playstands, Cage Wire, Lots of Toys! Mineral Block, Fruit & Nut Treat! Great Prices! 8260 Adrian Drive, Brooksville, 727-517-5337 BOXER PUPPIES AKC, 5 brindle females 1 Male, all shots $400 ea (352) 344-5418 Doa School & Kennel New Classes 10/16 & 17 crittersandcanines.com (352) 634-5039 GERMAN SHEPHPHERD Lrg. bone PUPS, white, black, blk/tan, $450. BOXER PUPS $450 Health Certs, can be registered, 216-1481 HAPPY is a 4-year-old female black lab. retriever, may be purebred. She was found as a stray. She is very friendly and play- ful. She does appear to have a limp of her right foreleg, believed to be arthritis, but entirely treatable. She is a lively, pretty girl who runs and plays well with other dogs and gets along well with them. Call Joanne @ 352-795-1288. INVERNESS FL KC Offers Training Classes for Breed & Obedience. Starts Oct. 10 7pm at C.R. Armory. Six wks. Call Merri at 352-628-5371 for reservations. Shih-Tzu Pups, ACA starting@ $400. Lots of colors, Beverly Hills, FL (352)270-8827 -1 I. t- anne @ 352-795-1288. ^^^^^^^I ..../- -71 .. Tell that special person Happy Birthday" with a classified ad under Happy Notes. Only $28.50 includes a photo Call our Classified Dept for details 352-563-5966 17 ft. PROLINE Extra Clean, Center Console w/ trailer, Call for Details (352) 344-1413 1989 25HP Johnson Outboard Motor, new spark plugs new carborator, painted camo for hunting, gas tank, gas line, & extra Stain. Steel Prop $600. 352-212-1105, 795-2549 Your world fir Need a job or a qualified employee? This area's #1 employment source! Classifieds S *S S^ CLASSIFIED BOSTON WHALER 1980 14'B.W. Comes with trolling motor, battery, trailer, 3 year old 25HP Yamaha outboard. All in good condition. $3200 (352) 637-0320 CARAVEL 17.5 Skii Boat & Trailer 3.0 0I excel cond. $4,995 obo 352-637-0475, 586-6304 EYE CATCHING BOAT DETAILING If you'd like your boat to take your breath away again, Call Jim or Rose at (850) 348-9002 GHEENUE 1991 Gheenue 154" with 9.9 H.P Johnson, Boat/Motor/Trailer $1200.00 352-424-2760 GULF to LAKE MARINE *WE PAY CASH $$ * For Used Clean Boats Pontoon, Deck & Fish- ing Boats (352)527-0555 boatsupercenter.com MIRROR CRAFT 16 ft Fishing Boat 40HP Mercury, Minn Kota trolling motor, $3200 obo (352) 344-4537 PONTOON 2006 Pontoon 24' Pon- toon Boat with 90 H.P Evinrude no trailer deliv- ery available $2500.00 352-424-2760 SEABREEZE Refurbished Boat and Trailer for Sale (352) 459-1240 BOUNDER 32fT Motor home, Ford V10 engine, low mile- age, new tires, Sleeps 2-6. $16,500 (352) 220-6303 JAMBOREE '05, 30 ft class C Motor Home. Excellent Cond. Ford V10 20K miles, Sleeps 6 +, Asking $29,750. No slides. 352-746-9002 KEYSTONE SPRINTER TT 2004, 31ft, sleeps up to eight. Pullable w/s1500. New awing, $10,500 352-214-9800 KZ SPORTSMAN 2011, Hybrid, 19ft, sleeps 8, air & bath $7,800 (352) 249-6098 LAYTON 1995 26' Layton Skyline, 1 slideout, sleeps six, new tires, A/C, water heater & propane tanks. $4,750. (352) 564-0512 MAC'S MOBILE RV REPAIR & MAINT. RVTC Certified Tech. 352-613-0113, Lie/Ins. TITANIUM 2008, 5th Wheel 28 E33, 3 slides, New ti- res, excel. cond. Asking $34,995, (352) 563-9835 WE BUY RV'S, Travel Trailers, 5th Wheels, Motor Homes Call US 352-201-6945 Diamond Plate Tool Box w/ Side Rails; 6'4" bed liner. Both in excellent Condition! $250/both (352) 628-0139 For 2005 Chrysler Crossfire front end bug bra, $55. 2 Air Filters $30. both (352) 726-5794 For Toyota FJ Cruiser, 1 set of seat covers $50. 1 rear door storage net $35. (352) 726-5794 $$ LIQUIDATION BIG SALE! *. Consignment USA consianmentusa.ora WE DO IT ALL! BUY-SELL-RENT- CAR-TRUCK-BOAT-RV US 19 BY AIRPORT Low Payments * Financing For ALL 461-4518 & 795-4440 WE BUY ANY VEHICLE In Any Condltlon Tlle, No Title, Bank Llen, No Problem, Don't Trade It In. We Will Pay up to $25K Any Make, Any Model. CALL A.J. 813-335-3794/237-1892 BMW 2003, 3251, 4DR LEATHER, SUNROOF PW, PL CALL 628-4600 FOR MORE INFORMATION CADILLAC Black 2011 4dr CTS 1,100 mi. Free satilite radio 6/13, smoke free, garage kept. $35,750 (352) 249-7976 CHEVROLET 1999 Corvette coupe. White with both tops. 33000 miles,titanium ex- haust system,goodyear run flat tires,heads-up display,6-speed manual,leather seats, memory key. Garage kept in pristine condition.Asking $20,000 call 1-352-503-6548 CHRYLSER '06 Seabring conv. Touring Coup, loaded, 21K, gar. kept. Like new $9,200 (352) 513-4257 * THIS OUT! CHRYSLER 2000 Sebring Converti- ble. Great condition, tan, automatic, many extras. 107K miles. $3200. 352-563-6431. SUNDAY, SEPTEMBER 30, 2012 D7 2001 MUSTANG AUTO, 6CYL, PW, PL, PRICED TO SELL CALL 628-4600 FORD 2003 Thunderbird Great Condition, original miles 119,000 highway, main- tained by dealership, $9000.00 352-527-2763 HONDA NEW 2012, ACCORD LX ONLY $18287 CALL 352-628-4600 FOR DETAILS LIQUIDATION BIG SALE! A Consignment USA consianmentusa.ora WE DO IT ALL! BUY-SELL-RENT- CAR TOYOTA '07 Camary, 36,400 mi., Excel. Condition $11,500 Below Book (352) 382-0876 VW 2004 BEETLE CONV., AUTOMATIC FUN IN THE SUN CALL 628-4600 FOR MORE INFORMATION AUTO SWAP/ Corral CAR SHOW Sumter County Fairgrounds SUMTER SWAP MEETS SUN. OCT. 7. 2012 1-800-438-8559 CHEVY 1955, Belair, 2 dr Se- dan, 327, V8, auto power glide transmis- sion ground up restora- tion, SS exhaust, excel- lent In & Out $35,000 obo (352) 527-6988 CHEVY '68, Corvette, Roadster, matching numbers, LeMans blue, converti- ble, FORD 1995, F150 4X4... RUNS GOOD.....PERFECT HUNTING TRUCK. CALL 628-4600 FOR DETAILS LIQUIDATION BIG SALE! * Consignment USA consianmentusa.ora WE DO IT ALL! BUY-SELL-RENT- CAR-TRUCK-BOAT-RV US 19 BY AIRPORT Low Payments * Financina For ALL 461-4518 & 795-4440 Toyota Tacoma 2004 Prerunner 86k, V6 Auto 4X2, PW, PD, Cruise, $9500 OBO (765) 431-0659 Inglis by appointment only MAX 500 6 x6 Amphibious Vehicle, Swims, $2,800 obo 352-637-0475, 586-6304 CHEVY '97, Van, Cold AC, very nice, in & out. $2,300 (352) 637-5491 CHRYSLER 2003 Town & Country LX, 119K mi. extra clean $4,900 (352) 257-3894 FORD 1996, E250, 95K org. mi., new tune up, new feul pump, roof rack & fact. shelving, Ice cold air $2,800 (352) 726-2907 Harley Davidson 2000 Fat Boy custom 88 ex cond, garage kept. new windshld/sadbags $9875 214-9800 HARLEY DAVIDSON 2000, Custom built, 20K miles, $800. worth of added lights & chrome Tom (920) 224-2513 HARLEY DAVIDSON 2009,. Extra's, $900 OBO. 795-5531 HONDA Goldwing 1990 SE New Tires Excellent Shape Approx 70K mi. Selling due to health. Asking $4250 (352) 476-3688 HONDA SPIRIT 2002, ExcTires, Bags, WS, Sissy Bar, Cobra Pipes. 28k miles. Asking $2,000 (352) 476-3688 328-1007 SUCRN Personal Mini Storage 10-17-12 Lien Sale PUBLIC NOTICE NOTICE OF PUBLIC SALE PERSONAL PROPERTY OF THE FOLLOWING TENANTS WILL BE SOLD FOR CASH TO SATISFY RENTAL LIENS IN ACCORDANCE WITH FLORIDA STATUTES, SELF STORAGE FACILITY ACT, SECTIONS 83-806 AND 83-807: PERSONAL MINI STORAGE - DUNNELLON Misc. Notice UNIT #0008 MARILY WALKER #0039 RYAN REAVIS #0197 ELI DE ANDA #0233 DONNAMAE MUR- PHY #0237 CINDA SEIBERT #0334 DAVID & PATRICIA VANDEMARK CONTENTS MAY INCLUDE KITCHEN, HOUSEHOLD ITEMS, BEDDING, LUG- GAGE, TOYS, GAMES, PACKED CARTONS, FURNI- TURE, TOOLS, CLOTHING, TRUCKS, CARS, ETC. THERE' S NO TITLE FOR VE- HICLES SOLDAT LIEN SALE. ^^^^^^^^I OWNERS RESERVE THE RIGHT TO BID ON UNITS. LIEN SALE TO BE HELD ON THE PREMISES- October 17th @ 2:00PM. VIEWING WILL BE AT THE TIME OF THE SALE ONLY. PERSONAL MINI STORAGE DUNNELLON 11955 N FLORIDA AVE (HWY 41) DUNNELLON, FL 34434 352-489-6878 September 30 & October 7, 2012. Misc. Notice 329-0930 SUCRN PUBLIC NOTICE Notice is hereby given that the Southwest Florida Water Management District has re- ceived an application for a water use permit to withdraw water from wells and/or surface waters from Hampton Hills, LLC and Terra Vista Property Owners Association, Inc., 2476 N. Essex Avenue, Hernando, FL 34442. Application number: 20007805.011. Application received: September 24, 2012. Predominant use type(s): recreation/aesthetic. Total requested withdrawal average daily gallons per day: 471,700 Gallons. Peak month average gallons per day: 1,172,300 Gallons. Maximum daily gallons per day: 1,172,300 Gallons. From eight (8) wells. Location: Sections 26 Township 18 South, Range 18 East; Section 25 Township 18 South, Range 18 East; Sec- tion 23 Township 18 South, Range 18 East all in Citrus County, Florida. The application is available for public inspection Monday through Friday at Southwest Florida Man- agement Department, 2379 Broad Street, Brooksville, FL 34604. Interested persons may inspect a copy of the application and submit written comments concerning the application. Comments must include the permit application number and be re- ceived Perfor- mance Management Department, 2379 Broad Street, Brooksville, FL 34604-6899 or submit your request through the District's website at. The Dis- trict does not discriminate based on disability. Anyone requiring accommodation un- der the ADA should contact the Regulation Performance Management Department at (352)796-7211 or 1(800)423-1476: TDD only 1(800)231-6103. September 30, 2012. 330-0930 SUCRN PUBLIC NOTICE FLORIDA DEPARTMENT OF ENVIRONMENTAL PROTECTION PUBLIC SERVICE ANNOUNCEMENT KNOW WHAT YOU NEED BEFORE YOU BUILD... To protect Florida's fragile waterways, the FDEP requires an Environmental Resource Permit for dredging or filling in wetlands and/or surface waters. If the project you are planning requires dredging or filling (including the construction of docks or boat ramps) in a wetland area and/or surface water, you may need a permit from FDEP prior to construction. For further information, contact FDEP at (813) 632-7600. September 30, 2012. 326-0930 SUCRN PUBLIC NOTICE NOTICE OF MEETING TUSCANY COMMUNITY DEVELOPMENT DISTRICT NOTICE OF INTENT TO DISSOLVE DISTRICT Notice is hereby given that the Board of Supervisors of the Tuscany Community Development District (the "District") has filed a petition with the Florida Land and Water Adjudicatory Commission (the "Commission") seeking to dissolve the District (the "Petition"). The District was established by Rule 42GG-1, Florida Administrative Code, adopted by the Commission pursuant to Chapters 190 and 120, Florida Stat- utes, on June 18, 2003 (the "Rule"), as such Rule was amended on March 9, 2008. The District has asked the Commission to repeal the Rule establishing the District. The District includes approximately 1,710.93 acres, and is located in Citrus County. The District is generally located east and south of County Road 491, north of County Road 486 and west of U.S. Highway 41. The Commision is presently reviewing the Petition. Anyone objecting to the dis- solution shall file such objections no later than October 8, 2012 with the office of the District's Counsel, Hopping Green & Sams, 119 South Monroe Street, Suite 300, Talla- hassee, Florida 32301 attn: Brian A. Crumbaker, Esq. A copy of the Petition is on file at the Disrict's Records Office, 13574 Village Park Drive, Suite 265, Orlando, Florida 32837, and may be obtained by contacting the Dis- trict Manager, phone number (407) 841-5524, during normal business hours. George Flint District Manager September 23 and 30, 2012. 327-0930 SUCRN PUBLIC NOTICE 10/11/12 Meeting of the Citrus County Economic Development Council, Inc. NOTICE IS HEREBY GIVEN that the Citrus County Economic Development Council, Inc. will meet on Thursday, October 11,2012 September 30, 2012. 331-0930 SUCRN PUBLIC NOTICE NOTICE IS HEREBY GIVEN that the Citrus County Port Authority will meet on Tues- day, October 9, 2012 at 10:00 AM at the Citrus County Courthouse, Room 100 Board Chambers, 110 N. Apopka Avenue, Inverness, FL 34450, to discuss the business of the Port Authority. Any person requidng Port Authority with re- spect to any matter considered at this meeting, he/she will need to ensure that a verbatim record of the proceedings is made which record shall include the testi- mony and evidence upon which the appeal is to be based. BY: Dennis Damato Chairman September 30, 2012. 332-0930 SUCRN PUBLIC NOTICE NOTICE IS HEREBY GIVEN that the Citrus County Port Authority will meet for the pur- pose of conducting an ATTORNEY/CLIENT SESSION on Tuesday, October 9, 2012, at 10:00 o'clock AM at the Citrus County Courthouse, Room 100 Board Chambers, 110 North Apopka Avenue, Inverness, Florida 34450, for the purpose of commencing an attorney/client session pursuant to Section 286.011(8), Florida Statutes. The purpose of the ATTORNEY/CLIENT SESSION will be to discuss settlement negotiations and strat- egy related to litigation expenditures including, but not limited to, an action styled: Robert A. Schweickert Jr. vs. Citrus County Port Authority, a body corporate of the State of Florida; and John C. Martin Associates LLC. a foreign limited liability com- pany (Case No. 2012-CA-1339) Pursuant to said statute, the Authority will meet in open session and subsequently commence the attorney/client session which is estimated to be approximately thirty (30) minutes in duration. At the conclusion of the ATTORNEY/CLIENT SESSION the meeting shall be reopened. Those persons to be in attendance at this ATTORNEY/CLIENT SESSION are as follows: Port Authority Member Dennis Damato Port Authority Member Rebecca Bays Port Authority Member John J. (J.J.) Kenney Port Authority Member Joe Meek Port Authority Member Winn Webb Brad Thorpe, Port Director Richard Wm. Wesch, Esquire, Port Attorney John C. Pelham, Esquire, Pennington, Moore, Wilkinson, Bell & Dunbar, PA Shannon Carlton of Joy Hayes Court Reporting Dennis Damato, Chairman Citrus County Port Authority September 30, 2012. 333-0930 SUCRN 10-10 CC Tourist Development Council Meeting PUBLIC NOTICE 10/10/12 Strategic Planning Workshop Meeting CC Tourist Development Council PUBLIC NOTICE NOTICE IS HEREBY GIVEN that the CITRUS COUNTY TOURIST DEVELOPMENT COUNCIL will hold a Strategic Planning Workshop on Wednesday, October 10, 2012 at 9:00 a.m. at the Citrus Hills Golf & Country Club, Garden Room, 505 E. Hartford Street, Her- nando, FL 34442. WINN WEBB,). September 30, 2012. 334-0930 SUCRN PUBLIC NOTICE Fictitious Name Notice under Rctitious Name Law, pursuant to Section 865.09, Florida Statutes. NOTICE IS HEREBY GIVEN, that the Undersigned, desir- ing to engage in business under the fictitious name of American Iron Works located at 4344 E. Arling- ton St. Unit 8, Inverness, Florida 34453 in the County of Citrus, intends to register the said name with the Division of Cor- porations of the Florida Department of State, Tallahassee, Florida. Dated at hverness, Florida, this 26th day of September 2012. /s/ UndaGrayscn, Owner. Published one (1) time in Citrus County Chronicle, September 30,2012. Meeting I Notices I Meeting I Notices A MBting I Ntics D8 SUNDAY, SEPTEMBER 30, 2012 CITRUS COUNTY (FL) CHRONICLE SSection E SUNDAY, SEPTEMBER 30, 2012 ,CITRUS COUNTY CHRONICLE REAL ESTATE GUIDE Sikorski's Attic PAGE E4 The Williams Sonoma Saeco Intelia Cappuccino Espresso Machine is a fully programma- ble espresso bar that grinds and brews espresso. and steams. froths and pours milk intn rtfni nnIcinn U' 11A I U1_1:I IF 8l Associate 1 F .- ... ., _SNU If U ES CITRUS COUNTY (FL) CHRONICLE 9 iii F/All Lou Nalley I Broan Cunnmaham David vor I1111111 I E m/\ ii~Lv?/4 W,m-i b 'in K Seve Varnadoe (Q "-t knthony Viqqggianc ,in DawnWht IF E2 SUNDAY, SEPTEMBER 30, 2012 Johnny Holloway II SUNDAY, SEPTEMBER 30, 2012 E3 Bark provides sturdy protection for trees Just as human beings have a protective outer layer all over their bod- ies known as skin, so do trees have a protective outer layer called bark. Tree bark is really amazing stuff. It's a tree's natural armor! Bark protects trees from external threats and serves a number of impor- tant functions such as: Protecting the delicate cambium layer (growing layer) from bumps and cuts; Retarding the loss of water; Protecting from tem- perature extremes; Protecting from intense sunlight; Protecting against dis- ease organisms; and 0 Ridding the the bark grows. tree of wastes by This is because absorbing and each year a layer locking them into of inner bark its dead cells and hardens and be- resins. comes part of the Every tree has '- outer bark. In two layers of this way the outer bark: an inner bark builds over layer and an Joan Bradshaw time. outer layer. The FLORIDA- Bark is present inner bark, when leaves and through which FRIENDLY flowers aren't, so food passes up LIVING it becomes a use- and down the ful tool for identi- trunk and along the fying trees. Patterns formed branches, is soft and moist, by bark are often very The outer bark is hard and unique and distinctive, and firm. The hardness and as a result, some trees can thickness of the bark pro- be readily identified by tects the tree from injury their bark. For example, and from the elements. The Crape Myrtle is easily rec- older the tree, the thicker ognizable by its smooth but blotchy bark, while Longleaf Pine is characterized by dark, reddish-brown, rough, scaly plates. Historically, bark has pro- duced a variety of useful products. Did you know cin- namon is derived from the inner bark of a tropical evergreen tree? Oak bark was the source of tannins used to process leather in ancient times. Two very im- portant medical products, quinine and aspirin, were originally derived from the bark of cinchona and willow trees, respectively Quinine was the first effective treat- ment for malaria. Today, we are all familiar with a vari- ety of mulches made from bark that are used to top- dress planting beds and soften playgrounds and walkways. While bark has many uses, don't overlook the im- portance of protecting the bark of trees in your land- scape. Damage to the bark can prove fatal to the tree. Lawn mower or "weed eater" blight is a very com- mon cause of plant damage, especially on younger trees and shrubs. Damage from See BARK/Page E7 Jackie Gaffney Jason Gaffney , SRealtor A HOUSE Realtor @I 302-3179 so a 287-9022 [ WEEKS REALTY, 5 BEVERLY HILLS BLVD. The Golden Girl 74660 000CRW 4531 N. JADEMORE DL [I'll r1,:, 1.4 .T ..1.1.. .I :,,n I.,, ., .. i.. J.1 l,::, $154,900 Speialz1 ginerVi Terra Vista Realty Group, LLC Office in the 2400 North Terra Vista Blvd., Hernando, Florida 34442 Terra Vista Te a 94 & r B rentwoodResales (352) 746-6121 0 (800) 323-7703 Welcome Center REALTY G RO U P BILL DECKER 352-464-0647 SUSAN MULLEN 352-422-2133* VICTORIA SLOCUMB 352-427-3777 SINGLE FAMILY HOME 3 BEDROOMS 2 BATH 2 CAR HILLSIDE SOUTH Situated under magnificent Live Oaks you will find this wonderful split floor plan home A -, .-itr thr -,,qhth l--r -,, .. t-, -fth.-,. pir. n .- the back of th. i ... 1 1 i ,.. . .. ..... ... 1 .. .. . just the right ,, ... .. .. I 1 ,, ... .. ... S...,, ,,, .. .99,000 DETACHED VILLA 3 BEDROOM 2 BATH 2 CAR HILLSIDE VILLA This beautifully landscaped enhanced maintenance-free villa will draw you in from the moment you enter through the door Recently painted inside and out this home ___$225,000 I- --------------- THIS ATTRACTIVE 3/2/2 maintenance free villa si course on a beautifully landscaped lot Lots of tile, eat in room, blinds throughout and much more Sit, relax and enjoy the lanai MLS 356273 : DETACHED VILLA 2 BEDROOM 2 BATH 2 CAR HILLSIDE VILLAS Stylish Villa in Terra Vista with a great view of the F i I T nicely appointed open floor i DETACHED VILLA 3 BED 2 BATH 2 CAR E DETACHED VILLA 3 BEDROOM 2 BATH 2 CAR WOODSIDE VILLAS Only 0 Lived in a short time maple Really lovely Madena Model villa in upscale Terra Vista Shows like a model with custom paint, lots of tile, enlarged lanai and an inground spa for relaxing with many upgrades MIS 354400 $199.000 i 1 1 $249.000 MI S 356101 DETACHED VILLA 2 BED 2 BATH 2 CAR TOWNHOME 2 BED 2 BATH 1 CAR BRENTWOOD i= B S 1 ^ B B Open floor plan Spacious Kitchen with breakfast bar J.1 ,,I 1 .. t Spacious 2/25 townhome with great room, modern kitchen with eat in nook, BRENTWOOD TOWNHOME 3 BED 2.5 BATH 1 CAR DETACHED VILLA 2 BED 2 BATH 2 CAR LAKEVIEW VILLAS Murphy bed and desk in Den Large Lanai with sha.i. .., ... spacious lanai, and single car garage You can see and hear the water fountain home with great room, modern Nice unfurnished villa located near the Bella Vita Fitness Center & Spa Open floor Den could be used as a third bedroom Located in the Gated community of Citrus Hills Golf & Country Club Membership allows for plentyof activities to fill your spacious lanai, indoor laundry S, I I I Brentwood at Terra Vista Community Golf, Tennis, Fitness Center Social Club sraretime r II "' -r h --'l DETACHED VILLA 3 BED 3.5 BATH 2 CAR HILLSIDE VILLAS Come and see this really nice custom Windward on the 5th hole of Skyview Golf , i T D expanded lanai has a Kitchen The garage is enlarged for extra room MLS 356463 $225,000 o _ ts directly on the golf kitchen, formal dining the water garden from $293,000 I, I I CITRUS COUNTY (FL) CHRONICLE. Autumn flowers add color In September it is a delight to see gardens, roadsides and fields with bright wildflowers. Gold, yellow, purple and white are the prevalent fall colors of native wildflowers. The tall goldenrod, Solidago species, ranges from 2 to 6 feet tall. They are peren- nial, but do die back to the ground for winter Masses of flowers borne on tall termi- nal racemes are golden yel- low. The pollen grains are large and heavy, so they fall to the ground rather than becoming airborne. Rag- weed and dogfennel start to bloom at the same time as Jane lovely goldenrod. These two JAN weeds are allergens that af- fect some humans. GAR Native throughout the eastern United States, 19 species of goldenrod are native to Florida. Gold- enrod thrives from Zones 6 to 10 in full sun to part shade. They prefer sandy, well-drained soil, either acidic or slightly alkaline. Soil may be moist, with lots of decayed organic material, or quite dry and sandy. Goldenrod ranges in habitat from dry sandhills, coastal dunes, disturbed roadsides and tidal marsh woods to the verges of swamps and bogs. Seaside goldenrod is salt-tolerant and an important nec- tar plant for migrating Monarch but- terflies. Shorter than goldenrod are the ele- gant spikes of native Lia- I tris, commonly called Blazing Star and Gay Feather. Some 15 species are native to Florida. They prosper in Zones 6 to 10 as far north as South Carolina and west to Mississippi. They grow in full sun but tolerate partial shade. Flower spikes grow from 2 Weber to 7 feet tall and may be E'S branched if the growing tip is damaged. Showy flowers DEN grow from the top third of the spike. Color is purple, ranging from lilac-purple to pinkish and pale, almost white lavender. Soil is usually sandy either moist with or- ganic material or dry and grainy Soil pH may be somewhat acidic to neutral at 7. Liatris grows from an underground solid corm which is replaced by a See JANE/Page E9 JANE WEBER/Special to the Chronicle Seaside goldenrod is salt-tolerant and an important nectar plant for migrating Monarch butterflies. Wall hangings are work of noted artist; measure of a map Dear John: Thank you for taking a look at these pho- tos of a couple of wall hangings. My mother has these hanging on a wall in her Fort Lauderdale home. They are quite heavy and appear to be a bronze or other metal- lic casting. Please let me know if you are able to tell me something about these wall hang- ings. -S.R, Internet Dear S.R.: In your photographs I can see John S the name L. Hottot lo- SIKOP cated at the lower right on the plaques. AT Louise Hottot, 1834- 1905, was a French sculptor whose works are actively sought after. His specialty was Arab fig- ures in both bronze and white metal. Prices paid for his works run from the mid-hundreds to as high as $28,000. His bronze fig- ures sell for the highest prices. Li ~1 1 Most of his white metal figures were polychrome decorated. I think your two bas-relief wall plaques of Arab figures are made of white metal. Originally, they were likely poly- chrome decorated, which has deteriorated over time. Potential dollar value for each is in the $200 range. Dear John: My hus- band has filled his den with maps. Recently, my mother found a korski framed vintage- 'SKI'S looking map at a thrift store, and bought it for -C us. It is in rough condi- tion, the canvas ap- pears to be rusting, and there is a tear that is slightly bigger than an inch. I know little to nothing about artwork, but am pretty sure this is a mass-produced item. So I am wondering if the rusted ap- pearance and crackling was part of the reproduction or due to cheap materials utilized. I have tried to include enough pictures to show the crackling and ap- pearance of rust. The only other thing I can think to mention is the canvas is tacked on the frame, not stapled, but the nail tacks do not appear to have rust. When I have time, I plan to look into getting the tear repaired. If you could make recommenda- tions that would be very helpful. I have really enjoyed reading up on the history of the picture. I spent a few evenings searching websites and images. I have also ordered a couple of books from the library See ATTIC/Page E5 This wall hanging sculpture by French artist L. Hottot depicts an Arab figure. It likely was origi- nally decorated with polychrome, which has deteriorated over time. It might sell in the $200 range. Special to the Chronicle I - K.4 V E4 SUNDAY, SEPTEMBER 30, 2012 ! I CITRUS COUNTY (FL) CHRONICLE ATTIC Continued from Page E4 I have tried to be as com- plete as possible. I hope I am not wasting your time, as this is not an antique. I en- joyed researching the ori- gins of this picture and wanted to share with you. I have enjoyed your show for years and find your infec- tious love of all things old to be contagious. TS., Internet Dear T.S.: Thank you for the kind words. Research and discovery is a reward- ing pastime. I suggest you contact John Freund at the University of Florida; per- PINE RIDGE 1481 Pine Ridge Blvd. Beverly Hills, FL 34465 (352) 527-1820 haps he can help you with the tear. The phone number is 352-316-1259. Dear John: I want to find out about the value of two items. I have an original movie poster from the movie "Stolen Love." In addition, I have a guestbook from a hotel signed by Washington Irving in which he also wrote a small piece of poetry How would I get these items val- ued? -A.B., Internet Dear A.B.: Movie posters are a specific category of collecting. The movie "Stolen Love" was produced in 1928. The three main ac- tors were Marceline Day, Rex Lease, and Owen Moore. Two of the main in- gredients relative to collec- tor interest and potential dollar value are the impor- tance of the movie and actor recognition. I suspect most of our readers do not re- member the movie or the main actors. Potential dol- lar value is below $100. The guest book and po- etry by Washington Irving, 1783-1859, is a really nice item. Potential dollar value is below $200. DearJohn: I had the pleas- ure of listening to, and call- ing in, to your program on May 5. You were kind enough to give me the name of a web- site that auctions antique woodworking tools. Once I got home, I looked up the site, and found it to be very interesting and informative. Unfortunately, when I wanted to access the site again, I realized I had lost the address. I have tried "googling" all sorts of things, but to no avail. Would you please be so kind as to ad- vise the name of this site, and perhaps any others you can recommend for trying to sell some antique tools? - NH., Internet Dear N.H: I am glad you enjoyed the website. Martin J. Donnelly has authored a number of good books on tool collecting. The website is for Martin J. Donnelly Tool Auction. The phone number is 800-869-0695. His auction catalogs are excellent and I ~~~0 0EV L F IRSCUT CITRUS HILLS 20 W. Norvell Bryant Hwy. Hernando, FL 34442 (352) 746-0744 well worth the subscription price. John Sikorski has been a professional in the antiques business for 30 years. He SUNDAY, SEPTEMBER 30, 2012 ES. BANK OWNED-SPRING HILL FL FOR RENT-INVERNESS, FL 3BR/2BA pool home with tiled family room with Immaculate 2BR/ B apartment. Rent includes fireplace. MLS#356883 washer & dryer. $600.00 per mo MLS#357587 BANK OWNED-INVERNESS, FL BANK OWNED-INVERNESS, FL Large 2BR/2BA pool home on 1 acre. Original garage Commercial corner Hwy 44 & Gospel Island converted to living area. Detached 2 car garage. Road. Across from the Hess station. $84,900 MLS#356908 $59,900 MLS#354972 CALL Roy Bass TODAY (352)726-2471, Email: roybass@tampabay.rr.com After Hours 352)302-6714 " 0`1 - Realto I AG EN I IT SV DA A W NEW LISTING _'-/15i 1671 N. Dimaggio Path MLS#357775 $239,000 PRICED TO SELL! 3/2/2 on the 2nd fairway of Skyview. Sandra Olear 352-212-4058 PENDING 2340 N. Alachua Pt. MLS#350128 $81,500 A little TLC will create a superb home. Dick Hildebrandt 352-586-0478 .iw s 8,E ,iE h New 2012 construction on Citrus Hill's Oak Golf Course. Phil Phillips 352-302-3146 NEW L 40t 111.1" N..,11 .I SI' 817 Snal,.l.l P1`4 MLS#357802 $199,000 / f- MLS#357800 $109,500 3/2.5/2 beautifully-styled BE SURPRISED! and meticulously maintained. When you see this 2/2/2 plus den villa. Jack Fleming 352-422-4086 Barry Cook 352-302-1717 PENDING P " r -,-11 $I8"qi800 MLS#355794 $349,900 Windsor Model Custom built 4/3/3 pool home. offers 2 bedroom, 1.5 baths, 1-car garage. Numerous upgrades. 3+ acres. Jo Ann Martin 352-613-2238 Mike McHale 352-302-3203 7Zi 4a 2770W. Apricot Dr. MLS#356456 $194,900 English Tudor 2-story 3 bedroom, 3 baths. Florence Cleary 352-634-5523 10 S. Desol 4 t MLS#357381 $3' Freshly painted 2 bedroom, 1 bath Beverly Hills home. Richard Silva 352-616-2239 2W, .9 3422 N. Buckhorn Dr. S MLS#355561 $299,000 Beautifully designed 3/3/2 on 2.75 acres. Bring your horses! Teresa Boozer 352-634-0213 ..132L4..rl..Dl 8.* '"DL O n MLS#351954 $99,000 / 1 1.. -1 $88.5i Well-kept home Maintenance-free with a great view of Lake Spivey. 2/2/2 in lovely community. Sandra Olear 352-212-4058 Helen Forte 352-220-4764 @12 2011 Prudential Financial, Inc. and its related entities. An independently owned and operated broker member of Prudential Real Estate Affiliates, Inc., a Prudential Financial company. Prudential,the MM-"N Prudential logo and the Rock symbol are service marks of Prudential Financial, Inc. and its related entities, registered in many jurisdictions worldwide. Used under license. Equal Housing Opportunity. (^ Prudential Florida Showcase Properties Fo a Vita Tou or Mutil Photos, S 6. Fl ria -ocs P rope -tes S REAL ESTATE, INC. 5569 W. GULF TO LAKE HWY. CRYSTAL RIVER, FL 34429 OFFICE: (352) 795-6633 E-Mr: SALES@ALEXRE.COM E6 SUNDAY, SEPTEMBER 30, 2012 GOT A NEWS TIP? * The Chronicle welcomes tips from readers about breaking news. Call. I I PE HOSE1 I2 I CITRUS COUNTY (FL) CHRONICLE How droughts can harm tree growth D brought can have a a healthy tree. These organ- significant impact isms can invade, colonize on tree health. It re- and kill all or portions of duces normal healthy ,. the tree depending on how grown both radically and badly the tree is weakened. terminally It also reduces Trees need water to carbohydrate production, transport and move miner- which significantly lowers als from the roots to the the energy reserve starch leaves. Water keeps plant in most trees. cells moist It also keeps the Production of defense Kerry Kreider leaves fully expanded to chemicals in the tree, if THE capture sunlight for the drought is severe enough or ARBORIST photosynthesis process. prolonged, can also cause Trees absorb water and my- death to all or portions of corrhizae through fine, non- the tree. In most situations, drought woody roots. Water is then carried to weakens trees and they become sus- the fine veins in the leaves through a ceptible to pathogenic organisms (dis- eases and insects) that cannot invade See DROUGHT/Page E7 Sm GITTA BARTH Investors Realty 904S REALTOR of Citrus County, Inc. Cell: (352) 220-0466 Visit my website at: gbarth@myflorida-house.com 115 N. LEGION TERR. ELEGANT MAGNIFICENT WATERFRONT CITRUS HILLS Enjoy nature with mature oak trees and CUSTOM BUILT HOME MAINTENANCE-FREE 2/2/2 HOME Einjoyln1au trus In the equestrian section of Pine in the Moorings at Point 0 Woods. Hills!! ...... i .. a one acre comer lot, Ridge next to riding trails. Take a Completely remodeled. Move right this 3BR, 3BA home with screened in into Paradise. Enjoy tranquil pool and patio area offers you the privacy 360 interactive virtual tour at privacy with nature preserve .. .... ,1. .. well wwwmnypineridgehome.com. behind you. Most every room has : ,' *.. bring MLS #355468. $410,000 water view.MLS 355584$138,895 $ .. $175,000 NATURE LOVERS 3/2/2 Ranch on 60 acres, very secluded and private setting perfect retreat! ... ... Take the MLS #353046 $400,000 NATURE'S CUTE 2/1 COTTAGE BEST KEPT SECRET OVERLOOKING THE CANAL 3/2 5/2 pool home on 1+ acre in River and nestled in an area that preserved Oaks East, a gated waterfront community most of its 1960's charm! Well main- on the Withlacoochee River tainted, fenced yard, sunroom. The perfect $218,000 home away from home. will buy you this peace of heaven! MLS #357468 $39,900 N .- -I- -... ..1 .I ... ,,... your fenced true masterpi. .... i 11 190 ft. of seawall gives you plenty of backyard I. ... 1o. ........ or private Lake Tsala i i .. ... room to dock all the water toys patio Everything is neat and clean, just family to move right in! imaginable!' .. r : OOOCRQPMLS #357471 $425,000 MLS #354435 $489,000 1I '. $69,900 CITRUS COUNTY (FL) CHRONICLE DROUGHT Continued from Page E6 system of xylem pipes. Water also carries the products of photosynthesis in the phloem veins from the leaves to the other tis- sues of the tree for their energy. Although drought causes stress and strain on trees, as a rule, trees are pretty elastic. If disease or insects invade a tree and it's de- tected and treated at an early stage, the tree will have a better chance of recovery Kerry Kreider is a practic- ing arborist and a member of the International Soci- ety ofArboriculture, a tree preserve tionist and presi- dent ofAction Tree Serv- ice. You can reach him at 352-726-9724 or at action proarborist@yahoo.com. BARK Continued from Page E3 this type of equipment can easily "girdle" a young tree. A weed- and grass-free strip around the base of a tree or shrub is very benefi- cial in this regard. The strip should be wide enough to allow for mowing without touching the trunk. Mulches or other ground cover mate- rials are beneficial in main- taining a weed-free strip and can be quite attractive in the landscape. For more information, contact Citrus County Ex- tension at 352-527-5700. Citrus County Extension links the public with the University of Florida/IFAS's knowledge, research and re- sources to address youth, family, community and agri- cultural needs. Programs and activities offered by the Extension Service are avail- vvvvvv^^0truAb7* 0c SIT k 10100 ROY THOMAS RD 2372 W. SNOWY EGRET PL. 3620 W. COCWOOD 086 N. PEPPERMINT DR. 3/15/2 356947 $289,900 4/2/2 356193 $189,900 3/2/2 357160$139,900 3/2/2 357756 $15 900 2 357083 $94,900 3/2 356535 $89,500 2/2 357588 $109,900 8900 3 2/2/2 357886 $54,900 3/15/1 356952 $43,900 &WI QIS 77 N. MATHESON 16541 W. COPENHAGEN 17577 GROVEWOODL 64 S LEE 67155S FRANKFURTER '2 357083 $94,900 13/2 356535 $89,500 2/2 35 58 $109,900 2/2/2 357886 $54,900 3/15/ 356952 $43,900 4506 N. TUMBLEWEED 3/2 356299 $39,900 able to all persons without regard to race, color, handi- cap, sex, religion or national origin. Dr Joan Bradshawis the SUNDAY, SEPTEMBER 30, 2012 E7 natural resource conserva- tion faculty for specialized programs in Citrus, Her- nando, Pasco and Sumter County University of Florida/IFAS Extension Service. I J __ Thinking of renting your home? WE'VE GOT TENANTS! Call us today for Full Service Property Management SomerOUn (352) 527-2428 Properly Managemenr BEAUTIFUL CUSTOM HOMES THROUGHOUT THE NATURE COAST COME SEE OUR MODELS! I Of Citrus HOMEBUILDER CBC049056 Facebook Hwy. 19, 4% miles south of Homosassa Springs. 8016 S. Suncoast Blvd. 352-382-4888 swhsales@tampabay.rr.com NEW HOMES, VILLAS, REMODELS & COMMERCIAL Jackie & Bob Davis American Realty & Investments 117 S. Hwy 41 Inverness, FL "iD (352) 634-2371 Cell ER A bob@bjdavis.com REAL ESTATE For a Visual Tour of our listings and all MLS: bida om Sugarmill Woods Pine Ridge Citrus Hills Waterfront T AA. ?0 I BVRLY H"ILL I - CITRUS COUNTY (FL) CHRONICLE AT KIM COOK For The Associated Press Time to wake up and smell the coffee. At the re- cent New York Interna- tional Gift Fair, buyers were keenly checking out grinders, pots and brewing equipment, which means coffee-related gifts will be as hot as a frothy latte this holiday season. Coffee culture is, natu- rally, intense. On YouTube, helpful fellows offer video tips on buying, storing and preparing everything from a humble cup of Americano to a perfect macchiato. Bloggers discuss "mid- palate colum- nist and head barista at Store Street Espresso in London, says, "the most im- portant piece of equipment for home coffee brewing is a good-quality grinder. Peo- ple should always look at buying a grinder with burrs instead of blades." That's because you want an even grind; a consistent pile of coffee grounds will release those delicious aro- matics smoothly into the hot water. Top-quality grinders also produce min- imal heat; many experts believe heat damages the coffee grains. The Breville Conical Burr Grinder has 25 differ- ent grinds and a storage container. ($199.95, wwwwilliams-sonoma. com) The Capresso Burr Grinder has an electric timer that will grind enough for two to 12 cups, // J lilifi .. ... Associated Press/Williams Sonoma A Williams Sonoma Nespresso U slim profile coffee maker suitable for smaller kitchens. It has three programmable cup sizes, plus an automatic capsule-drop, brew and eject feature. then turn itself off. ($49.95,) When it comes to brew- ing gear, choices range from low-tech, "pour-over" receptacles to high-tech machines that pretty much brew themselves. Some cof-, wwwcrateand barrel.com),. com)isi- nart 10-cup Thermal Ex- treme Brew, 189.99; Krups Precision 12-cup, $99.95,) The Ferrari of coffee makers just might be the Saeco Intelia Cappuccino Espresso Machine, with a built-in burr grinder, brewer and milk brother, and a dashboard of cus- tomizable features. A handy "traffic light" system guides you through the steps. ($1,299.95,) Finally, there's the sin- gle-serve coffee market, which has grown by triple digits in the last few years. Nespresso, already big in Europe, is making a signifi- cant push into the North American market with a club system to buy its cap- sules. (. com) Note, however, that Williams-Sonoma sells their newest machine, the streamlined "U," pre- packed with 16 starter cap- sules ($199.95). Keurig's K cup is a sin- gle-portion plastic con- tainer of coffee; Emeril's, Green Mountain and Cari- bou. E8 SUNDAY, SEPTEMBER 30, 2012 CITRUS COUNTY (FL) CHRONICLE Real Estate DIGEST Ivory hits new high for 2012 Realtor Alan Ivory : . has posted another spectacular year in sales so far. He recently passed the $6 million L mark in sales volume. Alan Ivory Ivory has consistently RE/MAX placed in the top five of Realty One. local real estate agents and is a regular qualifier in the top 100 agents for RE/MAX of Florida. He is a specialist in distressed property sales, having closed more than 90 transac- tion sides this year. Ivory and his family re- side in Crystal River, were he works from the RE/MAX Realty One office on U.S. 19. The brokers and staff congratulate Ivory on his continued success. Broom continues stellar performance It's been another banner year for Jody Broom at RE/MAX Realty One. She re- cently passed the $5 million mark in sales volume. JANE Continued from Page E4 bigger one each year until maturity. Flowers open first at the top of the stem. As they fade and set seed, the bloom sequences down the flower stem. The spike may take four weeks to finish flowering. Once flowers are pollinated, seeds ripen and the stalk dries to a tan-brown scape. Harvest or scatter the seed. The basal rosette of stiff, long leaves will die back in win- ter As they fade, the corms can be har- vested and relocated immediately to a favored location in the garden. Masses of the same species make a spectacu- lar display in the fall garden. Those in full sun will flower fuller, taller and sooner than those planted in part shade. Companion fall wildflowers that thrive in similar conditions in the gar- den or meadow include: purple Florida Paintbrush, Carphephorusco- FORMS AVAILABLE The Chronicle has forms avail- able for wedding and engage- ment announcements, anniversaries, birth announce- ments and first birthdays. Broom specializes in the Homosassa market- /' - place, specifically River- haven Village, where she \ , has sold numerous wa- terfront homes. She's a veteran agent with nearly 25 years experience. Broom works out of Jody Broom the Crystal River office RE/MAX on U.S. 19. All of the Realty One. agents and staff would like to congratulate her for this notable accomplishment. Goddard, Sutton continue to soar The Kelly/Ellie team has done it again. In just * nine months, they have closed more than $6 mil- lion in sale volume. They Kelly join a very select group Goddard of agents who have ac- RE/MAX complished this task in Realty One. this year. The duo consistently ranks in the top 10 rymbusus, red Coral Honeysuckle vine, Lonicerasempervirens, purple or white Muhly Grass, Muhlenbergia- cappillaris, yellow flowered Silk Grass, Pityopsisgraminifolia, Passion- flower vines, Passiflora(I prefer the half-native hybrid 'Incense'), and the deciduous shrub Beautyberry with bunches of magenta-purple berries. Fall can be a colorful time in the gar- den with native flowers that attract birds and butterflies, as well as pleas- ing people. Jane Weber is a professional gar- .. agents locally and are well-known for their pro- fessionalism. Kelly God- dard and Ellie Sutton l -4 work in the Lecanto of- fice of RE/MAX Realty One on County Road 491. They cover the en- Ellie Sutton tire Central Ridge area. RE/MAX The associates and Realty One. staff of RE/MAX Realty One are proud to recog- nize these ladies for their tremendous success. Moudis Joins EXIT Realty Agent Tony Moudis recently joined EXIT Re- alty Leaders in Beverly Hills. EXIT Realty Leaders is at 5018 N. Lecanto Highway in Beverly Hills. For more information, call 352-527-1112 or visit leaders.com. Tony Moudis EXIT Realty Leaders. dener and consultant. Semi-retired, she grows thousands ofnative plants. Visitors are welcome to her Dunnellon, Marion County garden. For an appointment call 352-249-6899 or contact JWeberl2385@gmail. com. KEY' "Always There For You" EAl GAlL COOPER OEM multimillion Dollar Realtor ERI Cell: (352) 634-4346 Office: (352) 382-1700x309 E-mail me: homes4u3@mindspring.com GOLF COURSE GETAWAY FOR BI * 2+office/2 villa with 1682 living area * Views of the 7th fairway *New roof 2008- newAC 2012 * Open kitchen with large breakfast bar * Skylights in kitchen, baths & office * Home warranty for the buyers #356549 $79.900 2/2 single story end unit condo * Views of #3 green on Cypress * Dining & Great Room have hardwood flooring SStainless in updated tiled kitchen * Master suite has walk-in closet *Home warranty for the buyers #354159 $66.000. OOOCRY2 Call Joe at 302-0910 I"See VJl'.IIIlTou @ w.resalehomes.u.com SUNDAY, SEPTEMBER 30, 2012 E9 LL__1 E10 SUNDAY, SEPTEMBER 30, 2012 CITRUS COUNTY (FL) CHRONICLE To place an ad, call 563-5966 RIVER Remodeled 2 BR S/W Mobile.1/3 Ac. Good Water; No Pets $450 + Dep (352) 464-0999 HOMOSASSA 2/1 $550 mo & 2/2 $525 352-464-3159 HOMOSASSA 2/1 Large screen porch, carprt, deck, sheds, fenced yard $600/mo. (352) 628-4878 HOMOSASSA 2/1, $425/mo.+ util. No Pets (352) 503-7562 HOMOSASSA 2/1, Furn or Non Furn. 9075 S. Breen Terr. (352) 382-7396 HOMOSASSA 2/1%, No Pets $500 (352) 628-5696 HOMOSASSA 3/2 w/ Lease $550 mo. + Sec. (352) 503-6345 INVERNESS Furnished 2BR/1BA in a 55+ community. In- cludes eclectic & water. $650 Sec & Ref's re- quired. Short or Long Term. (352) 249-9160 INVERNESS Nice 2/1, on Lake with own dock, scrn. porch new refrig. & stove $550. mo. $550. dep. No Pets 812-614-3037 % acre. Home in new condition with 2 x 6 construction. New appliances, carpet, paint, new decks & tile flooring. I can finance, must have 620 credit score. $3,500 down $394.80/mo P&l, -7_7 Park, Inverness. 14x60 Fully Furnished 2BR/2BA. Near Bike Path. Roof over, carport, screen room, shed and remod- elled kitchen & baths. Parking for trailer or boat. Excellent Shape. $10,000. Lot rent $205. Call 815 986 4510 or cell 779-221-4781 Furn., MH, Shrt/long term 352-220-2077 FLORAL CITY By Owner, 14x 60 2/2 Split Plan w/double roof over, w/ porch & carport on fenced 1 acre, Very Nice, 2/2 on Lake Rousseau. NOW $17,500 Low Lot Rent $240/m 2003. Used Seasonally Owner bought a house. Call Lee (352) 817-1987 * THIS OUT! CRYSTAL RIVER VILLAGE 55+ A SUPER BUY 2/2/den 1457sq.ft 05 Hmof Merit, all appliances, carport, Ig screen room, im- maculate $34,900 (352) 419-6926 CRYSTAL RIVER VILLAGE FALL SPECIAL 2BR 2Bath $15,000. 352-795-7161 or 352-586-4882 IMMACULATE Inverness/Oak Pond 55+ FREE 2 MONTHS LOT RENT WITH ASKING PRICE! 2/2, 1988 Skylark model, furnished, shed, screened lanai & xtra-Ing, covered carport on a Irg lot. Lots of kitchen cabi- nets with island stove top, double oven, fridge, washer, dryer. Lots of storage. 352-344-1632 or 937-545-3413 WESTWIND VILLAGE 55+ Updated DW's Reasonable, rent or buy 1 st mo lot rent waived to qualified renters or buyers (352) 628-2090 Get Results In The Homefront Classifieds! ACTION - RENTAL MANAGEMENT REALTY, INC. 352-795-7368(ounlyHomneRentals.com BEVERLY HILLS/CITRUS SPRINGS 7942 N. Obeiro Tear. (CS) ............. $950 3/2/2 with den and screened lanai 7635 Geendde (CS) .... REDUCED$1000 3/2/2 pool home, fireplace CRYSTAL RIVER 1055 N. Hollywood Cir .............. S850 2/2/1 carport, screened back porch 2561 N. Seneca P.................. $1200 2/2 waterfrontDW mobile, FURNISHED 548 N. Gulf Ave................... .. $750 3/1 fenced yard, close to Rock Crusher Elem. HOMOSASSA 6944 W. Grt St ........... ... $700 2/2/1 cute, centrally located 843 7845 Solar P ....REDUCED $685 2/2 duplex, incl. lawn and water 6618 S. Beagle Dr .................. $1200 4/3/3 waterfront stilt home, carport INVENESS/HERNANDO/CITRUS HILLS 1274 Cypress Cove C. (Inv) .........$625 2/2.5 townhome, community pool 3529 E. Salire (Her) .............. $725 2/2/1 lake front, fenced backyard 545 E.L Alaska Dr. (CH) ................. S800 2/2/1 new roof, AC, handicap access. J.W. MORTON PROPERTY MANAGEMENT LLC. 1645 W. MAIN ST INVERNESS, FL Need a Good Tenant? Bring us your vacant home and watch us work for you! 2/2..................$700 Pritchard Island Villas 2/1.5/1..............$650 2/1 Screen Room $550 2/2 Duplex........$600 2/2/2 Water 2/1/1................$600 Bonus Room Jennifer Fudge, .Property Manager a Cheryl Scruggs, 9 Realtor-Associate g 352-726-9010 CHASSAHOWITZKA 3/2 waterfront DW, $600 SUGARMILL WOODS 3/2/2 furnished $1 050. BEVERLY HILLS 2/2/1 House $600 mo. AGENT (352) 382-1000 m- CRYSTAL RIVER 1/BR $450. ,2/BR $550. 3BR $750 352-563-9857 CRYSTAL RIVER 2/1.5, CHA, Nice/Quiet near school, 828 5th Ave NE.( unfurnish opt.)727- 343-3965, 727-455-8998 CRYSTAL RIVER Studio, Furn. on Hunter's Springs, sun deck, W/D rm. All until. incld.+ boat dock. $700/mo. avail 10/1/12 352-372-0507 FLORAL CITY 1/1, $350/Mo. $350/Sec. Incls, septic water, trash No pets. (352) 344-5628 FLORAL CITY LAKEFRONT 1 Bedrm. AC, Clean, No Pets (352) 344-1025 HOMOSASSA 1 BR, Stove, refrig. Wash /Dryer, until. incld. $600. mo.+ sec., 352-628-6537 Alexander Real Estate (352) 795-6633 Crystal River Apts. 2 BR/1 BA $400-$500 ALSO HOMES & MOBILES AVAILABLE BEVERLY HILLS 1 Room Efficiency + Kitchen, All Utilities, Cable incld. $525/mo Pet ok 352-228-2644 CRYSTAL RIVER 1 & 2 Bd Rm Apartments for Rent 352-465-2985 CRYSTAL RIVER APT 6ar & OPPORTUNITY CRYSTAL RIVER Spacious 2/1,. lawn water sewr & garb. W/D hk up $475.mo $250 dep No Pets 352-212-9205 352-212-9337 INVERNESS 1/1 $450 near hosp 2/1 House $650. 422-2393 INVERNESS 2/1.5, Townhouse, W/D, $550 Mo. F/L/S. (352)746-4108 (352) 302-6988 LECANTO Nice, Clean 1 BR, Ceramic tile throughout 352-216-0012/613-6000 SEABREEZE MANOR Senior Citizens, Disabled or Handi- capped. Rent based on income. Applications now accepted for 1 & 2 bedrm units with carpeting, custom cab- inets, central air & heat, stove, refrigerator & additional outside storage with patio. 37 Seabreeze Dr., Inglis Call (352) 447-0277-TDD HERNANDO 1,000 sf Office Space 486, Cit Hills 341-3300 HERNANDO Over 2,200 SF, Multi-Rm Office or Home & Office on Hwy 200, for More Info Call (352) 344-3084 CITRUS HILLS 2/2%, Carport, FURN. (352) 613-5655 HERNANDO Affordable Rentals Watson's Fish Camp (352) 726-2225 BEVERLY HILLS 2/1/1 $695, $800 Dep (352) 621-0616 Crys. Riv. Cottage 2/1, CH/A, Near Beach Includes. Util. $695. 352-220-2447, 212-2051 BEVERLY HILLS 3/1/CP $525 Lecanto cottage 1/1 furnished $425 (352) 220-2958 Citrus Springs 8354 Legacy 3/2/2 $850 (352) 464-2701 Cry.Riv./ Horn. 2/1 Duplex, $475.; 3/2 MH $425. 352-220-2447, CRYSTAL RIVER 2/1/1, Furn.Opt., central loc. $700. 352-563-0166 SUNDAY, SEPTEMBER 30, 2012 Ell CRYSTAL RIVER 2/2 1 FL. Rm., Scrnd Rm, on 1/2 AC. Lawn Incl. $700 mo. 1st & Sec. (352) 795-8644 DUNNELLON Vogt Springs Lg. 3/2/2 On Acre, fncd yrd., new tile, carpet, wood firs., Beautiful kitchen Close to Rainbow River & Historical District (561) 719-8787 (561) 575-1718 after 7p HOMOSASSA 2/1 CHA, No pets $500. mo., 1st + sec (352) 628-4210 HOMOSASSA 3/2 W/ Den $650 $500 sec. No pets (352) 519-6051 HOMOSASSA 3/2/2 Water, Garb, Included $850.1st., Sec. 746-3228 INVERNESS 3/2 Brand New, Granite tops, marble firs, SS Ap $995 (352) 634-3897 INVERNESS 3/2/2 NEW CARPET, PAINT,$800/MONTH, 1ST, LAST & DEPOSIT 863-838-1886 INVERNESS 3/2/2 Starting @ $750. 352- 601-2615 OR 201-9427 INVERNESS Move in special! 4/2/2 1st, last, sec. $595/mo 352-400-1501 INVERNESS Nice 3/2/2 Lse., no pets, $700. (304) 444-9944 Sugarmill Woods 2 Master BR, Dbl Gar., S/S Appl. $850/Mo 352-302-4057 HERNANDO Affordable Rentals Watson's Fish Camp (352)726-2225 Homosassa River 2/2 Furn., MH, Shrt/Ilong term 352-220-2077 - a CRYSTAL RIVER Mature, Responsible to Share spacious mobile $400. mo. Incl. Util. Avai 10/15, 364-1421 BUSHNELL On 50 acres TV & W/D WIFI UTILITIES $450. (352) 603-0611 Get Results in the homefront classified! AUTOMATED Home Info 24/7 CALL 637-2828 and enter the house number REALTY ONE BUYER REBATE *50% of COMM.* New/Resale-All FL 30+ yrs. exp. Call For Details Ron & Karna Neitz Brokers/Owners CITRUS REALTY 9 Richard (Rick) Couch, Broker Couch Realty & Investments, Inc. (352) 344-8018 RCOUCH.com FOR SALE OR RENT 1,200 sq. ft. Professional OFFICE SPACE Furnished, Executive Condo CenterCR 352-794-6280, 586-2990 HOMOSASSA For Rent 1 BR Home w/ Small commercial gar- age, auto shop/auto body off grover cleve $1,000. (603) 860-6660 3BR/2BA/2, Shed, New Interior paint, carpet, pool, jetted tub,+ shwr, newer roof, fenc'd yd. 6560 N. Deltona Blvd. Citrus Springs $114,900 (352) 476-5061 4/BR/2BA Mitch Under- wood built home on 1.2 acres. Cherry cabinets and wood floors. Outdoor kit w/ Jenn-air grill. Heated spa, oversized pool, gazebo and lovely garden. (352) 746-0912 New 3/2/3 Home MUST SEE, All wood cabinets tile floors, Large Porch, laundry and Pantry Many Extras carpet. 1180 sq ft liv, $36,900. (352) 527-1239 2BR, 1 /2BA, new enclosed sunroom, at- tached L.QQlk ap- proved pur- chase considered with down payment. Owner 352-419-7017. Lake Front Home on Gospel Island, spectacular views spacious 3/2/2, $800. Rent or Sale (908) 322-6529 Recently Foreclosed *Special Financing* Available, Any Credit, Any Income 3BD/1BTH, 672 Sq. Ft., located at 4244 Iliana Ter. Inverness $64,900 Visit: co.com\A5C Drive by then Call (866)937-3557 REDUCED! 2/1/1, Block Home with den, Fireplace, tile floors, shed w/elec. near Bealls $44,900. (352) 344-4192 AUTOMATED Home Info 24/7 CALL 637-2828 and enter the house number REALTY ONE OPEN HOUSE SAT. & SUN. 1P-3P 7724 Glendale Ct. 4BR/4BA 2.5 Acres, $159,500. Charlene Pilgrim Plantation Realty (352) 464-2215 House for Sale By Owner Sugarmill Woods 352- 86-1772 Homosassa Springs 4/2 $62,000. (305) 619-0282, CellTY GROUP 352-795-0060 Tony Pauelsen Realtor 352-303-0619 Buy or Sell * I'll Represent YOU ERA American Realty GAIL STEARNS Realtor Tropic Shores Realty (352) 422-4298 Low overhead = Low Commissions Waterfront, Foreclosures Owner financing available MICHELE ROSE Realtor Simply put I 'II work harder 352-212-5097 isellcitruscounty@ yahoo.com Craven Realty, Inc. 352-726-1515 #1 Employment source i1s fWwwchronicleonline.com Sellers I have SOLD 14 Homes in 7 mo's! I need LISTINGS! DEB INFANTINE Realtor (352) 302-8046 Real Estate!.. it's what I do. ERA American Realty Phone:(352) 726-5855 Cell:(352) 302-8046 Fax:(352) 726-7386 Email:debinfantine@ yahoo.com BRENTWOOD 2 bedroom. 2 bath. Brand new Townhouse currently rented good income per month 352-527-8198 CRYSTAL RIVER 2 Story, 5BR/3Bath 2 boat slips near Kings Bay $429,000 Make Offers 352-563-9857 Mow 0 How>o Yowur , Chronicle Classifieds In Print & Online "FREE Foreclosure and Short Sale Lists Office Open 7 Days a Week LISA VANDEBOE Broker (R) Owner Plantation Realty 352-634-0129 realtylistings.com CABIN ON 40 ACRES Hunting recreational in Gulf Hammock Mgt.. Area, well, pond,ATV trails, $3000 per Acre 352-634-4745 2.5 ACRES, Crystal Hills Mini Farms 486 to N. Anthony Ave. Left on E. Jinnita St. 3rd Lot on Rt $24,000. (727) 439-9106 / ~ a~ / ~-' 4w .,:- .. ^ ,.." / J "J- *I"" ,/ /7 I fI CHRONIC LE C/ 4 (352)563-5966 Hooass Hme CITRUS COUNTY (FL) CHRONICLE Cir i o n y "I""".JI~ JI If I I II I I I I I CITRUS COUNTY (FL) CHRONICLE SUPER LOCATION - MAINTENANCE FREE LIFESTYLE .- i,. h. i. ...- I '..- I' .1 ., I. :....I ..h.l.n l. HMi, = i:. ASKING $57,240 Pat Davis i3522/12 7280 Vie li sting iin,', c2paidar'is corn . I1 urvni WWMI Enrnnu.,i, 1..11 I' .11.1 "Ill. 1,, I, t ,1,il n,, illl h il hhll1I Mt i = .I'-.J: ASKING $119,900 Call Jim Motion at 352 422 2173 to v'iei the potential ol this beautiful itratediont pioper l WATERFRONT 1 3/2 - FOR ONLY $58,500H. H.I.i ll ..vFeI (If I.I .a. , 1 I I i lInd lbl ..i: Il. l. hnea i -H i; il; *' 6' .. l ...1 ,I l .a l H i. l iaII Call Ouade Feesei 352 302 7699 USDA/FHA HOME BUYERS WELCOME! I 6 ..J......i. b .ilh .,., : .,. b ill I _111:1 if'..hj.J I: ...I'l I l. li.h'l V. lll b"i:. I. l,1 b. i .T lll:~i" l.ij' l V.,11" v all .b.h I .l . l ,'li ,lli, : V hc ll. l ll I I .I l. I : II. I i.'llJlh iiNll i ONLY $89,000 Call Ehas G Knallah to schedule a showing at 352 400 2635 GREAT LOCATION Iilh.) h .) 16 ..1 l .i. ..... n Iq .. 1... f .ilu.l q f,: ll i i.l 6' h.l.. Call Mattha Snydei 352 476 8727 to vtiew ask lot file =355579 I I Ii,,,, 11 Ih .1.1 , $44,900 C4I DO,,,a 41,, 3.j- 1b R 1 ?. 6,'e?6 666S a, pp * I... ,.ni. .l .I il .l 1 i.:i * * 3IF 'PA i.li. pil.i Mt i = 3. 11 $115,000 I'lir.w ciliuscounii'sold. coin Jeanne Willaid Pickiel 212 3410 i "1.1j n,, [.II I ll 1..I. I' lII :F $159,900 Ruth Fiedeick 1352B5636866 LAKE FRONT HOME ON TSALSA APOPKA M'Q = lm14. $159,900 Nancj Jenks f3521 400 8072 COMMERCIAL STORAGE UNITS Mi-. = 4.. PRICED RIGHT AT S990,000 Call Jim Mo ton 352 726 6668 CITRUS HILLS POOL HOME * ';R1 I aRlh .l b i ...J i,... * I I H I-H ,i,,J rj i . U ....I I ,1 .. .. J I[J ..I Mil'. = .''ii $214,900 Call Charles Kell/ 352 422 2387 * N il I. I .....llll Mit = 3 ^I:x $145,000 Jeanne ot Willaid Pickiel 352 212 3410 I'i:'it'. Cili usCount'Sold. coin THIS HOME IS A MUST SEE! 6 al I .....". ....... .. .. 1 .l rJ I, ,J,J J I I I ,,,, I,,,,,, i. =" OFFERED AT $149.900 rl,,, i1. II....I .. H.. .... ..... H 1. .... .. ....' .. A ..... .... A .... ...... H 1. .... .. I_- 1 1 .. ._' .'-.-, _-.- 1 -1-_1. ' ADORABLE 2/2 WITH A HUGE 30X40 DETACHED GARAGE ONLY $89,900 Call Ouade Feesei 352 302 7699 LECANTO 7+ACRE HOME .it = :-, $224,900 Call Nilda Cano 352 270 0202 E12 SUNDAY, SEPTEMBER 30, 2012 d W1.161"a Fk A: 'A' Contact Us | Permissions | Preferences | Technical Aspects | Statistics | Internal | Privacy Policy © 2004 - 2011 University of Florida George A. Smathers Libraries.All rights reserved. Terms of Use for Electronic Resources and Copyright Information Powered by SobekCM
http://ufdc.ufl.edu/UF00028315/02903
CC-MAIN-2015-22
refinedweb
73,286
72.56
php - Shopify (liquid) - add class to div if page template is equal to Is this possible? I'm working on an existing website and I need to overwrite some styles but only on pages that use my new templates as overwriting the main styles might break the other pages. This is the markup: <div id="page"> <main role="main" id="MainContent"> {{ content_for_layout }} </main> {% section 'footer' %} </div> So adding a class to the page or main element would be ideal. I've managed to achieve this with an if statement to display content but only on a certain template, like this: {% if template == 'page.job-detail' %} <!-- CODE HERE --> {% endif %} Not sure how that'd work in relation to classes on a div? There's probably a few pages I'd need to include so an array or a way I was specify multiple templates would be ideal. Templates like "page.faq", "page.jobs", "page.job-detail". Answer Solution: Why don't you just add a custom class to all of your pages and target that based on the templates you like to target. So you can add the following to the body tag. <body class="template-{{ template | replace: '.', '-' | replace: '/', '-' }}"> And you will get classes like: - template-page-faq - template-page-jobs - template-collection - template-index - template-customer-login etc.. From there you can use only CSS to style only what you need using the above classes..
https://e1commerce.com/items/shopify-liquid-add-class-to-div-if-page-template-is-equal-to
CC-MAIN-2022-40
refinedweb
235
70.53
print "What is your name?\n"; $input=<STDIN>; $name=inputcutter($input); print "What is your age?n\"; $input=<STDIN>; $age=inputcutter($input); print "Your are $name and your age is @age years old.\n"; sub inputcutter{ $s=chomp $input; return ($s); } [download] Edit (davorg): added <code> tags. 2005-10-13 jdporter moved from Tutorials (!) Here is your program wrapped in code tags, and formatted so it's a little easier to read. I've made comments explaining what's going wrong/on within the code. print "What is your name?\n"; $input=<STDIN>; $name=inputcutter($input); # Be careful with that slash. You just escaped your # double-quote. print "What is your age?n\"; $input=<STDIN>; $age=inputcutter($input); # You don't have an array called @age in your code. # Try $age instead. print "Your are $name and your age is @age years old.\n"; sub inputcutter { # Here, you're neglecting to fetch the data you just # passed to here (in @_, FYI). If you do # $input = shift;, you'll grab the first element of # @_, which is what you need. # On this line, $s holds whether or not the chomp was # successful, not the chomped version of $input. You # can just chomp $input; and forget about $s. $s=chomp $input; return ($s); } [download] It is highly recommended you use strict; and run with Warnings and Taint. I'm not going to rehash the reasons why, when there is already a node on PM such as Use strict warnings and diagnostics or die just waiting to be read. Also, remember to include your shebang line at the top of your program (usually #!perl or #!/usr/bin/perl), or else your program won't run. And if you're on a Windows box, you have to execute the program like this: perl programname.pl or perl -T programname.pl If the program is still giving you problems, please reply back to this thread for additional help. But I implore you to be more descriptive of the problem as it will increase the chances of us being able to help you out. Update: As blakem points out, Anonymous Monk probably did have the <STDIN> after all. Node edited to reflect changes. When someone posts code w/o code tags, things like '<STDIN>' tend to get parsed out as invalid html tags. That's why you'll see things like $input = ; [download] $input = <STDIN>; [download] -Blake #!/usr/bin/perl -w use strict; print "What is your name?\n"; chomp (my $name = <stdin>); print "What is your age?\n"; chomp (my $age = <stdin>); print "You are $name and your age is $age years old.\n"; [download] Priority 1, Priority 2, Priority 3 Priority 1, Priority 0, Priority -1 Urgent, important, favour Data loss, bug, enhancement Out of scope, out of budget, out of line Family, friends, work Impossible, inconceivable, implemented Other priorities Results (254 votes), past polls
http://www.perlmonks.org/?node_id=123961
CC-MAIN-2015-32
refinedweb
482
75.3
how do i make 2 servos do two different things on the same board how do i make 2 servos do two different things on the same board Like one should sing while the other dances? To make two servos do different things, write different code for each one. how do i make 2 servos do two different things on the same board Like one should sing while the other dances? [/quote] LOL!! :D how do i wright the code for each one The same as you write code for just one, but do it twice, but a bit different. If you posted the code you’ve already got, we could help you modify it. #include <Servo.h> //include the servo libary Servo myservo; // create servo object to control a servo // a maximum of eight servo objects can be created int pos = 0; // variable to store the servo position void setup() { myservo.attach(9); // i want 3 servos to operate // attaches the servo on pin 9 to the servo object randomSeed(analogRead(A0)); } void loop() { for(pos = 15; pos < 90; pos += 90) // interverls { myservo.write(pos); // tell servo to go to position in variable ‘pos’ delay(random(0,3000)); } for(pos = 90; pos>=15; pos-=90) // max rotation { myservo.write(pos); // tell servo to go to position in variable ‘pos’ delay(random(3000,0)); } } And what do you want to add? i want 3 servos to randomly turn 90 degrees. stay turned for 3 seconds then go back to 15. but the servos need to be random on there own. but only one servo turns at a time Ok, scrap the delay()s, and have a look at the blink without delay example. Substitute servo movements for LED operations i have no clue how to do that So forget the servos, and just concentrate on the blink without delay example. If you haven't got a LED, just put in some serial prints. This is an essential skill, so take your time to really understand how it works. how about you fix my code so my brain doesnt melt can someone help me. i want a servo to (at a random time) rotate 90 degrees but only return to 0 by a push of a button some servo/button test code //zoomkat servo button test 12-29-2011 #include <Servo.h> int button1 = 4; //button pin, connect to ground to move servo int press1 = 0; int button2 = 5; //button pin, connect to ground to move servo int); } /*else { servo1.write(90); }*/ } test code with two servos // zoomkat 12-13-11 serial servo (2) test // for writeMicroseconds, use a value like 1500 // for IDE 1.0 // Powering a servo from the arduino usually DOES NOT WORK. // two servo setup with two servo commands // send eight character string like 15001500 or 14501550 // use serial monitor to test ("two-servo-test-1.0"); // so I can keep track of what is loaded } void loop() { while (Serial.available()) { delay(3); //delay to allow buffer to fill=""; } } what would *else represent @OP: Please stop asking the same question in different threads - it wastes everyone's time. I've merged them up so that you can see all the answers in one place.
https://forum.arduino.cc/t/servos/91009
CC-MAIN-2021-39
refinedweb
537
68.2
Walkthrough: Creating a Mobile Adapter Last modified: April 01, 2011 Applies to: SharePoint Foundation 2010 This walkthrough shows how to create a mobile adapter for the UserTasksWebPart that ships with Microsoft SharePoint Foundation. For a higher-level discussion of the process of creating a mobile Web Part adapter, see How to: Create a Mobile Adapter. Review the topic SharePoint Foundation Development Tools and its child topics (especially How to: Set the Correct Target Framework and CPU) and perform the recommended tasks for setting up your development environment. In particular, this walkthrough assumes that you have performed the recommended tasks in Setting Up Mobile Device Emulators, How to: Create a Tool to Get the Public Key of an Assembly, and How to: Add Tool Locations to the PATH Environment Variable. The following procedures describe the process of creating a mobile adapter. Set up the Mobile Adapter Project In Visual Studio, select New and then Project on the File menu. In the New Project dialog box, select Visual C# in the Project types box, select Class Library in the Templates box, and enter MobileAdapters in the Name box. Click OK. Right-click the References node in Solution Explorer, click Add Reference, and, while holding down the CTRL key, select System.Web, System.Web.Mobile, and Microsoft.SharePoint on the .NET tab in the Add Reference dialog box. Click OK. Right-click the project name in Solution Explorer and select Properties. On the Application tab of the Properties dialog, enter MyCompany.SharePoint.WebPartPages.MobileAdapters as the Assembly name and MyCompany.SharePoint.WebPartPages as the Default namespace. Replace MyCompany with your company's name. Throughout this walkthrough, replace MyCompanywith your company's name. On the same tab, set the Target Framework to .NET Framework 3.5. Click Assembly Information and make changes as needed on the Assembly Information dialog. This walkthrough assumes that you leave the assembly and file versions at 1.0.0.0 and that you do not change the GUID. Open the Signing tab and then select Sign the assembly. Choose <New...> from the Choose a strong name key file drop-down list box. In the Create Strong Name Key dialog, type MobileAdapters.snk in the Key file name box, and then be sure that the Protect ... check box is not checked. Click OK. Open the Build Events tab and type the following code in the Post-build event command line box. This code runs a batch file that you create in a later step. Click the Save all files button on the toolbar. In Solution Explorer, rename the file Class1.cs to UserTasksWebPartMobileAdapter.cs. Create the Adapter Control Open the UserTasksWebPartMobileAdapter.cs file of the project if it is not already open and add the following using statements. Change the namespace to MyCompany.SharePoint.WebPartPages.MobileAdapters. Replace the entire Class1 declaration with the following code. Notice that your new class inherits from WebPartMobileAdapter. Add the following declaration of an override of the CreateControlsForDetailView() method. Begin the implementation of CreateControlsForDetailView() with the following lines. This code creates a downward pointing arrowhead to the left of the Web Part title. By passing LinkToSummaryView to the helper method CreateWebPartIcon(WebPartMobileAdapter.WebPartIconLink), you make this arrowhead a toggle switch on devices whose browsers support CSS and ECMAScript 1.0 or greater. When a user clicks it, the Web Part collapses into its summary view. (If the browser does not support both CSS and ECMAScript 1.0 or greater, then a different icon is rendered and clicking it opens a page with a summary view of the Web Part. Add the following lines to render the default title of the User Tasks Web Part, which is "User Tasks" in bold face. Add the following lines to gather the references to the objects your code will refer to in its rendering logic. Replace CustomSite with the name of the Web site that you will be accessing from a mobile device. It can be any site that contains a standard SharePoint Foundation Tasks list. Add the following LINQ query. The where clause ensures that only the current user’s tasks will be included in the mobile view. The select clause projects a new anonymous type that contains only two properties. There is no need for fields that the adapter is not going to render. Add a foreach loop that, when completed, will render each item in the current user’s task list up to a limit of three. Within the loop, add the following code to render the standard SharePoint Foundation mobile list item bullet. The code uses object initializer syntax, which requires C# 3.0, to initialize the properties. But, of course, you could use separate property assignment statements as well. Add the following code to render the task name. Note that the Font() property is a read-only property that has writeable subproperties, including Bold and Size. These subproperties cannot be set with object initializer syntax. Add the following code so that the task title is followed by the task priority in a small font. Note that the Priority property referred to here was created ad hoc in the anonymous type declared by the LINQ query. In C#, you need to refer to this value with "task["Priority"]", where task is a reference to an SPListItem object from the Tasks list. Add the following code to put a blank line after each task. Finally, add the following if structure to limit the number of tasks rendered to three, and to render a link to the user’s full list of tasks in the event there are more than three tasks. Note, again, the use of object initializer syntax. //" ' Render no more than 3 tasks, but provide link to others. If itemCount >= 3 Then itemCount += 1 Dim moreItemLink As Link = New Link With {.Text = "All my tasks", .NavigateUrl = SPMobileUtility.GetViewUrl(taskList, taskList.Views("My Tasks"))} Me.Controls.Add(moreItemLink) Exit For End If ' end "if limit has been reached" itemCount += 1 Add the following statement just above the beginning of the foreach loop to initialize the itemCount variable. The whole declaration should now look like that shown in this code example.()); //" } // end "for each lightweight task of the current user" } // end CreateControlsForDetailView Select Build Solution on the Build menu. You are not finished yet, but you need to compile the assembly at this point so that you can generate a public key token. Register the Mobile Adapter in the compat.browser File Open the file \\Inetpub\wwwroot\wss\VirtualDirectories\80\App_Browsers\compat.browser in a text editor or Visual Studio and scroll to the <browser> element that has the refID attribute value "default". (If necessary, replace "80" in the URL with the port of the Web application that you are targeting.) Inside the <controlAdapters> element, add the following as a child element. <adapter controlType="Microsoft.SharePoint.WebPartPages.UserTasksWebPart, Microsoft.SharePoint, Version=14.0.0.0, Culture=neutral, PublicKeyToken=71e9bce111e9429c" adapterType="MyCompany.SharePoint.WebPartPages.MobileAdapters.UserTasksWebPartMobileAdapter, MyCompany.SharePoint.WebPartPages.MobileAdapters, Version=1.0.0.0, Culture=neutral, PublicKeyToken=yourAssemblyPublicToken" /> Replace MyCompany in both places with the name of your company. Replace yourAssemblyPublicKeyToken with your assembly’s public key token. Obtain this by clicking Get Assembly Public Key item on Visual Studio’s Tools menu. The key will appear in the Output window. (If the item is not there, see How to: Create a Tool to Get the Public Key of an Assembly.) Register the Adapter as a Safe Control on Development Computer Right-click the project name in Solution Explorer and select Add and then New Item. In the Add New Item dialog, add an XML file with the name webconfig.MyCompany.xml, where MyCompany is the name of your company, and click Add. Add the following markup to the file. <action> <remove path="configuration/SharePoint/SafeControls/SafeControl[@Assembly='MyCompany.SharePoint.WebPartPages.MobileAdapters3, Version=1.0.0.0, Culture=neutral, PublicKeyToken=yourAssemblyPublicKeyToken']" /> <add path="configuration/SharePoint/SafeControls"> <SafeControl Assembly="MyCompany.SharePoint.WebPartPages.MobileAdapters3, Version=1.0.0.0, Culture=neutral, PublicKeyToken=yourAssemblyPublicKeyToken" Namespace="MyCompany.SharePoint.WebPartPages.MobileAdapters3" TypeName="*" Safe="True" AllowRemoteDesigner="True" /> </add> </action> Replace MyCompany in all three places with the name of your company. Replace yourAssemblyPublicKeyToken in both places with the same public key token you used in the compat.browser file markup. Save the file. A batch file that you will create in the next procedure will execute two actions each time you rebuild. The <add> action will register your adapter as a safe control by adding the specified <SafeControl> element to the all of the web.config files at the root of all the Web applications on your development computer. The <remove> action will do nothing the first time the batch file runs. On all subsequent runs, it will remove the <SafeControl> element that was added the previous time it ran. This is necessary because duplicate <SafeControl> elements can break Web Parts in SharePoint Foundation. Create a Post-build Batch File Right-click the project name in Solution Explorer and select Add, and then New Item. In the Add New Item dialog, select Text File, give it the name MobileAdapterPostBuild.bat, and click Add. Open the file and add the following lines to it. On the File menu, click Save MobileAdapterPostBuild.bat As... On the Save File As dialog, click the down arrow beside the Save button and select Save with encoding. In the Advanced Save Options dialog, select Western European (Windows) – Codepage 1252 in the Encoding drop-down list, and click OK. This file ensures that each time you rebuild the project, the latest versions of your project files are copied to the correct location and that your adapter class is registered as a safe control. It also restarts SharePoint Foundation so it will load the latest version of the assembly. Rebuild the Solution Select Rebuild Solution on the Build menu of Visual Studio. The following procedures describe how to test the adapter. Create a Custom Web Part Page with a User Tasks Web Part In a computer browser, navigate to the Web site that you want to access from mobile devices. This is the same site whose name you used to replace CustomSite in the code for the override of CreateControlsForDetailView(). In the SharePoint Foundation UI, create a Web Parts page and add the User Tasks Web Part to it. The steps are as follows: On the Site Actions menu, select More Create Options. On the Create page, click Web Part Page. On the New Web Part Page page, name the new page "MyWPpage" and select any layout template that you want. Choose any document library in the Web site that you want, such as Shared Documents, and then click Create. The new page will open in edit mode. Select any Web Part zone on the page, for example, Right Column, and click Insert above the edit ribbon. On the page that opens, click People in the Categories area. Select User Tasks in the Web Parts area and click Add. Click Stop Editing to see how the page looks with the User Tasks Web Part. Then continue immediately with the next procedure. Populate the Web Site’s Task List From any standard site page on the Web site, click Tasks on the left navigation bar. On the Tasks page, open the Items tab. Click New Item on the ribbon to open the New Item form. Fill it out to create a new task and click Save. Repeat this step to create multiple tasks for multiple users. Four or more tasks should be assigned to at least one user. Open the Browse tab to see how the populated list looks. Install, Configure, and Use a Mobile Device Emulator If you haven’t done so already, install and configure a mobile device emulator, as explained in Setting Up Mobile Device Emulators, on any computer with a network connection to your development server or server farm. It can be your development computer. Log in to the computer as one of the users to which you assigned tasks and launch a browser on the emulator as explained in the Launch an Emulator procedure in Setting Up Mobile Device Emulators. Navigate to your custom Web Part page. The steps differ depending on the type of Web site. Typically, the home page has a link to View All Site Content. That page, in turn, has a link to the site’s document libraries, such as Shared Documents. The All Documents list for the document library includes a link to your custom Web Parts page. The mobile version of the page opens with all the mobile-adapted Web Parts in collapsed (not closed) state. Web Parts for which there is no mobile adapter, or which have been closed on the regular (nonmobile) version of the Web Parts page, are not shown at all. In SharePoint Foundation, closing a Web Part means hiding it. (If no Web Parts on the page meet the conditions required for mobile visibility, then the page does not open. Instead, the mobile version of the All Site Content page opens.) Figure 1 shows a Web Part page on which the User Task Web Part is the only Web Part that is not closed and that has a mobile adapter. This image was made with a Windows Mobile 5.0 Pocket PC emulator.Figure 1. The User Tasks Web Part in collapsed state on a mobile device. Click the arrowhead icon next to User Tasks to expand the Web Part. Figure 2 shows the Web Part, after it has been adapted as explained in this topic, expanded for a user who has fewer than four assigned tasks. Note there is no All my tasks link at the end of the list. Also, note that only the current user’s tasks are listed.Figure 2. The User Tasks Web Part in expanded state on a mobile device. Figure 3 shows the Web Part expanded for a user who has more than three assigned tasks. Note that only three are listed and they are followed by an All my tasks link. This will open the My Tasks view of the Tasks list. Also, again, only the current user’s tasks are listed.Figure 3. The User Tasks Web Part in expanded state for a user with more than three assigned tasks.
http://msdn.microsoft.com/en-us/library/ee539074(v=office.14).aspx
CC-MAIN-2014-41
refinedweb
2,384
65.83
Register your product to gain access to bonus material or receive a coupon.++. Click below for Web Resources related to this title: Author Web Site Generic Programming and the C++ Standard Library Click below for Sample Chapter related to this title: sutteritem1.pdf sutteritem2.pdf sutteritem3.pdf sutteritem4.pdf Foreword. Preface. Generic Programming and the C++ Standard Library. Item 1: Switching Streams (2 / 10). Item 2: Predicates, Part 1: What remove() Removes (4 / 10). Item 3: Predicates, Part 2: Matters of State (7 / 10). Item 4: Extensible Templates: Via Inheritance or Traits? (7 / 10). Item 5: Typename (7 / 10). Item 6: Containers, Pointers, and Containers That Aren't (5 / 10). Item 7: Using Vector and Deque (3 / 10). Item 8: Using Set and Map (5 / 10). Item 9: Equivalent Code? (5 / 10). Item 10: Template Specialization and Overloading (6 / 10). Item 11: Mastermind (8 / 10). Item 12: Inline (4 / 10). Item 13: Lazy Optimization, Part 1: A Plain Old String (2 / 10). Item 14: Lazy Optimization, Part 2: Introducing Laziness (3 / 10). Item 15: Lazy Optimization, Part 3: Iterators and References (6 / 10). Item 16: Lazy Optimization, Part 4: Multi-Threaded Environments (8 / 10). Item 17: Constructor Failures, Part 1: Object Lifetimes (4 / 10). Item 18: Constructor Failures, Part 2: Absorption? (7 / 10). Item 19: Uncaught Exceptions (6 / 10). Item 20: An Unmanaged Pointer Problem, Part 1: Parameter Evaluation (6 / 10). Item 21: An Unmanaged Pointer Problem, Part 2: What About auto_ptr? (8 / 10). Item 22: Exception-Safe Class Design, Part 1: Copy Assignment (7 / 10). Item 23: Exception-Safe Class Design, Part 2: Inheritance (6 / 10). Item 24: Why Multiple Inheritance? (6 / 10). Item 25: Emulating Multiple Inheritance (5 / 10). Item 26: Multiple Inheritance and the Siamese Twin Problem (4 / 10). Item 27: (Im)pure Virtual Functions (7 / 10). Item 28: Controlled Polymorphism (3 / 10). Item 29: Using auto_ptr (5 / 10). Item 30: Smart Pointer Members, Part 1: A Problem with auto_ptr (5 / 10). Item 31: Smart Pointer Members, Part 2: Toward a ValuePtr (6 / 10). Item 32: Recursive Declarations (6 / 10). Item 33: Simulating Nested Functions (5 / 10). Item 34: Preprocessor Macros (4 / 10). Item 35: #Definition (4 / 10). Item 36: Initialization (3 / 10). Item 37: Forward Declarations (3 / 10). Item 38: Typedef (3 / 10). Item 39: Namespaces, Part 1: Using-Declarations and Using-Directives (2 / 10). Item 40: Namespaces, Part 2: Migrating to Namespaces (4 / 10). The Greek philosopher Socrates taught by asking his students questions--questions designed to guide them and help them draw conclusions from what they already knew, and to show them how the things they were learning related to each other and to their existing knowledge. This method has become so famous that we now call it the "Socratic method." From our point of view as students, Socrates' approach involves us, makes us think, and helps us relate and apply what we already know to new information. This book takes a page from Socrates, as did its predecessor, Exceptional C++ Sutter00. It assumes you're involved in some aspect of writing production C++ software today, and uses a question-answer format to teach you how to make effective use of standard C++ and its standard library with a particular focus on sound software engineering in modern C++. Many of the problems are drawn directly from experiences I and others have encountered while working with production C++ code. The goal of the questions is to help you draw conclusions from things you already know as well as things you've just learned, and to show how they interrelate. The puzzles will show how to reason about C++ design and programming issues--some of them common issues, some not so common; some of them plain issues, some more esoteric; and a couple because, well, just because they're fun. This book is about all aspects of C++. I don't mean to say that it touches on every detail of C++--that would require many more pages--but rather that it draws from the wide palette of the C++ language and library features to show how apparently unrelated items can be used together to synthesize novel solutions to common problems. It also shows how apparently unrelated parts of the palette interrelate on their own, even when you don't want them to, and what to do about it. You will find material here about templates and namespaces, exceptions and inheritance, solid class design and design patterns, generic programming and macro magic--and not just as randomized tidbits, but as cohesive Items showing the interrelationships among all of these parts of modern C++. More Exceptional C++ continues where Exceptional C++ left off. This book follows in the tradition of the first: It delivers new material, organized in bite-sized Items and grouped into themed sections. Readers of the first book will find some familiar section themes, now including new material, such as exception safety, generic programming, and memory management techniques. The two books overlap in structure and theme, not in content. Where else does More Exceptional C++ differ? This book has a much stronger emphasis on generic programming and on using the C++ standard library effectively, including coverage of important techniques such as traits and predicates. Several Items provide in-depth looks at considerations to keep in mind when using the standard containers and algorithms; many of these considerations I've not seen covered elsewhere. There's a new section and two appendixes that focus on optimization in single- and multithreaded environments--issues that are now more than ever of practical consequence for development shops writing production code.Versions of most Items originally appeared in Internet and magazine columns, particularly as Guru of the Week GotW issues #31 to 62, and as print columns and articles I've written for C/C++ Users Journal, Dr. Dobb's Journal, the former C++ Report, and other publications. The material in this book has been significantly revised, expanded, corrected, and updated since those initial versions, and this book (along with its de rigueur errata list available at) should be treated as the current and authoritative version of that original material. I expect that you already know the basics of C++. If you don't, start with a good C++ introduction and overview. Good choices are a classic tome like Bjarne Stroustrup's The C++ Programming Language Stroustrup00, or Stan Lippman and Josee Lajoie's C++ Primer, Third Edition Lippman98. Next, be sure to pick up a style guide such as Scott Meyers' classic Effective C++ books Meyers96 Meyers97. I find the browser-based CD version Meyers99 convenient and useful. Each Item in this book is presented as a puzzle or problem, with an introductory header that resembles the following:Item #: The Topic of This Puzzle The topic tag and difficulty rating gives you a hint of what you're in for. Note that the difficulty rating is my subjective guess at how difficult I expect most people will find each problem, so you may well find that a "7" problem is easier for you than some "5" problem. Since writing Exceptional C++, I've regularly received e-mail saying that "Item #N is easier (or harder) than that!" It's common for different people to vote "easier!" and "harder!" for the same Item. Ratings are personal; any Item's actual difficulty for you really depends on your knowledge and experience and could be easier or harder for someone else. In most cases, though, you should find the rating to be a good rule-of-thumb guide to what to expect. You might choose to read the whole book front to back; that's great, but you don't have to. You might decide to read all the Items in a section together because you're particularly interested in that section's topic; that's cool, too. Except where there are what I call a "miniseries" of related problems which you'll see designated as "Part 1," "Part 2," and so on, the Items are pretty independent, and you should feel free to jump around, following the many cross-references among the Items in the book, as well as some references to Exceptional C++. The only guidance I'll offer is that the miniseries are designed to be read consecutively as a group; other than that, the choice is yours. I make quite a few recommendations in this book, and I won't give you guidelines that tell you to do something I don't already do myself. That includes what I do in my own example code throughout this book. I'll also bow to existing practice and modern style, even when it really makes no material difference. On that note, a word about namespaces: In the code examples, if you see a using-directive at file scope in one example and at function scope in another example a few pages or Items later, there's no deeper reason than that's what felt right and aesthetically pleasing to me for that particular case; for the rationale, turn to Item 40. In the narrative text itself, I've chosen to qualify standard library names with std:: when I want to emphasize that it's the standard facility I'm talking about. Once that's established, I'll generally switch back to using the unqualified name. When it comes to declaring template parameters, I sometimes come across people who think that writing class instead of typename is old-fashioned, even though there's no functional difference between the two and the standard itself uses class most everywhere. Purely for style, and to emphasize that this book is about today's modern C++, I've switched to using typename instead of class to declare template parameters. The only exception is one place in Item 33, where I quote directly from the standard; the standard says class, so I left it in there. Unless I call something a "complete program," it's probably not. Remember that the code examples are usually just snippets or partial programs and aren't expected to compile in isolation. You'll usually have to provide some obvious scaffolding to make a complete program out of the snippet shown. Finally, a word about URLs: On the Web, stuff moves. In particular, stuff I have no control over moves. That makes it a real pain to publish random Web URLs in a print book lest they become out of date before the book makes it to the printer's, never mind after it's been sitting on your desk for five years. When I reference other people's articles or Web sites in this book, I do it via a URL on my own Web site,, which I can control and which contains just a straight redirect to the real Web page. If you find that a link printed in this book no longer works, send me e-mail and tell me; I'll update that redirector to point to the new page's location (if I can find the page again) or to say that the page no longer exists (if I can't). Either way, this book's URLs will stay up-to-date despite the rigors of print media in an Internet world. Whew.Herb Sutter #define, see macros #pragma, 218 A AboutToModify, 91-114 Abrahams, David, 138, 140, 142 accumulate, 77-78 ACE, 104 Adams, Douglas, reference to, 22 Adapter pattern, 179-180 advance, example use, 10 Alexandrescu, Andrei, 25, 271 Append, 86-103, 263-269 array(s),
http://www.informit.com/store/more-exceptional-c-plus-plus-40-new-engineering-puzzles-9780201704341?w_ptgrevartcl=Generic+Programming+and+the+C%2B%2B+Standard+Library_25142
CC-MAIN-2018-34
refinedweb
1,923
61.46
- - Announcements OpenGL Smooth scrolling 2D tile By nick5454, in Graphics and GPU Programming Recommended Posts Partner Spotlight GameDev Unboxed - Forum Statistics - Total Topics627638 - Total Posts2978327 - - Similar Content - By xhcao Before using void glBindImageTexture( GLuint unit, GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum access, GLenum format), does need to make sure that texture is completeness. - By cebugdev hi guys, are there any books, link online or any other resources that discusses on how to build special effects such as magic, lightning, etc. in OpenGL? i mean, yeah most of them are using particles but im looking for resources specifically on how to manipulate the particles to look like an effect that can be use for games,. i did fire particle before, and I want to learn how to do the other 'magic' as well. Like are there one book or link(cant find in google) that atleast featured how to make different particle effects in OpenGL (or DirectX)? If there is no one stop shop for it, maybe ill just look for some tips on how to make a particle engine that is flexible enough to enable me to design different effects/magic let me know if you guys have recommendations. Thank you in advance! - By dud3 How do we rotate the camera around x axis 360 degrees, without having the strange effect as in my video below? Mine behaves exactly the same way spherical coordinates would, I'm using euler angles. Tried googling, but couldn't find a proper answer, guessing I don't know what exactly to google for, googled 'rotate 360 around x axis', got no proper answers. References: Code: The video shows the difference between blender and my rotation: - By Defend I've had a Google around for this but haven't yet found some solid advice. There is a lot of "it depends", but I'm not sure on what. My question is what's a good rule of thumb to follow when it comes to creating/using VBOs & VAOs? As in, when should I use multiple or when should I not? My understanding so far is that if I need a new VBO, then I need a new VAO. So when it comes to rendering multiple objects I can either: * make lots of VAO/VBO pairs and flip through them to render different objects, or * make one big VBO and jump around its memory to render different objects. I also understand that if I need to render objects with different vertex attributes, then a new VAO is necessary in this case. If that "it depends" really is quite variable, what's best for a beginner with OpenGL, assuming that better approaches can be learnt later with better understanding? - By test opty Hello all, On my Windows 7 x64 machine I wrote the code below on VS 2017 and ran it. #include <glad/glad.h> #include <GLFW/glfw3.h> #include <std_lib_facilities_4.h> using namespace std; void framebuffer_size_callback(GLFWwindow* window , int width, int height) { glViewport(0, 0, width, height); } //****************************** void processInput(GLFWwindow* window) { if (glfwGetKey(window, GLFW_KEY_ESCAPE) == GLFW_PRESS) glfwSetWindowShouldClose(window, true); } //********************************* int main() { glfwIn* window = glfwCreateWindow(800, 600, "LearnOpenGL", nullptr, nullptr); if (window == nullptr) { cout << "Failed to create GLFW window" << endl; glfwTerminate(); return -1; } glfwMakeContextCurrent(window); if (!gladLoadGLLoader((GLADloadproc)glfwGetProcAddress)) { cout << "Failed to initialize GLAD" << endl; return -1; } glViewport(0, 0, 600, 480); glfwSetFramebufferSizeCallback(window, framebuffer_size_callback); glClearColor(0.2f, 0.3f, 0.3f, 1.0f); glClear(GL_COLOR_BUFFER_BIT); while (!glfwWindowShouldClose(window)) { processInput(window); glfwSwapBuffers(window); glfwPollEvents(); } glfwTerminate(); return 0; } The result should be a fixed dark green-blueish color as the end of here. But the color of my window turns from black to green-blueish repeatedly in high speed! I thought it might be a problem with my Graphics card driver but I've updated it and it's: NVIDIA GeForce GTX 750 Ti. What is the problem and how to solve it please? Popular Now - 10 By matt77hias Started - 12 By matt77hias Started - - - 34 By matt77hias Started -
https://www.gamedev.net/forums/topic/544378-smooth-scrolling-2d-tile/
CC-MAIN-2017-43
refinedweb
663
58.21
haven adding in some #ifdef's fixes this warning if someone chooses not to have CONFIG_BLK_DEV_INTEGRITY turned on. but keep in mind not sure if this is the best approach i.e. should something be done in bio.h? Also this patch fixes a comment which was hard to read at first. Anyways have a look when you have time, and let me know. Signed-off-by: Justin P. Mattock<justinmattock gmail com> --- drivers/md/dm.c | 6 +++++- 1 files changed, 5 insertions(+), 1 deletions(-) diff --git a/drivers/md/dm.c b/drivers/md/dm.c index d21e128..7c1cb04 100644 --- a/drivers/md/dm.c +++ b/drivers/md/dm.c @@ -1091,7 +1091,7 @@ static void dm_bio_destructor(struct bio *bio) } /* - * Creates a little bio that is just does part of a bvec. + * Create a little bio that just does part of a bvec. */ static struct bio *split_bvec(struct bio *bio, sector_t sector, unsigned short idx, unsigned int offset, @@ -1114,7 +1114,9 @@ static struct bio *split_bvec(struct bio *bio, sector_t sector, clone->bi_flags |= 1<< BIO_CLONED; if (bio_integrity(bio)) { +#ifdef CONFIG_BLK_DEV_INTEGRITY bio_integrity_clone(clone, bio, GFP_NOIO, bs); +#endif bio_integrity_trim(clone, bio_sector_offset(bio, idx, offset), len); } @@ -1142,7 +1144,9 @@ static struct bio *clone_bio(struct bio *bio, sector_t sector, clone->bi_flags&= ~(1<< BIO_SEG_VALID); if (bio_integrity(bio)) { +#ifdef CONFIG_BLK_DEV_INTEGRITY bio_integrity_clone(clone, bio, GFP_NOIO, bs); +#endif if (idx != bio->bi_idx || clone->bi_size< bio->bi_size) bio_integrity_trim(clone,
https://www.redhat.com/archives/dm-devel/2010-July/msg00243.html
CC-MAIN-2014-15
refinedweb
232
66.64
my name is Tobi and I am new here. I have some Java expiriences and also some Lejos expiriences. I have some project for my university to build and program a robot. I decided to build a self parking car which uses an ultrasonicsensor to follow a wall and detect some possible parking slots. The sensor is used to detect the current distance to the front/back car while parking (the sensor is moved by a motor). Now my first questions: At the moment I use multithreads (WallFollow, ParkingSpaceDetection, SPC(starts the threads) and one DataExchange) I am not sure if it would be better to use the behavior interface? Do you have some advice? My wall follower code is: - Code: Select all import lejos.nxt.*; import lejos.robotics.navigation.DifferentialPilot; public class WallFollower extends Thread { private DataExchange DEOpj; private UltrasonicSensor us; private final int minDist = 30; DifferentialPilot pilot = new DifferentialPilot(-2.25f, -5.5f, Motor.C, Motor.B); public WallFollower (DataExchange DE){ DEOpj = DE; us = new UltrasonicSensor (SensorPort.S3); } public void run() { while (true) { if(DEOpj.getCMD() == 1) { if(us.getDistance()> minDist){ pilot.arc(10, 20); }else{ pilot.arc(-10,-20); } }else{ pilot.stop(); } } } } Do you think it is good so far? I am not really satisfied because the robot is not really precise but unfortunately I don't really know how to improve this. Thank you very much for your help. Tobi P.S.: Sorry for bad grammar and spelling mistakes
http://www.lejos.org/forum/viewtopic.php?p=14745
CC-MAIN-2014-35
refinedweb
243
59.8
privilegeseparation. This ioctl thing breaks that, so we should disable ioctlswith 'allow_other' or require the filesystem to be privileged. Butthe latter is not easy because mount(2) is always privileged, we don'tknow if the process calling fusermount was privileged or not.So, your current patch actually _introduces_ a security vulnerabilitywith the 'allow_other' mount option.> What I'm worried about is the possibility of CUSE client being able to> break out of that privilege protection which is currently ensured by the> kernel.What do you call client? If you mean the app using the char dev, thenI don't see how it could break out of any protection.> Also, what about containers? How would it work then?Dunno. Isn't there some transformation of pids going on, so that theglobal namespace can access pids in all containers but under adifferent alias? I do hope somethinig like this works, otherwise it'snot only fuse that will break.Miklos
http://lkml.org/lkml/2008/8/29/81
CC-MAIN-2016-22
refinedweb
157
56.55
It's not the same without you Join the community to find out what other Atlassian users are discussing, debating and creating. I have an addon which provides a custom field. For some reason changes to this custom field in the issue edit dialog are not saved. How can I intercept the updated value for the custom field? Or is there a way I can intercept the entire issue update? If you have script runner plugin installed then you can try out the listener feature of the plugin - To check if a certain field is updated or not when the issue update event gets fires then you can use this snippet in the listener def change = event?.getChangeLog()?.getRelated("ChildChangeItem").find {it.field == "<Field-Name>"} Thanks @Tarun Sapra, I appreciate the suggestion. Since I'm writing my own plugin though, I prefer to just use the Jira API. But still this sounds like a good suggestion that might help.
https://community.atlassian.com/t5/Jira-questions/Capture-custom-field-update/qaq-p/616801
CC-MAIN-2018-43
refinedweb
159
62.88
I have set up Visual Studio 2012 Professional to download debug symbols. It is set up correctly and the symbols have downloaded. I get to the line of code I wish to step into: bool result = Membership.ValidateUser("user", "password"); I right click on it and choose step into specific-->Membership.ValidateUser() Then a tab opens in Visual Studio saying: No Source Available - There is no source code available for the current location Membership.ValidateUser() is in the System.Web.Security namespace which is in the System.Web.dll. If I open up the Modules window I can clearly see that the symbols for this assembly have been downloaded. If the symbols are there, why am I not able to step into the source code? Source stepping is only available for RTM or SP releases. See PDB files for .NET Framework 3.5 SP1 not available! (i.e. System.Web.pdb 2.0.50727.4016).
https://www.codesd.com/item/no-source-available-visual-studio-debugging-even-when-symbols-have-been-loaded.html
CC-MAIN-2019-13
refinedweb
155
69.07
First attempt - questionsBreeeee Jan 15, 2010 10:28 AM This is my first attempt using Flash Catalyst (Beta 2), importing all layers and images from Photoshop CS3. Flash Catalyst is a great product, and I can't wait to see more! I had to start from scratch a few times, as I was having pixel problems when I tried to rotate and align images or move placements, and I didn't flatten the layers on import which created a separate layer for drop shadows. I also imported 4 .flv files which makes this catalyst file quite hefty. Currently I'm running through all of my pages/states to try and eliminate unnecessary code, by making sure assets only appear in the page/state they belong in. Some text has been optimized, while others have not. Questions: - I haven't been able to find out how to revert an optimized image back to text in order to make changes, or if it's even possible. I'm thinking it's "break apart the graphic", but that means something totally different in Flash. - How can I bring in a widget from Twitter, which is javascript? I read that it is possible using an IFrame and Flex Builder. Can anyone point me to the specific document or thread? - Is it possible to link to a particular page/state from outside of the .swf? This site also will contain a blog. I want to be able to link to individual pages from the blog built in WordPress, but I don't know if it's possible. - To minimize the size of the file, I'm thinking of replacing the .flv files with the optimized .swf files, and then creating my own custom controls, for play, pause, stop, volume, etc. Does anyone know if this is possible to do? Is there a way to minimize the size of the .flv files? This is a very simple website, mostly text, a few animations, and transitions from page to page. It was a snap importing into Flash Catalyst and setting up pages and transitions once I figured out how everything worked. Thanks! 1. Re: First attempt - questionsacath Jan 15, 2010 1:23 PM (in response to Breeeee)1 person found this helpful Hi Breeee, Glad you're enjoying FC! 1) You were right, it's "Break Apart Optimized Graphic". It actually is pretty analogous to breaking apart a symbol in Flash. 2) This is a complicated topic. You'll definitely need to do some coding. There are basically three ways to access twitter in a Flex (Flash Catalyst) application: A) If you want to build your own UI for displaying the twitter information, you can call the Twitter API from Actionscript. There are a lot of tutorials on this. Here's one that looks promising: B) If you want to use an existing JS widget, and just overlay it on your FC app, AND you are developing an AIR (desktop) application, you can use the HTML component to load a page inside AIR's HTML engine. Here's a post on how to do that: C) If you want to use an existing JS widget, and just overlay it on your FC app, but you are developing a browser application, you can overlay an HTML iframe on top of your Flash movie. You do this in HTML code. I've never actually done it, but here's a thread about it: 3) If you select a component, you can choose Add Interaction, then change "Play Transition to State" to "Go to URL". Then you can paste in the URL of your blog entries. 4A) You can control SWFs using an Action Sequence. Create a play button, then choose "Add Interaction", and change "Play Transition to State" to "Play Action Sequence". An action sequence is like a transition, but it doesn't go TO another state - it just makes some stuff happen. Once you've done that, select your SWF, go to the Timeline panel, and click "Add Action > SWF Control > Play" (or Stop, or Pause). 4B) You can optimize FLVs using the options in the Adobe Media Encoder. -Adam 2. Re: First attempt - questionsBreeeee Jan 15, 2010 2:31 PM (in response to acath) Hi Acath, thanks so much for responding. I've searched outside of the flex forums and found a few instructions on how to achieve this. One I just tried was this: Display a Twitter Feed. This seemed very easy, but when I copied the code into Flex Builder I came up with 2 errors. This is what I did: In the Main.mxml where the page/state is that I want to display the feed, I put the following code (in blue): <fx:DesignLayer <s:BitmapImage <s:RichText <s:content><s:p><s:span>Now Showing:</s:span></s:p> <mx:Application xmlns: <mx:Script> <![CDATA[ import mx.controls.Alert; import mx.rpc.events.FaultEvent; import mx.rpc.events.ResultEvent; private function onRes(event:ResultEvent):void { _tweets = new XMLList(event.result.status); } private function onFault(event:FaultEvent):void { Alert.show("Unable to load feed!","Error"); } [Bindable]private var _tweets:XMLList; ]]> </mx:Script> <mx:HTTPService <mx:VBox <mx:Repeater <mx:Text </mx:Repeater> </mx:VBox> </mx:Application> </s:content> </s:RichText> </fx:DesignLayer> I ran into 2 errors on those lines in red. The errors were "could not resolve to a component implementation". I tried to search for those error codes but I'm assuming that I need to create components called "feedLoader" and "repeat" maybe?? Another source I was going to try was this Developing Mashup Air Apps: Consuming Twitter API's. This method has me downloading a twitterscript library called "twitterApi.swc." and then importing into my flex project. This seems to be way more than what I want to accomplish at the moment. But I was trying to import and ran into issues there as well. I'm not sure what kind of file it is, and maybe this isn't supported currently? If you could possibly give me feedback on the above code I'd really appreciate it. I can also try the other options that you mentioned. Thanks again! 3. Re: First attempt - questionsacath Jan 15, 2010 3:12 PM (in response to Breeeee) Hi Breeee, I think we should back up a bit. I hope you won't be offended by my inference that you're not familiar with Flex coding. Unfortunately, we haven't figured out how to make integrating Twitter a simple, easy thing to do from the UI. Nor will you be able to cut-and-paste a code snippet into the app you develop with Flash Catalyst, without knowing a bit of Flex. So you're going to have to spend some time learning Flex. There are lots of good resources for learning Flex. Here are a few: Adobe's official Learn Flex website: O'Reilley's Flex book: I'm sorry to have to drop you into the deep end, but once you go beyond what's available in Catalyst, well, you've gotta code (or find someone who can code). Good luck! -Adam 4. Re: First attempt - questionsBreeeee Jan 15, 2010 3:18 PM (in response to acath) haha I'm learning and I don't give up too easily. When I figure it out I'll post back ~Bri
https://forums.adobe.com/message/2521340
CC-MAIN-2018-09
refinedweb
1,228
72.26
Median of All Nodes from a Given Range in a BST Introduction Tree traversal, also known as walking the tree, refers to the process of visiting each node in a tree data structure exactly once. These traversals are classified based on the order in which the nodes are traversed. Preorder, in order, and postorder are the three types of traversal. We'll talk about a problem that can be solved with a modification to traverse today. Problem Statement Given a binary search tree ‘ROOT’ with ‘N’ nodes and two integers ‘L’ and ‘R’. You have to find the median of all the nodes in the given BST whose value range from ‘L’ to ‘R’. Example Approach In a Binary Search Tree, if we perform an inorder traversal and save the node's value in a vector, it will be sorted. To get all the nodes whose values range from 'L' to 'R,' we'll use a modified inorder traversal. What we’ll do is maintain three states, first one indicates that we’ve not entered the range(VAL < L), the second indicates that we are in the range(VAL >= L && VAL <= R), and the third one indicates that we’ve passed the range (VAL > R). Therefore, if the size of the vector is odd, we'll return the middle element; otherwise, we'll return the average of the middle two elements. We'll be using two functions: findMedian(), which finds the median of all nodes from a given range in a BST, and getNodesInRange(), which returns an array of nodes in a given range. Let’s see how these functions work. findMedian() Parameters - ‘ROOT’ - Pointer to Binary Search Tree Node. - ‘L’ - Start of Range. - ‘R’ - End of the Range. Working - Check if the tree is empty, i.e., ROOT = NULL, then return -1. - Next, declare a vector, ‘RANGE_NODES’ and call the getNodesInRange() function to get all the node’s values in range ‘L’ to ‘R’. - If the size of the 'RANGE_NODES' vector is odd, then return the middle element, else return the average of the middle two elements. getNodesInRange() Parameters: - ‘ROOT’ - Pointer to Binary Search Tree Node. - ‘L’ - Start of Range. - ‘R’ - End of the Range. - ‘RANGE_NODES’ - Array to store the nodes whose value is in the range [‘L’, ‘R’]. - 'FLAG' will have three values 0, 1, and 2. - If FLAG = 0, we've not entered the range. - If FLAG = 1, then we are in the range. - If FLAG = 2, then we are done traversing. Working: - Base Case - If ROOT = NULL or FLAG = 2, we know we are done traversing hence return. - Recurse in the left subtree. - Check if the current node's value is greater than equal to 'L' the update FLAG = 1. - Check if we exceed the range, update FLAG = 2. - If we are in the range, push back the current node value into 'RANGE_NODES.' - Recurse in the right subtree. Program #include <iostream> #include <vector> using namespace std; // Class for Tree Node. class TreeNode { public: int data; // Pointer to the left node. TreeNode *left; // Pointer to the right node. TreeNode *right; TreeNode(int data) { this->data = data; this->left = this->right = NULL; } }; // Function to get all nodes of BST whose value lie in range [L, R]. void getNodesInRange(TreeNode *root, int l, int r, vector<int> &rangeNodes, int &flag) { // If 'ROOT' is NULL or we've reached the end of the range, return null. if (root == NULL || flag == 2) return; // Traverse the left subtree. getNodesInRange(root->left, l, r, rangeNodes, flag); // Check if we've not entered the range, i.e., FLAG = 0, and the current node value is greater than L, then update FLAG = 1. if (flag == 0 && root->data >= l) { flag = 1; } // Check if we've exceeded the range, update FLAG=2. if (flag == 1 && root->data > r) { flag = 2; } // If we are an inside range [L, R], then push this value into the 'RANGE_NODES' array. if (flag == 1) { rangeNodes.emplace_back(root->data); } // Traverse right subtree. getNodesInRange(root->right, l, r, rangeNodes, flag); } // Function that returns the Median of all nodes from a given range in a BST. double findMedian(TreeNode *root, int l, int r) { // If BST is empty, return. if (root == NULL) return -1; // Declare a vector to store the nodes in range [L, R]. vector<int> rangeNodes; int flag = 0; // Call 'getNodesInRange()' Function to get all the nodes in BST whose value lies in the range [L, R]. getNodesInRange(root, l, r, rangeNodes, flag); // Get the size. int size = rangeNodes.size(); // If there are no elements in range return -1. if (size == 0) return -1; // If the number of nodes is Odd, return the middle node value. if (size & 1) { return (double)rangeNodes[size / 2]; } // Else return the average of two middle nodes. return ((double)rangeNodes[size / 2 - 1] + (double)rangeNodes[size / 2]) / 2; } TreeNode *insert(TreeNode *root, int data) { if (!root) { return new TreeNode(data); } if (data > root->data) { root->right = insert(root->right, data); } else { root->left = insert(root->left, data); } return root; } // Function to create a BST. TreeNode *createBST(vector<int> &nodes) { TreeNode *root = NULL; for (int &node : nodes) { root = insert(root, node); } return root; } // Main. int main() { int n; cout << "Enter the number of elements in BST: "; cin >> n; vector<int> nodes(n); cout << "Enter the value of nodes in level order fashion: "; for (int i = 0; i < n; i++) { cin >> nodes[i]; } TreeNode *root = createBST(nodes); cout << "Enter the values of L and R: "; int l, r; cin >> l >> r; double median = findMedian(root, l, r); cout << "The median of all nodes in the range [" << l << ", " << r << "] is: " << median; return 0; } Input Enter the number of elements in BST: 7 Enter the values of nodes in level order fashion: 7 4 9 3 8 13 11 Enter the values of L and R: 5 12 Output The median of all nodes in the range [5, 12] is: 8.5 Time Complexity O(N), where ‘N’ is the number of nodes in the binary search tree. In the function getNodesInRange(), we transverse all ‘N’ nodes in the worst case. Hence, the time complexity is O(N). Space Complexity O(N), where ‘N’ is the number of nodes in the binary search tree. Since we are declaring the 'RANGE_NODES' vector, which can grow up to a size of 'N', space complexity is O(N). Key Takeaways Tree Traversal is the most basic algorithm to know when it comes to problems on Trees. Other Tree algorithms include BFS, DFS, and Binary Heaps. Head over to CodeStudio to read other such exciting blogs on Trees. Recently Coding Ninjas has released a specially designed test series for acing Interviews- CodeStudio Test Series. Thanks for reading. I hope you’ve gained a lot from this blog.
https://www.codingninjas.com/codestudio/library/median-of-all-nodes-from-a-given-range-in-a-bst
CC-MAIN-2022-27
refinedweb
1,122
72.87
Advanced. In this blog, I have tried to give the crux of some of these advanced techniques. Web clipping for direct use of HTML Using the web clipping (or Screen scraping) technique, you can get the entire HTML from any URL as a service response. The EMML Reference Runtime Engine converts the HTML retrieved by the <directinvoke> statement is to XHTML in the namespace. You can filter, combine or transform with XHTML to create your own output. Example of <directInvoke> resulting in web clipping: The itemlink list in the XML result is as follows: Normalizing Data for Effective Joins, Grouping or Filtering Mashups – as the name suggests – is expected to get results from different services (not designed to work with each other). Though similar data is obtained from these services invoked, they would not be in identical forms. For effective usage of joins, grouping or filtering these results from different services, normalization of data to a single representation becomes essential. Creating a custom XPath function is the best method to normalize data. The following example shows joining mortgage rates from two web sites – one refers to the APR and the second uses custom terms: Create the custom XPath function – to normalize the custom terminology – as a Java class myFinanceFunction that extends org.oma.emml.client.EMMLUserFunction. Compile this class, adding web-apps-home/emml/WEB-INF/lib/emml.jar to the classpath. Deploy the compiled class to web-apps-home/emml/WEB-INF/classes for the EMML Engine that host the mashups using this function. Add a namespace for the class as an xmlns attribute to the <mashup> tag that uses this function. Use the custom function in the XPath expressions in the <join> statement (or where data needs to be normalized). Removing Duplicates With Filtering To remove duplicates in a mashup, simply merge, join or group results. Sort the combined results (If needed) based on the key field that determines uniqueness to ensure that duplicates are contiguous. Use <filter> with a filtering expression that compares the key value of either the preceding or following ‘item’ to determine if this ‘item’ is unique. The filter expression can use the axis feature in XPath to compare preceding or following items. Following is a simple <filter> statement: <filter inputvariable=”$a” outputvariable=”$a” filterexpr=”/rss/channel/item[contains(title,’Java’)” />] In addition to the default XPath axis – the child axis, you can refer to previous nodes (preceding / preceding-sibling), following nodes (following / following-sibling), the parent node, ancestor nodes, descendant nodes and others. You can also use wildcards like following::* or following::node() to identify all following nodes of any name. The following example checks the title of each item (after merging results from two RSS services) to remove duplicates: I shall cover some more techniques in the second part of this blog. The Advanced Mashup Techniques are detailed in.  Comment on this Post
http://itknowledgeexchange.techtarget.com/enterprise-IT-tech-trends/advanced-mashup-scripting-in-emml-part-i/
CC-MAIN-2016-22
refinedweb
481
51.48
They say that taking what someone said, and repeating it back is the best form of verifying the basics of a concept (comprehension). So, I've been reading about A* and translated it into pseudocode, and I think I got it. Can anyone verify and/or give tips on whether or not this implementation would work? Sorry if this is rushed, I'm on break at work ;) openList.ClearTiles closeList.clearTiles path.clearTiles openList.Add startTile While openList.Count > 0 and PathFound = false activeTile = openList.GetTileWithLowestPathCost openList.remove activeTile closeList.add activeTile if targetTile.equals(activeTile) pathFound = true else for each activeTile.neighbors as nTile if nTile not in openList and not in closeList and IsMovable nTile.parent = activeTile nTile.hueristic = computeHeuristic nTile.movementCost = computeMovementCost nTile.pathCost = nTile.hueristic + nTile.movementCost openList.add nTile elseif isMovable = false closelist.add nTile endif next endif endwhile if pathFound = true while activeTile.parent is not nothing path.insertAtZero activeTile activeTile = activeTile.parent endwhile endif Well one major issue with your pseudo code and one minor issue. The major issue: When you find nTile, it might be in closed or in open already, and in your implementation - you ignore it and skip it. However, if it is in closed or open, you should check maybe the path cost you just found is better then the path cost which is in closed or open, and if it is, remove it from closed/ open and re-insert it to open with the new path cost. The minor issue: Sometimes there is more then one target node [there is a set of target nodes, you are looking for a path to one of them]. So instead of if targetTile.equals(activeTile) you can check if heuristicValue(activeTile) == 0 [assuming the heuristic function is admissible] or check if activeTile is in targetStates. Similar Questions
http://ebanshi.cc/questions/3661554/a-pathfinding-i-think-i-have-it-down-in-pseudocode-need-verification
CC-MAIN-2017-22
refinedweb
306
59.3
Sending and receiving multiple streams together with only one thread. More... #include <ortp/rtpsession.h> #include <sys/time.h> #include <sys/types.h> #include <unistd.h> Sending and receiving multiple streams together with only one thread. Removes the session from the set. This macro tests if the session is part of the set. 1 is returned if true, 0 else. This macro adds the rtp session to the set. Frees a SessionSet. Destroys a session set. Allocates and initialize a new empty session set. This function performs similarly as libc select() function, but performs on RtpSession instead of file descriptors. session_set_select() suspends the calling process until some events arrive on one of the three sets passed in argument. Two of the sets can be NULL. The first set recvs is interpreted as a set of RtpSession waiting for receive events: a new buffer (perhaps empty) is availlable on one or more sessions of the set, or the last receive operation with rtp_session_recv_with_ts() would have finished if it were in blocking mode. The second set is interpreted as a set of RtpSession waiting for send events, i.e. the last rtp_session_send_with_ts() call on a session would have finished if it were in blocking mode. When some events arrived on some of sets, then the function returns and sets are changed to indicate the sessions where events happened. Sessions can be added to sets using session_set_set(), a session has to be tested to be part of a set using session_set_is_set().
http://www.linphone.org/docs/ortp/sessionset_8h.html
CC-MAIN-2017-51
refinedweb
248
67.76
Hi, I've created several macros and placed them in my custom namespace (like explained here. Autocomplete works well (e.g. when using the code tab in the Insert Macro window), but on the Tree tab my custom namespace shows up under "Context specific objects", but the particular macros are missing - the namespace cannot be expanded in the UI. Is there something I can do to show all macros of a custom namespace in that tree view? Hello Stefan, After creating your custom macro you need also to register your macro method container for a certain object type or macro namespace. For more details and code example please refer to: Registering custom macro methods Best regards, Martin Please, sign in to be able to submit a new answer.
https://devnet.kentico.com/questions/custom-macros-and-insert-macro-tree-ui
CC-MAIN-2018-26
refinedweb
128
58.62
Jobs, Jobs at Rose India, Apply For Jobs, Apply Online ; Free Lance Writing Jobs You will be writing contents for our blogs and content website. This jobs involves writing career related jobs tips... Jobs at Rose India   Position Vacant: Senior Content Writer Job Description ... of writing content for web & print media. To work in a team of content writers providing guidance and feedback.  Java Freelance Jobs Java Freelance Jobs This Java Freelance Jobs is for the experienced Java Programmers. Freelance Jobs for Java Programmers is another good Jobs at Rose India positions. Technical Content Writer Should be strong in written...; Content Development Jobs Candidate will be responsible for content creation... Jobs at Rose India   Java Jobs Management Java Jobs Management Hi, How to manage schedule Jobs in Java programming Language? Thanks Hi, You can use Quarz Scheduler to manage the Jobs in java programming language. Read it at Quartz Tutorials. Thanks Jobs at Rose India ; Technical Content Writer Should be strong in written and verbal... Development Jobs Candidate will be responsible for content creation..., Online Marketing Executive Blog Content Writer Content Writer Content Writer Position Vacant: Content Writer Job Description ...; Reference ID: Content Writer Content Writer Content Writer Position Vacant: Content Writer Job Description ...; Website: Reference ID: Content Writer PHP Jobs at Rose India PHP Jobs at Rose India We are looking for PHP programmers to become part of our dynamic fast growing team. This PHP Jobs is for experienced Blog Content Writer Blog Content Writer Position Vacant: Blog Content Writer Job Description ...: Reference ID: Blog Content Writer Freelance Content Writer Freelance Content Writer Position Vacant: Freelance Content Writer Job... ID: Freelance Content Writer FreeLance Writing JOb You will be writing contents for our blogs and content website. This jobs is for writing jobs tips. If you can write good tips for job then this job...: Freelance, Free lance Writing, Free lance work, work at home, Content writing jobs Swing Jobs at Rose India Swing Jobs at Rose India This Swing Job is for fresher and experienced... Jobs: Reference: Swing Jobs Please write back with detailed resume Content Writing Job Content Writing Job In the field of Content writing it is very important that the candidate have a genuine interest in making a career in copywriting/content writing Top 10 Java Applications of the modern day computing jobs, from designing websites to game applications to preparing interactive video to any other application jobs. Without java applications we... of reformatting the HTML content as per the viewable requirement of the device Difficult Interview Questions Page -6 : There are some jobs in which traveling is the part of the job especially marketing, survey and field jobs. But there are not so much traveling in the in-office jobs. So this question is asked to you. Answer according to the job SPSS Writer Tips for Wannabe Freelance Writer Tips for Wannabe Freelance Writer Freelance writing is one of the most.... Newspapers like 'The Hindu' even invite wannabe writers for posting content... opportunities, researching for content and finding resources. Internet The Need for Outsourcing and even massive cost reduction that results from outsourcing jobs, processes the article's chances of attaining a higher page ranking. Same Content: Same content about home-based online business ideas should be used for submitting... about a day, you can add 30% more content to your article to make it eligible http header content length http header content length How to check the request header content length in HTTP Outsourcing Content Writing to India ? Quality vs. Costs by an experienced content writer, one who keeps in mind the target audience...Outsourcing Content Writing to India – Quality vs. Costs Outsourcing Content Writing to India may prove to be the best solution for getting desired changing the file content contain maximum 1000 lines. I want to cahnage the 501 line content. I know this logic , reading the file content and changeing the 501 line content and crating one...+=""; // code for to chang the 501 line content. } // heare Types of content mode Types of content mode Please let me know the types of content mode available for UIView in Objective C. UIViewContentModeScaleToFill..., // contents scaled to fill with fixed aspect. some portion of content may be clipped PHP Displaying URL Content PHP Displaying URL Content In my PHP application form, on submitting the form details it always displaying url content. Can anyone tell me what is the reason and how to restrict it from displaying Content Analysis Content Analysis Content analysis is systematic replicable... of the content by checking it's authorship using content analysis technique. Criteria: The Criteria of Content analysis is not so easy to do. A set Html Parsing Extracting Content Badge from html content Reg Dynamic Content in JavaScript - JDBC Reg Dynamic Content in JavaScript Can v transfer the details from a DataBase to the JavaScript Dynamically how to modify content of XML file how to modify content of XML file hi, I want to modify content of a xml file.There are two tags of similar name say <ContentName>C:\Myinfo... to xml file to replace "XYZ".Every time with the content of text box the file should Content Negotiation Configuration In this section, you will learn about configuring content negotiation in Spring MVC Wrapping, replacing, and removing content Wrapping, replacing, and removing content Wrapping, replacing, and removing content... under this category is used to replace the Dom content from new content Inserting content(DOM Insertion) Inserting content(DOM Insertion) Inserting content(DOM Insertion) Inserting... these method , we can insert new content around existing content : .unwrap Getting content of alert message into textfield Getting content of alert message into textfield how to get content of alert message into textfield using javascript Getting content of alert message into text field 1)If you want the code in java, then here Java File content type Java File content type In this section, you will learn how to get the content type of the specified file. Description of code: This is essential part of the file. In various applications, there is a use of content type. Here we Compare two buffer's content Compare two buffer's content In this tutorial we will see how to create a buffer and put content into it and compare byte data of one buffer with another. Code: import java.nio.CharBuffer
http://www.roseindia.net/tutorialhelp/comment/87913
CC-MAIN-2015-06
refinedweb
1,057
53
* A friendly place for programming greenhorns! Big Moose Saloon Search | Java FAQ | Recent Topics | Flagged Topics | Hot Topics | Zero Replies Register / Login JavaRanch » Java Forums » Engineering » OO, Patterns, UML and Refactoring Author How to have single overall properties for an object created with the decorator pattern? Scott Shipp Ranch Hand Joined: Mar 31, 2013 Posts: 122 6 I like... posted May 15, 2013 11:47:02 0 Hi everyone, Have ran into a case similar to the following. Let's use a simple example for discussion purposes. Say you want to make a "Pepperoni Pizza" and you use the decorator pattern . So you end up with some statement like: Pizza pepperoniPizza = new Pepperoni(new Onions(new Mozzarella(new TomatoSauce(new PlainPizza())))); Pepperoni, Onions, Mozzarella, TomatoSauce, PlainPizza all extend a "PizzaDecorator" abstract class so this works to combine their shared properties like cost, toppings into one object. But the issue I am having is when I want a single property or properties which applies only to this specific combination, like a name property (Name="Pepperoni Pizza.") What is the recommended way to do this? Ryan McGuire Ranch Hand Joined: Feb 18, 2005 Posts: 1008 3 posted May 20, 2013 13:09:22 0 I don't know that there is one single recommended way to do this, but I can think of a couple possibilities that depend on the details of what you're after. 1. If the outermost PizzaDecorator is what determines the name, then just have each PizzaDecorator return a hardcoded name. The Pepperoni decorator would return "Pepperoni Pizza". Pizza pizza1 = new Pepperoni(new Onions(new Mozzarella(new TomatoSauce(new PlainPizza())))); Pizza pizza2 = new Onions(new Pepperoni(new Mozzarella(new TomatoSauce(new PlainPizza())))); System.out.println("name1 = " + pizza1.Name() + "; name2 = " + pizza2.Name()); That would print "name1 = Pepperoni Pizza; name2 = Onion Pizza" even though the two pizzas would have the same list of ingredients. 2. Work out a name precedence scheme so that "high-priority" ingredient names like "Pepperoni" override lower ones like "Cheese", but not vice-versa. PlainPizza would return "Plain Pizza" with a precedence of 0. TomatoSauce would return "Sauce Pizza" with a precedence of 1. Mozzarella would return "Cheese Pizza" with a precedence of 2. ColbyJack would return "CJCheese Pizza" also with a precedence of 2. Onions would return "Onion Pizza" with a precedence of 3. Pepperoni would return "Pepperoni Pizza" with a precedence of 4. Sausage would return "Sausage Pizza" with a precedence of 4. Ham would return "Ham Pizza" with a precedence of 4. class PlainPizza { String Name() { return "Plain Pizza"; } int NamePrecedence() { return 0; } } abstract class PizzaDecorator extends PlainPizza { int myNamePrecedence = 0; // Default value String myName = "Decorated Pizza"; // Default value Pizza client = null; PizzaDecorator(Pizza p) { client = p; } String Name() { if (client.NamePrecedence() > myNamePrecedence) return client.Name(); return nyName; // Note: myName wins when there is a name precedence tie. } int NamePrecedence() { return (Math.MAX(client.NamePrecedence(), myNamePrecedence); } } So... Pizza pizza1 = new Pepperoni(new Onions(new Mozzarella(new TomatoSauce(new PlainPizza())))); Pizza pizza2 = new Onions(new Pepperoni(new Mozzarella(new TomatoSauce(new PlainPizza())))); Pizza pizza3 = new Ham(new Pepperoni(new Mozzarella(new TomatoSauce(new PlainPizza())))); Pizza pizza4 = new Pepperoni(new Ham(new Mozzarella(new TomatoSauce(new PlainPizza())))); System.out.println("name1 = " + pizza1.Name() + "; name2 = " + pizza2.Name() + "; name3 = " + pizza3.Name() + "; name4 = " + pizza4.Name()); ...would print... name1 = Pepperoni Pizza; name2 = Pepperoni Pizza; name3 = Ham Pizza; name1 = Pepperoni Pizza It would be possible to develop more complicated schemes for combining each decorator's name with those of the client. e.g. Maybe if my name precedence is equal to my client's, then I'll prepend my ingredient with an "and": new Sausage(new Pepperoni(new Onion(new Ham(new Mozzarella(new TomatoSauce(new PlainPizza())))))).Name(); could return "Sausage and Pepperoni and Ham Pizza" You could either work this into the PizzaDecorator class or create a separate Strategy object that looks at the whole hierarchy of PizzaDecorators and determines the correct name. e.g. If (the list of decorators contains at least one Ham and at least one Pineapple and no other meats) then name = "Hawaiian Pizza". Jayesh A Lalwani Bartender Joined: Jan 17, 2008 Posts: 2393 28 I like... posted May 20, 2013 15:16:17 0 If the name is a property of the Combination, not the ingredients that decorate the pizza, then I wouldn't make name as a property of the pizza. Decorator pattern applies to behavior that can be decorated (for example cost). If a behavior cannot be decorated (for example name), you shouldn't be using a decorator pattern. Trying to put non-decorator like behavior on a decorator pattern is like putting a square peg in a round hole. Actually, the pizza example is used to illustrate decorator pattern, but in real life, I wouldn't use a decorator pattern for pizzas, because real life pizza behavior doesn't follow decorator pattern. What if you want to model pizzas that have half the ingredients on one side, and other half on another side? What if you get a discount for using certain number of ingredients? No sirree bob.. I stick with composite pattern thankyouveddymuch IMO, the perfect example of decorator pattern is InputStream interface. Beautifully thought out and implemented. Scott Shipp Ranch Hand Joined: Mar 31, 2013 Posts: 122 6 I like... posted May 22, 2013 09:45:34 0 Appreciate the replies, both of you! Lots to think about. Thanks! I agree. Here's the link: subject: How to have single overall properties for an object created with the decorator pattern? Similar Threads Generic vs. DSL OnClick - trigger Reset button? Doubt in Design Pattern "Factory" Hiding instance variables What do you mean by "Applied" patterns.. All times are in JavaRanch time: GMT-6 in summer, GMT-7 in winter JForum | Paul Wheaton
http://www.coderanch.com/t/611644/patterns/single-properties-object-created-decorator
CC-MAIN-2014-42
refinedweb
962
55.44
cn.Open(); SqlCommand cmsql; SqlDataReader drsql; string sql = "select max(patientid)as patientid from patient"; cmsql = new SqlCommand(sql, cn); drsql = cmsql.ExecuteReader(); if (drsql.Read()) { int pid = Convert.ToInt16(drsql["patientid"].ToString()) + 1; txtpatientid.Text = pid.ToString(); } else { txtpatientid.Text = "1"; } cn.Close(); cmsql.Dispose(); drsql.Close(); Are you are experiencing a similar issue? Get a personalized answer when you ask a related question. Have a better answer? Share it in a comment. From novice to tech pro — start learning today. The following code snippet will do the same as your SQL code in the question. Open in new window Open in new window Error 1 The type or namespace name 'DataContextType' could not be found (are you missing a using directive or an assembly reference?) D:\ajay\jolly tech project\jollytech p1\jollytech p1\patient.cs 79 26 jollytech p1 This course will teach participants about installing and configuring Python, syntax, importing, statements, types, strings, booleans, files, lists, tuples, comprehensions, functions, and classes. When working with Linq to SQL the first thing you need to do is create your data context and in Linq to SQL it is creating a EDMX which is Object Relational/Model, This model defines the tables in the database and the relationships between them. I would suggest reading the following web link which describe what LinQ to SQL is and how to create the OR/M, EDMX file and querying the database. Using Linq to SQL Part 1 Once you have created the EDMX file which maps the database to the classes in your code that is what you will use for the variable DataContextType in the code snippet I posted.
https://www.experts-exchange.com/questions/28348045/sql-to-linq-in-c-code.html
CC-MAIN-2018-22
refinedweb
278
57.16
, dozens of modules are enabled, such as GDScript (which, yes, is not part of the base engine), the Mono runtime, a regular expressions module, and others. As many new modules as desired can be created and combined. The SCons build system will take care of it transparently. What for?¶ While it's recommended that most of a game compile it. To create a new module, the first step is creating a directory inside modules/. If you want to maintain the module separately, you can checkout a different VCS into modules and use it. The example module will be called "summator" ( p_value); void reset(); int get_total() const; Summator(); }; #endif // SUMMATOR_H And then the cpp file. /* summator.cpp */ #include "summator.h" void Summator::add(int p_value) { count += p Important These files must be in the top-level folder of your module (next to your SCsub and config.py files) for the module to be registered properly. These files should contain the following: /* in this example. }") # Append CCFLAGS flags for both C and C++ code. module_env.Append(CCFLAGS=['-O2']) # If you need to, you can: # - Append CFLAGS for C code only. # - Append CXXFLAGS for C++ code only.. Note. See also The previous Summator example is great for small, custom modules, but what if you want to use a larger, external library? Refer to Binding to external libraries for details about binding to external libraries. Warning If your module is meant to be accessed from the running project (not just from the editor), you must also recompile every export template you plan to use, then specify the path to the custom template in each export preset. Otherwise, you'll get errors when running the project as the module isn't compiled in the export template. See the Compiling pages for more information.. Warning Any path passed to custom_modules will be converted to an absolute path internally as a way to distinguish between custom and built-in modules. It means that things like generating module documentation may rely on a specific path structure on your machine. Improving the build system for development¶ Warning This shared library support is not designed to support distributing a module to other users without recompiling the engine. For that purpose, use GDNative instead. So far, we defined a clean that every single change requires a full recompilation of the game. Even though SCons is able to detect and recompile only the file that was changed, finding such files and eventually linking the final binary takes a long() #* Note You have to export the environment variable. Otherwise, you won't be able to run your project from(CCFLAGS=['-O2']) if ARGUMENTS.get('summator_shared', 'no') == 'yes': # Shared lib compilation module_env.Append(CC. Tip ... Now we can generate the documentation: first. Once you've created your icon(s), proceed with the following steps: Make a new directory in the root of the module named icons. This is the default path for the engine to look for module's editor icons. Move your newly created svgicons (optimized or not) into that folder. Recompile the engine and run the editor. Now the icon(s) will appear in editor's interface where appropriate. If you'd like to store your icons somewhere else within your module, add the following code snippet to config.py to override the default path: def get_icons_path(): return "path/to/icons".
https://docs.godotengine.org/en/stable/development/cpp/custom_modules_in_cpp.html
CC-MAIN-2022-21
refinedweb
559
56.15
#include <adhoc.h> #include <adhoc.h> Inherits StanzaExtension. Inheritance diagram for Adhoc::Command: Definition at line 90 of file adhoc.h. A list of command notes. Definition at line 197 of file adhoc.h. Specifies the action to undertake with the given command. Definition at line 99 of file adhoc.h. Describes the current status of a command. Definition at line 115 of file adhoc.h. Creates a Command object that can be used to perform the provided Action. This constructor is used best to continue execution of a multi stage command (for which the session ID must be known). Definition at line 93 of file adhoc.cpp. 0 Creates a Command object that can be used to perform the provided Action. This constructor is used best to reply to an execute request. Definition at line 86 of file adhoc.cpp. Creates a Command object that can be used to perform the provided Action. This constructor is used best to execute the initial step of a command (single or multi stage). Definition at line 80 of file adhoc.cpp. [inline] Returns the command's action. Definition at line 253 of file adhoc.h. Returns the ORed actions that are allowed to be executed on the current stage. Definition at line 260 of file adhoc.h. Use this function to add a note to the command. Definition at line 273 of file adhoc.h. [virtual] Returns an XPath expression that describes a path to child elements of a stanza that an extension handles. Implements StanzaExtension. Definition at line 149 of file adhoc.cpp. Returns the command's embedded DataForm. Definition at line 279 of file adhoc.h. [inline, virtual] Returns a new Instance of the derived type. Usually, for a derived class FooExtension, the implementation of this function looks like: StanzaExtension* FooExtension::newInstance( const Tag* tag ) const { return new FooExtension( tag ); } Definition at line 285 of file adhoc.h. Returns the node identifier (the command). Definition at line 234 of file adhoc.h. Returns the list of notes associated with the command. Definition at line 266 of file adhoc.h. Returns the command's session ID, if any. Definition at line 240 of file adhoc.h. Returns the execution status for a command. Only valid for execution results. Definition at line 247 of file adhoc.h. Returns a Tag representation of the extension. Definition at line 155 of file adhoc.cpp.
http://camaya.net/api/gloox-trunk/classgloox_1_1Adhoc_1_1Command.html
crawl-001
refinedweb
400
53.78
The Document Object Model, DOM, is a W3C standard API for reading and writing XML and HTML documents represented as trees. DOM is defined in IDL, but there are standard bindings for Java. In DOM, an XML document is represented as a connected tree of Node objects. The root of the tree is a Document object. Other kinds of nodes found in the tree include Element, Text, Comment, ProcessingInstruction, and several more. The basic Node interface provides generic methods to navigate the tree, as well as get the names, values, local names, prefixes, types, and namespace URIs of each node. Not all these properties really make sense for all kinds nodes so many of these methods can return null. DOM Level 2 does not provide any standard way to parse an existing document, serialize a document onto a stream, or load the parser’s DOMImplementation. Sun’s Java API for XML parsing (JAXP) fills these holes. DOM Level 3 will also add this functionality as a standard part of DOM.
http://www.cafeconleche.org/books/xmljava/chapters/ch09s12.html
CC-MAIN-2015-40
refinedweb
170
62.88
Feedback Getting Started Discussions Site operation discussions Recent Posts (new topic) Departments Courses Research Papers Design Docs Quotations Genealogical Diagrams Archives I'm most familiar with the Common Lisp style implementation of the multiple-value-return feature. But I notice that several other languages, including Python, use tuple return values and do destructuring on these tuples. What are the advantages/disadvantages to each? Semantically? Implementation and performance? Are there other (better) models of multiple-value-return that I should study? Thanks much! Scott - No, I'm not a student :-) In Scheme, CPS-conversion is a common strategy for compiling, and in CPS, returning multiple values is just calling the continuation with multiple arguments. The only point of nonduality between arguments and values is that you know how many arguments a Scheme function accepts (well, unless it has a rest argument), whereas you cannot always statically determine how many values it returns. ...it's always undecidable at compile time how many values a Scheme function returns, unless it never calls an unknown function. Somehow, I missed this comment months ago. I read it, but it didn't stick. It's kind of obvious in retrospect; I've recently discovered some implications that make me appreciate it greatly now. I came back to re-read Matt's comments, but then I saw this. Hopefully, more later... [edit: to be clear, I was referring to your original post.] I spent last evening exploring how one could use CPS to work around GHC's weaknesses with respect to returning lazy tuples. A few examples work out beautifully; so beautifully I felt sure this idea was going to work well in more cases. But alas, the beautiful examples seem to be special cases. If you wrap a Control.Monad.State in a ContT, or vice-versa, and work out the corresponding get and put operations, you come up with a rather elegant monad with a number of tradeoffs versus a "normal" state monad. A striking feature is the way that repeated tupling disappears, returning only one tuple instead of many. (Under typical patterns of usage, anyway, only involving callCC, put, and get, and not the more exotic mapCont operator.) Control.Monad.State ContT get put callCC mapCont However, in many (most? all?) of the cases where you want to incrementally return a lazy list, such as the splitAt example below, using CPS to avoid returning tuples is not obviously useful. The problem is that, without tuples, your one "channel" out of the monad (through the appropriate run operation) is occupied by providing partial data. Using tuples there would then mean that you'll be returning quite a few of them, unlike typical applications of ContT (State st) r a. splitAt run ContT (State st) r a [edit: I missed the obvious caveat: wrapping a lazy state monad in a ContT produces a strict semantics, although laziness can be easily recovered via mapCont. Something to keep in mind...] As is the amount of argument it consumes (reverse-engineering your definition of 'decidable', decidable usually concerns a binary question). You cannot statically in Scheme, or any language with support for variadic functions really, determine in each function call how many arguments are going to be passed. CPS is a good suggestion. I'd also look at a language like Haskell, which formally speaking only has single-argument functions. This makes things consistent by going the other way, and of course tuples or other data types can always be used to return multiple values. One thing nice with CL is that one doesn't have to cons in order to return multiple values, and one can accept just one value and ignore the rest. I can imagine the same is true of Scheme (the consing part), and from what I understand of CPS, there as well. I recall a paper (Dybvig?) about Scheme where the number of desired return values was encoded in the instruction stream itself, with the callee peeking into the instruction stream. Do tuple returning language typically cons in order to return multiple values. Would optimizing this away be a static vs. dynamic language issue? Many thanks. Scott Well, R5RS Scheme doesn't require values and call-with-values to be implemented in any particular way. They could be implemented with simple consing. However, Chez Scheme does implement it efficiently, as described in Kent Dybvig and J Michael Ashley's paper. And yes, this is an eminently practical feature. values call-with-values As for optimizing consing away in statically typed languages... this would be quite nice, but the Glasgow Haskell Compiler doesn't do this. One of GHC's dirty little secrets is that the prelude definition of splitAt is not very efficient. Traversing a million elements twice is more efficient than returning a pair a million times to avoid the extra traversal: [edit: this has been fixed sometime between 6.8.3 and 6.10.3] module SplitAt(reportSplitAt, splitAt, demandList, demand) where reportSplitAt :: Int -> [a] -> ([a], [a]) reportSplitAt n xs = (take n xs, drop n xs) demandList [] = () demandList (x:xs) = demandList xs demand (xs, ys) = (demandList xs, demandList ys) splitAt is defined as follows inside of GHC.List and re-exported through the Prelude: GHC The hash marks can be ignored, all this means is that the Ints are unboxed, meaning they don't get wrapped up in thunks. The real point of interest is that this "optimized" version of splitAt iterates over the list only once. Lets see how it does: lps@azarel:~/Programs/snippets $ ghc -O -c splitAt.hs lps@azarel:~/Programs/snippets $ ghci splitAt.hs GHCi, version 6.8.2: :? for help Ok, modules loaded: SplitAt. Prelude SplitAt> :set +s Prelude SplitAt> demand (reportSplitAt 2500000 [1..2500000]) ((),()) (7.09 secs, 274966016 bytes) Prelude SplitAt> demand (splitAt 2500000 [1..2500000]) ((),()) (8.59 secs, 261429012 bytes) Disappointing? A bit. I suppose somebody should report this as a buglet, but I doubt that cleaning up the definition of splitAt would make much difference in anybody's code. [edit: It's worse than that. Using splitAt as defined in the Haskell 98 report in place of GHC's splitAt potentially introduces memory leaks. That is fixable, but one must tread carefully.] The bigger problem is that this type of recursion should often be avoided in GHC, if you care about every last ounce of performance. The real payoff here would be to optimize away the consing as you suggest. This would almost certainly "pay it's own way" in Kent Dybvig's sense of the phrase, in that the compiler itself would get faster, despite doing more work. ... does anybody know of a compiler (OCaml, MLton, maybe?) that will optimize away consing in these types of cases? Have you tried Supero? Your code should run as is and the compiler does some pretty deep optimizations. From a variety of sources I've heard it claimed that ML implementations do a lot of work to avoid tuples due to the uncurried style that is normally used. So I highly suspect MLton and SML/NJ handle these and many other scenarios. There are almost certainly some good papers about those aspects of those implementations. One basic way to avoid consing is to transform code of the form let val t = (t_1, t_2) in (* ... *) #i t (* ... *) end to let val t = (t_1, t_2) in (* ... *) t_i (* ... *) end Now, if t is no longer used, it can be eliminated. This kind of optimization is fairly easy to perform in a CPS or SSA based intermediate language. It doesn't directly apply to an arbitrary multiple return values case, but may be applicable after the function being called is inlined. t Shrinking Lambda Expressions in Linear Time and Compiling with Continuations, Continued use this optimization as one of the examples. It looks like GHC will indeed avoid consing in many of these cases. Here's an example of this in action. I'm not sure why it wouldn't work for splitAt. You may know more about this than I do, so maybe you can clarify? Hmm... I stand corrected. Trying to understand the performance of GHC is not a trivial task, it's easy to make mistakes, and I've been wrong in the past. (Indeed, my first assertions don't have a good track record to date.) Thanks for the articles! My misconception was based off of more than just splitAt: my experience has been that multiple return values usually incur much steeper penalties than they should. Many of these experiences revolve around implementations of various monads and splitAt-style recursions. So I'll have to dig deeper. Off the cuff, I'd bet that this has something to do with laziness. "Avoiding consing" in this case is a bit of a misnomer: laziness involves heap allocations in GHC, it has been called "evaluation by allocation". It's just that one hopes that returning multiple values doesn't involve extra heap allocations, if indeed allocation is at the heart of this performance discrepancy. I also need to think about how the fact that Haskell differentiates between _|_ and ( _|_ , _|_ ) impacts potential implementation techniques here. Perhaps equating these two (conceptual) values, like Miranda, is a better choice. _|_ ( _|_ , _|_ ) Shortly after I posted yesterday, I replaced the pairs inside of splitAt# with strict pairs. The result was something that runs somewhat faster than the definition in the Haskell 98 Report, sort of. Except it has a tendancy to blow the stack, and it now computes all 2.5 million elements of the first list even if you only want thirty, which means use cases outside this particular microbenchmark can get dramatically slower. In any case I was soon doubting my hypothesis. splitAt# GHC is indeed glorious, but the downside of all this glory is these types of cognitive challenges. There is a lot to be said for understanding (approximately) how your compiler works. Playing devil's advocate a bit, I'd say Scheme/Common Lisp is the ultimate high-level language, largely because of gratifyingly good implementations, and these implementations are (relatively) easy to understand. Haskell, sadly, has a ways to go before reaching the same level of implementation maturity. After all, languages themselves are useless. Only implementations make them useful. In any case, the main point I'd like to emphasize is that GHC is really, really glorious. Haha, yes. The reputation of the Simons is well deserved. Most of us here at LtU are mere mortals by comparison. (I'd make an exception for Oleg, at least, and I think I've seen Lennart post at least one comment.) I'm not sure I quite understand what your second point is getting at. The difference between Miranda, whose pairs are also lazy, and Haskell can be demonstrated with the following code: bot = bot konst (x,y) = 3 Now, what's the value of konst bot? In Haskell, the value is _|_, while Miranda returns 3. Pattern matching on a pair cannot fail, which is quite a bit different than a "strict pair" as used in Don Stewart's rather informative blog post. konst bot And yes, even this would be significant change for Haskell that probably can't be justified. Moving to truly strict pairs would create an entirely different language. Even so, I think I would prefer a pure, strict-by-default language, that I can make lazy as appropriate. But that language isn't Haskell. Just want to mention that this is an issue of pattern matching semantics, not tied to tuples, so any kind of data structure would have the same issue. Lazy pattern matching is available (in the form of irrefutable patterns): bot = bot konst ~(x,y) = 3 Any pattern can be prefixed by a tilde to become irrefutable, moving the possible bottom deeper inside the lambda. Your response is 90% right. However, there is a subtle difference: in Miranda, those two values are totally indistinguishable, whereas in Haskell, some other function can still distinguish them. Technically, the difference is deeper than pattern matching semantics. It modifies the Complete Partial Order of the domain: as far as tuples are concerned, there is one more distinct point. (I'm certainly no expert in Domain Theory. I can, to this day, rattle off a number of definitions and describe the basic ideas correctly, but I still don't "get it".) You would be 92% right if Haskell required every pattern match against a pair to be irrefutable. However, this also makes patterns inside the pair irrefutable, so you'd have to translate konst (x:xs, y) = ... in Miranda to something like konst ~(a,y) = case a of { (x:xs) -> ... } in Haskell, where a is a fresh variable, except this translation doesn't quite work if konst has more than one rule, because if the pattern matching on the list fails, Miranda will fall through to the next rule, whereas Haskell will have already committed. konst (x:xs, y) = ... konst ~(a,y) = case a of { (x:xs) -> ... } a konst Semantically, irrefutable patterns are exactly equivalent to this kind of translation (from Haskell to Haskell), and this works for an arbitrary number of rules: konst ~(x,y) = ... konst a = let x = fst a y = snd a in ... (However, this is not how the Haskell 98 report defines irrefutable patterns, rather they define let and other constructs in terms of "primitive" irrefutable patterns. Though this approach is equivalent, I find it much less intuitive, personally.) let As far as implementation is concerned, distinguishing these values means that the difference must somehow be reflected in memory. A naive implementation of Miranda might represent every tuple as an array of pointers: one to each of it's components, and each pointer would point to either a thunk (to compute that component), or a concrete value that's already been computed. A similarly naive implementation of Haskell would require the tuple itself to be represented by a pointer, which would point to either a thunk or an array of pointers a la Miranda. Obviously, this makes allocating a tuple directly inside something else (e.g. inside another thunk's closure) a bit harder to accomplish in Haskell. I see your point now with regard to #2. I misinterpreted it as a response to my musing if whether Haskell's lifted pairs were a good thing. However, I did bring up strict pairs as well, so I understand the source of confusion. Making Haskell's pairs unlifted like Miranda would be a minor-ish change, but as you rightly point out, making them strict by default would be truly cataclysmic. The reasoning behind Haskell's pairs being lifted, it turns out, is that unlifted pairs have a complicated interaction with seq, which Miranda doesn't have. You can force evaluation by pattern matching in Miranda, it's just that this solution isn't polymorphic on the things you want to force. seq I'm also now pretty certain that laziness is behind these inefficiencies. If you read the paper Constructed Product Result Analysis in Haskell, you'll find that GHC's optimizations only deal with strict pairs. (Or those that can be proven strict by the analyzer.) I tried hacking a CPS + State monad that could return multiple results from run, and incrementally build one of them lazily, except that it only returned a single tuple, right at the end. To get the extra result out, I used unsafePerformIO and IORefs to open up a "side channel", if you will. It's a thought-provoking exercise. It's mildly difficult to get it to mesh properly with laziness and preserve the desired runtime semantics. And when I did finally get something that worked, it broke when I turned on optimizations, so I had to figure out which optimization to turn off... unsafePerformIO IORefs I'm suspicious that I ended up creating something remarkably similar to what GHC already does. At least, it exhibits the same performance characteristics as the safe and clean solution of returning many tuples, although these native tuples offer a substantially lower constant factor, taking about 1/3 the time. You should post your code somewhere! My two citations would be (1) tensor calculus, and (2) the following: You could simply put the elements of the tuple into the appropriate registers/stack locations defined by your ABI instead on consing. In the case where you are returning an already constructed tuple, assuming tuples are immutable, simply copy the elements into the appropriate locations. Edit: this won't work unless you have the static return type! Inputs and outputs of functions are the same thing in Oz. For example: (define (pair x y) (list x y)) (define (unpair p) (values (first p) (second p))) e.g. (unpair (pair 1 2)) => (values 1 2) (unpair (pair 1 2)) => (values 1 2) in Oz: proc {Pair X Y P} P = [X Y] end proc {UnPair P X Y} [X Y] = P end e.g. {Pair 1 2 P} {UnPair P A B} // A is now 1 and B is 2 Note that that is the same as {Pair 1 2 P} {Pair A B P} // A is now 1 and B is 2 We can even ask for the values in P before constructing P! {Pair A B P} // bind A and B to the values that will eventually be in P {Pair 1 2 P} // put 1 and 2 in P, now A=1 and B=2 Do you know how this is actually implemented? Oz is a logic programming language, so this is simply unification of logic variables. Right... so is Mercury, but they work hard to avoid unification when they can. Does Mozart/OZ have any important optimizations that users should be aware of in this regard? In my toy language language design, I've been trending toward a simple construct that supports just multi-value bind and assign. def (a,b,c) = vals(1,2,3+4); var m,n; (m,n) = returns2values(); I'll encode the a pointer to (stack) storage for extra return values (if any) in the call frame, so no consing. Functions that return a single value can ignore this altogether. It's nice, because with efficient mv return, it can cut down on needless funcalls and wacky return value encodings, allow for multiple value iterators and generators, cleanly define methods like Sequence.find(val:Obj -> Bool, Int) for found and index position and so on and so forth. The only thing I'm sorely missing with this mv scheme is a similarly efficient call-with-values construct, which is actually really useful for abstractly composing all kinds of good stuff. I've always liked Python's syntax for call-with-values, which is extended into keyword arguments as well. If t is a tuple, d is a dictionary (of strings to values), x is some other value, f is a function that returns multiple values, and g is some other function, then g(x, *t, *f(), **d) calls the function g with x as a positional parameter, expands t into a sequence of positional parameters, expands the result of calling f into its constituent positional parameters, and expands d into a sequence of named argument=value pairs. In a statically typed language, everything except the **d expression can be implemented as efficiently as you like. So far, my syntax design uses Python's *rest syntax for the rest argument to functions, although my *rest arg is a special stack allocated vector object that can be reified into a normal sequence on demand if need be. Ideally, for calls and return values, I'd love to support. // I don't support keyword args, so ** can distinguish // call-with-values from *bar() unpack-seq-returned-by-bar // as args. foo(1, **bar(), *sequence) vals(*seq, **call()) return(*seq, **bar()) In general, Python is a kind of inspiration for my toy language. I like that it starts with a butt simple imperative, scripting language and offers *optional* advanced features that offer power to the programmer should s/he need them. The programmer doesn't *have* to learn a textbook's worth of concepts just to get going. While a very different language, Scheme is like this: (display "hello, world!") I have a different set of optional features to offer the developer, among several others - optional static typing, lexical closures, a symbol data type, TCO, compilation to native code, binary data structs and linkage conventions, yada yada yada :-) The only thing I'm sorely missing with this mv scheme is a similarly efficient call-with-values construct How does this call-with-values differ from the ordinary activation frame of the function? I was just reading Dybvig's paper again. My scheme thus far (doc'd, not implemented) places a compile-time *fixed* number of requested mv's (> 1) into some arbitrary location in the callee's stack frame. I see that Dybvig's scheme places mv's at the end of the callee's stack frame upon function return, thus facilitating the caller returning an *arbitrary* number of mv's nicely passed in a call-with-values context. I've got to grok Dybvig's scheme more closely, draw out some detailed stack diagrams and see if it fits in with the other stack frame invariants that I've presumed to date. Any scheme that leaves content "below" the stack pointer (i.e. after the end of stack) is not preemption-safe. Both UNIX and Windows have things that amount to signal frames that can be pushed below SP at any time, in such a way that the application can't see it coming. Unless your ABI gives you a well-defined "red zone" at the bottom of the stack (e.g. thumb, but almost nothing else), or you use heap-allocated frames, this technique simply won't work. In a statically typed language, however, there is really no need. Tuples are, in effect, anonymous records whose arity (therefore size) is known at compile time. The compiler can leave a suitable "hole" in the caller-constructed frame, and either pass a pointer to the hole (making the MV return value a by-reference OUT parameter) or rely on the callee's ability to compute the location of the hole based on the SP-at-entry and knowledge of the calling convention rules. The by-reference approach becomes necessary when functions have a variable number of arguments. It's probably also necessary when curried application is used. When we added the multiple-value return feature to Lisp machine Lisp (from whence it went into Common Lisp), I believe that the desire to avoid consing was one of the serious motivations. Back then, we did not have good GC technology, and writing Lisp programs to carefully minimize consing was very common. The other reason was for expressiveness: to make it clear that the function was really returning more than one result, rather than introducing a little list "type" (e.g. "a two-list of the file handle and a boolean to say whether..."). In Java, I've seen definitions of little classes whose only purpose is to be a way to return multiple values. The advantage of this approach is that the types and meanings of the returned values are documented (at least if you pick clear names and put in comments!). But it's rather verbose, in my opinion. When I was first reviewing the early Java spec, I was surprised to see that there was no way to return multiple values. I wanted to lobby for adding that, so I tried to come up with a use case that was both simple and very compelling. I was unable to do so! So I didn't try lobbying for it. The designers of Java were pretty clearly trying to avoid a lot of bells and whistles (and syntactic sugar), and there's certainly a lot to be said for that. You might want to look at concatenative languages (Joy, Factor, etc) where production (and subsequent consumption) of multiple values is trivial. First, I think "cons'ing" is a perfectly good term. Yes it is a "Lispism", but so what - most of the birth of FP (and GC and recursion in PL and on and on) comes from early Lisp tradition. In any case, it's a short hand preferable to the lengthy "heap allocating a new data structure." But anyway, I've noted that mv return can also be used to avoid needless multiple function calls. Imagine a simple iterator construct. With MV return, we can obtain successive values from a collection (1) with a single funcall and (2) while avoiding needlessly allocating some kind of Some/None Option data type. To elaborate on the three idioms under comparison. // MV call iterator - one call, no mem alloc def Iter[T].next(-> Bool, T); // HasNext/next Java style iterator - requires two calls Iter[T].hasNext(-> Bool); Iter[T].next(-> T); // Some/None style iterator - allocs mem if optimization // Typically requires a pattern match construct, although // this often enjoys a speedy implementation. datatype Option[T] = None | Some[T]; Iter[T].next(-> Option[T]); Anyway, I'm surprised more languages don't support efficient multiple value return, at least allowing for fixed arity value return and ignoring of arguments "trailing" those of interest. The semantics are, or can be made, clear, and the implementation technology is no mystery. scottmcl: // MV call iterator - one call, no mem alloc def Iter[T].next(-> Bool, T); The reason Lisp does that is not that it has MV return. Any language with tuples could do that (which includes all those that have an Option type). In principle at least. The real reason is that Lisp is not concerned with types. The above does not work in a typed language, because you cannot simply cough up a value of arbitrary type T in the empty case. Anyway, I'm surprised more languages don't support efficient multiple value return, at least allowing for fixed arity value return and ignoring of arguments "trailing" those of interest I'm rather surprised more languages don't support efficient tuples. Designing my toy language, I hit on the idea of pattern matching multiple return values in order to avoid the problem with type safety pointed out by Andreas. An iterator example might look something like this. mv-match some-mv-call() | false => we-are-done() | true, a ... => do-something-with-value(a) ; The ... signals that we are ignoring any additional return values, although we could make this implicit as well. We could have an "| else" (or | _) clause as well. MV bind and assign seem to be easily translated into mv-match based expressions, where too few return values throws a run time exception (unless verified by the type checker at compile time). I'm curious - does this indeed solve the type safety issue? Am I missing some problem with the semantics of an mv-match style construct? Thanks much. If you replace this boolean value true/false with an enumeration which you can call the continuation labels, you have basically recreated continuation-passing style (although you are branching in two steps, but true CPS is only one optimisation away...) Consing is perfectly good terminology. It just didn't translate too well when the discussion veered off into the world of lazy evaluation. :-) (The terminology is even sometimes used inside the Haskell community, despite this issue) Also, who says that using an Option type necessarily involves heap allocation? There are several implementation strategies that could avoid this... Chez, at least, uses the somewhat common technique of using least significant bits for type tags, so many values don't require boxing. Small integers have these bits zero, for efficiency purposes: additions are simple hardware additions (modulo some run-time type checking, which is optimized away where possible), and multiplications are a single shift followed by a hardware multiplication. Memory allocations are aligned, freeing up the low-order pointer bits. No reference points exactly to the start of it's value. The list of tricks goes on and on, and I'm certainly not familiar with all of them. However, if you read Chez's header for FFI, which allows C code to read and write many Scheme values inside the system and call Scheme from C, among other things, you can get some idea of what the machine representation looks like. A relatively recent release of the Glasgow Haskell Compiler added an optimization called pointer tagging. This causes the cases of algebraic data types to be encoded in the lower-order bits of the pointer. This will do exactly what you want here. Maybe a (the Haskell equivalent to SML's option) will always be a tagged pointer regardless of what 'a' is. Lua has a very nice simple syntax and semantics for multi-value call and return. It includes nice support for variable numbers of arguments and passing the "rest" of the arguments to another function. Internally this uses the stack so avoids consing. It might be interesting for you if I mention how I implemented returning multiple values in Dao. In Dao multiple values are returned as a tuple. Noting that, in Dao, each element of a tuple is typed independently, eg., a tuple of an integer, a float and a string is typed as tuple<int,float,string>. The elements of a tuple can be unpacked into variables by: (v1, v2, ...) = a_tuple; And in doing this, the types of the variables are checked at compiling time against the types of the corresponding tuple elements. In fact, supporting type checking of individual values in a multiple value return was one of the main motivation to add the tuple type into Dao. By the way, a Dao tuple has other interesting properties, for example, a field name can be assigned each element of a tuple, so that the tuple elements can be accessed by field names in the same way as class instances. As an example: a_tuple : tuple<x:float,y:float,z:float> = ( 1.0, 2.5, 3.0 ); x = a_tuple.x; This is exactly how tuples work in any statically typed language that has them. Well, it is natural to have tuple to work in this way, otherwise there is no strong reason to have tuple type. But I am unaware of other languages where tuple can have named items, I am sure there are, but maybe not in mainstream languages. A tuple with labelled fields is usually called a record. Languages with structural record types do what you describe. Standard ML is one example (where a tuple just is a special case of a record with consecutive numeric labels). Thanks, I didn't know it got a different name as record. It seems to me that it is not necessary to keep them as seperated types, because the field names can be simply attached to the typing object instead of the tuple itself. In ML, is it possible to assign freely a compatible tuple to a record, and vice verse? In SML, a tuple is a record, so your question boils down to: can I implicitly convert between "compatible" record types? The answer is no. It is not clear what it should mean, because records are equivalent up to reordering of fields. That is, {a=4, b=5} is the same value as {b=5, a=4}. So if you allowed binding val x = {a=4, b=5} val {c, d} = x then it is not clear whether c=4 and d=5 or the other way round, and there would be no reason to favor one over the other. Also, ML (and functional languages in general) have a strong tradition of avoiding any kind of implicit conversion, because they are considered harmful, and don't go well with type inference. Are you sure they are really the same? As you have shown, the ordering of items in a record is irrelevant in SML, but a tuple should have ordered items as I understood. A tuple in SML is precisely the same as a record with fields named 1, 2, ... So, for example: {1 = "hi", 2 = 58008} ("hi", 58008) {2 = 58008, 1 = "hi"} are all equivalent. Tuple syntax is literally nothing but syntactic sugar, as the following shows: - {1="hi", 2=58008}; val it = ("hi",58008) : string * int [Edit: fixed my SML record syntax] He's asking whether tuple with named fields = record , not whether tuple = record with certain names. To model his "tuples with named fields" as records, I think you'd have to have support name aliases - e.g. #2 and 'b' are both names for the same second element. I was only saying that yes, I'm sure that tuples and records are "the same" in SML. But I agree with you: the sameness of tuples and records in SML is not the same sameness that the original poster wants. Wait, I guess I should still have been more clear. ;) I'm just not sure how to say it... Indeed, such sameness regarding the tuple and record type in SML is not the kind I expected. I thought this looked sorta familiar :-) I'll pursue this line of inquiry further. I came up in the 80's with 128k and 640K machines (don't laugh), so no matter how fancy the GC, allocating memory needlessly still just seems wrong to me, particularly in an inner loop. Iteration is one *very* common example of an inner loop, hence my interest in stack based MV return - particularly since I want to support MV iteration, such as iterating over (key,val) pairs in a dict (hash, map, whatever) or (val, index) pairs in a vector, etc. I'll check out tensor calculus - new term to me. See also an earlier LtU thread on optimizing calling conventions for functional languages. The intermediate language proposed by that paper has symmetric multiple-parameter/multiple-result function calls. It won't help much on the question of which syntax is easier for your target audience of humans to understand, but it does explore the related optimization questions in reasonable depth. Thanks for the reference! Both languages are multiple input value, multiple return. The same code will handle single input, single return, multiple input, multiple return, and the various permutations of single input/multiple return, multiple input/single return, etc. automatically. Most of the time there is no need for the programmer to have different code to handle all of these cases. If the last line executed in a function you write results in a single value, that single value will be returned. If it results in a multiple value, a multiple value will be returned. Here is an example of using a built-in function (addition) in the J interpreter to add numbers. This will return single or multiple values depending on the inputs. It works the same way with functions you define yourself. NB. Add 2 single values to get a single value 1+2 3 NB. Add 2 arrays (lists, vectors, etc.) to get an array back 1 2 3 + 4 5 6 5 7 9
http://lambda-the-ultimate.org/node/2833
CC-MAIN-2015-48
refinedweb
5,888
61.97
In this article, you will learn how to add Windows form Application In WPF. Introduction Here, we will be working with adding Windows Form Application, where we can add name, employee ID and the company details in Windows Presentation Foundation (WPF). What is Winform? Windows Form is a segment of Microsoft .NET framework. It is a GUI (Graphical User Interface) class library, which allows us to write rich looking client Applications for tablets, laptops and desktops. Development Requirements Follow the following steps to add Winforms in WPF Step 1: Run Visual Studio 2015 -> Visual C# -> Windows -> WPF Application, as shown below: Step 2: Add the following namespacing too, xmlns:wf="clr-namespace:System.Windows.Forms;assembly=System.Windows.Forms" Copy the code, given below, into MainWindow.xaml, Step 4: Click Start to run the code. Clicking Close will close the Window. View All
https://www.c-sharpcorner.com/article/adding-windows-form-application-in-wpf/
CC-MAIN-2020-40
refinedweb
143
56.55
All said is correct. I also think that the recursive function should qualify for guaranteed streamable. Is this correct? As for Saxon not dealing in the best way with tail-recursion, I still expect this issue to be fixed in the future -- would be very useful and makes perfect sense. Cheers, Dimitre On Fri, Mar 27, 2015 at 4:05 AM, Michael Kay mike@xxxxxxxxxxxx <xsl-list-service@xxxxxxxxxxxxxxxxxxxxxx> wrote: > What we're seeing here is that the best solution is radically influenced by > the optimization strategies within the processor. > > Dimitre's recursive approach is only worth doing if the processor has > non-constant performance for an expression of the form sequence[$N] where $N > is an integer; that is, if sequences are implemented as linked lists rather > than arrays. Saxon will generally use an adaptive implementation where the > sequence is held as an array as soon as you start indexing into it, so the > non-recursive solution will work just fine. Other systems may differ. > > Then, if you do use the recursive approach, you run into problems if the > processor doesn't do tail-call optimization. And if that's the case, you > need to consider a divide-and-conquer approach instead. > > Michael Kay > Saxonica > mike@xxxxxxxxxxxx > +44 (0) 118 946 5893 > > > > > On 27 Mar 2015, at 09:36, Leo Studer leo.studer@xxxxxxxxxxx > <xsl-list-service@xxxxxxxxxxxxxxxxxxxxxx> wrote: > > Dim Leo, > > I ran this with BaseX 7.8.2: > > declare namespace my = "my:my"; > declare function my:increasing($seq as xs:double*) as xs:boolean > {empty($seq[2]) > or > $seq[1] lt $seq[2] and my:increasing(subsequence($seq, 2)) > }; > let $v:=(1 to 10000) > return my:increasing($v) > > > And here is the result (do note this below: - marking as ***tail > call***: my:increasing(fn:subsequence($seq_0, 2)) ) > > Total Time: 3.74ms (for 100 000 - long sequence the time was 17.77ms, > for 1 000 000 - long sequence the time was 207.56ms) > > > XSL-List info and archive > EasyUnsubscribe (by email) > > > XSL-List info and archive > EasyUnsubscribe (by email)
http://www.oxygenxml.com/archives/xsl-list/201503/msg00079.html
CC-MAIN-2018-05
refinedweb
340
53
When we are analyzing data in excel file, we may have to copy some data into a csv file. In this tutorial, we will use an example to illustrate python beginners on how to do. Preliminary As to an excel file, there are some sheets in it. In order to process excel file, we should read data sheet by sheet. We can use python pandas to read a sheet in an excel. Here is an example: import pandas excel_data = pandas.read_excel('test.xlsx', sheet_name='member') print(excel_data) Run this code, you can get the output: No Name Age 0 1 Tom 24 1 2 Kate 22 2 3 Alexa 34 To know more on how to read data in excel using python pandas, you can read this tutorial. Python Pandas read_excel() – Reading Excel File for Beginners Copy all data in a sheet to a csv file We can copy all data in a sheet to a csv file. Here is an example: excel_data.to_csv("test.csv") This code can make us copy all data in member sheet to csv file test.csv. Then you can find the content of test.csv is: The resutl is not a standar csv content, to make the data be similar to common csv, we can do like this: excel_data.to_csv("test.csv", sep = '\t', header = True, index = False) Then the csv file will be: Copy some rows to csv If you plan to copy some rows in a sheet to a csv file, you can refer to this example: new_excel_data = excel_data[excel_data['Age'] < 30] print(new_excel_data) new_excel_data.to_csv("test_new.csv", sep = '\t', header = True, index = False) In this code, we only plan copy members whose ages are smaller than 30. The test_new.csv will be: No Name Age 1 Tom 24 2 Kate 22
https://www.tutorialexample.com/python-copy-some-data-from-excel-to-csv-a-beginner-guide-python-tutorial/
CC-MAIN-2020-50
refinedweb
300
69.41
This application demonstrates how to create a "string loop" in C#. A common use of "string loops" is in web advertisements, where the slogan or product name appears to be revolving in a circle. The code creates a rectangle in the middle of the client area that is just large enough to fit the entire message, minus any trailing white space. Clicking on the form or resizing it will cause the "string loop" to restart. Rather than use a string to represent the message ("Catch Me If You Can�" ) it is far more efficient and intuitive to use the StringBuilder class, found in the System.Text namespace. StringBuilder allows you to directly manipulate a string, rather than having to make copies of a regular string. The manipulation of the StringBuilder�s internal string is quite straightforward: private void DrawMovingText() { Graphics grfx = CreateGraphics(); Font font = new Font( "Courier New", 20, FontStyle.Bold ); string spaces = " "; // // StringBuilder is used to allow for efficient manipulation of // one string, rather than generating many separate strings // StringBuilder str = new StringBuilder( "Catch Me If You Can..." + spaces ); Rectangle rect = CreateRect( grfx, str, font ); int numCycles = str.Length * 3 + 1; for( int i = 0; i < numCycles; ++i ) { grfx.FillRectangle( Brushes.White, rect ); grfx.DrawString( str.ToString(), font, Brushes.Red, rect ); // relocate the first char to the end of the string str.Append( str[0] ); str.Remove( 0, 1 ); // pause for visual effect Thread.Sleep( 150 ); } grfx.Dispose(); } To avoid having DrawMovingText() eat up all of the CPU's attention it is placed on a worker thread. Every time the user clicks on the form or resizes it, the thread is killed and reborn. Obviously, if you wanted to alter the speed at which the letters "move" you would simply adjust the number of milliseconds that the thread sleeps for. // // All of these events will restart the thread that draws // the text // private void Form_Load( object sender, System.EventArgs e ) { StartThread(); } private void Form_MouseUp(object sender, System.Windows.Forms.MouseEventArgs e) { StartThread(); } private void Form_Resize( object sender, System.EventArgs e ) { StartThread(); } private void label_Click(object sender, System.EventArgs e) { StartThread(); } private void StartThread() { thread.Abort(); // give the thread time to die Thread.Sleep( 100 ); Invalidate(); thread = new Thread(new ThreadStart(DrawMovingText)); thread.Start(); } The final point of interest is how the size and location of the rectangle that contains the message are determined. The Graphics class has a MeasureString method that will give you the width or height of the string that you are passing in. Those are used for the width and height of the rectangle. You then use those values in tandem with the dimensions of the form to determine the coordinates of where the rectangle will originate from. private Rectangle CreateRect ( Graphics grfx, StringBuilder str, Font font ) { // + 5 to allow last char to fit int w = (int)grfx.MeasureString(str.ToString(), font).Width + 5; int h = (int)grfx.MeasureString( str.ToString(), font ).Height; int x = (int)this.Width / 2 - w / 2; int y = (int)this.Height / 2 - h; return new Rectangle( x, y, w, h ); } General News Question Answer Joke Rant Admin
http://www.codeproject.com/KB/miscctrl/csmarquee.aspx
crawl-002
refinedweb
516
66.13
XSLT 1.0 and XPath 1.0 were originally intended to provide simple style language support for XML documents, primarily to convert those documents into HTML for rendering to a browser. Since XSLT and XPath became available, however, they have been pressed into all sorts of tasks for which they weren't originally designed -- from the sophisticated manipulation of data in XML documents (aggregation, distinct selection, relationship pivoting) to XSLT's transformation of one XML form into another. In version 2.0 of these specifications, the W3C attempts to make XSLT and XPath much more flexible and robust in order to handle the new way these technologies are being used. In the last column, I looked at some of the new features of XSLT. In this column, I will take a look at just a few highlights of XPath 2.0 -- there are far too many to mention in a single column. For the purposes of this column, certain prefixes map to the following: - The xf:prefix is presumed to map to the XPath 2.0 functions namespace (). - The xsl:prefix maps to the XSLT 2.0 namespace. - The xs:prefix maps to the XML Schema namespace. The xf:distinct-values function One of the most significant challenges facing developers when working with XSLT 1.0 style sheets is to write the XML equivalent of a SELECT DISTINCT in SQL -- that is, an expression that takes a node set and returns a list of unique values from those nodes. This was not impossible in XSLT 1.0 and XPath 1.0, but fiendishly difficult. Basically, you had to write an xsl:for-each statement to evaluate each node in a particular sorted order, and then keep peeking back at the node list to see if any others matched the particular one being processed. With XSLT 2.0 and the introduction of the xf:distinct-values function, this problem goes away. Here's a quick example of the XML document in Listing 1: Listing 1. Books with author names Suppose you want to normalize out the author information and create a document that looks like Listing 2: Listing 2. Authors with book titles To accomplish this, you need to do something like Listing 3 in XPath and XSLT 1.0: Listing 3. SELECT DISTINCT in XPath 1.0 A bit messy and difficult to document, however using xf:distinct, this becomes easy, as shown in Listing 4: Listing 4. xf:distinct in XPath 2.0 How's this different from xsl:for-each-group? xf:distinct is available anywhere XPath is implemented -- so it is available as part of XQuery 1.0, as well as specialized XPath processors. With xf:distinct, you can perform other processing on the value set, as opposed to xsl:for-each-group, which forces the distinct values to be operated on individually. This one change addresses many of the problems XSLT authors encounter when attempting to style documents. There are many other changes to XSLT that style sheet programmers will find useful. Working with multiple documents can be problematic in XSLT 1.0. The designers of XPath 2.0 wisely chose to include additional document processing capability through the xf:document mechanism. This function allows one or more documents to be loaded from URLs and processed. For example, suppose you have the type of document shown in Listings 5, 6, and 7 in a repository: Listing 5. Sample part document 1 Listing 6. Sample part document 2 Listing 7. Sample part document 3 Suppose you now have 500 of these documents in a single directory, and you want to create a list of all the blue parts you carry. Rather than writing code in a middle-tier language like Java to load each of these documents and look for parts with the color blue, you can write an index (see Listing 8) that lists where all the parts may be found: Listing 8. Part index document You can write a single style sheet that does the job for you with a fragment like the one in Listing 9: Listing 9. xf:document used to cross documents This technique lends itself particularly well to distributed networks of content, where the part information can be housed on one server and the customer information on another. Using style sheets that use xf:document to pull information from other URLs allows this data to live where it was created. The xf:current-dateTime function When a style sheet is applied to an XML document, it is often helpful to include the creation date of the transformed result in the output. This is particularly important when creating HTML documents to drive a user interface; such information can help caching systems know when a copy of the information is stale. You can obtain the current date and time using the xf:current-dateTime function in XPath 2.0 (see Listing 10): Listing 10. xf:current-dateTime example This might return the string shown in Listing 11: Listing 11. xf:current-dateTime sample result You can then use this string as-is or transform it into a different date format for use in the resulting document. Better XML Schema compatibility Since XPath 2.0 is now being shared between XSLT 2.0 and XQuery 1.0, it follows that XPath would need more robust support for XML Schema. Indeed, the entire data model in XPath 2.0 is now strongly typed: Rather than having simple string, number, and boolean types, values now use the primitives defined as part of the XML Schema specification. A full set of functions is provided so you can explicitly convert these values from one type to another as part of their manipulation in XPath 2.0. For example, a value can be cast to another type by using the type name as if it were a function. So you could cast a value to an unsigned integer using the code fragment in Listing 12: Listing 12. XML Schema type cast example The strong typing in XPath 2.0 ensures that a document created by an XSLT style sheet can be validated against a strongly-typed XML schema. Before XSLT 2.0, there was no way to guarantee, for example, that a number was an unsigned integer -- the XML Schema validation step was necessary to ensure that a faulty value was not provided by the style sheet. In this document, I've just touched on the highlights of what XPath 2.0 has to offer. While this technology is still a good ways from being promoted to recommendation status (at least six months), familiarizing yourself with XPath 2.0's features and functionality will prepare you to take full advantage of it when implementations start to emerge. - Follow the XPath 2.0 specification and the changes being made to this important spec. - Explore XQuery 1.0 and XPath 2.0 Data Model and the changes to the typing system and the way information is handled by XPath-aware processors. - Review XQuery 1.0 and XPath 2.0 Functions and Operators as it enumerates the many new functions and operators being added to XPath 2.0. -. - Find other articles in Kevin Williams' XML for Data column. Kevin Williams is the CTO of Blue Oxide Technologies, LLC, a company that designs XML and XML Web service design software. Visit their Web site at. He can be reached for comment at kevin@blueoxide.com.
http://www.ibm.com/developerworks/xml/library/x-xdxpath2.html
CC-MAIN-2014-35
refinedweb
1,242
65.12
Eclipse Neon c++ openCV 3.0.0+ install and usage I am trying to work on a project for myself this summer and at its core, I am planning to use the NVIDIA Jetson platform and need the benefits of the CUDA acceleration. I am primarily a Java / C# programmer but due to the support issues this is the first time I am really working on the c++ side of things. During the process of setting up my environment for use in eclipse neon.3 everything seems fine, I used the install package and then added the libraries with the setx command in the tutorial. When I attempt to build any c++ application using OpenCV I get an error on the namespace and any other OpenCV references. Any help would be appreciated. here is the output form the compiler: 19:46:43 **** Incremental Build of configuration Debug for project testproj2 **** Info: Internal Builder is used for build g++ "-IC:\\Users\\cole\\Documents\\opencv\\build\\include\\opencv2" -O0 -g3 -Wall -c -fmessage-length=0 -o "src\\test.o" "..\\src\\test.cpp" g++ "-LC:\\Users\\cole\\Documents\\opencv\\build\\include\\opencv2" -o testproj2.exe "src\\test.o" -lopencv_core -lopencv_imgproc -lopencv_highgui c:/mingw/bin/../lib/gcc/mingw32/5.3.0/../../../../mingw32/bin/ld.exe: cannot find -lopencv_core c:/mingw/bin/../lib/gcc/mingw32/5.3.0/../../../../mingw32/bin/ld.exe: cannot find -lopencv_imgproc c:/mingw/bin/../lib/gcc/mingw32/5.3.0/../../../../mingw32/bin/ld.exe: cannot find -lopencv_highgui collect2.exe: error: ld returned 1 exit status 19:46:43 Build Finished (took 255ms)
https://answers.opencv.org/question/159244/eclipse-neon-c-opencv-300-install-and-usage/?sort=votes
CC-MAIN-2020-45
refinedweb
261
57.37
import "cmd/vendor/github.com/google/pprof/internal/graph" Package graph collects a set of samples into a directed graph. ComposeDot creates and writes a in the DOT format to the writer, using the configurations given. ShortenFunctionName returns a shortened version of a function's name. type DotAttributes struct { Nodes map[*Node]*DotNodeAttributes // A map allowing each Node to have its own visualization option } DotAttributes contains details about the graph itself, giving insight into how its elements should be rendered. type DotConfig struct { Title string // The title of the DOT graph LegendURL string // The URL to link to from the legend. Labels []string // The labels for the DOT's legend FormatValue func(int64) string // A formatting function for values Total int64 // The total weight of the graph, used to compute percentages } DotConfig contains attributes about how a graph should be constructed and how it should look. type DotNodeAttributes struct { Shape string // The optional shape of the node when rendered visually Bold bool // If the node should be bold or not Peripheries int // An optional number of borders to place around a node URL string // An optional url link to add to a node Formatter func(*NodeInfo) string // An optional formatter for the node's label } DotNodeAttributes contains Node specific visualization options. type Edge struct { Src, Dest *Node // The summary weight of the edge Weight, WeightDiv int64 // residual edges connect nodes that were connected through a // separate node, which has been removed from the report. Residual bool // An inline edge represents a call that was inlined into the caller. Inline bool } Edge contains any attributes to be represented about edges in a graph. WeightValue returns the weight value for this edge, normalizing if a divisor is available. EdgeMap is used to represent the incoming/outgoing edges from a node. Sort returns a slice of the edges in the map, in a consistent order. The sort order is first based on the edge weight (higher-to-lower) and then by the node names to avoid flakiness. Sum returns the total weight for a set of nodes. Graph summarizes a performance profile into a format that is suitable for visualization. New summarizes performance data from a profile into a graph. func (g *Graph) DiscardLowFrequencyNodePtrs(nodeCutoff int64) NodePtrSet DiscardLowFrequencyNodePtrs returns a NodePtrSet of nodes at or over a specific cum value cutoff. DiscardLowFrequencyNodes returns a set of the nodes at or over a specific cum value cutoff. RemoveRedundantEdges removes residual edges if the destination can be reached through another path. This is done to simplify the graph while preserving connectivity. func (g *Graph) SelectTopNodePtrs(maxNodes int, visualMode bool) NodePtrSet SelectTopNodePtrs returns a set of the top maxNodes *Node in a graph. SelectTopNodes returns a set of the top maxNodes nodes in a graph. SortNodes sorts the nodes in a graph based on a specific heuristic. String returns a text representation of a graph, for debugging purposes. TrimLowFrequencyEdges removes edges that have less than the specified weight. Returns the number of edges removed TrimLowFrequencyTags removes tags that have less than the specified weight. func (g *Graph) TrimTree(kept NodePtrSet) TrimTree trims a Graph in forest form, keeping only the nodes in kept. This will not work correctly if even a single node has multiple parents. type Node struct { // Info describes the source location associated to this node. Info NodeInfo // Function represents the function that this node belongs to. On // graphs with sub-function resolution (eg line number or // addresses), two nodes in a NodeMap that are part of the same // function have the same value of Node.Function. If the Node // represents the whole function, it points back to itself. Function *Node // Values associated to this node. Flat is exclusive to this node, // Cum includes all descendents. Flat, FlatDiv, Cum, CumDiv int64 // In and out Contains the nodes immediately reaching or reached by // this node. In, Out EdgeMap // LabelTags provide additional information about subsets of a sample. LabelTags TagMap // NumericTags provide additional values for subsets of a sample. // Numeric tags are optionally associated to a label tag. The key // for NumericTags is the name of the LabelTag they are associated // to, or "" for numeric tags not associated to a label tag. NumericTags map[string]TagMap } Node is an entry on a profiling report. It represents a unique program location. AddToEdge increases the weight of an edge between two nodes. If there isn't such an edge one is created. AddToEdgeDiv increases the weight of an edge between two nodes. If there isn't such an edge one is created. CumValue returns the inclusive value for this node, computing the mean if a divisor is available. FlatValue returns the exclusive value for this node, computing the mean if a divisor is available. type NodeInfo struct { Name string OrigName string Address uint64 File string StartLine, Lineno int Objfile string } NodeInfo contains the attributes for a node. NameComponents returns the components of the printable name to be used for a node. PrintableName calls the Node's Formatter function with a single space separator. NodeMap maps from a node info struct to a node. It is used to merge report entries with the same info. FindOrInsertNode takes the info for a node and either returns a matching node from the node map if one exists, or adds one to the map if one does not. If kept is non-nil, nodes are only added if they can be located on it. NodeOrder sets the ordering for a Sort operation const ( FlatNameOrder NodeOrder = iota FlatCumNameOrder CumNameOrder NameOrder FileOrder AddressOrder EntropyOrder ) Sorting options for node sort. NodePtrSet is a collection of nodes. Trimming a graph or tree requires a set of objects which uniquely identify the nodes to keep. In a graph, NodeInfo works as a unique identifier; however, in a tree multiple nodes may share identical NodeInfos. A *Node does uniquely identify a node so we can use that instead. Though a *Node also uniquely identifies a node in a graph, currently, during trimming, graphs are rebuilt from scratch using only the NodeSet, so there would not be the required context of the initial graph to allow for the use of *Node. NodeSet is a collection of node info structs. Nodes is an ordered collection of graph nodes. CreateNodes creates graph nodes for all locations in a profile. It returns set of all nodes, plus a mapping of each location to the set of corresponding nodes (one per location.Line). Sort reorders a slice of nodes based on the specified ordering criteria. The result is sorted in decreasing order for (absolute) numeric quantities, alphabetically for text, and increasing for addresses. Sum adds the flat and cum values of a set of nodes. type Options struct { SampleValue func(s []int64) int64 // Function to compute the value of a sample SampleMeanDivisor func(s []int64) int64 // Function to compute the divisor for mean graphs, or nil FormatTag func(int64, string) string // Function to format a sample tag value into a string ObjNames bool // Always preserve obj filename OrigFnNames bool // Preserve original (eg mangled) function names CallTree bool // Build a tree instead of a graph DropNegative bool // Drop nodes with overall negative values KeptNodes NodeSet // If non-nil, only use nodes in this set } Options encodes the options for constructing a graph type Tag struct { Name string Unit string // Describe the value, "" for non-numeric tags Value int64 Flat, FlatDiv int64 Cum, CumDiv int64 } Tag represent sample annotations SortTags sorts a slice of tags based on their weight. CumValue returns the inclusive value for this tag, computing the mean if a divisor is available. FlatValue returns the exclusive value for this tag, computing the mean if a divisor is available. TagMap is a collection of tags, classified by their name. Package graph imports 10 packages (graph). Updated 2020-06-16. Refresh now. Tools for package owners.
https://godoc.org/cmd/vendor/github.com/google/pprof/internal/graph
CC-MAIN-2020-29
refinedweb
1,302
54.12
There are lots of great strategies to keep code manageable and extensible. Today, let's learn about "Dependency Injection". Dependency Injection Imagine you're a goldfish named Doug (🐠), and you love bubbles. So much so, that you bought a Bubble Machine with a programmable Typescript SDK. You write a program to make bubbles when you wake up: import { Bubbler } from 'bubbler'; const initBubbler = () => { // Instantiate const bubbler = new Bubbler({ id: "dougs-bubbler" }); // Start the Bubbler bubbler.bubble({ startTime: "7:00AM", endTime: "8:00AM" }) } initBubbler(); Great, now you awaken to fresh, well-oxygenated water 💦 You tell your friend Mary (🐟), and she's so excited, she buys a bubbler too. You update the code to initialize both bubblers: import { Bubbler } from 'bubbler'; const initDougsBubbler = () => { const bubbler = new Bubbler({ id: "dougs-bubbler" }); bubbler.bubble({ startTime: "7:00AM", endTime: "8:00AM" }) } const initMarysBubbler = () => { const bubbler = new Bubbler({ id: "marys-bubbler" }); bubbler.bubble({ startTime: "7:00AM", endTime: "8:00AM" }) } initDougsBubbler(); initMarysBubbler(); It works, but there's something fishy going on here... Instead of duplicating the initBubbler function, you could have "hoisted" the instantiation step outside the function: import { Bubbler } from 'bubbler'; const dougsBubbler = new Bubbler({ id: "dougs-bubbler" }); const marysBubbler = new Bubbler({ id: "marys-bubbler" }); const initBubbler = (bubbler) => { bubbler.bubble({ startTime: "7:00AM", endTime: "8:00AM" }) } initBubbler(dougsBubbler); initBubbler(marysBubbler); Now, we only need the single initBubbler function, even if your friends Larry (🐙) and Barry (🐡) decide to buy Bubblers too. The initBubbler function is no longer responsible for constructing a bubbler instance. Instead, it's injected into the function from the outer scope. This pattern is called "Dependency Injection" (DI). Dependency Injection is a great way to keep your functions simple, modular, and re-usable by delegating responsibility to the caller. Inversion of Control Further, because the "caller" is now responsible for initializing the Bubbler (instead of the initBubbler function), we say control has been "inverted". Dependency Injection is a means by which to achieve "Inversion of Control" (IoC). IoC Container The outer scope, responsible for instantiating the bubbler dependency, is called the "Inversion of Control Container" (IoC Container). DI Frameworks You can use a "DI Framework" to make things even easier. Instead of manually initializing the dependencies, a DI Framework acts as the IoC Container and does the work for you. You just tell the framework which dependencies your function needs, and once they're initialized, the framework automatically invokes your function. Angular and Nest are two popular tools that include DI Frameworks. Both of these helped in the writing of this article and shaping my own understanding of DI: - Angular: - Nest: Plugins DI Frameworks are great for keeping code organized. However, I like to go one step further and build a module for every "Feature" in my app. When the DI Framework initializes the "Feature Module", it "installs" itself by invoking dependency methods. It then exports its own API for dependencies to install themselves. We call call these modules "Plugins", because they inject functionality back into the app. By building apps as a "Tree of Plugins", feature code is centralized instead of being spread throughout the app. This makes it easy to mix and match features, build new features, and even open your app for extension by external developers (like Wordpress does). To learn more about building apps as a tree of Plugins, check out my new package "Halia": Halia - Extensible TS / JS Dependency Injection Framework Halia is a simple, lightweight, and extensible DI Framework. It's not tied to a particular backend / frontend technology, and you can customize the framework by installing "Plugins". Conclusion We hope your time spent as Doug has helped you see value in the DI Pattern and DI Frameworks. If you'd like, you can stop imagining you're a goldfish and resume normal human function. Or, you can imagine you’re a duck and learn how to build Pluggable Apps: Build Pluggable Apps with Lenny the Duck 🦆 All thoughts and comments are greatly appreciated =) Cheers, CR For more articles like this, follow me on: Github, Dev, Twitter, Reddit Discussion (6) it seems like i use DI everyday without knowing what is DI actually. I felt the same when I learned about DI. It's such a simple concept, but it's nice to stake it with a label. Thanks for reading! This was actually a fun way to see DI, nicely done Much appreciated Miguel, thanks for taking a look =) CR- love this, but i think you have a typo in the third code example. You're calling marysBubbler with Doug's bubbler ID. (Extra bubbles for doug!!) Ah, thank you!! I appreciate the feedback =)
https://practicaldev-herokuapp-com.global.ssl.fastly.net/codalreef/learn-dependency-injection-with-doug-the-goldfish-3j43
CC-MAIN-2021-17
refinedweb
767
53.81
Introduction. To work through the remainder of this article you need to create a new Console Application in Visual Studio. All the examples discussed below assume that you have such an application opened in Visual Studio. Watch Window and QuickWatch Dialog While debugging code you frequently need to see the value of a variable or wish to evaluate an expression. Watch window allows you to do just that. Have a look at the following figure:While debugging code you frequently need to see the value of a variable or wish to evaluate an expression. Watch window allows you to do just that. Have a look at the following figure: Watch Window The above figure shows a Watch window with two variables and one expression. The simplest way to watch a variable is to right click on it during a debugging session and click on the "Add Watch" shortcut menu option. Add Watch You can also use the Watch window to change the value of a variable. To do so, just double click in the Value column in front of the variable under consideration, change its value and press the Enter key. To evaluate an expression enter it in an empty row under the Name column and hit Enter. You can also open a Watch window using the DEBUG > Windows > Watch > Watch n menu option where n is 1-4. Thus you can open four Watch windows (Watch1, Watch 2, Watch3 and Watch 4) simultaneously. If a variable being watched is an object you can expand it to reveal its property values. An entry added to the Watch window remains there unless you delete it. To delete an entry simply select it and hit the Delete key. Sometimes you don't need to add a watch but still wish to observe a variable or evaluate an expression. The QuickWatch dialog allows you to do that. To open the QuickWatch dialog you right click on a variable and then select QuickWatch from the shortcut menu. This is how a QuickWatch dialog looks: QuickWatch You can watch and edit values and expressions in the QuickWatch dialog similar to the Watch window. Additionally, if you decide to monitor a variable or expression further you can click on the Add Watch button to add an entry for it in the Watch window. Locals Window Locals window lists variables in the current scope. Locals window can be opened during a debugging session using the DEBUG > Windows > Locals menu option. Consider the following figure: Locals Window As you can see the Locals window lists all the variables in the Main() method because that's the current debugging scope. However, variables inside SampleMethod() are not listed because that's out of the current scope. If you press F11 to jump inside SampleMethod() then Locals window will reflect the variables inside SampleMethod() because of the change in the current scope. As in the case of Watch window, you can also edit the value of a variable displayed in the Locals window. Autos Window Autos window displays variables in the current and previous statements. You can open Autos window using the DEBUG > Windows > Autos menu option. Have a look at the following figure that shows the Autos window in action: Autos Window As you can see the current line of execution contains the variable j and the previous line contains variable i. Both of them are listed in the Autos window. Immediate Window Immediate window allows you do arbitrary tasks without interfering with the current flow of execution. For example, you may want to evaluate some expression, read or change a variable and so on. Immediate window can be activated using the DEBUG > Windows > Immediate menu option. The following figure shows how the Immediate window looks: Immediate Window As you can see the Immediate window executes the SampleMethod1() method of the Program class. The ? is used to print the output (you can also use Debug.Print). IntelliSense is also available to the code that you write inside the Immediate window. So, if you press a . after p2, a list of members is displayed. If the method being executed has a breakpoint then the execution halts at that breakpoint. Call Stack Window The Call Stack window lists a stack of method calls. You can open the Call Stack window during a debugging session using the DEBUG > Windows > Call Stack menu option. Consider that you have Main() method invoking SampleMethod1() of the Program class. The SampleMethod1() in turn is calling SampleMethod2() residing in the same class. So, if you open the Call Stack window inside SampleMethod2() it will look like this: Call Stack Window As you can see the stack consists of SimpleMethod2(), SimpleMethod1() and Main(). The external code in this case refers to the .NET framework code outside the boundary of your application. The line number is also listed. If you right click on the Call Stack window and select the "Show External Code" shortcut menu option the external code stack will also be revealed like this: External Code Stack You can navigate between the code belonging to various Call Stack window entries by right clicking on that entry and then selecting the "Switch To Frame" shortcut menu option. Threads Window Sometimes your applications spawn more than one thread. Debugging a multithreaded application can be challenging because multiple tasks are being carried out in the background at the same time. Luckily, the Threads window helps you to debug multithreaded applications. Before you see the Threads window and its use, let's quickly create a multithreaded application as shown below: Create a Multithreaded Application The above code consists of the Main() method that spawns two threads - t1 and t2 - using System.Threading.Thread class. The Thread class accepts a ThreadStart delegate as its parameter. The ThreadStart delegate in turn points to a method that is to be executed on the thread. In this case MethodOnThread() is such as a method and simply outputs current date and time on the console. Each thread is given a unique name so that you can monitor them easily in the Threads window. The Start() method of the Thread class starts the execution of a thread. To see the Threads window in action, set a breakpoint inside MethodOnThread() method. When the execution halts there, click on the DEBUG > Windows > Threads menu option to open the Threads window. Threads Window The above figure shows the Threads window as well as the shortcut menu for a thread entry inside it. Notice that Thread 1 and Thread 2 are listed in the window along with the Main Thread. The current thread is shown with a yellow arrow. Right clicking on a thread will reveal a shortcut menu as shown. This menu allows you to stop a thread (Freeze), execute a thread (Thaw) and to set an active thread (Switch To Thread). Tasks and Parallel Stack Window The .NET framework 4.0 introduced parallel programming through the System.Threading.Tasks namespace. Just like Threads window is used to observe threads you can use Tasks window and Parallel Stack window to observe a Task execution. These windows can be opened during a debugging session using the DEBUG > Windows > Tasks and DEBUG > Windows > Parallel Stack menu options respectively. Before you see these windows let's create a simple application using Task class. Have a look at the following code: Create a Simple Application using Task Class The above application creates two tasks t1 and t2. The tasks are executed using StartNew() method of the Factory. The WaitAll() method is used to wait for all the tasks (t1 and t2 in this case) to complete. The MethodOnThread() is executed as a part of the tasks. The method simply outputs a message on the console. Just for the sake of understanding the windows the Thread.Sleep() has been called. To see how Parallel Task and Parallel Stack windows look, start debugging the application by setting a breakpoint at Task.WaitAll() line. The following figure shows both of these windows: Parallel Stacks As you can see the Tasks window lists the two tasks that you started. The Parallel Stacks window displays visual representation of threads or tasks. It has two views - Thread view and Task view. Detailed discussion of debugging a parallel application is beyond the scope of this article. For a quick overview you may consider reading this article. Summary Being able to effectively debug your .NET application is an important skill. Visual Studio provides a powerful debugger and offers many windows that can simply enhance your debugging experience. This article presented an overview of some of the most commonly used debug windows. Using these windows effectively will help you debug your code in a better and quicker way.
https://mobile.codeguru.com/csharp/.net/net_debugging/working-with-debug-windows-in-visual-studio.htm
CC-MAIN-2018-39
refinedweb
1,454
63.49
On 14.11.2012 01:41, Richard Baron Penman wrote: > I found the MD5 and SHA hashes slow to calculate. Slow? For URLs? Are you kidding? How many URLs per second do you want to calculate? > The builtin hash is fast but I was concerned about collisions. What > rate of collisions could I expect? MD5 has 16 bytes (128 bit), SHA1 has 20 bytes (160 bit). Utilizing the birthday paradox and some approximations, I can tell you that when using the full MD5 you'd need around 2.609e16 hashes in the same namespace to get a one in a million chance of a collision. That is, 26090000000000000 filenames. For SHA1 This number rises even further and you'd need around 1.71e21 or 1710000000000000000000 hashes in one namespace for the one-in-a-million. I really have no clue about how many URLs you want to hash, and it seems to be LOTS since the speed of MD5 seems to be an issue for you. Let me estimate that you'd want to calculate a million hashes per second then when you use MD5, you'd have about 827 years to fill the namespace up enough to get a one-in-a-million. If you need even more hashes (say a million million per second), I'd suggest you go with SHA-1, giving you 54 years to get the one-in-a-million. Then again, if you went for a million million hashes per second, Python would probably not be the language of your choice. Best regards, Johannes -- >> at speranza.aioe.org>
https://mail.python.org/pipermail/python-list/2012-November/635104.html
CC-MAIN-2017-04
refinedweb
264
81.53
- 2.1 Program Output, the print Statement, and Hello World! - 2.2 Program Input and the raw_input()Built-in Function - 2.3 Comments - 2.4 Operators - 2.5 Variables and Assignment - 2.6 Numbers - 2.7 Strings - 2.8 Lists and Tuples - 2.9 Dictionaries - 2.10 Code Blocks Use Indentation - 2.11 if Statement - 2.12 while Loop - 2.13 for Loop and the range() Built-in Function - 2.14 List Comprehensions - 2.15 Files and the open() and file() Built-in Functions - 2.16 Errors and Exceptions - 2.17 Functions - 2.18 Classes - 2.19 Modules - 2.20 Useful Functions - 2.21 Exercises Chapter. You will notice two primary ways that Python “does things” for you: statements and expressions (functions, equations, etc.). Most of you already know the difference between the two, but in case you need to review, a statement is a body of control which involves using keywords. It is similar to issuing a command to the interpreter. You ask Python to do something for you, and it will do it. Statements may or may not lead to a result or output. Let us use the print statement for the programmer’s perennial first example, Hello World: >>> print 'Hello World!' Hello World! Expressions, on the other hand, do not use keywords. They can be simple equations that you use with mathematical operators, or can be functions which are called with parentheses. They may or may not take input, and they may or may not return a (meaningful) value. (Functions that do not explicitly return a value by the programmer automatically return None, Python’s equivalent to NULL.) An example of a function that takes input and has a return value is the abs() function, which takes a number and returns its absolute value is: >>> abs(4) 4 >>> abs(-4) 4. The print statement also allows its output directed to a file. This feature was added way back in Python 2.0. The >> symbols are used to redirect the output, as in this example with standard error: import sys print >> sys.stderr, 'Fatal error: invalid input!' Here is the same example with a logfile: logfile = open('/tmp/mylog.txt', 'a') print >> logfile, 'Fatal error: invalid input!' logfile.close()
http://www.informit.com/articles/article.aspx?p=674692&amp;seqNum=3
CC-MAIN-2018-34
refinedweb
371
71
Yelp and PackageKit 2010-03-17 Mallard was designed from the beginning to make it easy for plugins to add pages into application help documents. This works really well in a lot of cases, but sometimes you want to mention extra functionality even when the plugin isn’t installed. And sometimes, extra functionality is provided by plugins to backend frameworks. A GStreamer plugin isn’t going to install Banshee help files, and a Telepathy plugin isn’t going to install Empathy help files. So we have pages in the Empathy help that talk about using IRC. To use IRC in Empathy, you have to have telepathy-idle installed, and it turns out that some distros don’t install it by default. If the help just blindly assumes it’s installed, it just leaves the user confused. So we addressed this by adding a note like this: This is somewhat helpful. The user at least knows why all those IRC options aren’t showing up. If he’s savvy, he’ll open his package manager and be chatting in no time. If not, he at least has something to Google for. But why not make it easier? Click the link and you get this: This is not a mockup. This is yelp-3-0. And it rocks. 2010-03-17 at 20:39 Nice work! Can’t wait to see this in action. Already thinking of how Banshee can use this for MP3 and other codecs. 2010-03-17 at 20:53 This does rock. Awesome work, Shaun! 2010-03-18 at 1:02 What happens if the package is already installed? 2010-03-18 at 1:05 You rock man! This is pure awesomeness! 2010-03-18 at 1:20 But the big question is when yelp-webkit will be merged in yelp-3-0? 2010-03-18 at 1:32 It’s so logical that I wonder why it hasn’t been done before Good point !!! 2010-03-18 at 2:32 Packagekit should supply metadata i think, so that this help page could say “IRC support for Empathy” instead of “telepathy-idle”. 2010-03-18 at 3:04 Woah! That sure rocks! 2010-03-18 at 3:24 This looks brilliant… a couple of questions: How is this marked up? How are differences in package names across distributions accounted for? Is there documentation for this available (quick glance at the current Mallard docs didn’t turn anything up)? 2010-03-18 at 3:30 Seriously rock! 2010-03-18 at 4:24 How do you determine the package name? It will probably be different in different distros. I guess you have a configure option for the documentation build system? 2010-03-18 at 4:41 Very seriously rocks! 2010-03-18 at 7:57 Wow, so many comments. I’ll try to answer a few questions. Alexander, if the package is already installed, you’ll get a dialog that says as much when you click the link. It’s possible we could do notes like these that query PK and only display if necessary. But I want to be careful about the amount of time it takes to show a page. Dmitrijs, there is no need to merge the webkit branch into yelp-3-0. The yelp-3-0 branch already uses WebKit. Jonas, right now, it’s indicated with a URL-like thing that looks like “install:telepathy-idle”, on an href attribute. I want to move it to the xref attribute (Mallard allows that), leaving href as a fallback URL to show in case the user isn’t running PK. Differences in package names across distros could be handled by conditional processing if we get it in. See for a proposal on that. Also, for GStreamer codecs, PK has a method to just install by the capability they provide, without worrying about package names. This system should probably be extended to support stuff like that. 2010-03-18 at 7:57 This rocks! This is going to be the first time I will actually and in good conscience recommend users to look at Help documents. Thank you for working on this! 2010-03-18 at 11:30 Why do you ask the user twice if they want to install the package? They’ve already decided to install it by clicking on the first link. 2010-03-18 at 11:42 Ryan, that’s the way PackageKit works. When the link is clicked, Yelp just sends PackageKit a message telling it to install a package. PackageKit prompts for confirmation, searches, and handles privelage escalation. I’m not sure if there’s a way I can get around the initial confirmation dialog. Something to look into though. 2010-03-18 at 13:15 shaunm: You shouldn’t need conditionals at all. I think all the packaging systems understand the equivalent of rpm’s “virtual provides.” The install:whatever will look for any package which provides whatever. What is really going to be helpful is for there to be a way to help distributors compile a complete listing of what those whatevers for all the yelp controlled documentation are so the virtual provides in the packaging can be placed correct in the packaging. So take the empathy example… when people are prepping empathy for packaging there needs to be a clean way to get a complete listing of all the packagekit interactions that the empathy documentation embeds which we can then shove into a distribution specific built time checker to ensure all the provides are already covered in packaging.. and flag the ones that don’t so they can be fixed by adding the corresponding virtual provide in other packages. Instead of conditionals what needs to happen is a consensus discussion on what that namespace should look like. For codecs there’s the common mimetype namespace already which is a no-brainer. But what you are talking about is more abstract and there needs to be an effort to come to consensus instead of conditionalized code which just adds complexity. -jef 2010-03-18 at 16:11 Jef, certainly the more we can make the lookups distro-neutral, the better. Yelp isn’t talking directly to your pakage manager. It’s using PackageKit. So what sorts of capabilities we have depends on what PackageKit provides. PackageKit does contain various special-purpose methods for things. There’s InstallGStreamerResources for installing codecs and InstallFontconfigResources for installing fonts for languages. In Empathy’s case, maybe PackageKit should have InstallTelepathyResource. As we start to use install links in our help, we can work with the PackageKit developers on this stuff. Note, however, that conditional processing is useful in general, and not just for install links. So that’s something we’re going to do anyway. And even working with the PackageKit developers, there may still be times when conditional processing is the only short-term solution. 2010-03-19 at 6:59 Next step: links that allow to go directly to a configuration panel or to launch an action. If I lookup how to change my login photo, then no need to navigate the configuration menu/panels, just open the right panel for me.
https://blogs.gnome.org/shaunm/2010/03/17/yelp-and-packagekit/comment-page-1/
CC-MAIN-2017-34
refinedweb
1,201
66.23
Mar 10, 1945, 12:00:00 GMT The worst of the Anthrax attack was over. More than twenty thousand people were dead, and many more lay sick and dying, but the quarantine orders put in place by president Wallace at the recommendation of Jonas Salk, had stopped the spread of the disease. The government was literally decimated. Congress had lost one in eight. The White House had lost one in ten.Worse yet, the Nimbus project had lost a full third of its scientists and workers. The military was still trying to count its dead. “Hitler’s agents have been in the country for years.” J. Edgar. Hoover said to Wallace. “This attack was very carefully planned and executed. Infectious agents were released over a period of several days in locations known to be frequented by government personnel. Mr. President, we cannot let this go unanswered.” “We won’t John.” Wallace turned to Patton and DoLittle. “Gentlemen, what do you recommend?” The two generals looked at each other and Patton, speaking around his cigar, responded. “Sir, an single Orion vessel could fly over Europe and Asia and drop thousands of atomic weapons on them day after day. After a week there’d be nothing left of the whole stinking continent. No city larger than 3,000 would be left standing.” He took the cigar out of his mouth and gazed at the glowing coal. “The second vessel is nearly ready.” He looked up with a grin. “We rather like the name: Raptor. Three thousand of the kiloton bombs we use for propellant will be weapon-ized and ruggedized to survive the trip back into the air. Give us 6 weeks and we’ll be ready.” Patton once again clenched the cigar between his teeth and stared defiantly at his commander-in-chief. Dolittle squirmed in his chair. “But sir,” he said. “What we don’t understand is why they didn’t mount a land invasion during all the confusion here. They could have walked right in here. I mean by all rights, they should be sitting here now instead of us.” Monday, 12 Mar 2002, 09:00 “Hey, Avery, can I borrow you for a minute?” Avery glared at me for a second, as though the weight of the ship were on his shoulders. Then he slowly got up and sat down next to me. “What is it now?” he asked. Sometimes Avery’s moods are tough to handle. “Look at this code for a second, will you?” And I pointed at the screen. /** * Creates a relative url by stripping the common parts of the the url. * * @param url the to be stripped url * @param baseURL the base url, to which the <code>url</code> is relative * to. * @return the relative url, or the url unchanged, if there is no relation * beween both URLs. */ public static String createRelativeURL(final URL url, final URL baseURL) { boolean sameProtocol = url.getProtocol().equals(baseURL.getProtocol()); boolean sameHost = url.getHost().equals(baseURL.getHost()); boolean samePort = url.getPort() == baseURL.getPort(); if (sameProtocol && sameHost &&samePort) { // If the URL contains a query, ignore that URL; do not // attemp to modify it... List urlName = parseName(getPath(url)); List baseName = parseName(getPath(baseURL)); String query = getQuery(url); if (!isPath(baseURL)) { baseName.remove(baseName.size() - 1); } // if both urls are identical, then return the plain file name... if (url.equals(baseURL)) { return (String)urlName.get(urlName.size() - 1); } int commonIndex = startsWithUntil(urlName, baseName); if (commonIndex == 0) { return url.toExternalForm(); } if (commonIndex == urlName.size()) { // correct the base index if there is some weird mapping // detected, // fi. the file url is fully included in the base url: // // base: /file/test/funnybase // file: /file/test // // this could be a valid configuration whereever virtual // mappings are allowed. commonIndex -= 1; } final ArrayList retval = new ArrayList(); if (baseName.size() >= urlName.size()) { final int levels = baseName.size() - commonIndex; for (int i = 0; i < levels; i++) { retval.add(".."); } } retval.addAll(urlName.subList(commonIndex, urlName.size())); return formatName(retval, query); } return url.toExternalForm(); } “Who wrote this smut?” Avery proclaimed after looking through it for a few seconds. “I don’t know.” I said. “I found it buried in this old application I’m trying to learn.” Avery grimaced. “Where are the tests?” “Yeah, about that…” I grinned knowingly. Avery rolled his eyes and took on a disgusted demeanor.“OK, so there aren ’t any tests.” “None that came with the code, but I’ve written a couple so far.” “Good, let’s see them.” Avery commanded. So I waved a new screen into existence. public class UrlToolTest { @Test public void canCreateSimpleRelativeUrl() throws Exception { URL base = new URL(""); URL full = new URL(""); String relativeUrl = UrlTool.createRelativeURL(full, base); assertEquals("beta", relativeUrl); } @Test public void canHandleBackwardsReference() throws Exception { URL base = new URL(""); URL full = new URL(""); String relativeUrl = UrlTool.createRelativeURL(full, base); assertEquals("../../alpha", relativeUrl); } } Avery looked a these for a few more seconds and then proclaimed: “Oh, I see, given two URLs it just figures out how to make one relative to the other.” “I think that’s right”, I said. “OK, so why’d you call me over here?” I pointed to the multi-line comment in the middle of the module and said: “I don’t understand that comment.” “Who reads comments?” Avery said with a sneer. Then he looked closer. “Yeah, it’s not really a literary masterpiece is it? … I mean really.” And then he glared at the screen for a second and pointed to the fi In the midst of the comment. “Fie? Fie? What the hell does Fie mean? Fee, Fie, Fo, Fum. Fie?” And he looked at me with this big silly incredulous grin on his face. “Fie?” I asked. “Fie!” Avery declared with enthusiasm. “Could it mean: ‘for instance’?” I asked. “No!, it means Fie! FIE! Damn you!” I could see this was degrading rapidly. “OK, I agree. Fie! But what the heck is he talking about in the rest of the comment”? “Who the hell knows.” Avery said, and then he looked closer. “I suppose that the “base index” must be the commonIndex variable.” “Maybe, though you’d think he’d have named the variable baseIndex in that case?” “Maybe he did once, but then he changed the name of the variable. Who knows?” “Do you know what he means by ‘virtual mapping’?” “God no. Is that a mapping that has virtue? Or a mapping that doesn’t exist? Or a mapping that’s just weird, like he says a few lines above? Who knows? I’m not even sure I know what he means by the term ‘mapping’, let alone ‘virtual mapping’.” “And then what’s all this stuff about ‘configurations’? Configurations of what?” Avery paused for a second and then shook his head. “Hell, Alphonse, why are you trying to understand this? The author couldn’t even take the time to spell a word like ‘wherever’ correctly. So he clearly isn’t interested in communicating. He was probably guilty about the mess he’d made in this function, so we wrote a perfunctory comment and then just walked away.” Then Avery jabbed his finger in the air and said: “Alphonse, I have the solution. I know what to do.” “You do?” “Yes, I do.” And he waved at the screen and deleted the comment. I had my sound effects set to make a popping noise for deletes. It was a very satisfying sound in this case. “There.” Said Avery. “Problem solved.” And he went back and sat down at his workstation. I pondered his solution for a moment, and realized he was probably right. That comment told me nothing useful at all. It may have meant something to the author at one time, but the author was clearly not trying to communicate with me. I waved open the Clean Code heuristics and saw: C4: Poorly Written Comment A comment worth writing is worth writing well. If you are going to write a comment, take the time to make sure it is the best comment you can write. Choose your words carefully. Use correct grammar and punctuation. Don’t ramble. Don’t state the obvious. Be brief.
http://www.informit.com/articles/article.aspx?p=1328957
CC-MAIN-2019-30
refinedweb
1,356
77.74
03-16-2011 10:15 AM Using the QNX list but trying to add my own CellRenderer. When I override the Draw method on the cell renderer it works fine except for 2 problems. 1. The left side of the list item. Maybe the first 20 - 50 pixels or so is a solid white bar. I can't seem to get rid of this at all. 2. When I select the list item that solid white bar gets covered by the default selected look (gradient blue). But the remaining portion of the cell is not selected( I guess I can override the draw call to see if the item is selected). I guess I am asking. How do I get rid of the default white on the cell item & how do I customize the selected state of the CellRenderer. Thanks. 03-16-2011 10:55 AM Can you post the code for your renderer. It will be easier to answer your question. 03-16-2011 11:02 AM public class CustomCellRenderer extends CellRenderer { override protected function draw():void { } } That's it! Just make sure you application background or the parent of the list is something other than white otherwise you won't be able to see what I am talking about. 03-16-2011 11:06 AM Try adding super.draw() inside your draw so the parent has a chance to draw first? Also, I typically override drawLabel() to set and position new elements. 03-16-2011 11:09 AM 03-16-2011 11:21 AM - edited 03-16-2011 11:22 AM Thanks for the help. Calling super.draw() will actually overwrite anything I do in my overwritten Draw call - even if I do the work after super.draw(). Also the example you sent indicates how to set the text formating for different states. I want to change to formatting for the entire CellRendere based on state. I believe I can do t his in the draw() method by just checking the state, but not if the call is not behaving properly. Also in my example I am overriding drawLabel(), this seems to be working fine.
http://supportforums.blackberry.com/t5/Adobe-AIR-Development/QNX-List-CellItemRenderer-issues/m-p/943587
CC-MAIN-2013-20
refinedweb
357
73.17
The following form allows you to view linux man pages. #define _GNU_SOURCE /* See feature_test_macros(7) */ #include <math.h> void sincos(double x, double *sin, double *cos); void sincosf(float x, float *sin, float *cos); void sincosl(long double x, long double *sin, long double *cos); Link with -lm. Several applications need sine and cosine of the same angle x. This function computes both at the same time, and stores the results in *sin and *cos. If x is a NaN, a NaN is returned in *sin and *cos. If x is positive infinity or negative infinity, a domain error occurs, and a NaN is returned in *sin and *cos. These functions return void. See math_error(7) for information on how to determine whether an error has occurred when calling these functions. The following errors can occur:) webmaster@linuxguruz.com
http://www.linuxguruz.com/man-pages/sincosl/
CC-MAIN-2018-09
refinedweb
139
66.64
Terry Reedy wrote: On 11/30/2010 10:05 AM, Alexander Belopolsky wrote: My general answers to the questions you have raised are as follows: - Each new feature release should use the latest version of the UCD as of the first beta release (or perhaps a week or so before). New chars are new features and the beta period can be used to (hopefully) iron out any bugs introduced by a new UCD version. The UCD is versioned just like Python is, so if the Unicode Consortium decides to ship a 5.2.1 version of the UCD, we can add that to Python 2.7.x, since Python 2.7 started out with 5.2.0. - The language specification should not be UCD version specific. Martin pointed out that the definition of identifiers was intentionally written to not be, bu referring to 'current version' or some such. On the other hand, the UCD version used should be programatically discoverable, perhaps as an attribute of sys or str. It already is and has been for while, e.g. Python 2.5: import unicodedata unicodedata.unidata_version '4.1.0' 3.. The UCD should not change in bugfix releases. New chars are new features. Adding them in bugfix releases will introduce gratuitous imcompatibilities between releases. People who want the latest Unicode should either upgrade to the latest Python version or patch an older version (but not expect core support for any problems that creates). See above. Patch level revisions of the UCD are fine for patch level releases of Python, since those patch level revisions of the UCD fix bugs just like we do in Python. Note that each new UCD major.minor version is a new standard on its own, so it's perfectly ok to stick with one such standard version per Python version.
https://mail.python.org/archives/list/python-dev@python.org/message/4OXMSZVHW3WVZ5NI33TLIMGXQIN6LYUG/
CC-MAIN-2021-43
refinedweb
304
72.26
59326/trying-preprocess-types-jupyter-notebook-getting-syntax-error import SimpleITK as sitk import numpy as np ''' This funciton reads a '.mhd' file using SimpleITK and return the image array, origin and spacing of the image. ''' def load_itk('C:/Users/tek/SampleNodule'): # Reads the image using SimpleITK itkimage = sitk.ReadImage('C:/Users/tek/SampleNodule') # Convert the image to a numpy array first and then shuffle the dimensions to get axis in the order z,y,x ct_scan = sitk.GetArrayFromImage(itkimage) # Read the origin of the ct_scan, will be used to convert the coordinates from world to voxel and vice versa. origin = np.array(list(reversed(itkimage.GetOrigin()))) # Read the spacing along each dimension spacing = np.array(list(reversed(itkimage.GetSpacing()))) return ct_scan, origin, spacing # finally I am getting the following error and I can't fix it as i am novice for machine learing in python. File "<ipython-input-4-5829076b62cd>", line 7 def load_itk('C:/Users/tek/SampleNodule'): ^ SyntaxError: invalid syntax Hey @tekle, You cannot use a string in the function definition. You can only use an object and then pass a string to it. Something like this: def samp(sample): im = sitk.ReadImage("C:/Users/omkar/Downloads/images.jpg") samp("C:/Users/omkar/Downloads/images.jpg") $ pip install pybase ERROR: Could not find ...READ MORE ERROR: Command errored out with exit status ...READ MORE different data type is being used. that ...READ MORE I am trying to do mininet environment ...READ MORE if you google it you can find. ...READ MORE Syntax : list. count(value) Code: colors = ['red', 'green', ...READ MORE can you give an example using a ...READ MORE You can simply the built-in function in ...READ MORE suppose you have a string with a ...READ MORE The in-built variables and functions are defined ...READ MORE OR Already have an account? Sign in.
https://www.edureka.co/community/59326/trying-preprocess-types-jupyter-notebook-getting-syntax-error
CC-MAIN-2020-16
refinedweb
308
51.34
On Thu, Dec 11, 2008 at 1:04 PM, Noah Slater <nslater@apache.org> wrote: > People like using slashes in URLs, we can't change that. Not only that, but developers often need control over the slashes of a url (in order to make relative urls work nicely, etc). As it stands, because some browsers treat urls like as though it were no matter what you do, there's no reliable way to link to say ../../docid from an attachment, without a dynamic attachment (Javascript + browser) or hardcoding the database name in the attachment. In the long run, pragmatism wins over perfection every time. Also, I've already experienced fail when trying to host static-HTML websites in CouchDB. Because designers tend to stick things in directories, I have to go through and change all the HTML to work with a flat namespace. (Or not use CouchDB.) I still stand my (modulo Damien's caveat) proposed slash-escaping rule set. It differs from the empty rule set (aka urlencode everything) but I think it does not lead to ambiguities. I'll restate it here with more clarity: Rules for Docs with IDs that start with '_' (currently only _design/ and _local/, as per spec) /db/_design/name /db/_design/name/attachment.file /db/_design/name/attachment/with/slashes.file There is an additional constraint on design docs (which is a bug if it's not already enforced programmatically) that the name must be filesystem safe. We already have code devoted to validating database names, applying it here is a no-brainer. For _local docs or new system types which don't have to go to the filesystem, URL-escaping the name section is appropriate. Rules for attachments on regular docs are the same as above: /db/docid /db/docid/attachment.file /db/docid/attachment/with/slashes.file Docids will be URL-encoded, as they are now. The only change is that attachment paths will have real slashes. -- Chris Anderson
http://mail-archives.apache.org/mod_mbox/couchdb-dev/200812.mbox/%3Ce282921e0812111344t41e5bcd0k3d1c7d65e04475da@mail.gmail.com%3E
CC-MAIN-2014-42
refinedweb
329
63.39
Parallelism Parallelism and performance So far, we have defined several important concepts and performed a few simple operations on the device side. However, the way in which we have been executing kernels so far was quite ignorant of a parallel devices architecture and thus wasteful. It is now time to unleash the full power of device parallelism. To do that, we first have to understand roughly how a GPU is structured. A modern GPU has a few more "cores" than the typical CPU - around 16 or 32. These are sometimes called 'compute units'. Moreover, a compute unit is not quite like a CPU core. While CPUs are general-purpose and can easily execute a wide variety of instructions, GPUs are really only fit for large numeric computations. That is because unlike a CPU core, a compute unit is kind of like a very wide SIMD unit. It can execute the same operation over a large array of elements in a vectorized manner. When we multiply the SIMD width of every compute unit by their amount, we get around 2048 operations that can execute in parallel - much more than on a CPU. Of course, SYCL code can run on many more kinds of devices than just GPUs. In order to support this, it provides an abstraction over the design of parallel hardware. A single execution of a given kernel is organised into work-groups and work-items. A work-item is a single instance of a running kernel, kind of (but not quite) like a CPU thread. Each work-item is uniquely identified by a global id. Ids are not necessarily single values - they might be one, two, or three-dimensional. In the multi-dimensional cases, an id is a 'point' in an index space, with each point corresponding to a work-item. Work-items are then organised into work-groups. Each work-group contains the same number of work-items and is uniquely identified by a work-group id. Additionally, within a work-group a work-item can be identified by its local id, and the combination of a local id with a work-group id is equivalent to the global id. The number of work-items is the global size and the number of work-items within a work-group is the local size. Roughly speaking, a work-group corresponds to a single parallel device core (e.g. GPU compute unit), while the work-items within it correspond to elements in the per-core SIMD array. This has huge implications on how we should write our code to achieve best performance. The vectorized unit performs best when all elements are inputs to the same computation. For example, multiplying the entire array by a constant is blazing fast. On the other hand, divergent computation might be slower than on a CPU. For example, if the kernel contains an if statement that causes some number of work-items within a work-group to take one branch and the rest to take another, the parallel device will have to deal with the divergence in a non-optimal way. A GPU, for example, might execute the same bit of code twice, first with all SIMD units taking one branch and then with all of them taking the other branch. The results would be masked to only store the correct version for a given SIMD unit. We dont want this to happen, since it effectively doubles the runtime of a particular path. Another way to think about it is to imagine that a work-group is a squad of work-item soldiers marching in a single direction. As long as they are in sync, the march progresses correctly. However, as soon as some of the soldiers change direction, the others will run into them and cause everyone to fall over. On the other hand, its okay for different work-groups to take different paths through the kernel, since they are independent. For this reason, if we need to have divergent computation, it is best if we can pick our work-groups such that the divergence is on the level of work-groups rather than work-items. In this chapter we will encrypt a string with ROT-13 (do not actually do this if you need proper encryption) in parallel. Parallel encrypt #include <iostream> #include <cstring> #include <vector> #include <CL/sycl.hpp> namespace sycl = cl::sycl; int main(int, char**) { char text[] = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Nunc interdum in erat non scelerisque."; const size_t len = sizeof(text); sycl::queue queue(sycl::default_selector{}); { <<Submit kernel>> } std::cout << text << std::endl; return 0; } For data storage, we initialize an array with the string that we want to encrypt. Submit kernel sycl::buffer<char, 1> buf(text, sycl::range<1>(len)); queue.submit([&] (sycl::handler& cgh) { auto acc = buf.get_access<sycl::access::mode::read_write>(cgh); cgh.parallel_for<class parrot13>( sycl::range<1>(len - 1), [=] (sycl::item<1> item) { size_t id = item.get_linear_id(); // reference auto const c = acc[id]; acc[id] = (c-1/(~(~c|32)/13*2-11)*13); } ); } ); After the typical queue setup, in our command group we submit a kernel using parallel_for. As the name suggests, this function will execute the kernel in parallel on a number of work-items. There are several variants of this function. Here, we use the one with a single range<n> parameter. The range specifies the global size (we use len - 1 since we dont want to flip the newline character), but the local size is left unspecified. The data we are manipulating is not grouped in any significant way. For this reason, it is best to leave the choice of local size up to the runtime, which should find an optimal value. As a rule of thumb, only specify the local size if you need to control behaviour on the work-group level (e.g. for divergence) or when you know the best performing values for a particular piece of hardware. Corresponding to the range<n> parameter is the item<n> argument we receive in the kernel lambda. It makes only the global id available. The method item::get_linear_id combines an id in index space into a single size_t value. In the one-dimensional case, these values are the same. We then transform each letter with the encryption algorithm and write that back into the buffer. And the result is our secret code: Yberz vcfhz qbybe fvg nzrg, pbafrpgrghe nqvcvfpvat ryvg. Ahap vagreqhz va reng aba fpryrevfdhr.
https://developer.codeplay.com/products/computecpp/ce/guides/sycl-guide/parallelism
CC-MAIN-2020-16
refinedweb
1,081
63.29
when you have lots and lots of data, it’s hard to update it in a timely manner. Sometimes all you need is a bit of time while the systems in place are updating. A typical situation is the one where you have two backends serving the same data. However, one of them might lag behind the other one. When a request comes in to the one that is lagging it will throw a 404 Not Found. The solution is simple to describe; when you get a 404 try the other server. As with most other things implementing it is relatively simple if you know how to do it. Here is how: Define a director We'll start off by defining a director "content", with two backends, alfa and beta. backend alfa { .host = “alfa”; } backend beta { .host = “beta”; } director content random { { .backend = alfa; } { .backend = beta; } } Then we need to point the requests at this director in vcl_recv. Just "set req.backend = content" should do the trick. Now we’ve setup Varnish to balance between our two hosts, alfa and beta. Next step, make it try the other one on a 404. Saint mode To do this we’ll use saint mode. Saint mode, named after the most graceful being we could think of is sort of grace mode +. What it does is actually very simple. It maintains a temporary blacklist of backend and objects. So, you can use it to bar Varnish Cache from fetching a certain URL from a certain server. Which, when you think about it is exactly what we want. We want to block Varnish from fetching something from a server for a certain time, maybe 5 seconds. Then to forget about the whole thing. The VCL in vcl_fetch: if (beresp.status == 404) { set beresp.saintmode = 5s; return (restart); } There isn't much to explain, really. We enable saintmode on the object and restart. saintmode_threshold saintmode_threshold is a parameter which will influence the how the probes interact with saint mode. If there are more than saintmode_threshold objects on the blacklist for a certain backend that backend will be considered sick. The default is 10. For 404 handling you probably want to disable the whole thing. You can do this by setting saintmode_threshold to 0. Note: Saint mode has been removed from Varnish Cache 4.0. When I get around to it I can see if I can come up with a recipe for doing this with Varnish 4.0.
https://info.varnish-software.com/blog/404-handling-varnish-cache
CC-MAIN-2019-39
refinedweb
412
76.42
Easy way to display formatted text I have a script that outputs some text to the console and all I want to do is display it in a specific size and font. It appears I could use Scene, UI, Hydrogen, HTML (to the internal browser), and maybe other ways. What is the simplest way? Does anyone have a code snippet to share? The consolemodule has the set_fontand set_colorfunctions, which are probably the easiest way to "upgrade" your script to output formatted text. You can do it with the consolemodule. Example: console.set_font('Zapfino', 48) console.set_color(1.00, 0.50, 0.00) print 'Hello' console.set_font() console.set_color(0.00, 0.00, 0.00) print 'world!' @dgelessus, @Gerzer Very helpful, thanks. Now if I want to go a step further and dynamically update a displayed value, what do you recommend using? Really low budget animation via console.clear(). import console, time for i in xrange(10): for char in '/-\\|': console.clear() print(char) time.sleep(0.25) Sorry if this is a very basic question but if I were to use ui, then I presume I want to use the label object? If so, can you give me a script fragment that would display the value of a variable as a label created in the UI designer? What I came up with: import ui v=ui.load_view('My UI') v['label1'].text='Text to display' v.present('sheet') Does this look reasonable? Looks like all the right stuff to me. If you want to see dynamic updating of the text you could import timeand add the following two lines to the end of your code above: while v.on_screen: v['label1'].text= 'The current time is: {}'.format(time.ctime()) You will probably need to go into the UI Designer and stretch your label to the right to see all the text. My strong recommendation at this point is that you check out the UI Tutorialexamples in the UI section of Pythonista Tools. It is a great way to learn the ui module and there are great tips and tricks there. You can submit pull requests if you have ideas for improving that content.
https://forum.omz-software.com/topic/1451/easy-way-to-display-formatted-text
CC-MAIN-2021-31
refinedweb
363
76.01
Copyright ©2000 eBusiness Technologies, Inc. Distribution policies are governed by the W3C intellectual property terms In many applications of XML, there is a requirement for using XML in conjunction with a scripting language. Many times, this results in a scripting language such as JavaScript being bound within the XML content (like the <script> tag). XEXPR is a scripting language that uses XML as its primary syntax, making it easily embeddable in an XML document. In addition, XEXPR takes a functional approach, and hence maps well onto the syntax of XML. This document is one component of a submission request to the World Wide Web Consortium from eBusiness Technologies, submitted to the W3C in the hope that it will serve an educational and advisory role for future efforts. It is hoped that future effort requiring an XML-based syntax for expressions will use XEXPR. Should any changes be required to the document, we would expect future versions to be produced by the W3C process. eBT maintains ownership of the XEXPR specification and reserves the right to maintain and evolve the XEXPR specification independently and such independent maintenance and evolution shall be owned by eBT. A list of current W3C technical documents can be found at the Technical Reports page. The grammar for the XEPR language - a deliberate pun on SEXPR, is defined below. The grammar cannot be expressed completely in a DTD, because DTDs assume a fixed vocabulary (fixed set of tags), and the XEXPR language allows arbitrary definitions (arbitrary tag definitions) to occur. From a practical perspective this means that a document with arbitrary XEXPRs embedded within it cannot be validated against a DTD unless the DTD is extended to include definitions of all the tags found in the expressions in the document. This is the grammar defined in pseudo-BNF. function : '<' id bindings '>' constants '</' id '>' ; bindings : id "=" "\"" value "\"" : id "=" "\'" value "\'" ; id : [a-zA-Z\-\.]+ ; value : string | number ; constants : constant | constants constant ; constant : function | string | number ; number : 0x[0-9A-Fa-f]+ | [0-9]+ | [0-9]+.[0-9]+ | [0-9]+.[0-9]+[+-][eE][0-9]+ ; The language is very close to a typical LISP or combinator-based language where the primary means of programming is through functional composition. The only real exception is the bindings construct. The bindings construct is designed to make XEXPR somewhat more naturally expressed in XML. It allows attributes to be used as a form of named parameter. In XEPR attributes are a shorthand form of a <define> function. For example, the following two expressions are equivalent. In this case, the <email> function is expecting a value called to to be bound to a value in it's environment, which is what the <define> function does. Note that <define> is a special case because <define name="ebt">eBusiness Technologies</define> cannot be fully decomposed. Precedence is given to expressions over bindings as the expressions are evaluated as part of the evaluation of the function, and hence override the binding in the environment. For example, the following would print 3, not 2. <print x="2"><define name="x">3</define><x/></print> The grammar above is somewhat ambiguous in that the constant construct, when PCDATA is encountered, has ill-defined semantics. For example, the following is ambiguous. <foo>This is the 0xdeadbeef constant.</foo> The ambiguity lies in whether there is a single string constant, or multiple constants (strings and numbers). Likewise, how many objects form the constant construct in the following example? <foo>This is a <constant>constant</constant>.</foo> In the XEXPR language, PCDATA is fully parsed. This means that in the first example, 3 objects match the constant construct. Shown graphically, the parse tree would look like the following. Parse tree for "<foo>This is the 0xdeadbeef constant.</foo>" The second example would be similar, with the <constant> function forming a sub-tree of it's own. In addition, XEPXR has a notion of insignificant whitespace. In XEXPR, all whitespace following a start tag is ignored, up to the first non-whitespace character. In addition, all whitespace following a non-whitespace character, up to the end tag, is ignored. <foo> This is a test. </foo> This example would result in the following parse tree. Resulting parse tree Note that the leading and trailing whitespace are not part of the constant. This of course begs the question of how one defines a string with leading and trailing whitespace. The answer is to use the <string> function. The <string> function serves two roles. Firstly, it acts as a typical combinatorial constant function. Secondly it acts as a signal to the XEXPR parser to pass on the content verbatim. For example, the following expression <foo> <string> abc def </string> </foo> will result in the following parse tree Parse tree using <string> which is quite different from the parse tree shown earlier. Note that the content of a <string> function is still PCDATA, so elements will be parsed as elements, causing errors: the content of <string> must be a sequence of characters. XEXPR allows functions to be defined and invoked in a way somewhat different from both traditional procedural languages and LISP systems. When the <define> function is invoked, the result is a function, in much the same way that lambda works in LISP. The following expressions all result in functions. <define name="pi">3.14</define> <define name="2pi"> <multiply><pi/>2</multiply> </define> <define name="square" args="x"> <multiply><get>x</get> 2</multiply> </define> The first returns a function, which returns the numeric constant 3.14. The second returns a function that returns the value of <pi/> multiplied by 2. The last returns a function with a required argument x. If this last one is invoked without arguments, an error will occur. Note that bound arguments such as the above can be accessed either through the <get> function, or directly. The following two definitions are equivalent. <define name="square" args="x"> <multiply><get>x</get><get name="x"/></multiply> </define> <define name="square" args="x"> <multiply><x/><x/></multiply> </define> Function invocation is fairly traditional. Essentially, all tags get turned into function calls, and the content into arguments. For example invokes the email function with a single argument. If the function definition requires arguments, the arguments are evaluated and bound to the names of the corresponding argument in the argument list. For example <square>2</square> calls the square function defined earlier with the argument (numeric constant 2) bound to the x variable in the environment. Unbound arguments are evaluated, just as bound arguments are, and hence can have side-effects. For example <square>2<define name="x">4</define></square> will not evaluate to 4, but instead 16, because the x variable bound in the environment is given a different value by the define call in the argument list. The set function could just as easily been used.> The following is the linear iterative form of the same algorithm. While it accomplishes the same thing as the above, it uses far less stack. <define name="factorial" args="x"> <define name="iterator" args="product counter max"> <if> <gt><counter/><max/></gt> <product/> <iterator> <multiply><counter/><product/></multiply> <add><counter/>1</add> <max/> </iterator> </if> </define> <iterator>1 1 <x/></iterator> </define> This is obviously more complex than the simple recursive form. This section documents the functions that form elements of the XEXPR language or syntax. These functions typically have side effects. <define> generates a function with the body given by the value provided, and binds it to the name given. If an args parameter is supplied, the function is required to have enough arguments to bind all the names when it is invoked. <define> requires a name argument, and may also have an args argument that supplies a list of names for arguments. A function object is returned. <define name="pi">3.14</define> <define name="times2" args="x"> <multiply><get name="x"/>2</multiply> </define> <pi/> --> <float>3.14</float> <times2>10</times2> --> <integer>20</integer> <times2> 2 <set name="x">4</set> </times2> --> <integer>8</integer> <times2> 2 <define name="x">5</define> </times2> --> <integer>10</integer> <print> is a function that prints its evaluated argument list to standard output. This function takes zero or more expressions as arguments. If the newline attribute has the value true, a newline will also be printed. <true> <print><add>2 2</add></print> <print>Hello World</print> <print newline="true"/> <println> is a function that prints a new line to standard output. No arguments are necessary or used. <true> <println/> Get the value of a variable from the environment. <get> takes a name argument. It will first look in the environment to see if a name variable has been specified. If a name variable does not exist, it uses the first argument as the name. Note that in most cases; <get> is superfluous because the same effect can be accomplished by using a tag with the name of the value. <get> will return an object. If an object with the given name doesn't exist, <nil/> is returned. <get name="x"/> <get>x</get> <x/> <set> binds a name to a value in the current environment. If a variable of the given name is not found in the environment, a new variable is created. Note that the difference between <set> and <define> is that <set> evaluates it's arguments, whereas <define> does not. <set> takes a name and a value argument. These can be any combination of named and unnamed arguments. <set> looks first for variables bound to those names, and if they don't exist, uses the first two passed arguments. The value passed is returned. <set name="x" value="hello"/> --> <string>hello</hello> <set name="x">hello</hello> --> <string>hello</string> <set>hello 123</set> --> <integer>123</integer> <expr> is a function that acts as a grouping mechanism for expressions. In many ways, it is similar to lambda in LISP. This function can take an arbitrary list of arguments, which will then comprise the body of the function. If none are supplied, <nil/> is provided as a body. <expr> returns the evaluated form of the last expression in the function body. If no function body is provided as arguments, the return result is <nil/>. <expr> <set name="x"gt;3</set> <print><x/></print> </expr> This function is used to signal early exit from a function. It is provided solely to provide a little syntactic sugar for structuring function definitions. <return> takes an arbitrary set of expressions as arguments. <return> returns the evaluated value of the last argument passed to it. If no arguments were supplied, it will return <nil/>. <define name="foo"> <return>bar</return> </define> This section documents the constant functions. Constant functions are provided as a way to bind constants to a function. In addition, the content of the constant functions is limited to the valid syntactic structures of the constant type. <string> is used to mark a given expression as a string. No markup can occur within it. The primary intent of this function is to provide an escape from the normal PCDATA parsing rules of XEXPR. <string> takes a string as an argument. This function returns a string constant. <string>This is #1</string> The <integer> function evaluates to an integer constant. This function takes a number as an argument. If the argument is not a number, an exception is thrown. This function returns an integer constant. <integer>123</integer> The <float> function evaluates to a floating point constant. This function takes an integer or floating point constant as an argument. If the argument is not a number, an exception is thrown. This function returns a floating point constant. <float>123</float> <float>123.143</float> <true/> acts both as a self-evaluating function and a constant. It represents the Boolean truth-value. No arguments are required or used. <true/> <true/> <false/> acts both as a self-evaluating function and a constant. It represents the Boolean false-value. No arguments are required or used. <false/> <false/> <nil/> represents an empty expression. It acts both as a function and as a constant. Note that for Boolean tests, <nil/> and <false/> are equivalent, but when compared directly using <eq/> they are considered different objects. No arguments are required or used. <nil/> <nil/> This section defines the standard arithmetic operators provided by the XEXPR language. Add a list of arguments together. <add> takes an arbitrary sequence of expressions. All arguments are fully evaluated. The return result is dependent upon the first argument supplied. If it is a string, the return result is a string representation of all the arguments concatenated together. If the first argument is numeric, the result is also numeric provided that all arguments are also numeric. It is an error for a leading numeric argument to be followed by anything other than numeric arguments. <add>1 2 3</add> --> <integer>6</integer> <add>1 2 3.0></add> --> <float>6.0</float> <add>Hello World#<add>2 2</add></add> --> Hello Word#4 <add><set>x 3</set>2</add> --> <integer>5</integer> Subtract a list of numbers from the initial number. The first value is taken as the starting point and then subsequent numbers are subtracted from it. <subtract> takes an arbitrary set of expressions as arguments. All arguments are fully evaluated. If any of the evaluated arguments do not result in a numeric constant, an error occurs. <subtract> returns a numeric constant. <subtract>10 2 1</subtract> --> <integer>7</integer> Multiply a list of numbers. The first value is taken as the starting point and it is then multiplied by subsequent arguments. <multiply> takes an arbitrary set of expressions as arguments. All arguments are fully evaluated. If the evaluated arguments do not result in a numeric constant, and error occurs. <multiply> returns a numeric constant. <multipy>10 2 1</multiply> --> <integer>20</integer> Divide a list of numbers. The first value is taken as the starting point and it is then divided by subsequent arguments. <divide> takes an arbitrary set of expressions as arguments. All arguments are fully evaluated. If the evaluated arguments do not result in a numeric constant, and error occurs. <divide> returns a numeric constant. <divide>20 2 2</divide> --> <integer>5</integer> This section describes the comparison functions available in the XEXPR language. Test a sequence of arguments for equality. Equality means that the evaluated values have the same type and the same value, not the same identity. <eq> takes a sequence of expressions to be tested. <true/> or <false/> <eq> <string>A</string> A <set name="x">A</set> </eq> --> <true/> <eq> 1 1 1 <define name="x">1</define> </eq> --> <true/> <eq> <string>A</string> A <define name="x">B</define> </eq> --> <false/> <eq> 1 1 1 <define name="x">2</define> </eq> --> <false/> Check a sequence of expressions for inequality. <neq> takes a sequence of expressions to be tested. <true/> or <false/> <neq> <string>A</string> B <define name="x">C</define> </neq> --> <true/> <neq> 1 2 3 <define name="x">4</define> </neq> --> <true/> <neq> <string>A</string> B <define name="x">B</define> </neq> --> <false/> <neq> 1 1 2 <define name="x">2</define> </neq> --> <false/> Evaluate a list of expressions and test if they are sequentially less than or equal to one another. The arguments must all evaluate to the same type of object otherwise <false/> is returned. <leq> takes a sequence of expressions to be tested. <true/> or <false/> <leq> <string>C</string> B <define name="x">B</define> </leq> --> <true/> <leq> 4 3 2 1 <define name="x">1</define> </leq> --> <true/> <leq> <string>C</string> B <define name="x">C</define> </leq> --> <false/> <leq> 4 3 2 1 <define name="x">2</define> </leq> --> <false/> Evaluate a list of expressions and test if they are sequentially greater than or equal to one another. The arguments must all evaluate to the same type of object otherwise <false/> is returned. <geq> takes a sequence of expressions to be tested. <true/> or <false/> <geq> <string>A</string> B <define name="x">B</define> </geq> --> <true/> <geq> 1 2 3 <define name="x">3</define> </geq> --> <true/> <geq> <string>A</string> B <define name="x">A</define> </geq> --> <false/> <geq> 1 1 2 <define name="x">1</define> </geq> --> <false/> Evaluate a list of expressions and test if they are sequentially less than one another. The arguments must all evaluate to the same type of object otherwise <false/> is returned. <lt> takes a sequence of expressions to be tested. <true/> or <false/> <lt> <string>A</string> B <define name="x">C</define> </lt> --> <true/> <lt> 1 2 3 <define name="x">4</define> </lt> --> <true/> <lt> <string>A</string> B <define name="x">B</define> </lt> --> <false/> <lt> 1 2 3 <define name="x">3</define> </lt> --> <false/> Evaluate a list of expressions and test if they are sequentially greater than one another. The arguments must all evaluate to the same type of object otherwise <false/> is returned. <gt> takes a sequence of expressions to be tested. <true/> or <false/> <gt> <string>C</string> B <define name="x">A</define> </gt> --> <true/> <gt> 4 3 2 <define name="x">1</define> </gt> --> <true/> <gt> <string>C</string> B <define name="x">C</define> </gt> --> <false/> <gt> 4 3 2 <define name="x">3</define> </gt> --> <false/> <and> sequentially evaluates its arguments. If all evaluate to <true/> it returns <true/> otherwise it will return <false/>. Arguments that evaluate to anything other than <true/> result in <false/> being returned, including arguments of anything other than Boolean type. Note that this is a logical, not a bitwise and. <and> can take an arbitrary list of arguments. <and> returns <true/> or <false/> depending on the arguments supplied. If no arguments are supplied, <and> returns <true/>. <and> <true/> <define name="x"><true/></define> </and> --> <true/> <and> <true/> <define name="x"><false/></define> </and> --> <false/> <or> evaluates its arguments sequentially. If any are <true/> it returns <true/> otherwise <false/>. Note that this is a logical or, not a bitwise or. <or> can take an arbitrary list of arguments. <or> returns <true/> or <false/> depending on the arguments supplied. If no arguments are supplied, <or> returns <true/>. <or> <true/> <define name="x"><true/></define> </or> --> <true/> <or> <true/> <define name="x"><false/></define> </or> --> <true/> <or> <false/> <define name="x"><false/></define> </or> --> </false> <not> evaluates its arguments sequentially. If any are <false/> it returns <true/> otherwise <false/>. Note that this is a logical not, not a bitwise not. <not> can take an arbitrary list of arguments. <not> returns <true/> or <false/> depending on the arguments supplied. If no arguments are supplied, <not> returns <true/>. <not><true/></not> --> <false/> <not><false/></not> --> <true/> <not><nil/></not> --> <true/> <not>1</not> --> <false/> <if> represents a conditional branching of program flow. <if> requires at least 2 arguments to be passed: the test and the expression to evaluate if the test evaluates to <true/>. This is roughly akin to an if-then logic flow. <if> can also take a 3rd argument which is the expression to evaluate if the test evaluates to <false/>, in which case, the if expression is equivalent to an if-then-else statement. <if> returns the evaluated result of the expression selected by the test. If the test fails and only 2 arguments are supplied, <if> will return <nil/>. <if> <eq>1 2</eq> <expr> <print>equal</print> </expr> <expr> <print>not equal</print> </expr> </if> <switch> is similar to <if> but represents a multi-way branch. <switch> requires a list of <case> expressions. Each <case> expression in turn must be made up of a test expression, and an expression to evaluate if the test is evaluated to <true/>. Each of the tests in the <case> expressions is evaluated in turn. The first test that evaluates to <true/> decides the result of the <switch>, which is the evaluated result of the expression part of the <case> expression. If none evaluate to <true/>, <nil/> is returned. <define name="test1" args="x"> <switch> <case> <eq><x/>1</eq> 1 </case> <case> <true/> 2 </case> </switch> </define> <define name="test2" args="x"> <switch> <case> <eq><x/>1</eq> 1 </case> </switch> </define> <test1>1</test1> --> <integer>1</integer> <test1>2</test1> --> <integer>2</integer> <test2>1</test2> --> <integer>1</integer> <test2>2</test2> --> <nil/> This section documents the looping constructs XEXPR provides. Note that in addition to these, linear iterative forms can be used to form loops. <while> loops over a given expression so long as the supplied test evaluates to <true/></> <while> takes two arguments. The first is the test expression, the second is the expression to be executed so long as the test evaluates to <true/>. <while> returns the value of the last evaluated expression. <while> <gt><x/> 0</gt> <expr> <print newline="true"><x/><print> <subtract><x/> 1</subtract> </expr> </while> <do> loops over a given expression so long as the supplied test evaluates to <true/>. It will execute the body at least once. <do> takes two arguments. The first is the body to be executed, the second is the expression to be tested. <do> returns the value of the last evaluated expression. <do> <expr> <print newline="true"><x/><print> <subtract><x/> 1</subtract> </expr> <gt><x/> 0</gt> </do> The namespace URI for XEXPR is People using this namespace are encouraged to use the xexpr namespace prefix. The public identifier for XEXPR is -//EBT//DTD XML Expression Language//EN <!DOCTYPE xexpr [ <!ENTITY % expression "bind|define|get|set |expr|add|subtract|multiply |divide|string|integer|float |true|false|nil|eq|neq|leq |geq|lt|gt|and|or|not|if |switch|do|while|print |println"> <!ELEMENT xexpr (%expression;)*> <!ELEMENT bind EMPTY> <!ATTLIST bind class CDATA #REQUIRED name CDATA #IMPLIED> <!ELEMENT define (%expression;)*> <!ATTLIST define name CDATA #REQUIRED args CDATA #IMPLIED> <!ELEMENT get EMPTY> <!ATTLIST get name CDATA #REQUIRED> <!ELEMENT set (%expression;)*> <!ATTLIST set name CDATA #REQUIRED> <!ELEMENT expr (%expression;)*> <!ELEMENT add (%expression;)*> <!ELEMENT subtract (%expression;)*> <!ELEMENT multiply (%expression;)*> <!ELEMENT divide (%expression;)*> <!ELEMENT string (#PCDATA)> <!ELEMENT integer (#PCDATA)> <!ELEMENT float (#PCDATA) > <!ELEMENT true EMPTY> <!ELEMENT false EMPTY> <!ELEMENT nil EMPTY> <!ELEMENT eq (%expression;)*> <!ELEMENT neq (%expression;)*> <!ELEMENT leq (%expression;)*> <!ELEMENT geq (%expression;)*> <!ELEMENT lt (%expression;)*> <!ELEMENT gt (%expression;)*> <!ELEMENT and (%expression;)*> <!ELEMENT or (%expression;)*> <!ELEMENT not (%expression;)*> <!ELEMENT if (%expression;)*> <!ELEMENT switch (case*) > <!ELEMENT case (%expression;)*> <!ELEMENT do (%expression;)*> <!ELEMENT while (%expression;)*> <!ELEMENT print (#PCDATA|%expression;)*> <!ATTLIST print newline (true|false) #IMPLIED> <!ELEMENT println (#PCDATA|%expression;)*> ]> The following is a list of recommended reading.
http://www.w3.org/TR/xexpr/
crawl-002
refinedweb
3,758
58.28
Tutorial Let me just first make it clear, that Fabric is alpha software and still very much in development. So it’s a moving target, documentation wise, and it is to be expected that the information herein might not be entirely accurate. The ache Here’s the thing: you’re developing a server deployed application, it could be a web application but it doesn’t have to be, and you’re probably deploying to more than one server. Even if you just have one server to deploy to, it still get tiresome: first steps Fabric is a tool that, at its core, logs into a number of hosts with SSH, and executes a set of commands and possibly uploads or downloads files. There are two parts to it; there’s the ‘fab’ command line program, and there’s the ‘fabfile.’ The ‘fabfile’ is where you describe commands and what they do. For instance, you might have a command called ‘deploy’ that builds, uploads and deploys your application. The ‘fabfiles’ are really just python scripts and the commands are just python functions. This python script is loaded by the ‘fab’ program and the commands are executed as specified on the command line. Here’s what a super simple ‘fabfile’ might look like: def hello(): "Prints hello." local("echo hello") Let’s break that down line by line. First, there’s the def hello(): line. It defines a command called ‘hello’ so that it can be run with ‘fab hello’, but we’ll get to that part. Next comes a block of text that is indented with two spaces. It is not important that we use exactly two spaces, just that each line is consistently indented. The first line of the indented block is a doc-string. It documents the purpose of the command and is used in various parts of Fabric, for instance, the ‘list’ command will display the first line of the doc-string next to the name of the command in its output. Following the doc-string is a call to a function called ‘local’. In Fabric terminology, ‘local’ is an operation. In python, functions are functions, but Fabric destinguished between commands and operations. Commands are called with the ‘fab’ command line program, and operations are in turn called by commands. Since they’re both just python functions, there’s nothing stopping commands from calling other commands as if they were operations. Getting back to ‘local’, you’re probably left wondering what it does. Well, maybe you already guessed it. Regardless, there’s a way to know for sure. And it’s the ‘help’ command. A command can take parameters when run from the command line, by appending a colon and then a parameter list to the end of the command name. For instance, if we want to invoke the ‘help’ command with the parameter ‘local’, we would type fab help:local on the command line. Let’s try doing just that: rowe:~ vest$ fab help:local Fabric v. 0.0.5, Copyright (C) 2008 Christian Vest Hansen. Fabric comes with ABSOLUTELY NO WARRANTY; for details type `fab warranty'. This is free software, and you are welcome to redistribute it under certain conditions; type `fab license' for details. Warning: Cannot load file 'fabfile'. No such file in your current directory.") Done. rowe:~ vest$ First, Fabric prints a header with copyright and licensing information. Then, there’s a warning stating that no ‘fabfile’ was found – which is understandable because we haven’t created one yet. Finally, the ‘help’ command is run and it prints the built-in documentation for the ‘local’ operation. You can use the ‘list’ command to figure out what other operations are available. Try running fab help:list to figure out how to use it. Since Fabric complains when it can’t find any ‘fabfile,’ let’s create one. Create a file in your current directory (of the terminal you used to run fab help:local with above), call it ‘fabfile.py’, open it in your favorite text editor and copy-paste the example ‘fabfile’ above into it. Now, let’s see what happens when we run fab hello: rowe:~ vest$ fab hello Fabric v. 0.0.5, Copyright (C) 2008 Christian Vest Hansen. Fabric comes with ABSOLUTELY NO WARRANTY; for details type `fab warranty'. This is free software, and you are welcome to redistribute it under certain conditions; type `fab license' for details. Running hello... [localhost] run: echo hello hello Done. rowe:~ vest$ ‘local’ operation. However, that in and off itself isn’t particularly useful. We can do that with shell scripts just fine. Instead, what we’d rely like to do, it to log in to a number of remote hosts and execute the commands there. Fabric let us do just that with these three operations: - ‘put’ : Uploads a file to the connected hosts. - ‘run’ : Run a shell-command on the connected hosts as a normal user. - ‘sudo’ : Run a shell-command on the connected hosts as a privileged user. These operations are the bread and butter of remote deployment in Fabric. But before we can use them, we need to tell Fabric which hosts to connect to. We do this by setting the ‘fab_hosts’ variable with the ‘set’ operation, to a list of strings that are our host names. We also need to specify the user we want to log into these hosts with. Try changing your ‘fabfile’ so it looks like this: set( fab_hosts = ['127.0.0.1'], fab_user = 'vest', ) def hello(): "Prints hello." local("echo hello") def hello_remote(): "Prints hello on the remote hosts." run("echo hello from $(fab_host) to $(fab_user).") We set the variables need to connect to a host, and then we run an ‘echo’ command on the host. Note how we can access variables inside the string. The dollar-parenthesis syntax is special to Fabric; it means that the variables should be evaluated as late as possible, which in this case will be when the ‘run’ command actually get executed against a connected host. Let’s try running fab hello_remote now and see what happens: rowe:~ vest$ fab hello_remote Fabric v. 0.0.5, Copyright (C) 2008 Christian Vest Hansen. Fabric comes with ABSOLUTELY NO WARRANTY; for details type `fab warranty'. This is free software, and you are welcome to redistribute it under certain conditions; type `fab license' for details. Running hello_remote... Logging into the following hosts as vest: 127.0.0.1 Password: [127.0.0.1] run: /bin/bash -l -c "echo hello from 127.0.0.1 to vest." [127.0.0.1] out: hello from 127.0.0.1 to vest. Done. rowe:~ vest$ When we get to executing the ‘run’ operation, the first thing that happens is that Fabric makes sure that we are connected to our hosts, and if not, starts connecting. TODO: - Configuration with ~/.fabric - Managing environments and configuration dependencies with ‘require’
http://www.nongnu.org/fab/tutorial.html
crawl-001
refinedweb
1,150
65.83
Five AJAX Frameworks Reviewed ScuttleMonkey posted more than 6 years ago | from the buzzwordtaculous dept. (4, Insightful) AKAImBatman (238306) | more than 6 years ago | (#18963067):Frameworks (2, Insightful) teknopurge (199509) | more than 6 years ago | (#18963201) Frameworks are what professionals use - the enforce well-formed code and design patterns. Find me a J2EE project that doesn't use Struts/Shale/WebWork/etc. and I will show you inefficiencies. Re:Frameworks (5, Insightful) profplump (309017) | more than 6 years ago | (#18963307) That's not to say that frameworks aren't useful for some purposes, but "enforcing well-formed code and design patterns" is not one of those reasons, nor is failing to use frameworks evidence of bad design. Re:Frameworks (0) Anonymous Coward | more than 6 years ago | (#18966585) Who needs a framework? Losers. Re:Frameworks (5, Insightful) AKAImBatman (238306) | more than 6 years ago | (#18963489) (0, Flamebait) jeks (68) | more than 6 years ago | (#18964137) I do not know why GWT was dismissed from the above test (claiming a new "Java API" had to be learnt, as if the other frameworks do not require some domain specific API knowledge). What I know is that GWT makes use of modern compiler optimisation theories to remove dead code (AVAIL and LVA comes to mind), to make the best decisions when it comes to code elimination. Go ahead, write your custom "l33t haxxor javascript" to keep on beating an already dead horse (bad) or reinvent the wheel (even worse). You are probably the kind of person who think you can manually improve the register allocation by handwritten code over de facto graph colouring register allocation techniques, also implemented by compilers. Either that, or you are completely unaware of all the behind the scene computations made possible by a high level language such as JavaScript, in which case you have no idea how much "control" you are giving up. In that case, I suggest going back to asm.exe and load up a couple of networking libraries for TCP/IP, a scheduler library for multi-threading the GUI/network code, some screen drawing libs, maybe even a widget library, a nice HTML library, then some JavaScript sugar on top. Oh, wait!!! That is a lot of bloat, better make a custom library that implements only the necessities... See you at the asylum! Re:Frameworks (1) AKAImBatman (238306) | more than 6 years ago | (#18964287) that meet your project specifications, and there is a time to eschew such frameworks as not being a good choice for what you need to do. Now hear me out for a moment here. How many publicly available Google projects use GWT? When you come up with the correct answer (a lot of folks have the wrong answer to that question) you may find yourself with something to ponder. Re:Frameworks (0, Flamebait) jeks (68) | more than 6 years ago | (#18964545) You do make a good point regarding in-house production uses of GWT (it is 0, as we both know) but that does not set it very much apart from the other frameworks tested. There is GPokr [gpokr.com] though, which you may find yourself enjoying while pondering over your next irrelevant proverb to verbatim. Re:Frameworks (0, Offtopic) putaro (235078) | more than 6 years ago | (#18966675) Re:Frameworks (4, Insightful) drix (4602) | more than 6 years ago | (#18964405) Re:Frameworks (1) chromatic (9471) | more than 6 years ago | (#18965153) I won't defend the difficulty of relying on other packages in JavaScript, but Java's idea of OO is by no means the only way. Arguably, it's not the best way either--structural subtyping is a curious decision, at best. Re:Frameworks (0, Insightful) Anonymous Coward | more than 6 years ago | (#18965519) Re:Frameworks (1) Paradise Pete (33184) | more than 6 years ago | (#18965709) How many projects have you deployed using a framework? Re:Frameworks (2, Insightful) rickla (641376) | more than 6 years ago | (#18965729) Re:Frameworks (1) Fujisawa Sensei (207127) | more than 6 years ago | (#18966685):Frameworks (2, Informative) Rasit (967850) | more than 6 years ago | (#18963231):Frameworks (1) LiquidCoooled (634315) | more than 6 years ago | (#18963329) vs Father: "Heres a box of lego, it will go nicely with the big duplo bricks you got last year" No, man, Joel drove them off the cliff: (2, Informative) smitty_one_each (243267) | more than 6 years ago | (#18963257) Frameworks versus Libraries (4, Informative) dmeranda (120061) | more than 6 years ago | (#18963349). Re:Frameworks (1) suv4x4 (956391) | more than 6 years ago | (#18963361) offer your solution. Frameworks offer you the second, you need to think of the first yourself. Once you have customers/visitors and then the framework you used starts showing weaknesses (mind you, a "weakness" isn't opening your View Source and being overly anal about how the code *looks*), you'll have the time and resources to improve your service/site/solution/product/whatever. Re:Frameworks (3, Insightful) AKAImBatman (238306) | more than 6 years ago | (#18963701):Frameworks (0) truthsearch (249536) | more than 6 years ago | (#18963955) (Kidding, kidding...) Re:Frameworks (0) AKAImBatman (238306) | more than 6 years ago | (#18964143) I don't know about the current version, though. It seems to do some sort of weird page-refresh thing. Re:Frameworks (1) suv4x4 (956391) | more than 6 years ago | (#18964289) I'm not sure how this negates the framework model. It's exactly a framework that could provide you always with a unique id, or avoid the need of an id. I'm not familiar with Portlets and couldn't understand your example. Re:Frameworks (1) Checkmait (1062974) | more than 6 years ago | (#18963541) Re:Frameworks (1, Interesting) Anonymous Coward | more than 6 years ago | (#18963651) Anyway, there's tons of crap you'll never need in it -- so rip out what you do! It also has the ability to do basic animation, opacity toggling and dissolving, etc. Of course it adds to the bloat, but it's intended for you to pluck out what you need and can the rest... To do the toggling you speak of (even when styles are defined in a style sheet / style tag / whatever): function iwfShow(id, reserveSpace, displayMode){ var el = iwfGetById(id); if (!el) { return false; } if (reserveSpace){ var disp = 'visible'; if (iwfExists(displayMode) && displayMode != null){ disp = displayMode; } iwfStyle(el, 'visibility', disp); } else { var disp = 'block'; if (iwfExists(displayMode) && displayMode != null){ disp = displayMode; } iwfStyle(el, 'display', disp); } } function iwfHide(id, reserveSpace){ var el = iwfGetById(id); if (reserveSpace){ iwfStyle(el, 'visibility', 'hidden'); } else { iwfStyle(el, 'display', 'none'); } } function iwfStyle(id, styleName, newVal){ var el = iwfGetById(id); if (!el) { return false; } var ret = ''; if (el.currentStyle) { ret = el.currentStyle[styleName]; } else { try { ret = document.defaultView.getComputedStyle(el,null).ge } catch(e) { } } if (iwfExists(newVal)){ if (el.runtimeStyle){ el.runtimeStyle[styleName] = newVal; ret = newVal; } else { ret = el.style[styleName] = newVal; } } return ret; } function iwfExists(){ for(var i=0;iarguments.length;i++){ if(typeof(arguments[i])=='undefined') { return false; } } return true; } function iwfGetById(id){ var el = null; if (iwfIsString(id) || iwfIsNumber(id)) { el = document.getElementById(id); } else if (typeof(id) == 'object') { el = id; } return el; } function iwfIsString(s){ return typeof(s) == 'string'; } function iwfIsNumber(n){ return typeof(n) == 'number'; } Re:Frameworks (0) Anonymous Coward | more than 6 years ago | (#18963775) Re:Frameworks (4, Insightful) PietjeJantje (917584) | more than 6 years ago | (#18964359):Frameworks (5, Insightful) moochfish (822730) | more than 6 years ago | (#18964641):Frameworks (0) Anonymous Coward | more than 6 years ago | (#18967005) Re:Frameworks (1) Watts Martin (3616) | more than 6 years ago | (#18965281) Prototype (not Scriptaculous), by using it I can screw around with Ajax in a clearly-defined, well-tested fashion that frees me from worrying about all the mysterious browser incompatibilities that it knows about and already accounts for. I get a lot of very useful extensions that aren't directly related to Ajax (enumerations, getElementsByClassName, just the $, $A, $F, etc. shorthands!). In development time, this can be a pretty big win: a homegrown library can certainly get to Just Where You Want It, but it's not going to start out that way. You're going to spend a much bigger chunk of your development time doing the debugging and tweaking and noodling of your library than the guy using Prototype will, and you're probably going to do more hammering on it to adapt to each new project, unless/until it gets to a point where it's effectively been generalized into, well, a framework. Yeah, prototype.js is about a 65K hit, and effects.js from Scriptaculous would be another 33K if you loaded it, too; for our friends stuck with modems, that could be another 20 seconds, although for everyone else we're talking about, well, one or two seconds. And only the first time it gets hit during that session (before it's cached). No, you don't want an unnecessarily porky client-side library piggybacking your HTML, but I'm not convinced the "bloat" they add is always unwelcome. I think the charge of forcing you to structure a project around them is also a little overstated -- Prototype has a few oddities, like the problem with the CSS 'display' attribute you mentioned, but it's hardly the equivalent of CakePHP or Rails in terms of "do it our way or we'll make life hell for you." (Which isn't really a knock against either of those frameworks, but you'd better know you're going to be doing it Their Way going in.) Re:Frameworks (2, Insightful) protohiro1 (590732) | more than 6 years ago | (#18965489) Re:Frameworks (0) Anonymous Coward | more than 6 years ago | (#18966277) Boy, your face must be as red as a strawbrerry. Re:Frameworks (1) Heembo (916647) | more than 6 years ago | (#18965611) For Ajax, especially when you want to win on the evil triad of Firefox, IE 7 & and Safari, custom coded CSS/Javascript using the simple AJFORM library seems to be the best way to work fast and win on the client. Thats a small elite team; when you have a large project with a great number of average developers, this kind of development breaks down and then you need the crutch of a framework. But even then, a average developer can do some REALLY bad stuff within a framework. Any framework. Moral: small senior teams that use solid libraries beat out large average teams with frameworks any day. Re:Frameworks (1) HaMMeReD3 (891549) | more than 6 years ago | (#18965619) 1. Platform Independance 2. Roadmap/plans on dojo really outline how they care about code quality and developing a flexible/extensible solution. 3. I only use about 20% of dojo, but it has probably saved about a year of development time, I used to have a "do it myself" attitude, but after extensively developing under dojo, that opinion has changed to "don't reinvent the wheel" which is especially true when there are people improving the wheel for you free of charge. 4. Allows a great separation between dojo code and my proprietary code. I have not yet had to even touch a single line of code within dojo, because I've been able to workaround any problems via inheritance or my own custom widgets stored in my own namespace away from the dojo code. 5. Things aside from widgets have been proven time and time again to be incredibly useful, e.g. formbind binds a a form to a ajax request, allowing you to directly turn that entire form into a ajax request (no page redirect) with just one line of code. dojo.event.connect allows me to wire up all my onclicks, hovers, etc very easily. dojo.lang.hitch allows me to force scope on a function which might otherwise be out of the scope I would expect it (e.g. xmlhttprequest callbacks, some event handlers, etc) 6. Great build tools that seriously optimize code/execution time at release time. I've dabbled in it and it's increased my load time (with a non-optimal build) from like 10 seconds to under 1 second (which is acceptable for the enormous scale of the application, which is contained in a single page). I'll stop there, but dojo is priceless to my development, I would have spent countless time redeveloping all the tools I use from it, and half of them I wouldn't have even considered using, instead I'd be using some primitive half baked stuff I hand wrote that wouldn't come close to the quality of the work the dojo team puts into there code. Re:Frameworks (1) billcopc (196330) | more than 6 years ago | (#18965703) Re:Frameworks (1) dstoflet (548018) | more than 6 years ago | (#18966085) At any rate the Dr Dobbs article was pretty poor, seriously outdated and lacking much in the way of details. Dojo is nice, but I found it to be too slow and recently I think they realized they needed to re evaluate some design decision and set a clearer path on where they are taking dojo in the future. They have not released much in the last 6 months (a minor dot release to 4.1 I believe). It does have the great feature of graceful degradation cause it can take existing markup and convert to supa nice UI widgets, but this requires it to traverse the whole DOM and look for 'dojo' widgets. There are workarounds, e.g specifying the element ids for your widgets to be dojo-ized though. Still though, pages (really when using UI JS frameworks they are not pages anymore but applications) with a lot of dojo widgets can be very slow to render. In addition dojo has some rough edges such as poor docs, too many grids that make it feel like there is a lack of direction etc. I look forward to the next major release though, Dojo certainly has a ton of potential. But the kick ass JS library right now is Ext [extjs.com]. Its well documented, very polished, has just about any widget you need, a super nice data abstraction for the grid/editable grid/combo box, and simplifies DOM manipulation and XHR. All the while being written in very nice OO JS style (yes I said OO and JS, for those you are ignorant of JS capabilities take a look at Re:Frameworks (0) Anonymous Coward | more than 6 years ago | (#18966165) These libraries are nice though since they have a lot more testers than you have. If there is a bug in version X of browser Y on platform Z, they'll see it before you will. The library will code the workaround in it and you just use the visible function. Secondly, you'll only load it once. That's the beauty of ajax. You load the page once and then only fetch the rest of the content/code as needed. You should rarely have to download the same data twice. Of course the client should cache between subsequent page loads, but you don't have to actually ever leave the first page you go to. On an ajax application I wrote, I implemented a client side function and data cache. You send an initial block of code to prepopulate the cache with stuff you expect them to use and then load the rest on demand. Because you are loading the code and data via ajax, you can use gzip compression without worrying about the annoying gzipped javascript doesn't work bug on some browsers. The only time you actually have to load a new page is if you do file uploads and you can use an iframes hack to get around that. Everything else can be done via ajax. You can even get around the forward/back/bookmark problems by storing some state information in the "anchor" part of the url (the part after the #) Re:Frameworks (1) achillean (1031500) | more than 6 years ago | (#18966787) I can't speak for all frameworks, but Dojo allows you to build your own custom dojo.js with whatever features you'll need. So it's really not a big problem if you don't want to have all their UI widgets, but like their event system. I wouldn't be surprised if most professional frameworks allow the developer to customize the features of the framework. Here's the link to a tool that builds the custom dojo.js for you: Re:Frameworks (1) yomahz (35486) | more than 6 years ago | (#18966921)... If only... Re:Frameworks (1) AKAImBatman (238306) | more than 6 years ago | (#18966987) MooTools (2, Informative) teknopurge (199509) | more than 6 years ago | (#18963113) Say NO to MOOTOOLS, not as efficient as PERVERSIUS (-1, Offtopic) Anonymous Coward | more than 6 years ago | (#18963585) Re:MooTools (1) ooglek (98453) | more than 6 years ago | (#18963967) Re:MooTools (0) Anonymous Coward | more than 6 years ago | (#18964533) Nothing to see here...... (0) Anonymous Coward | more than 6 years ago | (#18963119) QooXDoo (1) ClarkEvans (102211) | more than 6 years ago | (#18963187) Security not a consideration? (4, Interesting) Lux (49200) | more than 6 years ago | (#18963191) I'm a bit disappointed. Re:Security not a consideration? (1) hansamurai (907719) | more than 6 years ago | (#18963441) Re:Security not a consideration? (1) FLEB (312391) | more than 6 years ago | (#18963487) Re:Security not a consideration? (2, Informative) foxyLady (451810) | more than 6 years ago | (#18964121), Rico, and MochiKit) and determined that all the frameworks that use JSON and/or JavaScript for transferring data (except for DWR 2.0 which was not released at the time) are vulnerable to JavaScript Hijacking. To summarize, the vulnerability allows an unauthorized party to read confidential data contained in JavaScript messages. The attack works by using a tag to circumvent the Same Origin Policy enforced by Web browsers. Traditional Web applications are not vulnerable because they do not use JavaScript as a data transport mechanism. Complete report is available here: As a side note, DWR 2.0 ( [getahead.org] ) and Prototype 1.5.1 ( AJAX is the antithesis of security. (1, Funny) Anonymous Coward | more than 6 years ago | (#18965121) Level 0) Hardware: we have to make sure our computer systems themselves are secure. Level 1) Network: we have to make sure that the physical network between our computer systems are secure. Level 2) Operating System: the OS running on the Level 0 hardware needs to be secure. Level 3) Operating System Userland Libraries: the userland libraries interfacing with the Level 2 OS kernel need to be secured. Level 3) Web Server: the HTTP daemon running on top of the Level 2 OS and making use of the Level 3 libraries needs to be secure. Level 4) Database System: the database system being accessed by the web app needs to be secured. Level 5) Web App Back-end: the back-end web application handling the AJAX requests, and possibly interacting with the Level 4 DB system, must be secure. Level 6) Client->Server Network: the network between the client and the web server must be secured (eg. SSL, TLS). Level 7) Web Browser: the web browser making the AJAX requests requires security, especially in the face of JavaScripts from different sites being run concurrently. Level 8) Web App Front-end: the JavaScript code making up the front-end of the AJAX application, and running in the client's web browser, must also be secured. So we've got at least NINE different layers that need to be secured. Now, these layers are provided by different groups, individuals, companies, you name it. The coordination between these groups is limited. Furthermore, what constitutes a security flaw from the perspective of one layer is a normal operation from the perspective of another layer. All in all, when we start deploying AJAX applications (or web apps in general), we end up with a massively complex layering effect that seriously impacts the security of the entire stack. It becomes very difficult for even a team of administrators, developers and security analysts to properly ensure that such a deployment is sufficiently secure. There's only one solution: reduce the layering. Yes, that means ditching AJAX, web browser and web servers. If an application must be executed remotely, it's best to use X11, RDP, VNC, SSH or similar technology. That runs the client on the same system as the server, thus eliminating some of the layers. At least then the problem becomes more manageable, if not yet ideal. Script# ? (1) JoelMartinez (916445) | more than 6 years ago | (#18963293) Re:Script# ? (2, Informative) vdboor (827057) | more than 6 years ago | (#18964103) template engines. :-) As a .NET developer (3, Interesting) leather_helmet (887398) | more than 6 years ago | (#18963319):As a .NET developer (1) ozphx (1061292) | more than 6 years ago | (#18965359) And it works in firefox. Whee. This is how an ajax framework should be done. My experience with Dojo (3, Insightful) hansamurai (907719) | more than 6 years ago | (#18963355). Thanks for the session id (1) Gyppo (982168) | more than 6 years ago | (#18963417) Where's MyBic? (1) AssProphet (757870) | more than 6 years ago | (#18963435) Just don't choose them all! (1, Interesting) ObligatoryUserName (126027) | more than 6 years ago | (#18963473) much happier. (It loads in less than 1 second and the management thinks it's cool.) Re:Just don't choose them all! (3, Funny) maxume (22995) | more than 6 years ago | (#18963697) Re:Just don't choose them all! (0) Anonymous Coward | more than 6 years ago | (#18965011) 1. Navigating through a site and I hit back 2. As a programmer, until recently, it was extremely time consuming to do anything that I could do in Ajax quickly. Huge learning curve trying to learn how to use flash. 3. Complex Flash Applications generally use much more CPU and are extremely sluggish compared to Ajax apps (in your case the Ajax programmers didn't know how to code well, 30sec to load 4. You are more likely to be compatible with javascript/Ajax than flash, since most sites use javascript in the first place to detect if flash plugin is installed. 5. Forget about getting any real Search Engine traffic from an 'all flash' site. (unless it's an internal corporate thing) Flash will probably always be the best choice for eye-candy animations and video streaming. For management trying to impress someone, that's usually important I guess. Re:Just don't choose them all! (1) ObligatoryUserName (126027) | more than 6 years ago | (#18966149) methods with Flash or Ajax. 2. As a programmer, until recently, it was extremely time consuming to do anything that I could do in Ajax quickly. Huge learning curve trying to learn how to use flash. As someone who has done a lot of Flash and Javascript, I would say that the learning curve is feature-for-feature worse for Javascript because you need to learn about the different browsers, but may be greater overall for Flash because it offers more features. That's a trade off I've been happy to make. 3. Complex Flash Applications generally use much more CPU and are extremely sluggish compared to Ajax apps (in your case the Ajax programmers didn't know how to code well, 30sec to load Computation for computation, Flash has better performance than Javascript. At least, I think that's why Mozilla accepted Adobe's donation [adobe.com] of the EMCAScript execution engine from Flash. After that's incorporated I would believe that Javascript alone would run faster, but right now that's not true. (Or if it is true, someone better stop Mozilla.) 4. You are more likely to be compatible with javascript/Ajax than flash, since most sites use javascript in the first place to detect if flash plugin is installed. This is another issue of every site being different, but the fallback for not having Javascript enabled can easily be to show the Flash content. The only reason everyone uses Javascript to embed the files now is because of Microsoft's attempt to screw plug-ins. 5. Forget about getting any real Search Engine traffic from an 'all flash' site. (unless it's an internal corporate thing) This isn't an issue for me since I usually use Flash for corporate apps that you wouldn't want indexed, but again this isn't something that's inherent to Flash. The issue is that Flash sites often pull in dynamic content. That's what the search engines can't index, and again it's something that's going to be a problem for any Ajax site that does the same. (Google has been indexing Flash for years and Adobe offers a free SDK for developers of search engines. Also, Flash-dependent sites like YouTube are definitely not starving for traffic. As long as we're talking about pet peeves here are two essential things Javascript/Ajax needs to address that Flash already has. 1) Built in security against cross-domain scripting. 2) Accessibility for the disabled. "[F]or management trying to impress someone, that's usually important I guess" -- if that someone you're trying to impress is either your boss or your client then there's no guessing about it. A YEAR old? (1) DEFFENDER (469046) | more than 6 years ago | (#18963613) Why is this article reviewing a release of Dojo that is over a year old? And you might notice that Dojo gets the short end of the stick too. Re:A YEAR old? (1) ValuJet (587148) | more than 6 years ago | (#18963801) This seems like the equivlent of comparing Oracle 8.0 with SQL server 6.5 and informix 7.1 or whatever. It just isn't a relevant comparison anymore. Adobe Spry Framework... (1) creimer (824291) | more than 6 years ago | (#18963687) jQuery, too! (4, Informative) sbma44 (694130) | more than 6 years ago | (#18963735) Why dojo 0.3.1? (1) Fireflymantis (670938) | more than 6 years ago | (#18963737) Re:Why dojo 0.3.1? (1) MidKnight (19766) | more than 6 years ago | (#18964241) The learning curve is higher than the others, but the upside is also much, much greater. With a formal 1.0 release scheduled for later this year, and a ton of momentum (both within the community and corporate backing), Dojo is here to stay. And that's a good thing! Re:Why dojo 0.3.1? (0) Anonymous Coward | more than 6 years ago | (#18964279) Use frameworks only when really need them (2, Interesting) roman_mir (125474) | more than 6 years ago | (#18963781) (5, Informative) cabinetsoft (923481) | more than 6 years ago | (#18963793) Re:Another good option (1) Octopus (19153) | more than 6 years ago | (#18965465) Old News? (5, Informative) russcoon (34224) | more than 6 years ago | (#18963817) We're obviously flattered that our little project got covered in DDJ, couldn't they have reviewed newer versions of the tools they covered? [dojotoolkit.org] Re:Old News? (1) Line_Fault (247536) | more than 6 years ago | (#18964581) I'm currently doing development using Prototype. The new version works quite well. I found the documentation here! [prototypejs.org] They must have been sitting on their results for the last 5 months or so! Most of the projects mentioned are in a rapid state of development, so old news just won't cut it!! Re:Old News? (1) bahwi (43111) | more than 6 years ago | (#18965053) Re:Old News? (1) Paradise Pete (33184) | more than 6 years ago | (#18965615) It does say that they did their comparisons in 2006. Re:Old News? (1) Matt Perry (793115) | more than 6 years ago | (#18965633) Re:Old News? (1) russcoon (34224) | more than 6 years ago | (#18966181) JQuery (1) minuszero (922125) | more than 6 years ago | (#18963851) [jquery.com] fail2Ors (-1, Troll) Anonymous Coward | more than 6 years ago | (#18963877) They all come up short (1) Wabbit Wabbit (828630) | more than 6 years ago | (#18964095) I've had to tweak or extend the code in each case, and in the end I settled on my own ajax class because none of the frameworks had a decent timeout/cancellation mechanism. For "desktop" apps I agree that YUI is the best of the lot, although I've had to roll my own extended modal message box classes because of some deficiencies in the YUI versions (some fixed in the latest rev, some not). For "fun" GUI effects I've found prototype and its derivatives overrated. YUI works better IMHO. However, no one beats toolman for list manipulation and editing-in-place, and for quick-and-dirty manipulation of divs as "windows" I rely on a modified version of code from that original venerable bullwark of DHTML coding, the O'Reilly JavaScript and DHTML Cookbook. The moral of the story? It's still the wild west out there (here?) No single library is perfect, all have some puzzling and maddening flaws, and if you're good at what you do, it's often better than not to roll your own. It's the only way you'll discover such oddities as the (just-fixed) non-standard behavior of the escape key in the Camino browser, and the lack of click input in Safari for radio button labels or Opera's handling of resized divs containing tables. Yes, these are browser problems, but a major selling point of the monolithic frameworks is that they've been tested, and that these quirks are supposed to be normalized and accounted for. Lastly, I know the title of the post was AJAX frameworks, but ajax is actually only the smallest part of these systems. Most focus on the visual effects and "window" management features, with the ajax part kind of thrown in. To me, that's also part of the problem. These frameworks are trying to become desktop replacement libraries, only part of which involves ajax, and they're still struggling through growing pains and an identity crisis. In a way it's all quite fun, like coding C++ was (commercially at least) back in '91, when we were still trying to figure a lot of it out. Hmmm...we're still trying to figure a lot of it out. What was my point again? Jquery (2, Informative) VGfort (963346) | more than 6 years ago | (#18964149) Umm... hello? jQuery? (3, Informative) YourMotherCalled (888364) | more than 6 years ago | (#18964183) to use js in a powerful way, easily and quickly. It's disappointing to not see jQuery in that list as if to say it's any less well made than the others. No jquery? (4, Interesting) tentac1e (62936) | more than 6 years ago | (#18964403):No jquery? (1) xutopia (469129) | more than 6 years ago | (#18966481) Prototype Screencast (1) muchawi (124898) | more than 6 years ago | (#18964427) Redundant and silly (0) Anonymous Coward | more than 6 years ago | (#18964609) Um, so tell me again why neither of these cannot be done in plain html output? You can't. Javascript is not necessary for either of these features. It serves only to complicate that which should be simple. There is nothing worse than javascript for javascript's sake. Why just AJAX? (1) PhotoGuy (189467) | more than 6 years ago | (#18964785), handled forms nicely, but if JavaScript was turned off or unavaialble (like on some PDA's, Phones, and other environments), they were unusable. I became very intruiged by Hobo [hobocentral.net] as a Ruby on Rails plugin. Unfortunately, all the (scant) examples are so AJAX-centric, and do not degrade gracefully at all without JavaScript, I have no idea if it can be used effectively in a non AJAX environment. (I could spend a week exploring this, but I'm just going to move on with a framework I know will work.) A damn shame, because Hobo has a lot to offer. I believe I am finally settling on ActiveScaffold, because it seems to degrade very nicely in the absence of JavaScript, and doesn't seem so heavily dependant upon it. Seems to have a good community around it, and isn't too heavyweight. (BTW: Many of the Ruby plugins actually use prototype [and scriptalicious, I believe]; in fact, Prototype libraries come as part of Ruby on Rails.) Re:Why just AJAX? (0) Anonymous Coward | more than 6 years ago | (#18965997) Gracefully degrading might be nice, but it just isn't realistic for any site that used whatever they were using much at all. You'd be better off coding a parallel site that doesn't use anything clientside. You'll have a really hard time making a drag and drop UI degrade into anything usable without writing an alternative UI. What about Microsoft? (1) MobyDisk (75490) | more than 6 years ago | (#18964839) This is not a review (2, Insightful) jd142 (129673) | more than 6 years ago | (#18964905). Re:This is not a review (0) Anonymous Coward | more than 6 years ago | (#18965699) DWR (2, Informative) kevin_conaway (585204) | more than 6 years ago | (#18965129) The name of the software is Direct Web Remoting [getahead.org] How can we take this seriously if they don't know the name of the software they are evaluating? Re:DWR (1) coug_ (63333) | more than 6 years ago | (#18965905) DWR = Direct Web REMOTING (2, Informative) spanielrage (250784) | more than 6 years ago | (#18965283) The 'R' in DWR does not stand for for Reporting, but rather "Remoting". Both TFA and the Not really out-of-date... (1) dustymugs (666422) | more than 6 years ago | (#18965901) Lets get hypothetical for a moment, and look at when the frameworks' versions noted in the article were released (these are estimates based upon announcements, datetime stamps, etc)... Dojo 0.3.1 released ~06/12/2006 Prototype/Scriptaculous 1.4 - probably Prototype version, I'd say Scriptaculous is either 1.5 or 1.6 release ~3/2006 - 4/2006 DWR 1.0 released ~8/29/2005 YUI 0.11.1 released ~07/17/2006 GWT 1.0 released ~05/25/2006 If we take the most recent release date (07/17/2006) as the start date of their project and they took about a month (~8/17/2006) to evaluate the frameworks, the versions available by 8/17/2006 are... Dojo 0.3.1 released ~06/12/2006 Scriptaculous 1.6.2 release ~8/15/2006 DWR 1.1.3 released ~7/11/2006 YUI 0.11.2 released ~07/24/2006 GWT 1.1 RC1 released ~08/9/2006 Comparing what would have been available based upon the "guessed" start date of the project, there really isn't anything new or overtly glaring. Except maybe for DWR. So people, when reading this article don't think of it as a review of what is available now but rather a case study/retrospective/white paper of what they did. Ajax security (1) mrkitty (584915) | more than 6 years ago | (#18965969) Anything but Yahoo UI! (1) Sparr0 (451780) | more than 6 years ago | (#18966537) Goodie. (0) Anonymous Coward | more than 6 years ago | (#18966653) Please stop making the web something it wasn't meant to be with a bunch of hacks upon hacks. If it can't be done with XHTML+CSS (plus whatever server-side stuff you want, of course), forget it.
http://beta.slashdot.org/story/84261
CC-MAIN-2014-15
refinedweb
5,863
68.7
The watch The! * ) The Arduino Any more or less standard Arduino will do, and the most important thing is to have USB host capability. For this, the following configurations are among the possible ones: - Arduino (mine is Duemilanove) and an USB host shield (mine is from Circuits@Home) -. The access point returns responses by such frames: 0xFF 0x06 0x07 KK XX YY ZZ where: KK = 0xFF when there is no response (no watch in range or sending, or frame lost) KK = 0x01 when no buttons is pressed, KK = other values depending on buttons XX, YY, ZZ = when KK is not 0xFF: value of X resp. Y and Z acceleration, as 8 bit signed int The Arduino uses its slave interface connected to a PC to get its power from the PC, and send result messages to a terminal. On the picture, you can see the output while I moved the watch and pressed on the #, * and up buttons. Note that the watch does not debounce the buttons, so one press can generate several events. If this is an issue, debouncing has to be implemented on the Arduino side. Step 4: Next Steps Very next steps It is easy to modify the sketch in order to control LEDs, servos, relays, etc. by using the ACC or PPt modes of the watch. Arduino-based home automation and robotics can now get controlled by the watch. In the PPt mode, the X, Y and Z acceleration values are all zero, and KK = 0x12, 0x32, 0x22 upon button presses. Further steps There are other features that are easy to use in SimpliciTI[TM] mode (getting sensor, time and date data, calibrating sensors), by slightly modifying this sketch, and setting the watch in the Sync mode. Also, in the BlueRobin[TM] mode, one can send fitness measurement data to the watch: the Arduino can become a sport sensor. Even Further steps Then, by modifying the watch firmware itself, one can create brand new modes, displays and functions on the watch. I did not explore this area yet, but examples can be found on the web. It requires slightly more advanced knowledge (C, MSP430, and IAR toolchain). Conclusion I hope this post was useful. Now, get a watch, an Arduino with USB host, and make and post an awesome project! 25 Discussions 2 years ago I am only able to get one set of X Y Z values and then it stops. It is not displaying continuously as shown in step 3. Please help Reply 2 years ago I have the same problem, were you able to figure it out? Thank you! 3 years ago Awesome work ! This thing runs .....wow thanks a ton. 3 years ago I m using arduino uno board and whil running the code , im getting this error- In file included from C:\Users\sonal\Documents\Arduino\libraries\USB_Host_Shield_2.0-master/Usb.h:27:0, from C:\Users\sonal\Documents\Arduino\libraries\USB_Host_Shield_2.0-master/cdcacm.h:20, from eZ430_basic.ino:18: C:\Users\sonal\Documents\Arduino\libraries\USB_Host_Shield_2.0-master/settings.h:139:176: fatal error: SPI.h: No such file or directory #include <SPI.h> // Use the Arduino SPI library for the Arduino Due, RedBearLab nRF51822, Intel Galileo 1 & 2, Intel Edison or if the SPI library with transaction is available Error compiling. please help me in resolving this problem. 3 years ago good job my friend , helped me a lot. now I try to replicate the example blink 4 years ago Here can I find the file eZ430_basic.zip? Cannot find any attached file... 5 years ago on Introduction can you give me the description of the code because there are many commands that i don't understand pleaseeeeeeeeeeeeeeeeeeeeeeee ? i need it for my project :( 5 years ago on Introduction Hello, i just recieved my arduino and it works! Buy i need some help to changue the program for activate LED's. What's the name that you have for the X value when you receive that?. I dont know what variable can i use for activate LED's, than you. Pdt: what pinouts are better to use? Reply 5 years ago on Introduction To control an LED, please study the "Blink" example (File -> Examples -> 01.Basics -> Blink). Then if you still have questions, feel free to ask. 5 years ago on Introduction Hi! I want to connect my RF with a PIC, do you know if this PID/VID is the same that the arduino? (The PIC that i want to use is pic18f4550, it have USB port). When i connect my RF to the pic, it lights for a moment and then off. I think that the problem is the PID/VID. Thank you! 5 years ago on Introduction Hello!. Can you say me what is the VID/PID of the RF module for connect with an Arduino board? We have problems with the connect. Thank you very much! Reply 5 years ago on Introduction VID=0451 (Texas Instruments, Inc.) PID=16a6 (BM-USBD1 BlueRobin RF heart rate sensor receiver) 5 years ago on Introduction So, I am running the host shield with the Uno (model R3). When I looked at the step for update library, I understood that I didn't need to do anything with this part and that I should leave those segments commented out. Is that incorrect? Any other ideas? Thank you, by the way, for responding so quickly. 5 years ago on Step 2 PERFECT!!!! AWESOME!!! This community needs more eZ430 Chronos projects!!!! 5 years ago on Introduction Hello - Thanks for putting this together. I have a question with running the program I am hoping you can help me with. Running the program is very finnicky. Sometimes it runs fine for several seconds before stopping, and other times I see on the Arduino Com screen that the program is starting but it quickly stops with various progress ending with lines such as "OnInit:", "Start", or "OSCOKIRQ failed to assert". Restarting my computer usually results in getting it to work a little more consistently, but it never lasts long. Is this something you can help with. I appreciate any help you might be able to give. Thank you. Reply 5 years ago on Introduction Did you customize the USB host library for your board? Please check step2: Edit the library file avrpins.h 5 years ago on Introduction Thank you very much! That fixed it. Great instructable by the way. 5 years ago on Introduction When I try to run this I encounter the following error: eZ430_basic.ino: In function 'void print_frame(char*, uint16_t, uint8_t*, char*)': eZ430_basic:133: error: no matching function for call to 'PrintHex(unsigned char&)' How is this fixed? Reply 5 years ago on Introduction 6 years ago on Introduction Holy crap I just got this watch thinking I was going to have to spend quite a bit of time figuring out how to interface it with the arduino. I guess now I can go straight into programming the arduino! Thanks so much!
https://www.instructables.com/id/Control-an-Arduino-With-a-Wristwatch-TI-eZ430-Chr/
CC-MAIN-2019-13
refinedweb
1,173
73.78
All~ Welcome to yet another summary. Although Aliya is present for this summary, I think the unnamed gecko with its tongue out will be the one who is helping to bring it to you, aided of course by Nicola Conte and Massive Attack. Rather than try to do something witty about the strange music I am listening to, or the stuffed animals who are assisting me, I will start this summary off with an entirely self-serving request. <abuse>A while ago I saw the quote, "Computer Science is merely the post-Turing Decline of Formal Systems Theory," without an attribution. I have tried to find an attribution for it, but have been unable to find one. If any of you know it, that information would be appreciated.</abuse> Without too much further ado, I give you Perl 6 Language. Perl 6 Language Return Values from a Substitution Nicholas Clark wondered what kind of return value the s/// operator would return. Larry provided the answer: a match object that does wicked, smart things based on context (Boston is getting to me). Deep Operators Matthew Walton wondered about deep operators and return types. No answer yet, but it is still a little early to call in the awesome forces of Warnock. Perl 6 Compiler The race between Google and the compiler is over and Google loses. Badly. While, alas, I do not have a pretty interface, you all have links from nntp.perl.org, plus a nifty infant grammar engine to torture. Parrot Grammar Engine Patrick R. Michaud (forever after known as Patrick) released a first version of the Perl 6 Grammar Engine (P6GE). Sometime later, he renamed it the Parrot Grammar Engine, as it will be standard in Parrot and PGE sounds better. He asked for people to poke and prod it. Many people did, with quite some glee. Some work has been done adding it to the Parrot build and making it use Parrot's Configure/make system, as well as some cross-platform cleanups. Patrick also put out a request for tests and explained the basic framework already in place. He also explained his short term plans. Synopses and Apocalypses Larry has managed to persuade dev.perl.org to host the latest and most up-to-date versions of the Synopses. Consider the former link deprecated. Larry also mentioned that this should probably wait a little while before it hits Slashdot. Dan put a desperate plea not to also, as "I feel obligated to actually *read* the comments on Parrot and Perl 6 stories on Slashdot, at 0." Parrot Internals Having fought my way through the lack of Google, I can now return to its calm, warm tones and convenient threading. RT Data Extraction Will Coleda pointed out that he has the mystical power to extract and summarize data from RT automatically. Then he asked for suggestions about how to use this power for good or for awesome. Locating Shared Libraries Adam Warner has some trouble locating shared libraries on Debian. Leo pointed out that Debian apparently names these libraries funny things. The he added support for symlinks and asked Adam to provide the appropriate symlinks. Double v. Float Adam Warner played around with the Leibniz summation for pi example, but could not get it to be more precise than 3.1431591. It turns out that the sprintf worked better. In fact, it allows you to print more precision than you actually have. Ain't life in the floating point world a pain? We should all use integers, where pi is exactly 3. AIX PPC JIT The ongoing thread of three-letter acronyms finally seems to have run its course, ending in a climactic upgrade to Perl 5.8.5. New Calling Scheme Proposal Leo posted a new, calling scheme proposal. Dan stomped on it hard, then posted an updated version of PPD03 (calling conventions). People spent some time fleshing out every little corner of the new doc. Parrot BASIC and Perl.org Blacklists Joshua Gatcomb kindly acted as a intermediary between the list and Clinton A. Pierce. Apparently perl.org has blacklisted Clinton's domain and ISP. He would be willing to resume work on it, but he would like help, and/or to be un-blacklisted. There was no real answer to Clinton's troubles. On a side note, my old email provider,, also occasionally gets blacklisted by perl.org (it seemed to go in fits and starts). CVS Access for Parakeet Michel Pelletier was wondering if he could have CVS access to the Parakeet language directory now that he has a perl.org username (michel). Dan said that he had forgotten to mention that he had put in a request, and he would likely forget to mention when the request went through. Return with Return Continuation In the confusion of what not to change and what to change, the op to return to the caller by invoking the current return continuation disappeared in the shuffle. After sorting out the fact that Dan wanted it to go in, Leo added it, naming it returncc for lack of anything better. Parakeet Broken Jeff Horwitz noted that Parakeet did not quite work. Leo pointed out that Parrot had outflown Parakeet and it needed to catch up with the new eval changes. Deprecation of P0, P1, P2 Leo sent a warning to the list that, as per PDD03, access to the current continuation and sub should only come from the interpinfo ops. Usage of P0 and P1 for these things is officially deprecated and soon to be discontinued. Also, P2 current object came along for the ride later, which caused troubles with imcc's self macro. Later, he removed the deprecated things. Main Is Just a Sub Leo has coerced main into looking and acting exactly like any other sub. Consistency is nice like that. Continuations, Basic Blocks, and Register Allocation The thread of the week last week continued strong into early this week, slowly but steadily clearing up misconceptions of certain summarizers who would like to remain anonymous. Also, later in the week, Bill Coffman provided a summary of the problems and ideas thus far. We all eagerly await the resolution. m4 0.0.10 To keep up with the aforementioned eval changes, Bernhard Schmalhofer provided some m4 improvements. Lightweight Calling Conventions Dan, Leo, and Patrick had an interesting discussion about the speed of various calling conventions. While BSR/ RET beats continuations, continuations with tail-call optimization beat BSR/ RET; however, BSR/ RET with tail-call optimization edges out continuations. In the end, the PGE will be agnostic to calling conventions so as to provide a real-world test for benchmarking. Either way, fear the Big Sweaty Russian (ask Mike Z if you want to know ;-). NCI Signature Correction Last week I incorrectly claimed that the d signature allowed access to a raw buffer. I was wrong, it was b. Thanks for the catch, Bernhard. Void Functions Don't Return Things Andy Dougherty noticed that matchrange.pmc attempted to return something from a void function. He supplied a patch, but there seems to be no response.... Perl6 --tree Gerd Pokorra submitted a patch to fix a problem with perl6 --tree. Warnock applies. ResizableIntegerArray Needs Soda Patrick requested that someone provide the wonderfully amazing ResizableIntegerArray pop. Once that is done, PGE should switch from using a PerlArray to a ResizableIntegerArray. Patches welcome. No perldoc => WARNING James deBoer provided the previously requested patch for doing the right thing when there is no perldoc present. Leo applied it. Broken Benchmarks The great thing about breaking benchmarks is that if you do it right, your execution time goes from a big number to nearly nothing. It provides one hell of a speed up. Unfortunately, it also means they don't work. Alas, such is life. Fortunately Leo provided an explanation, if not a fix. MMD with Native Types Leo voiced his confusion about MMD_ADD_INT. When Leo is confused, I worry. Polymorphic Inline Caches (PICs) Leo posted some interesting stuff about PICs and provided some preliminary benchmarks. He also provided a link to the article from which he drew the idea. Mac OS X.2 Failures Klaas-Jan Stol noticed that pmc2c2.pl failed on his 10.2 installation. He asked for help, but no one has responded yet. Inconsistent opcode Names William Coleda noticed that we did not consistently use_underscores or pushwordstogether. Everyone agrees this is a problem, so we are probably just waiting on a brave soul who can make the necessary sweeping change. I think that underscores_won_out. Tcl Supports Lists Will Coleda added basic list support to Tcl. Then he threatened to do more with it. I, for one, welcome our new list overlords. Build Problems on PPC Linux chromatic (whose name Google rudely capitalizes) had some trouble building Parrot on PPC Linux. No resolution yet. New TODO Items Will Coleda added some new TODO items. Intellectual Property Tim Brunce asked how Parrot was handling IP concerns. Dan told him that we have lawyers working up "Real Paperwork" even as we speak. In the meantime, it is mostly an honor system. 1 - 2 == BOOM Will Coleda found a bug in MMD. Leo took responsibility and submitted a fix. Escaping Strings Patrick wondered if some code sitting around would properly escape a string into a nice, clean form. The answer is yes, use Data::Escape. Bug in Method Calling with nonconst Keys Luke Palmer found this bug. Leo fixed it. Underscores on Subs Luke Palmer wondered if subs still had to have _ before their names. Leo provided the answer: no, and the docs are out of date. Silent Effect of opcodes Leo noted that opcodes with silent effects need a little more special treatment. This morphed into a conversation about the continuation troubles that have been haunting us all and exceptions, too. IMCC Tracing, Leaving Subs Will Coleda asked if it would be possible to indicate what route Parrot would return to after a returncc opcode. Leo liked the idea and put in a quick hack for it, which needs cleanup. Threads, Events, and Win32 (Oh My!) Gabe Schaffer continued to explore the problems and approaches to portable threading with Leo's help. Best of luck, guys. IMCC Register Mapping Will Coleda noticed a possible optimization with register mapping. Leo said that it was not that simple, but it would be implemented at some point in the new register allocator. Exceptions Exceptions hurt my head, especially Dan's description of them. Thus I will just leave you to read it for yourself, so your head can hurt, too. Missing Makefile Dependencies Leo noticed that the Makefile is not quite right about its dependencies. This frequently recurs. JITted vtables for Sparc Stéphane Peiry provided some more JIT support for the Sparc. Leo applied the patch. PGE Namespaces and Names Will Coleda, Luke Palmer, Jerome Quelin, and Patrick all worked to clean up PGE to have its own namespace and consistent naming. Parrot_compreg Signature Bernhard Schmalhofer noticed that Parrot_compreg had a different signature than documented, so he submitted a patch to fix it. Leo applied it. opcode Numbering Leo added a TODO ticker for opcode numbering. Tests Pass, but Create Core Files I reported that on my machine all of the tests claim to pass, but core files appear in the parrot directory. Dan confirmed my suspicion that this was a real problem. I tried to supply helpful information like back trace, but Warnock applies. pcc Cleanup Leo removed the recently deprecated P0, P1, P2 usage. Relatively few tests break as a result. Namespace-Sub Invocation Luke Palmer wanted to know if there is syntax for calling subs from a particular namespace. Leo provided the answer: call it as a method on the namespace PMC. Reserved Words Annoy Luke Palmer wondered if he could define a .sub "new" to get around reserved word problems. Leo added the support, but warned him not to use "spaces or such." Lexicals, Continuations, Register Allocation, and ASCII Art This thread (and the ones that preceded it) have made me wish that Gmail and Google Groups had a fixed-width font option. Sadly, this summary will probably not get me it, as it did not get me p6c either. Ah well. The problems associated with lexicals and continuations churned. There was a plea for guidance from Dan. Hopefully he will guide us shortly. Old Parrot Question Bloves had a question about assemble.pl in the Parrot 0.0.1 source. Warnock applies. Parrot on Linux PPC Build chromatic managed to track down some of the PPC build issues for Linux. Leo wondered where all of the config hackers went. I think Leo wants someone to fix it. Preprocessor Problems Flavio S. Glock noted that the preprocessor did undesirable things. Leo suddenly realized that it was woefully out-of-date and need major fixing/disabling. Flavio submitted a small patch for it, but Leo pointed out that this was not enough to actually fix the preprocessor. New push_eh opcode Leo added a new push_eh opcode and deprecated the old set_eh. TODO and RT Wrangling Will Coleda continued his stellar work managing the RT queues. Brent "Dax" Royal-Gordon patched the first one. PMC Does "hash|array|monkey" Will Coleda added a ticket for the does functionality. He promptly closed it when Leo pointed out that it already existed in the form of the does op. So Will up and started using it. Strings Are In Dan announced that the last of his string stuff was checked in and he would like brave souls to help him merge it back into the tree. Language TODO Tests Will Coleda thanked Josh Wilmes for fixing the Language TODO tests. Apparently one of Tcl's has mysteriously started working. Minesweeper Broke Jens Rieks noticed that somewhere in the shuffle minesweeper broke. As a professional minesweeper-er, this shocks and offends me. Leo offered a pointer as to where to start looking to fix it. @ANON Subs Leo added some support for anonymous subroutines. People liked them and began to use them. Luke Palmer promptly tried combining it with @IMMEDIATE and began to wonder if it were immediate enough. Parrot Grammar Engine Issues I think that I shall continue to spell out PGE for a little while, but I may decide to use only the acronym in some later summary without warning, so be prepared. Oh right, the whole reason I mentioned it in the first place ... Will Coleda pointed out a few issues, including (1) doesn't compile by default and (2) doesn't compile at all. Nicholas Clark fixed (2), and Patrick figured that (1) could wait until it was a little more mature. Personally, I feel that maturity is overrated, poo-poo head. (Java|ECMA)Script on Parrot David "liorean" Andersson wondered if there were any projects to run JavaScript on Parrot. While there does not appear to be, many people think it would be a good idea and offered useful pointers. Rules Engines Cindi Jenkins posted a link to an interesting blog entry on rules engines. Unfortunately, I think she posted it to Google Groups as it did not find its way onto the list. Also, unfortunately, it is a post about logic rules engines a la Prolog and not grammar rules. Who knows, though, there might be some overlap.... PIR Examples on the Website Herbert Snorrason noted that there were no PIR examples on the website and opened a ticket for it. Will took a first pass at it. testj string_102 Issues Luke Palmer found a subtle-looking problem in string_102.pasm. Leo couldn't reproduce it and suggested that it might be a Red Hat thing. Peter Sinnott chimed in with a possibly unrelated failure, also on Red Hat. Tuning and Monitoring Matt S. posted a question about how much internal tuning and monitoring Parrot will allow. Unfortunately, I think he posted it to Google Groups, as it didn't show up in my inbox. I am honestly not sure how much is available or in the works. Missing directory in MANIFEST Andy Dougherty submitted a patch fixing a missing directory in the manifest by allowing ops2pm.pl to add it. Objects, Classes, Metaclasses, and Tall People's Heads Dan posted a refresher on the current state of the object system. He then went on to explain where it was headed and conjectured that this would be enough. Just reading his description of it hurts my head enough that I do not wish to guess if he is right or not. eof opcodes Brian Wheeler wondered why there was no "eof" opcode. Leo told him that it was a method on a PIO object. Apparently most of the IO opcodes should actually be PIO methods. Go figure. Ops to Deprecate or Not Leo attempted to trim down the core by removing some opcode variants. Dan did not appreciate the change and told Leo to roll it back. Fortunately, Dan went on to explain the longer-term goal (which should satisfy Leo). Perl 6 Language Deep Operators Last week, Matthew Walton wondered about Deep Operators and if they would work as he expected. As I tentatively predicted, the answer came back and was "yes." Then the thread got sidetracked with context and Perl vs. perl vs. PERL concerns. Gather to Separate Bins Dave Whipp wanted to know if he could use gather/ take with multiple bins. Michele Dondi suggested using adverbs for it. Rod Adams pointed out that as gather is inherently lazy, the two-binned approach could cause strange results (like churning for a while, filling one bin, and trying to get an element for the other). Of course, not being able to do it would mean possibly having to compute an expensive generator function. This is more than necessary, unless it is memorized.... << In Here-Docs Thomas Seiler has decided to test my copy-paste-fu by starting a discussion on characters that don't appear on my keyboard. His question was if <<END could start a here-doc. The answer appears to be "no." « != << The above thread led to a discussion of the various quoting operators, and the differences between «» and <<>>. This led to much discussion on the finer points of qw, qx, and qx and qw in favor of qq:x and qq:w, which Larry liked. Rod Adams suggested scrapping <<END in favor of qq:h/END/, which I like. Unifying Namespaces Alexey Trofimenko wondered about unifying the $, @, and % namespaces. Larry told him that this ship sailed long ago and that it was not changing. Lexing/Parsing Perl6 Without Executing Code Adam Kennedy wants to be able to syntax color (and possible perform basic programmatic manipulations of Perl 6 code). Anyone who has used a good IDE like Visual Studio, Eclipse, or IntelliJ probably understands where he is coming from. He does not, however, want to execute arbitrary code in the process of doing this. Much discussion ensued, but it does not look like he will be able to do this. Quite the tragedy, but Perl is simply too dynamic for the docile lexing of static languages. Perl6 Compiler Nice Work Nick Glencross has the honor of the only message on p6c this week, but his sentiment is shared by all. Nice work, Patrick. The Usual Footer If you find these summaries useful or enjoyable, please consider contributing to the Perl Foundation to help support the development of Perl. You might also like to send feedback to ubermatt@gmail.com.
http://www.perl.com/pub/2004/12/p6pdigest/20041202.html
CC-MAIN-2014-52
refinedweb
3,257
65.83
To view parent comment, click here. To read all comments associated with this story, please click here. Wow, just wow, I am speechless. I actually just now looked, and sure enough you can NOT set multiple file's permissions within a folder. I would sure love to see the response from the dev team at to the logic of this? As for the status bar. This is one thing that has bugged me to hell. ALL the status bar shows now is the number of files within a directory. Pointless enough that it need not be selected, and should either be removed, or maybe actually show something? As for the Search options, these can be restored through registry editing. Under HKEY_CLASSES_ROOT\Directory\shell\find HKEY_CLASSES_ROOT\Drive\shell\find Then delete "LegacyDisable". Correct if I am wrong here, but I thought this came about back in Vista's SP1 so as to be compliant with complaints filed by Google? Try Explorer++. It's as close you can get as possible to the original XP Explorer and it uses the shell namespace so we get lots of post-XP benefits (new file copying engine, Previous versions etc) . Submit feature requests to its developer to clone the real Explorer. The shell team has been on a rampage since the beta 1 of Longhorn I remember it started becoming horrible since then. Now they've even spoiled some of the taskbar and Start menu functionality. Explorer++ also supports libraries/XML saved searches. Unfortunately, bits and pieces are not there like the original Explorer but it's less annoying and close to XP's Explorer. It's fast, free and supports tabs too. Again most of the damage was done in that abomination called Vista (...), (...) and people still ask "What's wrong with Vista?) but the shell team was commited to pulling more functionality for sake of cleaning up the UI and simplicity. (...). Edited 2009-06-11 19:16 UTC Member since: 2007-01-08 I was going to post a comment as soon as I read Thom's opinion that Win 7 Windows Explorer has been "improved" because for me, the new "improved" Windows Explorer is one the main reasons why I will not be moving to Win 7 from XP. (Lack of a "Classic" Start Menu, the new and broken Search (mal-)function, and the downright offensive Once-Click crap are some others.) The new Explorer is pretty much nothing but severely reduced functionality and difficult navigation. The status bar is even less useful than before; the one-click functionality - which can not be reverted back to standard pre-Win7 behaviour - is not unlike a personal affront: I have been doing it one way for 15 years and now have to relearn it, for no benefit whatsoever. This new functionality has caused me nothing but problems on the desktop and in Explorer. Thanks to the light-gray font in the Folder Pane, using Win Explorer is now a constant eyestrain. The absence of vertical lines in the Tree Pane make it almost impossible to understand complex folder structures. Not being able to right-click on a folder or drive and call up a search dialog from a context menu is a real problem because this has been replaced by a search box at the top of the GUI... which is kind of a throwback to the long-ago depreciated "Multiple Document Interface" which separated the menu bar from the window it was controlling. To me, this is about a retrograde, obtuse, and awkward a way of building a GUI as can be conceived. The "point your cursor at a file or folder and wait a moment and the focus will shift to highlight that item" is horrible: Microsoft says Win7 has "less clicking" but what they actually need to say is "Win 7 - Less Clicking, More Waiting". I can no longer work at MY speed, I must work with constant pauses so that the computer can catch up. And now almost every part of the file pane is live, and I have to be careful about where I rest the cursor... Well, I could go on, but my initial impression is this: For anyone who has to do any significant amount of file management, Win 7 is absolutely unworkable unless you want to invest in a decent replacement for the new Windows Explorer. (And a slavish clone of XP's Windows Explorer would be perfectly acceptable, even though that too has a few obvious flaws...) One the other hand, I really do not need to upgrade and can put it off until such time as my main apps no longer support XP. "Main apps," you know, the apps for the sake of which I have a computer in the first place. And that will be quite a few years yet.
http://www.osnews.com/thread?367953
CC-MAIN-2015-40
refinedweb
807
68.7
« Return to documentation listing MPI_Open_port - Establishes a network address for a server to accept connections from clients. #include <mpi.h> int MPI_Open_port(MPI_Info info, char *port_name) INCLUDE 'mpif.h' MPI_OPEN_PORT(INFO, PORT_NAME, IERROR) CHARACTER*(*) PORT_NAME INTEGER INFO, IERROR #include <mpi.h> void MPI::Open_port(const MPI::Info& info, char* port_name) info Options on how to establish an address (handle). No options currently supported. port_name Newly established port (string). IERROR Fortran only: Error status (integer). MPI_Open_port establishes a network address, encoded in the port_name string, at which the server will be able to accept connections from clients. port_name is supplied by the system. MPI copies a system-supplied port name into port_name. port_name iden- tifies the newly opened port and can be used by a client to contact the server. The maximum size string that may be supplied by the system is MPI_MAX_PORT_NAME. None. 1.3.4 Nov 11, 2009 MPI_Open_port(3)
http://icl.cs.utk.edu/open-mpi/doc/v1.3/man3/MPI_Open_port.3.php
CC-MAIN-2015-40
refinedweb
151
52.15
Patrick Lightbody wrote: > Don, > I think you're right: option #2 sounds the most appealing. > > Though, I think we won't know for sure until we get our hands on things > and try it out :) I believe with Ted working on the MailReader > application, we might have a chance to put this hypothesis to the test, > right? Absolutely, and I have been working towards those ends the last few days. Taking a pause, I thought I'd gather some intel on what other folks think when we say "migration" and what types of support would be valuable. I'm hoping to get something going by ApacheCon so we can better discuss a timetable to our first release (hopefully soon). Don > > Patrick > > On Dec 4, 2005, at 6:29 PM, Don Brown wrote: > >> I've gone back and forth how and to what level of detail Struts Ti >> can/should support Struts Action 1.x applications. When I say Struts >> Ti, at this point, I'm referring to WebWork 2.2 since we haven't >> imported the code yet. Below is my thoughts that I invite comments on. >> >> Basically, I see three ways to approach Struts Action 1.x (hereby >> referred to simply as 1.x) support in Struts Ti: graph 1.x into >> Struts Ti, develop tools/libraries to help the two frameworks co- >> exist, and simply include the latest release of 1.x with Struts Ti as >> is. >> >> 1. Graph 1.x into Struts Ti - This approach tries to take 1.x code >> and restructure it as Ti objects. For example, we'd >> - Create a subclass of Configuration to which would expose 1.x >> configuration files >> - Recode the 1.x chain commands as interceptors or at least an >> interceptor that calls a chain >> - Develop a custom interceptor to plug in commons validator >> - Write a custom ActionInterceptor and ActionProxy to call Struts >> Actions >> - Add a custom ObjectFactory to create 1.x Actions correctly >> - Rewrite the taglibs to pull data Ti-style >> >> Advantages: From a users perspective, you'd be (hopefully) run your >> 1.x application as is, yet gradually take advantage of Ti features on >> a per Action basis. >> >> Disadvantage: A ton of work, and more than likely, there would be >> gaps in 1.x features or at a minimum, certain things wouldn't work >> quite right, especially for more advanced 1.x applications. >> >> 2. Develop tools/libraries to help both frameworks to co-exist better >> - First, we'd include the latest release of 1.x with Struts Ti. >> Then, we'd create optional extensions to both frameworks that allows >> them to share information. For example, we'd write: >> - A Ti interceptor that would make available the Struts message >> resource bundles to Ti Actions and pages >> - A Commons Validator interceptor to allow Ti Actions to re-use >> validation configuration files >> - An Ant task that converts a Struts configuration file into a Ti >> configuration file, logging where certain features don't quite match up >> - A way to use Dynabeans with Ti ModelDriven Actions >> - A tiles Result type to allow Ti apps to use Tiles >> >> Advantages: We don't pretend to run 1.x apps directly on Ti, yet by >> providing 1.x jars, we can provide 100% backwards compatibility with >> 1.x. Legacy 1.x apps can start to use Ti gradually, yet not be >> required to duplicate information. Should take much less time the >> option #1. >> >> Disadvantages: The collection of tools would require additional >> configuration to use. >> >> 3. Only include the latest release of 1.x - In this case, Ti doesn't >> do anything to help migration outside of documentation. We could >> still run 1.x apps, but assume apps using Ti will be rewritten anyways >> >> Advantages: Can run 1.x apps. Easy. 1.x apps might not even be >> planning to migrate in pieces anyways. >> >> Disadvantages: No support for gradual 1.x migration. >> >> --- >> >> Of the three, I'm in favor of the middle one. I've tried different >> methods of graphing the code together, but while it would be possible >> to run simple 1.x apps, any more complicated ones, the very ones that >> need migration assistance, would find all sorts of hidden problems. >> Furthermore, it still require devs to change their app to at least >> use the new Servlet. >> >> I think including 1.x with Ti is important because it shows we are >> committed to 1.x support and Struts is still a one-stop-shop. This >> also allows us to change things like customize the chain to aid the >> co-existence support unseen to the user. 1.x is getting quite >> flexible with commons chain so we could take advantage of that here. >> >> Finally, I do think migration tools are important. The primary >> migration use case I imagine is a user with a 1.x application that >> might need a new module or section. Instead of writing it with 1.x, >> they might want to try Ti, so they'd add the Ti filter and code up >> the section as a Ti package with its own namespace. This user >> wouldn't want to duplicate all their message bundles or perhaps even >> their validation configuration. >> >> One of the strongest features Ti has going for it is the possibility >> for a smooth migration for 1.x applications. How can we best provide >> this for the 1.x user? >> >>
http://mail-archives.apache.org/mod_mbox/struts-dev/200512.mbox/%3C4393D3AC.3060701@twdata.org%3E
CC-MAIN-2018-17
refinedweb
889
64.71
08 October 2012 20:10 [Source: ICIS news] HOUSTON (ICIS)--US September acrylonitrile (ACN) contract prices rose by 1.25-1.45 cents/lb ($28-32/tonne, €22-25/tonne), market sources said on Monday.The rise brought domestic formula-based contacts to 92.21-96.20 cents/lb ?xml:namespace> The ACN contract prices rose after the October chemical grade propylene (CGP) increased by 1.5 cent/lb to 51.50 cents/lb. Export prices fell to 79.15-82.55 cents/lb FOB (free on board) from 80.42-82.55 cents/lb. North American producers of ACN include Ascend Performance Materials, Cornerstone Chemicals, INEOS Nitriles and Unigel. (
http://www.icis.com/Articles/2012/10/08/9602100/us-sept-acn-contacts-rise-1.25-1.45-centslb-on-higher-propylene.html
CC-MAIN-2014-41
refinedweb
110
61.22
import Discussion in 'Python' started by jolly, to use import java.lang.* or import java.lang.Math or none at all?JPractitioner, Feb 20, 2006, in forum: Java - Replies: - 13 - Views: - 20,280 - Roedy Green - Feb 24, 2006 XML Schema question - does "import" import elements?Vitali Gontsharuk, Aug 25, 2005, in forum: XML - Replies: - 2 - Views: - 621 - Vitali Gontsharuk - Aug 25, 2005 import/from import questionArtur M. Piwko, Jun 29, 2003, in forum: Python - Replies: - 1 - Views: - 916 - Peter Hansen - Jul 2, 2003 GTK import doesn't import first timeDennis, Aug 18, 2003, in forum: Python - Replies: - 2 - Views: - 543 - Dennis - Aug 18, 2003
http://www.thecodingforums.com/threads/import.519996/
CC-MAIN-2015-11
refinedweb
104
72.16
Recently the Java EE Guardians wrote an open letter on Java EE Naming and Packaging. This kicked off a long thread on the EE4J mailing list when Will Lyons, from Oracle, posted a response on behalf of Oracle. I won't go into specific details on the initial letter or Oracle's response as the interested reader can check them out directly. However, I will summarise the key points: I gave my input on these points in the thread but thought it would be good to pull out the relevant text here. I'll simply include it in quotes and the reader can check out more context by reviewing the archive or joining in on the thread. First there was this piece ... "I’m fairly sure I’ve said this before on some lists and also at JavaOne 2017 when we discussed some of this in various meetings but I will repeat here: whilst I would definitely have preferred to keep the javax namespace for new specifications and to perhaps retain the Java EE name for the branding, I understand Oracle’s position. Related to that, I therefore know that no amount of energy expended on trying to change these two things will result in a different outcome. However, I think what Oracle have done to this point in moving Java EE to Eclipse is much more important than a brand name or a Java package name and collectively we should expend that energy in moving the code and community forward collaboratively. EE4J will not fail because it’s not branded Java EE. EE4J will not fail because new specifications cannot be done under the javax package. EE4J will fail if we spend too much time away from driving these specifications forward and adding new specifications to adapt to changes in the developer space. Therefore, whilst I understand what the Guardians have requested, I feel that we are at a point where we should focus on the positive aspects of what Oracle have done and build on those. Together we move EE4J forward and together we can make it a success!" Then there was this ... "When looking at where to move Java EE we (Oracle, IBM and Red Hat) did touch on the standards body option. I’m sure I wasn’t the only one, but I do recall raising the question about OASIS specifically because I know Oracle, IBM, Red Hat and others have worked together in OASIS many times over the years. However, there was universal agreement that whilst OASIS might be the right place for standards efforts such as WS-*, TOSCA and other things which might well be considered “protocol related”, it likely wasn’t the right place for Java and Java EE related activities which are much more developer focussed. I also recall re-raising this with MikeM from Eclipse and others once we had announced the move to the Eclipse Foundation because clearly what we now have to do within Eclipse is create processes which look very much like those you’d find within an existing standards organisation, such as OASIS or W3C. There are pros and cons with this but ultimately the things which swayed me to say that we shouldn’t standardise within OASIS or elsewhere include the following: - having the code in Eclipse and standards efforts elsewhere would mean individuals and corporations need to be members of multiple (at least two) bodies. Whilst that might not be too much of a hurdle for corporations, it’s not going to be easy for some individuals and would be a possible impediment to growing the community wide and deep. - over the last 3 decades (ouch!) I’ve worked in pretty much all of the standards bodies around and whilst they have good processes for what they do, they’re not necessarily the right processes for what the community may need around EE4J. Furthermore, they don’t necessarily move quickly either. I believe we can come up with a bespoke process within Eclipse which feels more a natural part of the development effort than something which is adjunct to it." I was also asked about the renaming of JBossAS to WildFly, which seems to very long ago now. I won't include the text here because I really want to encourage people who are that interested to read the thread and join in. Onward!
https://developer.jboss.org/blogs/mark.little/2018/01
CC-MAIN-2022-40
refinedweb
729
61.7
Are you sure? This action might not be possible to undo. Are you sure you want to continue? com/group/scalable Real World Web: Performance & Scalability Ask Bjørn Hansen Develooper LLC April 14, 2008 – r17 Hello. • I’m Ask Bjørn Hansen perl.org, ~10 years of mod_perl app development, mysql and scalability consulting YellowBot • I hate tutorials! • Let’s do 3 hours of 5 minute° lightning talks! ° Actual number of minutes may vary Construction Ahead! • • • • Conflicting advice ahead Not everything here is applicable to everything Ways to “think scalable” rather than be-all-end-all solutions Don’t prematurely optimize! (just don’t be too stupid with the “we’ll fix it later” stuff) Questions ... • • • • • • • • How many ... ... are using PHP? Python? Python? Java? Ruby? C? 3.23? 4.0? 4.1? 5.0? 5.1? 6.x? MyISAM? InnoDB? Other? Are primarily “programmers” vs “DBAs” Replication? Cluster? Partitioning? Enterprise? Community? PostgreSQL? Oracle? SQL Server? Other? Seen this talk before? Slide count 200 • • • No, you haven’t. :-) 150 100 ~266 people * 3 hours = half a work year! 50 0 2001 2004 2006 2007 2008 Question Policy! • • • • • Do we have time for questions? Yes! (probably) Quick questions anytime Long questions after Slides per minute 1.75 1.00 • or on the list! 0.25 2001 2002 2004 2005 2006 (answer to anything is likely “it depends” or “let’s talk about it after / send me an email”) 2007 2008 • • The first, last and only lesson: Think Horizontal! • Everything in your architecture, not just the front end web servers • Micro optimizations and other implementation details –– Bzzzzt! Boring! (blah blah blah, we’ll get to the cool stuff in a moment!) Benchmarking techniques • Scalability isn't the same as processing time • • • • • • Not “how fast” but “how many” Test “force”, not speed. Think amps, not voltage Test scalability, not just “performance” Test with "slow clients" Use a realistic load Testing “how fast” is ok when optimizing implementation details (code snippets, sql queries, server settings) Vertical scaling • • • • • “Get a bigger server” “Use faster CPUs” Can only help so much (with bad scale/$ value) A server twice as fast is more than twice as expensive Super computers are horizontally scaled! Horizontal scaling • • • “Just add another box” (or another thousand or ...) Good to great ... • • Implementation, scale your system a few times Architecture, scale dozens or hundreds of times Get the big picture right first, do micro optimizations later Scalable Application Servers Don’t paint yourself into a corner from the start Run Many of Them • • • • Avoid having The Server for anything Everything should (be able to) run on any number of boxes Don’t replace a server, add a server Support boxes with different capacities Stateless vs Stateful • • • “Shared Nothing” Don’t keep state within the application server (or at least be Really Careful) Do you use PHP, mod_perl, mod_... • • Anything that’s more than one process You get that for free! (usually) Sessions “The key to be stateless” or “What goes where” No Local Storage • • • Ever! Not even as a quick hack. Storing session (or other state information) “on the server” doesn’t work. “But my load balancer can do ‘sticky sessions’” • • Uneven scaling – waste of resources (and unreliable, too!) The web isn’t “session based”, it’s one short request after another – deal with it Evil Session Cookie: session_id =12345 Web/application server with local Session store What’s wrong with this? ... 12345 => { user => { username => 'joe', email => 'joe@example.com', id => 987, }, shopping_cart => { ... }, last_viewed_items => { ... }, background_color => 'blue', }, 12346 => { ... }, .... Evil Session Cookie: session_id =12345 Easy to guess cookie id Saving state on one server! Web/application server with local Session store ... 12345 => { user => { username => 'joe', email => 'joe@example.com', id => 987, }, shopping_cart => { ... }, last_viewed_items => { ... }, background_color => 'blue', }, 12346 => { ... }, .... Duplicate data from a DB table Big blob of junk! What’s wrong with this? Cookie: sid=seh568fzkj5k09z; user=987-65abc; bg_color=blue; cart=...; Good Session! Web/application server • Stateless Database(s) Users 987 => { username => 'joe', email => 'joe@example.com', }, ... Shopping Carts ... web server! database memcached cache seh568fzkj5k09z => { last_viewed_items => {...}, ... other "junk" ... }, .... • Important data in • Individual expiration on session objects in cookies • Small data items Safe cookies • • Worried about manipulated cookies? Use checksums and timestamps to validate • • cookie=1/value/1123157440/ABCD1234 cookie=$cookie_format_version /$value/$timestamp /$checksum • function cookie_checksum { md5_hex( $secret + $time + value ); } Safe cookies • Want fewer cookies? Combine them: • • cookie=1/user::987/cart::943/ts::1123.../EFGH9876 cookie=$cookie_format_version /$key::$value[/$key::$value] /ts::$timestamp /$md5 • Encrypt cookies if you must (rarely worth the trouble and CPU cycles) I did everything – it’s still slow! • • • • Optimizations and good micro-practices are necessary, of course But don’t confuse what is what! Know when you are optimizing Know when you need to step back and rethink “the big picture” Caching How to not do all that work again and again and again... Cache hit-ratios • • • • • Start with things you hit all the time Look at web server and database logs Don’t cache if you’ll need more effort writing to the cache than you save Do cache if it’ll help you when that one single page gets a million hits in a few hours (one out of two hundred thousand pages on the digg frontpage) Measure! Don’t assume – check! Generate Static Pages • • • • • Ultimate Performance: Make all pages static Generate them from templates nightly or when updated Doesn’t work well if you have millions of pages or page variations Temporarily make a page static if the servers are crumbling from one particular page being busy Generate your front page as a static file every N minutes Cache full pages (or responses if it’s an API) • • • • Cache full output in the application Include cookies etc. in the “cache key” Fine tuned application level control The most flexible • • “use cache when this, not when that” (anonymous users get cached page, registered users get a generated page) Use regular expressions to insert customized content into the cached page Cache full pages 2 • • • • Front end cache (Squid, Varnish, mod_cache) stores generated content • • Set Expires/Cache-Control header to control cache times or Rewrite rule to generate page if the cached file doesn’t exist (this is what Rails does or did...) – only scales to one server RewriteCond %{REQUEST_FILENAME} !-s RewriteCond %{REQUEST_FILENAME}/index.html !-s RewriteRule (^/.*) /dynamic_handler/$1 [PT] Still doesn’t work for dynamic content per user (”6 items in your cart”) Works for caching “dynamic” images ... on one server Cache partial pages • • • • Pre-generate static page “snippets” (this is what my.yahoo.com does or used to do...) • Have the handler just assemble pieces ready to go Cache little page snippets (say the sidebar) Be careful, easy to spend more time managing the cache snippets than you save! “Regexp” dynamic content into an otherwise cached page Cache data • • • • • Cache data that’s slow to query, fetch or calculate Generate page from the cached data Use the same data to generate API responses! Moves load to cache servers • (For better or worse) Good for slow data used across many pages (”todays bestsellers in $category”) Caching Tools Where to put the cache data ... A couple of bad ideas Don’t do this! • • • Process memory ($cache{foo}) • • • • • Not shared! Limited to one machine (likewise for a file system cache) Some implementations are really fast Flushed on each update Nice if it helps; don’t depend on it Shared memory? Local file system? MySQL query cache • • • • • Write into one or more cache tables id is the “cache key” type is the “namespace” MySQL cache table metadata for things like headers for cached http responses purge_key to make it easier to delete data from the cache CREATE TABLE `combust_cache` ( `id` varchar(64) NOT NULL, `type` varchar(20) NOT NULL default '', `created` timestamp NOT NULL default CURRENT_TIMESTAMP on update CURRENT_TIMESTAMP, `purge_key` varchar(16) MySQL Cache Fails • • • Scaling and availability issues • • How do you load balance? How do you deal with a cache box going away? Partition the cache to spread the write load Use Spread to write to the cache and distribute configuration • General theme: Don’t write directly to the DB MySQL Cache Scales • • • • • • Persistence Most of the usual “scale the database” tricks apply Partitioning Master-Master replication for availability .... more on those things in a moment Put metadata in memcached for partitioning and failover information memcached • • • • • LiveJournal’s distributed caching system (used practically everywhere!) Memory based – memory is cheap! Linux 2.6 (epoll) or FreeBSD (kqueue) • Low overhead for many many connections Run it on boxes with free memory ... or a dedicated cluster: Facebook has more than five hundred dedicated memcached servers (a lot of memory!) more memcached • • • • • • No “master” – fully distributed Simple lightweight protocol (binary protocol coming) Scaling and high-availability is “built-in” Servers are dumb – clients calculate which server to use based on the cache key Clients in perl, java, php, python, ruby, ... New C client library, libmemcached How to use memcached • • • It’s a cache, not a database Store data safely somewhere else Pass-through cache (id = session_id or whatever): Read $data = memcached_fetch( $id ); return $data if $data $data = db_fetch( $id ); memcached_store( $id, $data ); return $data; Write db_store( $id, $data ); memcached_store( $id, $data ); Client Side Replication • • • • memcached is a cache - the data might “get lost” What if a cache miss is Really Expensive? Store all writes to several memcached servers Client libraries are starting to support this natively Store complex data • • • • Most (all?) client libraries support complex data structures A bit flag in memcached marks the data as “serialized” (another bit for “gzip”) All this happens on the client side – memcached just stores a bunch of bytes Future: Store data in JSON? Interoperability between languages! Store complex data 2 • • Primary key lookups are probably not worth caching Store things that are expensive to figure out! function get_slow_summary_data($id) { $data = memcached_fetch( $id ); return $data if $data $data = do_complicated_query( $id ); memcached_store( $id, $data ); return $data; } Cache invalidation • • • • • • • Writing to the cache on updates is hard! Caching is a trade-off You trade “fresh” for “fast” Decide how “fresh” is required and deal with it! Explicit deletes if you can figure out what to delete Add a “generation” / timestamp / whatever to the cache key select id, unix_timestamp(modified_on) as ts from users where username = ‘ask’; memcached_fetch( “user_friend_updates; $id; $ts” ) Caching is a trade-off • • Can’t live with it? Make the primary data-source faster or data-store scale! Database scaling How to avoid buying that gazillion dollar Sun box ~$4,000,000 Vertical ~$3,200 ( = 1230 for $4.0M!) Be Simple • Use MySQL! • • • It’s fast and it’s easy to manage and tune Easy to setup development environments Other DBs can be faster at certain complex queries but are harder to tune – and MySQL is catching up! • • Avoid making your schema too complicated Ignore some of the upcoming advice until you REALLY need it! • • (even the part about not scaling your DB “up”) PostgreSQL is fast too :-) Replication More data more places! Share the love load Basic Replication • • • Good Great for read intensive applications Write to one master Read from many slaves reads webservers writes master writes slave slave slave reads Lots more details in “High Performance MySQL” old, but until MySQL 6 the replication concepts are the same loadbalancer Relay slave replication • • • • Running out of bandwidth on the master? Replicating to multiple data centers? A “replication slave” can be master to other slaves Almost any possible replication scenario can be setup (circular, star replication, ...) reads webservers writes data loading script writes master writes relay slave A relay slave B slave slave slave slave slave slave reads loadbalancer Replication Scaling – Reads • • Reading scales well with replication Great for (mostly) read-only applications One server Two servers capacity reads reads writes writes reads writes (thanks to Brad Fitzpatrick!) Replication Scaling – Writes (aka when replication sucks) • • reads Writing doesn’t scale with replication All servers needs to do the same writes reads reads reads reads reads capacity writes writes writes writes writes writes Partition the data Divide and Conquer! or Web 2.0 Buzzword Compliant! Now free with purchase of milk!! Partition your data • 96% read application? Skip this step... Cat cluster master slave master slave Dog cluster • Solution to the too many writes problem: Don’t have all data on all servers different data sets slave slave slave slave • Use a separate cluster for The Write Web! • • • • • dogs Replication too slow? Don’t have replication slaves! Use a (fake) master-master setup and partition / shard the data! Simple redundancy! No latency from commit to data being available Don’t bother with fancy 2 or 3 phase commits master master cats master master fish • (Make each “main object” (user, product, ...) always use the same master – as long as it’s available) master master Partition with a global master server • • • • • • Can’t divide data up in “dogs” and “cats”? Flexible partitioning! The “global” server keeps track of which cluster has the data for user “623” Get all PKs from the global master Only auto_increment columns in the “global master” Aggressively cache the “global master” data (memcached) webservers Where is user 623? user 623 is in cluster 3 global master slave (backup) master master • and/or use MySQL Cluster (ndb) data clusters select * from some_data where user_id = 623 cluster 3 cluster 2 cluster 1 Master – Master setup • • • • Setup two replicas of your database copying changes to each-other Keep it simple! (all writes to one master) Instant fail-over host – no slave changes needed Configuration is easy! • set-variable set-variable = auto_increment_increment=2 = auto_increment_offset=1 • • (offset = 2 on second master) Setup both systems as a slave of the other Online Schema Changes The reasons we love master-master! • Do big schema changes with no downtime! • • • • • • Stop A to B replication Move traffic to B Do changes on A Wait for A to catchup on replication Move traffic to A Re-start A to B replication Hacks! Don’t be afraid of the data-duplication monster http://flickr.com/photos/firevixen/75861588/ Summary tables! • Find queries that do things with COUNT(*) and GROUP BY and create tables with the results! • • • • Data loading process updates both tables or hourly/daily/... updates Variation: Duplicate data in a different “partition” Data affecting both a “user” and a “group” goes in both the “user” and the “group” partition (Flickr does this) Summary databases! • • • Don’t just create summary tables Use summary databases! Copy the data into special databases optimized for special queries • • • • full text searches index with both cats and dogs anything spanning all clusters Different databases for different latency requirements (RSS feeds from replicated slave DB) Make everything repeatable • • • • Script failed in the middle of the nightly processing job? (they will sooner or later, no matter what) How do you restart it? Build your “summary” and “load” scripts so they always can be run again! (and again and again) One “authoritative” copy of a data piece – summaries and copies are (re)created from there Asynchronous data loading • • • • • Updating counts? Loading logs? Don’t talk directly to the database, send updates through Spread (or whatever) to a daemon loading data Don’t update for each request update counts set count=count+1 where id=37 Aggregate 1000 records or 2 minutes data and do fewer database changes update counts set count=count+42 where id=37 Being disconnected from the DB will let the frontend keep running if the DB is down! “Manual” replication • • • • • • • Save data to multiple “partitions” Application writes two places or last_updated/modified_on and deleted columns or Use triggers to add to “replication_queue” table Background program to copy data based on the queue table or the last_updated column Build summary tables or databases in this process Build star/spoke replication system Preload, -dump and -process • Let the servers do as much as possible without touching the database directly • • • Data structures in memory – ultimate cache! Dump never changing data structures to JS files for the client to cache Dump smaller read-only often accessed data sets to SQLite or BerkeleyDB and rsync to each webserver (or use NFS, but...) • Or a MySQL replica on each webserver Stored Procedures Dangerous • • • • Not horizontal Bad: Work done in the database server (unless it’s read-only and replicated) Good: Work done on one of the scalable web fronts Only do stored procedures if they save the database work (network-io work > SP work) a brief diversion ... Running Oracle now? webservers • • • • • writes Move read operations to MySQL! Replicate from Oracle to a MySQL cluster with “manual replication” Use triggers to keep track of changed rows reads in Oracle Copy them to the MySQL master server with a replication program Good way to “sneak” MySQL in ... Oracle replication program writes master writes slave slave slave reads loadbalancer Optimize the database Faster, faster, faster .... ... very briefly • • The whole conference here is about this ... so I’ll just touch on a few ideas Memory for MySQL = good • • • • • Put as much memory you can afford in the server (Currently 2GB sticks are the best value) InnoDB: Let MySQL use ~all memory (don’t use more than is available, of course!) MyISAM: Leave more memory for OS page caches Can you afford to lose data on a crash? Optimize accordingly Disk setup: We’ll talk about RAID later What’s your app doing? • • • Enable query logging in your development DB! Are all those queries really necessary? Cache candidates? (you do have a devel db, right?) • • • Just add “log=/var/lib/mysq/sql.log” to .cnf Slow query logging: log-slow-queries log-queries-not-using-indexes long_query_time=1 mysqldumpslow parses the slow log • 5.1+ does not require a server restart and, can log directly into a CSV table... Table Choice • • Short version: Use InnoDB, it’s harder to make them fall over Long version: Use InnoDB except for • • • • • Big read-only tables (smaller, less IO) High volume streaming tables (think logging) • • Locked tables / INSERT DELAYED ARCHIVE table engine Specialized engines for special needs More engines in the future For now: InnoDB Multiple MySQL instances • • • • • Run different MySQL instances for different workloads • • Even when they share the same server anyway! InnoDB vs MyISAM instance prod cluster (innodb, normalized columns) Move to separate hardware and replication easier Optimize MySQL for the particular workload Very easy to setup with the instance manager or mysqld_multi mysql.com init.d script supports the instance manager (don’t use the redhat/fedora script!) search_load process search cluster (myisam, fulltext columns) Config tuning helps Query tuning works • • • • • Configuration tuning helps a little The big performance improvements comes from schema and query optimizations – focus on that! Design schema based on queries Think about what kind of operations will be common on the data; don’t go for “perfect schema beauty” What results do you need? (now and in the future) EXPLAIN • • • Use the “EXPLAIN SELECT ...” command to check the query Baron Schwartz talks about this 2pm on Tuesday! Be sure to read Use smaller data • Use Integers • • Always use integers for join keys And when possible for sorts, group bys, comparisons • • Don’t use bigint when int will do Don’t use varchar(255) when varchar(20) will do Store Large Binary Objects (aka how to store images) • • • • Meta-data table (name, size, ...) Store images either in the file system • • • • meta data says “server ‘123’, filename ‘abc’” (If you want this; use mogilefs or Amazon S3 for storage!) OR store images in other tables Split data up so each table don’t get bigger than ~4GB Include “last modified date” in meta data Include it in your URLs if possible to optimize caching images/$timestamp/$id.jpg) (/ Reconsider Persistent DB Connections • • • • • • DB connection = thread = memory With partitioning all httpd processes talk to all DBs With lots of caching you might not need the main database that often MySQL connections are fast Always use persistent connections with Oracle! • • Commercial connection pooling products pgsql, sybase, oracle? Need thousands of persistent connections? In Perl the new DBD::Gofer can help with pooling! InnoDB configuration • innodb_file_per_table • Makes optimize Splits your innodb data into a file per table instead of one big annoying file table `table` clear unused space • innodb_buffer_pool_size=($MEM*0.80) • innodb_flush_log_at_trx_commit setting • innodb_log_file_size • transaction-isolation = READ-COMMITTED My favorite MySQL feature • • • insert into t (somedate) values (“blah”); insert into t (someenum) values (“bad value”); Make MySQL picky about bad input! • SET sql_mode = 'STRICT_TRANS_TABLES’; • Make your application do this on connect Don’t overwork the DB • • • • Databases don’t easily scale Don’t make the database do a ton of work Referential integrity is good • Tons of stored procedures to validate and process data not so much Don’t be too afraid of de-normalized data – sometimes it’s worth the tradeoffs (call them summary tables and the DBAs won’t notice) Use your resources wisely don’t implode when things run warm Work in parallel • • Split the work into smaller (but reasonable) pieces and run them on different boxes Send the sub-requests off as soon as possible, do something else and then retrieve the results Job queues • • • • Processing time too long for the user to wait? Can only process N requests / jobs in parallel? Use queues (and external worker processes) IFRAMEs and AJAX can make this really spiffy (tell the user “the wait time is 20 seconds”) Job queue tools • Database “queue” webservers • • • • Dedicated queue table or just processed_on and grabbed_on columns Webserver submits job First available “worker” picks it up and returns the result to the queue Webserver polls for status Queue DB workers workers workers workers More Job Queue tools • beanstalkd - great protocol, fast, no persistence (yet) • gearman - for one off out-of-band jobs • starling - from twitter, memcached protocol, disk based persistence • TheSchwartz from SixApart, used in Movable Type • Spread • MQ / Java Messaging Service(?) / ... Log http requests • • • • • • Log slow http transactions to a database time, response_time, uri, remote_ip, user_agent, request_args, user, svn_branch_revision, log_reason (a “SET” column), ... Log to ARCHIVE tables, rotate hourly / weekly / ... Log 2% of all requests! Log all 4xx and 5xx requests Great for statistical analysis! • • Which requests are slower Is the site getting faster or slower? Time::HiRes in Perl, microseconds from gettimeofday system call Intermission ? ! • • • • Use light processes for light tasks Thin proxies servers or threads for “network buffers” Goes between the user and your heavier backend application Built-in load-balancing! (for Varnish, perlbal, ...) httpd with mod_proxy / mod_backhand • • perlbal – more on that in a bit Varnish, squid, pound, ... Proxy illustration perlbal or mod_proxy low memory/resource usage Users backends lots of memory db connections etc Light processes • • • • • • Save memory and database connections This works spectacularly well. Really! Can also serve static files Avoid starting your main application as root Load balancing In particular important if your backend processes are “heavy” Light processes • • Apache 2 makes it Really Easy ProxyPreserveHost On <VirtualHost *> ServerName combust.c2.askask.com ServerAlias *.c2.askask.com RewriteEngine on RewriteRule (.*) [P] </VirtualHost> • • Easy to have different “backend environments” on one IP Backend setup (Apache 1.x) Listen 127.0.0.1:8230 Port 80 perlbal configuration CREATE POOL POOL POOL POOL POOL my_apaches my_apaches ADD 10.0.0.10:8080 my_apaches ADD 10.0.0.11:8080 my_apaches ADD 10.0.0.12 my_apaches ADD 10.0.0.13:8081 0.0.0.0:80 reverse_proxy my_apaches on on on CREATE SERVICE balancer SET listen = SET role = SET pool = SET persist_client = SET persist_backend = SET verify_backend = ENABLE balancer A few thoughts on development ... All Unicode All The Time • • The web is international and multilingual, deal with it. All Unicode all the time! (except when you don’t need it – urls, email addresses, ...) • Perl: DBD::mysql was fixed last year! PHP 6 will have improved Unicode support. Ruby 2 will someday, too... • It will never be easier to convert than now! Use UTC Coordinated Universal Time • • • It might not seem important now, but some day ... It will never be easier to convert than now! Store all dates and times as UTC, convert to “local time” on display Build on APIs • • • • • • All APIs All The Time! Use “clean APIs” Internally in your application architecture Loosely coupled APIs are easier to scale • Add versioning to APIs (“&api_version=123”) Easier to scale development Easier to scale deployment Easier to open up to partners and users! Why APIs? • Natural place for “business logic” • • • • • • • Controller = “Speak HTTP” Model = “Speak SQL” View = “Format HTML / ...” API = “Do Stuff” Aggregate just the right amount of data Awesome place for optimizations that matter! The data layer knows too little More development philosophy • • • • Do the Simplest Thing That Can Possibly Work ... but do it really well! Balance the complexity, err on the side of simple This is hard! Pay your technical debt • Don’t incur technical debt • • • “We can’t change that - last we tried the site went down” “Just add a comment with ‘TODO’” “Oops. Where are the backups? What do you mean ‘no’?” “Who has the email with that bug?” • • • Interest on technical debt will kill you Pay it back as soon as you can! Coding guidelines • • • Keep your formatting consistent! • perl: perltidy, perl best practices, Perl::Critic Keep your APIs and module conventions consistent Refactor APIs mercilessly (in particular while they are not public) qmail lessons • • • • Lessons from 10 years of qmail Research paper from Dan Bernstein Eliminate bugs • • Test coverage Keep data flow explicit (continued) qmail lessons (2) • Eliminate code – less code = less bugs! • • • • Refactor common code Reuse code (Unix tools / libs, CPAN, PEAR, Ruby Gems, ...) Reuse access control • Eliminate trusted code – what needs access? Treat transformation code as completely untrusted Joint Strike Fighter • • • • • ~Superset of the “Motor Industry Software Reliability Association Guidelines For The Use Of The C Language In Vehicle Based Software” Really Very Detailed! No recursion! (Ok, ignore this one :-) ) Do make guide lines – know when to break them Have code reviews - make sure every commit email gets read (and have automatic commit emails in the first place!) High Availability and Load Balancing and Disaster Recovery High Availability • • • Automatically handle failures! unplugged the wrong box”, ...) (bad disks, failing fans, “oops, For your app servers the load balancing system should take out “bad servers” (most do) • perlbal or Varnish can do this for http servers Easy-ish for things that can just “run on lots of boxes” Make that service always work! • Sometimes you need a service to always run, but on specific IP addresses • • • • • Load balancers (level 3 or level 7: perlbal/varnish/squid) Routers DNS servers NFS servers Anything that has failover or an alternate server – the IP needs to move (much faster than changing DNS) Load balancing • • • • • Key to horizontal scaling (duh) 1) All requests goes to the load balancer 2) Load balancer picks a “real server” Hardware (lots of vendors) Coyote Point have relatively cheaper ones • Look for older models for cheap on eBay! Linux Virtual Server Open/FreeBSD firewall rules (pf firewall pools) (no automatic failover, have to do that on the “real servers”) Load balancing 2 • • • Use a “level 3” (tcp connections only) tool to send traffic to your proxies Through the proxies do “level 7” (http) load balancing perlbal has some really good features for this! perlbal • • • • • • Event based for HTTP load balancing, web serving, and a mix of the two (see below). Practical fancy features like “multiplexing” keep-alive connections to both users and back-ends Everything can be configured or reconfigured on the fly If you configure your backends to only allow as many connections as they can handle (you should anyway!) perlbal with automatically balance the load “perfectly” Can actually give Perlbal a list of URLs to try. Perlbal will find one that's alive. Instant failover! Varnish • • • • • • • Modern high performance http accelerator Optimized as a “reverse cache” Whenever you would have used squid, give this a look Recently got “Vary” support Super efficient (except it really wants to “take over” a box) Written by Poul-Henning Kamp, famed FreeBSD contributor BSD licensed, work is being paid by a norwegian newspaper • Fail-over tools “move that IP” Buy a “hardware load balancer” • • • • Generally Quite Expensive • (Except on eBay - used network equipment is often great) Not appropriate (cost-wise) until you have MANY servers If the feature list fits it “Just Works” ... but when we are starting out, what do we use? wackamole • • • • • • • • Simple, just moves the IP(s) Can embed Perl so you can run Perl functions when IPs come and go Easy configuration format Setup “groups of IPs” Supports Linux, FreeBSD and Solaris Spread toolkit for communication Easy to troubleshoot (after you get Spread working...) Heartbeat • • • • • • Monitors and moves services (an IP address is “just a service”) v1 has simple but goofy configuration format v2 supports all sorts of groupings, larger clusters (up to 16 servers) Uses /etc/init.d type scripts for running services Maybe more complicated than you want your HA tools Carp + pfsync • Patent-free version of Ciscos “VRRP” (Virtual Router Redundancy Protocol) • FreeBSD and OpenBSD only • Carp (moves IPs) and pfsync (synchronizes firewall state) • (awesome for routers and NAT boxes) • Doesn’t do any service checks, just moves IPs around mysql master master replication manager • • • • • • • mysql-master-master tool can do automatic failover! No shared disk Define potential “readers” and “writers” List of “application access” IPs Reconfigures replication Moves IPs Suggested Configuration • • Open/FreeBSD routers with Carp+pfsync for firewalls A set of boxes with perlbal + wackamole on static “always up” HTTP enabled IPs • Trick on Linux: Allow the perlbal processes to bind to all IPs (no port number tricks or service reconfiguration or restarts!) echo 1 > /proc/sys/net/ipv4/ip_nonlocal_bind or or sysctl -w net.ipv4.ip_nonlocal_bind=1 echo net.ipv4.ip_nonlocal_bind = 1 >> /etc/sysctl.conf • • • Dumb regular http servers “behind” the perlbal ones wackamole for other services like DNS mmm for mysql fail-over Redundancy fallacy! • • Don’t confuse load-balancing with redundancy What happens when one of these two fail? Load balanced servers load / capacity Load (55%) Load (60%) Oops – no redundancy! • • • Always have “n+1” capacity Consider have a “passive spare” (active/passive with two servers) Careful load monitoring! More than 100% load on 1 server! Load (50%) • • • Munin MySQL Network (ganglia, cacti, ...) Load Load (60%) High availability Shared storage • • • • • NFS servers (for diskless servers, ...) Failover for database servers Traditionally either via fiber or SCSI connected to both servers Or NetApp filer boxes All expensive and smells like “the one big server” Cheap high availability storage with DRBD • • • • • Synchronizes a block device between two servers! “Network RAID1” Typically used in Active/Primary-Standby/Secondary setup If the active server goes down the secondary server will switch to primary, run fsck, mount the device and start the service (MySQL / NFS server / ...) v0.8 can do writes on both servers at once – “shared disk semantics” (you need a filesystem on top that supports that, OCFS, GFS, ... – probably not worth it, but neat) Disaster Recovery • Separate from “fail-over” (no disaster if we failed-over...) • • • • “The rescue truck fell in the water” “All the ‘redundant’ network cables melted” “The datacenter got flooded” “The grumpy sysadmin sabotaged everything before he left” Disaster Recovery Planning • • • • • You won’t be back up in 2 hours, but plan so you quickly will have an idea how long it will be Have a status update site / weblog Plans for getting hardware replacements Plans for getting running temporarily on rented “dedicated servers” (ev1servers, rackspace, ...) And .... Backup your databse! • • • • Binary logs! • Keep track of “changes since the last snapshot” Use replication to Another Site (doesn’t help on “for $table = @tables { truncate $table }”) On small databases use mysqldump Zmanda MySQL Backup (or whatever similar tool your database comes with) packages the different tools and options Backup Big Databases • Use mylvmbackup to snapshot and archive • • • • • Requires data on an LVM device (just do it) InnoDB: Automatic recovery! (ooh, magic) MyISAM: Read Lock your database for a few seconds before making the snapshot (on MySQL do a “FLUSH TABLES” first (which might be slow) and then a “FLUSH TABLES WITH READ LOCK” right after) Sync the LVM snapshot elsewhere And then remove the snapshot! • Bonus Optimization: Run the backup from a replication slave! Backup on replication slave • • Or just run the backup from a replication slave ... Keep an extra replica of your master • • shutdown mysqld and archive the data Small-ish databases: mysqldump --single-transaction All Automation All The Time or How to manage 200 servers in your spare-time System Management Keep software deployments easy • • • Make upgrading the software a simple process Script database schema changes Keep configuration minimal • • • • Servername (“”) Database names (“userdb = host=db1;db=users”;...” If there’s a reasonable default, put the default in the code (for example ) “deployment_mode = devel / test / prod” lets you put reasonable defaults in code Easy software deployment 2 • • • • • • How do you distribute your code to all the app servers? Use your source code repository (Subversion etc)! (tell your script to svn up to revision 123 and restart) .tar.gz to be unpacked on each server .rpm or .deb package NFS mount and symlinks No matter what: Make your test environment use the same mechanism as production and: Have it scripted! have everything scripted! actually, Configuration management Rule Number One • • • • • Configuration in SVN (or similar) “infrastructure/” repository SVN rather than rcs to automatically have a backup in the Subversion server – which you are carefully backing up anyway Keep notes! Accessible when the wiki is down; easy to grep Don’t worry about perfect layout; just keep it updated Configuration management Rule Two • • • • Repeatable configuration! Can you reinstall any server Right Now? Use tools to keep system configuration in sync Upcoming configuration management (and more) tools! • • csync2 (librsync and sqlite based sync tool) puppet (central server, rule system, ruby!) puppet • Automating sysadmin tasks! • 1) Client provides “facter” to server 2) Server makes configuration 3) Client implements configuration service { "sshd": enable => true, ensure => running } package { "vim-enhanced": ensure => installed } package { "emacs": ensure => installed } • • node db-server inherits standard { include mysql_server include solfo_hw } puppet example node db2, db3, db4 inherits db-server { } node trillian inherits db-server { include ypbot_devel_dependencies } # ----------------------------class mysql_client { package { "MySQL-client-standard": ensure => installed } package { "MySQL-shared-compat": ensure => installed } } class mysql_server { file { "/mysql": ensure => directory, } package { "MySQL-server-standard": ensure => installed } } include mysql_client puppet mount example class nfs_client_pkg { • Ensure an NFS mount exists, except on the NFS servers file { "/pkg": ensure => directory, } $mount = $hostname ? { "nfs-a" => absent, "nfs-b" => absent, default => mounted } mount { "/pkg": atboot => true, device => 'nfs.la.sol:/pkg', ensure => $mount, fstype => 'nfs4', options => 'ro,intr,noatime', require => File["/pkg"], } } More puppet features • In addition to services, packages and mounts... • • • • • Manage users Manage crontabs Copy configuration files (with templates) … and much more Recipes, reference documentation and more at Backups! • • Backup everything you can • • • • • • Check/test the backups routinely Super easy deployment: rsnapshot Uses rsync and hardlinks to efficiently store many backup generations Server initiated – just needs ssh and rsync on client Simple restore – files • Other tools Amanda (Zmanda) Bacula Backup is cheap! • • • Extra disk in a box somewhere? That can do! Disks are cheap – get more! Disk backup server in your office: Enclosure + PSU: $275 CPU + Board + RAM: $400 3ware raid (optional): $575 6x1TB disks: $1700 (~4TB in raid 6) = $3000 for 4TB backup space, easily expandable (or less than $5000 for 9TB space with raid 6 and hot standby) • Ability to get back your data = Priceless! somewhat tangentially ... RAID Levels RAID-I (1989) consisted of a Sun 4/280 workstation with 128 MB of DRAM, four dualstring SCSI controllers, 28 5.25-inch SCSI disks and specialized disk striping software. Basic RAID levels • • • • • RAID 0 Stripe all disks (capacity = N*S Fail: Any disk RAID 1 Mirror all disks (capacity = S) Fail: All disks RAID 10 Combine RAID 1 and 0 (capacity = N*S / 2) RAID 5 RAID 0 with parity (capacity = N*S - S) Fail: 2 disks RAID 6 Two parity disks (capacity = N*S - S*2) Fail: 3 disks! RAID 1 • • • Mirror all disks to all disks Simple - easiest to recover! Use for system disks and small backup devices RAID 0 • • • • • • Use for redundant database mirrors or scratch data that you can quickly rebuild Absolutely never for anything you care about Failure = system failure Great performance; no safety Capacity = 100% Disk IO = every IO available is “useful” RAID 10 • • • • • Stripe of mirrored devices IO performance and capacity of half your disks - not bad! Relatively good redundancy, lose one disk from each of the “sub-mirrors” Quick rebuild: Just rebuild one mirror More disks = more failures! If you have more than X disks, keep a hot spare. RAID 5 • • • • • Terrible database performance A partial block write = read all disks! When degraded a RAID 5 is a RAID 0 in redundancy! Rebuilding a RAID 5 is a great way to find more latent errors Don’t use RAID 5 – just not worth it RAID 6 • • • Like RAID 5 but doesn’t fail as easily Can survive two disks failing Don’t make your arrays too big • • 12 disks = 12x failure rate of one disk! Always keep a hot-spare if you can Hardware or software RAID? • • Hardware RAID: Worth it for the Battery Backup Unit! • • • • Battery allows the controller to – safely – fake “Sure mister, it’s safely on disk” responses No Battery? Use Software RAID Low or no CPU use Easier and faster to recover from failures! • • Write-intent bitmap More flexible layout options RAID 1 partition for system + RAID 10 for data on each disk nagios • • • • Monitoring “is the website up” is easy Monitoring dozens or hundreds of sub-systems is hard Monitor everything! Disk usage, system daemons, applications daemons, databases, data states, ... nagios configuration tricks • • nagios configuration is famously painful Somewhat undeserved! examples of simple configuration - templates - groups nagios best practices • • • • All alerts must be “important” – if some alerts are ignored, all other alerts easily are, too. Don’t get 1000 alerts if a DB server is down Don’t get paged if 1 of 50 webservers crashed Why do you as a non-sysadmin care? • • Use nagios to help the sysadmins fix the application Get information to improve reliability Resource management • • If possible, only run one service per server (makes monitoring/ managing your capacity much easier) Balance how you use the hardware • • • • Use memory to save CPU or IO Balance your resource use (CPU vs RAM vs IO) Extra memory on the app server? Run memcached! Extra CPU + memory? Run an application server in a Xen box! • Don’t swap memory to disk. Ever. Netboot your application servers! • • • • • Definitely netboot the installation (you’ll never buy another server with a tedious CD/DVD drive) • RHEL / Fedora: Kickstart + puppet = from box to all running in ~10 minutes Netboot application servers FreeBSD has awesome support for this Debian is supposed to Fedora Core 7 8 ?? looks like it will (RHEL5uX too?) No shooting in foot! • Ooops? Did that leak memory again? Development server went kaboom? • Edit /etc/security/limits.conf soft rss • @users @users @users hard rss hard as 250000 250000 500000 • Use to set higher open files limits for mysqld etc, too! noatime mounts • • • • Mount ~all your filesystems “noatime” By default the filesystem will do a write every time it accesses/reads a file! That’s clearly insane Stop the madness, mount noatime /home /home ext3 ext3 defaults noatime 1 2 1 2 /dev/vg0/lvhome /dev/vg0/lvhome graph everything! • • mrtg The Multi Router Traffic Grapher rrdtool round-robin-database tool • • • Fixed size database handling time series data Lots of tools built on rrdtool ganglia cluster/grid monitoring system Historical perspective basic bandwidth graph Launch Steady growth Try CDN Enable compression for all browsers munin • • • • “Hugin and Munin are the ravens of the Norse god king Odin. They flew all over Midgard for him, seeing and remembering, and later telling him.” Munin is also AWESOME! Shows trends for system statistics Easy to extend mysql query stats Query cache useful? • • • Is the MySQL query cache useful for your application? Make a graph! In this particular installation it answers half of the selects squid cache hitratio? • • • • Red: Cache Miss Green: Cache Hit Increased cache size to get better hit ratio Huh? When? Don’t confuse graphs with “hard data” Keep the real numbers, too! munin: capacity planning, cpu • • xen system 6 cpus plenty to spare Blocking on disk I/O? • • Pink: iowait This box needs more memory or faster disks! More IO Wait fun • • 8 CPU box - harder to see the details High IO Wait More IO Wait fun • Upgraded memory, iowait dropped! IO Statistics • • per disk IO statistics more memory, less disk IO more memory stats fix app config plenty memory free fix perlbal leak room for memcached? took a week to use new memory for caching plenty memory to run memcached here! munin: spot a problem? • • 1 CPU 100% busy on “system”? Started a few days ago munin: spot a problem? • • Has it happened before? Yup - occasionally! munin: spot a problem? • IPMI driver went kaboom! Make your own Munin plugin • Any executable with the right output # ./load config graph_title Load average graph_args --base 1000 -l 0 graph_vlabel load ... load.label load load.info Average load for the five minutes. ... # ./load fetch load.value 1.67 Munin as a nagios agent • • • Use a Nagios plugin to talk to munin! Munin is already setup to monitor important metrics Nagios plugin talks to munin as if the collector agent define service { use local-service hostgroup_name xen-servers,db-servers,app-ser service_description df check_command check_munin!df!88!94 } A little on hardware • • • • • • • • Hardware is a commodity! Configuring it isn’t (yet – Google AppEngine!) Managed services - cthought.com, RackSpace, SoftLayer ... Managing hardware != Managing systems Rent A Server (crummy support, easy on hardware replacements, easy on cashflow) Amazon EC2 (just announced persistent storage!) Use standard configurations and automatic deployment Now you can buy or rent servers from anywhere! Use a CDN • • • • • If you serve more than a few TB static files a month... Consider a Content Delivery Network Fast for users, easier on your network Pass-through proxy cache - easy deployment Akamai, LimeLight, PantherExpress, CacheFly, ... (only Akamai supports compressed files (??)) Client Performance “Best Practices for Speeding Up Your Web Site” Recommended Reading • “High Performance Web Sites” book by Steve Souders • /performance/ • • • Use YSlow Firefox extension made by Yahoo! Quickly checks your site for the Yahoo Performance Guidelines I’ll quickly go over a few server / infrastructure related rules ... • Minimize HTTP Requests • • • Generate and download the main html in 0.3 seconds Making connections and downloading 38 small dependencies (CSS, JS, PNG, …) – more than 0.3s! Combine small JS and CSS files into fewer larger files • • Make it part of your release process! In development use many small files, in production group them • CSS sprites to minimize image requests Add an “Expires” header • • • • Avoid unnecessary “yup, that hasn’t changed” requests Tell the browser to cache objects HTTP headers.flickr.com/photos/leecullivan/ • Expires: Mon, Jan 28 2019 23:45:00 GMT Cache-Control: max-age=315360000 Must change the URL when the file changes! Ultimate Cache Control • • • • • • Have all your static resources be truly static Change the URL when the resource changes Version number – from Subversion, git, … /js/foo.v1.js /js/foo.v2.js ... Modified timestamp – good for development /js/foo.v1206878853.js (partial) MD5 of file contents – safe for cache poisoning /js/foo.v861ad7064c17.js Build a “file to version” mapping in your build process and load in the application Serve “versioned” files • • • Crazy easy with Apache rewrite rules “/js/foo.js” is served normally “/js/foo.vX.js” is served with extra cache headers RewriteEngine on # remove version number, set environment variable RewriteRule ^/(.*\.)v[0-9a-f.]+\.(css|js|gif|png|jpg|ico)$ \ /$1$2 [E=VERSIONED_FILE:1] # Set headers when “VERSIONED_FILE” environment is set Header add "Expires" "Fri, Nov 10 2017 23:45:00 GMT" \ env=VERSIONED_FILE Header add "Cache-Control" "max-age=315360001" \ env=VERSIONED_FILE Minimize CSS, JS and PNG • • Minimize JS and CSS files (remove whitespace, shorten JS, …) • • Add to your “version map” if you have a “-min” version of the file to be used in production Losslessly recompress PNG files with OptiPNG) { // alert(response.system_error); } else if (response.length) { var eventshtml=''; for (var i=0; i<response.length; i++) { eventshtml+='<br /><a href="'') } catch(err) {} }, failure:function(o) { // error contacting server } Pre-minimized JS ~1600 to ~1100 bytes ~30% saved! Minimized JS){}else{if(response.length){var eventshtml="";for(var i=0;i<response.length;i++){eventshtml+='<br /><a href=" event/'"); Gzip components • • • • Don’t make the users download several times more data than necessary. Browser: Accept-Encoding: gzip, deflate Server: Content-Encoding: gzip Dynamic content (Apache 2.x) LoadModule mod_deflate … AddOutputFilterByType DEFLATE text/html text/plain text/javascript text/xml Gzip static objects • • Pre-compress .js and .css files in the build process foo.js > foo.js.gzip AddEncoding gzip .gzip # If the user accepts gzip data RewriteCond %{HTTP:Accept-Encoding} gzip # … and we have a .gzip version of the file RewriteCond %{DOCUMENT_ROOT}/%{REQUEST_FILENAME}.gzip -f # then serve that instead of the original file RewriteRule ^(.*)$ $1.gzip [L] Think Horizontal! remember (and go build som ething n eat!) Books! • • • “Building Scalable Web Sites” by Cal Henderson of Flickr fame • Only $26 on Amazon! from your local bookstore too) (But it’s worth the $40 “Scalable Internet Architectures” by Theo Schlossnagle Teaching concepts with lots of examples “High Performance Web Sites” by Steve Souders Front end performance • • • • • • • • • • • • • • • Thanks! Direct and indirect help from ... Cal Henderson, Flickr Yahoo! Brad Fitzpatrick, LiveJournal SixApart Google Graham Barr Tim Bunce Perrin Harkins David Wheeler Tom Metro Kevin Scaldeferri, Overture Yahoo! Vani Raja Hansen Jay Pipes Joshua Schachter Ticketmaster Shopzilla .. and many more – The End – Questions? Thank you! More questions? Comments? Need consulting? ask@develooper.com
https://www.scribd.com/document/2569319/Real-World-Web-Performance-Scalability
CC-MAIN-2017-43
refinedweb
7,605
51.58
Controlling your Sonos speakers from Python and the commandline SoCo (Sonos Controller) lets you control your Sonos speakers from Python or the commandline. When using Python, you need the soco package (see GitHub project). import soco speakers = soco.discover() # Display a list of speakers for speaker in speakers: print "%s (%s)" % (speaker.player_name, speaker.ip_address) # Play a speaker speakers.pop().play() For all features, have a look at the documentation. For the commandline interface you need the socos package (see GitHub project). $ socos list (1) 192.168.0.129 Living room (2) 192.168.0.130 Bedroom $ socos play 192.168.0.129 If you want to ask questions or start a discussion, you can find us on Google Groups.
http://python-soco.com/
CC-MAIN-2018-17
refinedweb
120
70.19
In article <4ca6bd15$0$11112$c3e8da3 at news.astraweb.com>, Steven D'Aprano <steve at REMOVE-THIS-cybersource.com.au> wrote: >On Fri, 01 Oct 2010 14:56:52 +0200, Antoon Pardon wrote: > >> Think about the following possibility. >> >> Someone provides you with a library of functions that act on sequences. >> They rely on the fact that '+' concatenates. >> >> Someone else provides you with a library of functions that act on >> numbers. They rely on the fact that '+' provides addition. >> >> Now however you write your sequence like numbers or number like >> sequences one of those libraries will be useless for it. > >And? So what? Sequences aren't numbers. Numbers aren't sequences. You >can't expect every library to correctly work with every data type >regardless of the polymorphism of operators. > >If you have no idea what x is, you can't possibly expect to know what >function(x) does, *for any function*. > >(Actually, there may be one or two exceptions, like id(x). But fewer than >you think -- even str(x) is not guaranteed to work for arbitrary types.) > >If you don't know whether x is a number or a sequence, you can't know >what x.sort() will do, or math.sqrt(x), or x+x. Why single out x+x as >more disturbing than the other examples? > > >>> -- which would it do with only one >>> symbol? >> >> But why limit ourselves to one symbol for different kind of operations, >> to begin with? > >Because the more symbols you have, the higher the learning curve to >become proficient in the language, and the more like line-noise the code >becomes. If you want APL or Perl, you know where to find them -- they're >perfectly reasonable languages, but they have made design choices that >are not Python's design choices. > >We use operators, because for certain common operations it is more >convenient and natural to use infix notation than function notation. And >polymorphism is useful, because it reduces the size of namespaces and >therefore the burden on the programmer. Putting these two factors >together, instead of: There is one more important argument. Suppose + on a certain type of a objects generates the same type of object. Suppose (x+y)+z = x+(y+z) (always) This is called associativity. Then we can forget about the brackets. A simple expression like y = [1,2,3] + x + [4,5,6] + z becomes a mess without leaning on this associativity law. Note that concatenation is by nature associative. It is so natural that you almost must be a mathematician to realize that. > >concat_lists >concat_tuples >concat_strings >concat_bytes >add_floats >add_ints >add_rationals >add_decimals > >plus mixed-operand versions of at least some of them, we have a single >symbol, +, for all of these. Arguing about whether it should be a single >operator + or two operators + & is a comparatively trivial matter. I >believe that the similarity between concatenation and addition is close >enough that it is appropriate to use one symbol for both, and likewise >between repetition and multiplication. I'm glad that Guido apparently >agrees with me. The important thing is that manipulations are the same such that a += b a += c a += d can be replaced by a = b + c + d without much thought to what a b c and + represent. In other words reuse of the important brain resource of pattern recognition. >-- >Steven Groetjes Albert -- -- Albert van der Horst, UTRECHT,THE NETHERLANDS Economic growth -- being exponential -- ultimately falters. albert at spe&ar&c.xs4all.nl &=n
https://mail.python.org/pipermail/python-list/2010-October/588954.html
CC-MAIN-2016-44
refinedweb
578
57.57
downloaded the source to the Toolkit and customized the DatePicker page. I only changed colors, not layout or functionality. I want to use my updating color scheme, so I imported the customized page to my project. However, I ran into various problems getting it to compile because of namespace conflicts. Is there an easy way to import my updated page, but keep using the tookit code to control the page? CACuzcatlan, Yours sounds like the same scenario I demonstrate in this blog post and in the associated sample application I link to above. Using the process I outline here, there's no need to download the Toolkit source code or recompile it – customizing the DatePicker/TimePicker popup page can be done completely externally. If you don't think that will work for your scenario, could you please explain exactly what it is you're trying to do and why? Thanks! Thanks for the quick response. I want to use the default date picker page (the one with the scroll selectors, shown in the first image near the top of this blog entry). However, I want to change the colors to match our app. There doesn't seem to be a way to template the page. I downloaded the Phone Toolkit source code and updated the colors to match what I need, but when I import the updated page and code behind to my project. It doesn't compile because the code behind tries to access methods my project doesn't have access to. If I import everything in the DateTimePickers folder in the Microsoft.Phone.Controls.Toolkit project, I get an error saying "conflicts with the imported type". I haven't tried it yet, but it seems the only way to use my updates to the default picker page is to import everything in the DateTimePickers folder and change all the object names so they don't conflict. It seems like disproportionate amount of work for changing 3 colors in the default picker page. CACuzcatlan, Thanks – I think I understand your scenario now. What I'd expect is that you can take just DatePickerPage.xaml, DatePickerPage.xaml.cs, and DateTimePickerPageBase.cs and put them in your own project. You will need to change the name or namespace for all three to avoid conflicting with the existing classes in the Toolkit assembly, but that should be fairly easy (FYI, I'd recommend changing the namespace). As I recall right now, these classes are self-contained and don't reference any internal/inaccessible properties, so this *should* be fairly straightforward to do. I haven't tried it myself, but that's my expectation – it sounds like you were on the right track, and just grabbed a few too many files. Delay, I just tried your suggestion of adding DatePickerPage.xaml, DatePickerPage.xaml.cs, and DateTimePickerPageBase.cs. I had to change the names and namespaces. However, I'm still not able to compile. The biggest issue is that it can't access the DataSource.cs file, which includes the DataSource abstract class and a few classes that implement it. There are also a few other compile errors, but this is the main one that is holding me up right now. It seems that since a modifier is not declared for the DataSource class, it has protected access and I can't use it from my code since I'm not in the same assembly. I'm gonna try moving DataSource to my project and changing the name/namespace, but I get the feeling I'm gonna end up with cascading issues and will eventually have everything in the DateTimePickers folder in my project. If you find a way to customize the DatePickerPage.xaml without all this overhead, please let me know. Thanks. CACuzcatlan, It looks to me like DataSource.cs should not pull in any additional dependencies. Fingers crossed! Ok, here's the latest. I got it to compile by adding DatePickerPage.xaml, DatePickerPage.xaml.cs, and DataSource.cs! In the end, I didn't have to change namespaces on those classes. However, I'm running into a runtime exception at line 45 of DataSource.cs. I'm getting a InvalidCastException when it calls "handler" on line 45. I've refactored my code locally and found that the error is not caused when creating a new SelectionChangedEventArgs object. The handler() function is a delegate that points to a function in LoopingSelector.cs, so I can't step into it to determine where the exact error occurs. As far as I can tell, there is no different between the objects in my local version vs. debugging the Silverlight toolkit (which works correctly). I'm need to take a break from this issue, as I've been working on it all day. I'll keep checking the comments to see if there any other developments. I like the idea of being able to customize the date picker through building your own page, but I'm disappointed at how difficult it is to make simple changes to the default version of the date picker page. CACuzcatlan, Sorry for the trouble! I've played with this a bit just now and I agree there really doesn't seem to be an easy way to do this kind of thing. (The InvalidCastException ends up being because there get to be two kinds of DataSource in the system and it's not possible to cast from one to the other as happens in DateTimePickerPageBase.cs if it's not included in the project.) This scenario is clearly *possible* – it's just not easy as things are right now. If the DataSource classes were public, it would be simply a matter of adding DatePickerPage.xaml(.cs) to your project, it seems – but it didn't feel right to expose them from the Toolkit assembly since they're really only relevant here and not part of a public API… What you might consider instead – and which should be quite easy – is to take the leap to compiling your own version of the Toolkit assembly. Instead of pulling out files here and there, just incorporate the *entire* Toolkit assembly into your solution in source form, delete the existing Toolkit reference, and add a project reference to the private copy. After that, you can modify anything you want in-place and not need to worry about any of the stuff that's getting in the way here. A side benefit is that you'll be able to debug into Toolkit code should the need arise. I know a lot of customers take this approach and it has some pretty compelling reasons (once you get past the initial idea of absorbing that much external code). Hope this helps! Hello, I have downloaded and installed the Toolkit and I am having a problem with the DatePicker. Everything seems to be working great (I even got the check and cancel .png icons to appear properly!) but the Done and Cancel buttons do not actually trigger anything. They float up when I click on them, but the page does not go back to the host page. I have to click on the physical back button on the phone in order to get out of the DatePicker page. I am doing this in the emulator on Windows 7, 64-bit, if it matters. If I click that physical back button, the host page does not have the date value changed. So it seems that the event itself is not firing when I click on those buttons. Has anyone else experienced this problem? More info… I have also tried using the ValueChanged attribute in the xaml file and also created a code-behind sub that handles the EventChanged event. Still nothing happens when I click on the Done button or the Cancel button. Help! cwforwinpho7, Sorry for the trouble – please have a look at the last few notes in this post: blogs.msdn.com/…/pining-for-windows-phone-7-controls-we-got-ya-covered-announcing-the-first-release-of-the-silverlight-for-windows-phone-toolkit.aspx What I suspect is happening is that you (or some component you're using) are overriding the navigation events in your application and cancelling them sometimes. DatePicker/TimePicker use the navigation system to bring up and dismiss their "popup" pages, and cancelling those events (or interfering with them) *will* break things. If you want to be extra sure, please try the "done"/"cancel" buttons in the sample application that comes with this post or the referenced post – I think you'll find they work okay in isolation. Hope this helps! Hi Delay, Thanks for the help, I think I'm getting close! I created a new test app and the datepicker and the done/cancel buttons work great in that app. Wow, those are some very nice effects, I might add… But what could be causing the problem in my main app? I will keep trying to isolate various things, but I just don't know what types of things I should be looking for. I am not using any crazy controls in my app, and I am not (that I am aware of anyway) overriding any NavigationService events. Any more clues that come to mind? Okay, I figured out this problem. I am doing a CameraCaptureTask, and it was in the Completed handler that I was doing the NavigationService.Navigate to get to my page that had the DatePicker on it. It seems that there is something special about the CameraCaptureTask that was hindering the navigation of the DatePicker. I re-wrote this to fire 10 ms after the Completed handler function completes, and now it works! One more problem, however, and hopefully this is a more straightforward issue. When I use the DatePicker and select a date and then click the (now working) Done button, the navigation goes back to my first page, but the values that I had entered into the controls on that page are lost as the page actually loads again. It is like the DatePicker is doing the Silverlight equivalent of a Response.Redirect rather than just a javascript.back while setting the value of the DatePicker control. How can I either maintain the state of the first page perfectly and then recall it, or else how can I make the DatePicker control have a lighter touch so that it does not make the first page refresh? I would prefer the latter approach as it seems to be the correct way that the DatePicker should work in my mind. Nevermiiiiiind… I was using the Page_Loaded event for things that I can move to the Sub New event instead. It seems that the Sub New is only called when I first navigate to my page, whereas when the DatePicker returns to it that event is not fired, though the Page_Loaded event is. Whatevah! Thanks for listening. cwforwinpho7, I would like to know how we can customize time picker to create an inline Hour:Minute picker. What I want to get is a Time span not the real time. or if you can provide the trick to remove the AM/PM out of the expanded TimePicker control will be helpful Jobi, You can definitely create a custom IDateTimePickerPage implementation that doesn't show the AM/PM selector – in fact, that's pretty much what you'll *already* see if you change your Phone's clock settings to 24-hour or you live outside the United States. But if you're trying to create an actual TimeSpanPicker control, it may not be completely appropriate to start from a TimePicker control – though you're welcome to borrow as much or as little of the DateTimePicker implementation as you'd like! Hi Delay, In datepicker control get date from database and set value in PhoneApplicationPage_Loaded method. once i try to change date in picker it's show same date in picker because once again conrol load so is call PhoneApplicationPage_loaded I try so catch value in datepicker_ValueChanged no use. vignesh, The second Loaded event is an unfortunate consequence of the Navigation-based (vs. Popup-based) implementation we needed to use for DatePicker and TimePicker in order to work around the lack of hardware acceleration in Popups on Windows Phone. You'll probably want to modify your application to figure out whether it's in the "first time loaded" case or the "loaded because someone just picked a date" case and not overwrite the chosen date in the second one. I know of someone else who ran into this same problem and worked around it successfully by doing exactly that. Hope this helps! PS – More info on the Navigation-based approach and some of its implications: blogs.msdn.com/…/pining-for-windows-phone-7-controls-we-got-ya-covered-announcing-the-first-release-of-the-silverlight-for-windows-phone-toolkit.aspx Hi Delay, is there a way to open the date picker page programmatically? The scenario is: In my UI the selected date is visualized by an image. Until the user has selected a date, a placeholder is shown. The problem is that I found most people try to tap the placeholder to select a date instead of the (much less striking) date picker control. So the idea was to "route" the tap on the image to the date picker and show the picker page. Unfortunately I'm stuck with this. I tried to create an automation peer for the date picker, which does not seem to work, and using a reflection hack also got me nowhere, because the required methods are private. Any ideas? Thank you very much, Peter I found a working hack/workaround for the moment by traversing the visual tree to find the "DateTimeButton" template part and create the automation peer for that button instead. Not pretty though :-). Mister Goodcat, I'm glad to hear you found something that'll work! The alternative would be to expose something like an IsOpen property on DatePicker for scenarios like this. That's on the TODO list, but not present in Toolkit today. However, I don't think it would be overly difficult to add – perhaps that would be worth considering if you're not completely happy with your AutomationPeer approach? Thanks for the feedback! Thank you for the quick reply! I agree that it would not have been difficult to add it to the original code. The reason I didn't go that road was that I wanted to use the the toolkit as-is, and keep the efforts to upgrade when the next release is published at a minimum. It's nice to see that you listen to people's feedback and provide such an excellent support. Thank you again. – Peter Mister Goodcat, Thanks for the kind words! I totally understand your desire not to get into the business of customizing the Toolkit code if you don't need to – for now, I think your AutomationPeer approach is a pretty clever/elegant solution. is there any way to define the minutes interval for the timepicker ? e.g. to 15 minutes ? kook88, By default, no – but it would be an easy change to make to the MinuteDataSource class (in DataSource.cs) if you don't mind tweaking the Toolkit source code! Hello, FYI I just added the TimeSpanPicker to the toolkit by making the DateTimePickerBase generic (i.e DateTimePickerBase<T>). You can also specify a maximum value and an increment step, you can download it here : blogs.msdn.com/…/un-timespanpicker-pour-le-toolkit-windows-phone-7.aspx Hope it helps Stéphanie Hertrich, Neat, thanks! What I'd like to do is have an interim page like the one you show here, except with an additional button for "custom". Then if the user clicks "custom" it opens the familiar scrolling date picker page that the DatePicker usually uses. Is that sort of thing possible? David, Yes, it seems like it should be possible – the picker page ought be able to navigate to another page without a problem. It might turn out that there's a *slight* tweak to the core DatePicker code that's necessary to make this work, but I'm not thinking it would be any more complicated than that. If all else fails, the picker page should always be able to put up a full-screen Popup to simulate an additional page navigation. If you try this, I'd love to hear how it works out! Hi, how would you set a minimum allowable date? In my scenario the user will never need to select a year less than 10 years ago so I would like the year section of the UI to stop scrolling once it reaches the year 2000. Thanks! KevinUK, At present, doing what you want would involve tweaking the code for the default DatePickerPage to use different end-points. But I think there is (or should be!) a work item on CodePlex to add MinimumDate/MaximumDate properties to the DatePicker control to make it easy to do what you're asking in a more general manner. Ah OK, I'll keep an eye out for more updates. HI , regarding about the datepicker. i need to add days but my scenario is user got to click the date they choose and "AddDays(+15)" . E.g. User choose 29/12/2010 from the datepicker and the output will be 14/1/2011 from a textbox that i created.. louis, What you're talking about sounds like the default experience tweaked slightly to modify the date that's been chosen. Alternatively, you could hook up to the DatePicker.ValueChanged event and increase the value there whenever it changes – just be sure not to get caught in a loop by updating the updated value! Hope this helps! After reading for about two hours I realize the datepicker control requires rocket science to use. I like probably most others need to launch the picker from another framework element besides the textbox. Yes, I used the automation framework <shutter>. Tip: You can't make that textbox visibility collapsed or the farmework part can't be found you must make it maxHeight=0; I wanted to hide the day selection from the picker exactly like the built in calendar control does. You would think there would be an enum on the control to allow you to show any combination of the controls to allow for year only control, month only control etc…based on what I read here you can't do that without recompiling the entire toolkit??? Do I have this right? You can't even change the colors of the original? You also need to make a directory in your solution and pull in the icons for the picker popup. Please tell me I'm wrong on some of this. Troy, Sorry for the difficulty! DatePicker is definitely one of the more challenging controlsto use – largely due to the weird way it creats its pseudo-popup. Unfortunately, there wasn't a lot of choice there because the Windows Phone 7 platform's performance with a real Popup control was so poor. For more background on that: blogs.msdn.com/…/pining-for-windows-phone-7-controls-we-got-ya-covered-announcing-the-first-release-of-the-silverlight-for-windows-phone-toolkit.aspx The Silverlight Templating story is quite powerful and would allow you to do most of the customizations you're talking about, but DatePicker isn't able to take much advantage of it because of the Popup performance issue (again). Regarding the need to create a directory for icons in your own application, this is due to a different platform limitation – the fact that Application Bar icons *must* be compiled as Content but things compiled as Content can't be included inside an assembly (such as the Toolkit assembly). If the Windows Phone 7 platform supported accessing Application Bar icons as Resource or Embedded Resource, we would have done that instead which would have avoided the need for the developer to manage them separately. DatePicker ended up how it is largely as a result of necessary compromises – I'm hopeful that it will get easier to use in future versions of the phone. Thanks for sticking with it! hii David,Could you please guide me how to change background color of datepicker full page…plz plz thanjs in advance…my mail id:hurry2satish@gmail.com satish, Changing the Background property of the PhoneApplicationPage in the example above should do what you want.
https://blogs.msdn.microsoft.com/delay/2010/09/21/there-are-lots-of-ways-to-ask-for-a-date-creating-custom-datepickertimepicker-experiences-is-easy-with-the-windows-phone-toolkit/
CC-MAIN-2016-30
refinedweb
3,423
62.17
Hello Daniweb! :) I am brand new to this site, and wish I didn't need the help but I do! So let's give it a go shall we? I have a program I have been working on for about two weeks now, and I feel like it should not be taking me this long. So here I am, in need of the almighty Daniweb. I have looked at previous threads like requested, but none of them really seemed to speak to my cause, or answer my question. I am using file descriptors, and most of the other threads were not. Hopefully someone will be able to assist me! :-/ The overview: I have three methods that I wrote, readBinary(), writeBinary(), and Update(). The program compiles just fine, but it doesn't do it's intended job... Which is... Programs purpose: When the program starts, I want it to search for "players.bin" and if it doesn't exist, to create it! If it does find it, I want it to print out the records in that file in CSV format. I think I have done this properly, but feel free to tell me differently. The records in the file would be something like "200 jones jim 23 34 56" 200 being the userid, jones being the last name, jim being the first name, 23 34 56 being wins, losses, and ties. So that takes care of THAT. However, here is where I am stuck.. I have never used opcodes. But am doing my best in my attempts to do so. I have sort of an "update file" thats an .ascii. In theory, it's supposed to have instructions and records about those instructions to add to the .bin file. Here is how the opcodes work: 1: Add a new player. The integer 1 is followed by player's info like I had previously stated "userid last first wins ties losses". (My writeBinary method should take care of this). 2: Update the scores for an existing record. The integer 2 followed by the same info above. An example would be 2 200 2 1 3 for add 2 to wins, 1 to losses, and 3 to ties for user 200. All player ids are unique so this makes it a bit easier. (My update method should take care of this) 3: Print the records and terminate the program. (My main function should take care of this, but I feel it may be a little lacking.) This means that all the input strings from the ascii should look something like opcode userid last first wins ties losses. Or using real info --- 2 500 lastname firstname 44 55 66 Assumingly, there is 100 or less records to be dealt with. Like I said, my code compiles but I cannot seem to get it to work? I do not want handouts/the answers; I would actually prefer the opposite. I want to learn how to do this so maybe some pseudo code comments can help me out? In advance, thank you SO much for your time! #include <stdio.h> #include <unistd.h> #include <fcntl.h> #include <stdlib.h> #include <sys/types.h> #include <sys/uio.h> #include <sys/stat.h> #include <string.h> typedef struct { char first[10]; char last[10]; int userid, wins, losses, ties; } Player; void readBinary() { int fd = 0; int num = -1; Player rec; fd = open("players.bin", O_RDONLY|O_CREAT, S_IRWXU); if (fd > 0) { while (num !=0) { num = read(fd, &rec, sizeof(rec)); } } if (num == 0){ printf("End of record file\n"); } else { printf("%d, %s, %s, %d, %d, %d\n", rec.userid, rec.last, rec.first, rec.wins, rec.losses, rec.ties); } printf("\n"); close(fd); } void writeBinary(){ int fd = 0; int num; fd = open("players.bin", O_RDWR|O_APPEND|O_CREAT, S_IRWXU); Player rec; if (fd > 0){ for(int x=0; x<=100; x++){ scanf("%d %s %s %d %d %d", &rec.userid, &rec.last, &rec.first, &rec.wins, &rec.losses, &rec.ties); } } else { printf("Error opening file\n"); } close(fd); } void update() { int fd = 0; Player rec; Player temp; int offset; int num = -1; scanf("%d %d %d %d", temp.userid, &temp.wins, &temp.losses, &temp.ties); fd = open("players.bin", O_RDWR); if (fd > 0) { num = read(fd, &rec, sizeof(rec)); } else printf("Error while trying to open file!\n"); offset = sizeof(rec); fd = open("players.bin", O_RDWR); if (fd > 0){ lseek(fd, offset, SEEK_SET); num = read(fd, &rec, sizeof(rec)); rec.wins = rec.wins + temp.wins; rec.losses = rec.losses + temp.losses; rec.ties = rec.ties + temp.ties; lseek(fd, 0, SEEK_SET); lseek(fd, offset, SEEK_CUR); num = write(fd, &rec, sizeof(rec)); } else printf("Error while opening file!\n"); close(fd); } int main(){ int opcode = 0; readBinary(); while(opcode != 3) { printf("Please enter the operation to be performed:\n"); scanf("%d", &opcode); if(opcode == 1) writeBinary(); if(opcode == 2) update(); } }
https://www.daniweb.com/programming/software-development/threads/387509/update-binary-file-using-and-ascii-that-uses-opcodes
CC-MAIN-2018-51
refinedweb
811
83.66
Misc memory-related optimization ideas. See also Server-side optimizations Modularizing core protocol support 00:00 < dottedmag> I had a look at Xfbdev binary - some kind of lazy loading for FbArc and FbPolyline etc may significantly reduce the main binary size. Given nobody runs really old applications on embedded stuff remnants of old stuff won't use memory and OTOH it is still available if needed. 00:01 < dottedmag> Same for e.g. core text handling 00:02 < vignatti> interesting 00:02 < dottedmag> Should be easy to implement using the technique similar to the PLT/GOT tables, given all requests are called through lookup table anyway. 00:02 < daniels> yeah, that would be neat, though note that if you never reference a page, it's not going to get loaded 00:03 < daniels> (note also that moving stuff into shared libraries is counterproductive unless your shared library is exactly aligned to page size) Client-side optimizations libxcb ("many DSO" problem) 00:08 < dottedmag> daniels: I have been hit by this already: tons of xcb-util and libxcb libraries use 300kB per app just for relocation tables. 00:09 < dottedmag> *per process 00:10 < ajax> the xcb libs should be one actual library and a bunch of ELF fitlers 00:11 < ajax> filters, even. 00:11 < ajax> first person to implement that wins a bottle of their whiskey of choice 00:11 < dottedmag> ajax: elf filters? wanna know/read! 00:11 < ajax> man ld, y0 00:12 < ajax> there's two kinds, but the one i mean here is where the DSO is nothing but a list of symbols and a reference to a library to source them from. 00:13 < ajax> which means you could have a libxcb-everything.so, and libxcb-randr.so would just export the randr symbols from libxcb-everything.so 00:13 < ajax> so you only get the namespaces you want 00:13 < dottedmag> ajax: how much memory will the filter take? 00:13 < dottedmag> loaded 00:13 < ajax> but it only loads the DSO once 00:13 < ajax> dottedmag: not a lot? there's not much to it beyond the symbol list, i'd be surprised if it was more than a page after loading. 00:14 < dottedmag> well, right. There aren't any C++ symbols, so the stuff should be pretty short. 00:14 < ajax> should almost certainly be less memory than the 3+ pages per DSO for each xcb extension lib
http://www.x.org/wiki/Development/MemoryUsage/?action=Load
CC-MAIN-2015-18
refinedweb
408
59.23
About the book Foreword This book covers the C++ programming language, its interactions with software design and real life use of the language. It is presented as an introductory to advance course but can be used as reference book. If you are familiar with programming in other languages you may just skim the Getting Started Chapter. You should not skip the Programming Paradigms Section, because C++ does have some particulars that should be useful even if you already know another Object Oriented Programming language. The Language Comparisons Section provides comparisons for some language(s) you may already know, which may be useful for veteran programmers. If this is your first contact with programming then read the book from the beginning. Bear in mind that the Programming Paradigms section can be hard to digest if you lack some experience. Do not despair, the relevant points will be extended as other concepts are introduced. That section is provided so to give you a mental framework, not only to understand C++, but to let you easily adapt to (and from) other languages that may share concepts. Guide to readers This book is a Wikibook (en.wikibooks.org), an up-to-date copy of the work is hosted there. It/title of the document with your comments and the date of your copy of the book. If you are really convinced of your point, information or correction then become a writer (at Wikibooks) and do it, it can always be rolled back if someone disagrees., a position that it still hold today used again fairly common to find someone recommending the use of C instead of C++ (or vice versa), or complaining about some features of these languages. There is no decisive reason to prefer one language over the other in general. Most scientific studies that attempt to measure programmer productivity as a function of programming language rank C and C++ as essentially equal. C may be a better choice for some situations, for example kernel programming, like hardware drivers, or a relational database, which do not lend themselves well to object oriented programming. Another consideration is that C compilers are more ubiquitous so C programs can run on more platforms. Although both languages are still evolving, any new features added still maintain simpler and lower level than C++, it is easier to check and comply with industry guidelines. Another benefit of C is that it is easier for the programmer to do low level optimizations, though most C++ compilers can guarantee nearly perfect optimizations automatically. Ultimately it is the programmers choice to decide what tool is the best for the job. It would be hard to justify selecting C++ for a project if the available programmers only know historical evolution. One might think that using only the C subset of C++ complied with a C++ compiler is the same as just using C, but in reality it can generate slightly different results depending on the compiler used. The Java programming language and C++ share many common traits. A comparison of the two languages follows here. For a more in-depth look at Java, see the Java Programming WikiBook. Java Visual). Originally designed by Walter Bright it has, since 2006, had the collaboration of Andrei Alexandrescu and other contributors. While D originated as a re-engineering of C++ and is predominantly influenced by it, D is not a variant of C++. D has redesigned some C++ features and has been influenced by concepts used in other programming languages, such as Java, C# and Eiffel. As such, D is an evolving open-source system programming language, supporting multiple programming paradigms. It supports the procedural, generic, functional and object-oriented paradigms. Most notably it provides very powerful, yet simple to use, compile-time meta-programming facilities. It is designed to offer a pragmatic combination of efficiency, control, and modeling power, with safety and programmer productivity. Another of it's There 3 production ready compilers: DMD, GDC and LDC. - DMD is the reference implementation. The other two compilers share DMD's frontend. It offers very fast compilation, useful at development-time. - GDC uses GCC's backend for code-generation. It integrates well with the GNU toolchain. - LDC uses LLVM's backend. It can integrate well with other parts of the LLVM toolchain. Interfacing with C and C++ D can link directly with C and C++ (*) static and shared libraries without any wrappers or additional overhead (compared to C and C++). Supported subset of C++ platform specific ABI (eg. GCC and MSVC): - C++ name mangling conventions, like namespaces, function names and other - C++ function calling conventions - C++ virtual function table layout for single inheritance Generally D uses the platform linker on each platform (ld.bfd, ld.gold, etc. on Linux), the exception being Windows, where Optlink is used by default. MSVC link.exe is also supported, but the Windows SDK must be first downloaded. D features missing from C and C++ Some the new features that a C/C++ programmer will find are: - Design by introspection - one can design a templated class or struct in such a way that it inspects its template arguments at compile-time for different capabilities and then adapts to them. For example a composable allocator design can check if the parent allocator provides reallocation and efficiently delegate to it, or fallback to implementing reallocation with malloc() and free(), or not offer it at all. The benefit of doing this at compile-time is that the user of the said allocator can know if he should use reallocate(), instead of getting mysterious run-time errors. - True modules - Order of declaration and imports ( #include-s in C++ terms) is insignificant. There is no need to pre-declare anything. You can rearrange things without change in meaning - Faster compilation - C++'s compilation model is inherently slow. Additionally compilers like DMD have further optimizations - More powerful conditional compilation without preprocessor purefunctions - side-effect free functions that are allowed to have internal mutation - Immutability - it is guaranteed that variables declared as immutable can be accessed safely from multiple threads (without locking and race-conditions) - Design by contract - Universal function call syntax (UFCS) - allow the free function void copyTo(T)(T[] src, T[] dst)to be called like this: sourceArray.copyTo(destinationArray) - Built-in unit testing - Garbage collection (optional) scopecontrol flow statement (partially emulated in C++ with the ScopeGuardidiom) First class: - Dynamic arrays int[] array; //declare empty array variable array ~= 42; //append 42 to the array; array.equals([ 42 ]) == true array.length = 5; //set the length to 5; will reallocate if needed int[] other = new int[5]; // declare an array of five elements other[] = 18; // fill the array with 18; other.equals([18, 18, 18, 18, 18]) == true array[] = array[] * other[]; //array[i] becomes array[i] * other[i] array[$ - 1] = -273; // set the last element to -273; when indexing an array the $ context variable is translated to array.length int[] s = array[2 .. $]; // s points to the last 3 elements of array (no copying occurs). - Unicode strings string s1 = "Hello "; // array of immutable UTF8 chars immutable(char)[] s2 = "World "; //s2 has the same type as s1 string s3 = s1 ~ s2; // s3 is s1 concatenated with s2 char[] s4 = s3.dup; // s4 points to the mutable array "Hello World " s4[$-1] = '!'; s4 ~= " Здравей, свят!"; import std.conv : to; wstring ws = s4.to!wstring; //convert s4 to an array of immutable UTF16 chars foreach (character; ws) // iterate over ws; 'character' is a automatically transcoded UTF32 code-point character.writeln(); //write each character on a new line - Associative arrays struct Point { uint x; uint y; } // toHash is automatically generated by the compiler, if not user provided Point[string] table; // hashtable string -> Data table["Zero"] = Point(0, 0); table["BottomRight"] = Point(uint.max, uint.max); - Nested functions - Closures (C++11 added lambda functions, but lambda functions that capture variables by reference are not allowed to escape the function they were created in). - Inner classes C++ features missing from D - Preprocessor - Polymorphic types with non-virtual destructor - Polymorphic value-types - in D struct-s are value types without support for inheritance and virtual functions and class-es are reference types that support inheritance and virtual functions - Multiple inheritance - D classes offers only Java and C# style multiple implementation of interfaces. Instead, for code reuse D favors composition, mixins and alias this will be discussed further in the Coding style conventions Section. File organization. Statements "output" or "print"),. statements. -++ style comments Examples: //. - Example with C style comments /* becomes illegible when several #if's. is best to settle on one strategy so the names are absolutely predictable. Take for example NetworkABCKey. Notice how the C from ABC and K from key are confused. Some people do: iloop value numberOfCharactersnumber of characters number_of_charsnumber of characters num_charsnumber The preprocessor is either a separate program invoked by the compiler or part of the compiler itself. It performs intermediate operations that modify the original source code and internal compiler options before the compiler tries to compile the resulting source code. The instructions that the preprocessor parses are called directives and come in two forms: preprocessor and compiler directives. Preprocessor directives direct the preprocessor on how it should process the source code, and compiler directives direct the compiler on how it should modify internal compiler options. Directives are used to make writing source code easier (by making it more portable, for instance) and to make the source code more understandable. They are also the only valid way to make use of facilities (classes, functions, templates, etc.) provided by the C++ Standard Library. All directives start with '#' at the beginning of a line. The standard directives are: Inclusion of Header Files (#include) The #include directive allows a programmer to include contents of one file inside another file. This is commonly used to separate information needed by more than one part of a program into its own file so that it can be included again and again without having to re-type all the source code into each file. C++ generally requires you to declare what will be used before using it. So, files called headers usually include declarations of what will be used in order for the compiler to successfully compile source code. This is further explained in the File Organization Section of the book. The standard library (the repository of code that is available with every standards-compliant C++ compiler) and 3rd party libraries make use of headers in order to allow the inclusion of the needed declarations in your source code, allowing you to make use of features or resources that are not part of the language itself. The first lines in any source file should usually look something like this: #include <iostream> #include "other.h" The above lines cause the contents of the files iostream and other.h to be included for use in your program. Usually this is implemented by just inserting into your program the contents of iostream and other.h. When angle brackets (<>) are used in the directive, the preprocessor is instructed to search for the specified file in a compiler-dependent location. When double quotation marks (" ") are used, the preprocessor is expected to search in some additional, usually user-defined, locations for the header file and to fall back to the standard include paths only if it is not found in those additional locations. Commonly when this form is used, the preprocessor will also search in the same directory as the file containing the #include directive. The iostream header contains various declarations for input/output (I/O) using an abstraction of I/O mechanisms called streams. For example there is an output stream object called std::cout (where "cout" is short for "console output") which is used to output text to the standard output, which usually displays the text on the computer screen. A list of standard C++ header files is listed below:. #pragma The pragma (pragmatic information) directive is part of the standard, but the meaning of any pragma directive depends on the software implementation of the standard that is used. Pragma directives are used within the source program. #pragma token(s) You should check the software implementation of the C++ standard you intend to use for a list of the supported tokens. For example, one of the most widely used preprocessor pragma directives, #pragma once, when placed at the beginning of a header file, indicates that the file where it resides will be skipped if included several times by the preprocessor. Macros The C++ preprocessor includes facilities for defining "macros", which roughly means the ability to replace a use of a named macro with one or more tokens. This has various uses from defining simple constants (though const is more often used for this in C++), conditional compilation, code generation and more -- macros are a powerful facility, but if used carelessly can also lead to code that is hard to read and harder to debug! #define and #undef The #define directive is used to define values or macros that are used by the preprocessor to manipulate the program source code before it is compiled: #define USER_MAX (1000) The #undef directive deletes a current macro definition: #undef USER_MAX It is an error to use #define to change the definition of a macro, but it is not an error to use #undef to try to undefine a macro name that is not currently defined. Therefore, if you need to override a previous macro definition, first #undef it, and then use #define to set the new definition. \ (line continuation) If for some reason it is needed to break a given statement into more than one line, use the \ (backslash) symbol to "escape" the line ends. For example, #define MULTIPLELINEMACRO \ will use what you write here \ and here etc... is equivalent to #define MULTIPLELINEMACRO will use what you write here and here etc... because the preprocessor joins lines ending in a backslash ("\") to the line after them. That happens even before directives (such as #define) are processed, so it works for just about all purposes, not just for macro definitions. The backslash is sometimes said to act as an "escape" character for the newline, changing its interpretation. In some (fairly rare) cases macros can be more readable when split across multiple lines. Good modern C++ code will use macros only sparingly, so the need for multi-line macro definitions will not arise often. It is certainly possible to overuse this feature. It is quite legal but entirely indefensible, for example, to write int ma\ in//ma/ ()/*ma/ in/*/{} That is an abuse of the feature though: while an escaped newline can appear in the middle of a token, there should never be any reason to use it there. Do not try to write code that looks like it belongs in the International Obfuscated C Code Competition. Warning: there is one occasional "gotcha" with using escaped newlines: if there are any invisible characters after the backslash, the lines will not be joined, and there will almost certainly be an error message produced later on, though it might not be at all obvious what caused it. Function-like Macros Another feature of the #define command is that it can take arguments, making it rather useful as a pseudo-function creator. Consider the following code: #define ABSOLUTE_VALUE( x ) ( ((x) < 0) ? -(x) : (x) ) // ... int x = -1; while( ABSOLUTE_VALUE( x ) ) { // ... } Notice that in the above example, the variable "x" is always within its own set of parentheses. This way, it will be evaluated in whole, before being compared to 0 or multiplied by -1. Also, the entire macro is surrounded by parentheses, to prevent it from being contaminated by other code. If you're not careful, you run the risk of having the compiler misinterpret your code. Macros replace each occurrence of the macro parameter used in the text with the literal contents of the macro parameter without any validation checking. Badly written macros can result in code which will not compile or creates hard to discover bugs. Because of side-effects it is considered a very bad idea to use macro functions as described above. However as with any rule, there may be cases where macros are the most efficient means to accomplish a particular goal. int z = -10; int y = ABSOLUTE_VALUE( z++ ); If ABSOLUTE_VALUE() was a real function 'z' would now have the value of '-9', but because it was an argument in a macro z++ was expanded 3 times (in this case) and thus (in this situation) executed twice, setting z to -8, and y to 9. In similar cases it is very easy to write code which has "undefined behavior", meaning that what it does is completely unpredictable in the eyes of the C++ Standard. // ABSOLUTE_VALUE( z++ ); expanded ( ((z++) < 0 ) ? -(z++) : (z++) ); and // An example on how to use a macro correctly #include <iostream> #define SLICES 8 #define PART(x) ( (x) / SLICES ) // Note the extra parentheses around '''x''' int main() { int b = 10, c = 6; int a = PART(b + c); std::cout << a; return 0; } -- the result of "a" should be "2" (b + c passed to PART -> ((b + c) / SLICES) -> result is "2") # and ## The # and ## operators are used with the #define macro. Using # causes the first argument after the # to be returned as a string in quotes. For example #define as_string( s ) # s will make the compiler turn std::cout << as_string( Hello World! ) << std::endl; into std::cout << "Hello World!" << std::endl; Using ## concatenates what's before the ## with what's after it; the result must be a well-formed preprocessing token. For example #define concatenate( x, y ) x ## y ... int xy = 10; ... will make the compiler turn std::cout << concatenate( x, y ) << std::endl; into std::cout << xy << std::endl; which will, of course, display 10 to standard output. String literals cannot be concatenated using ##, but the good news is that this is not a problem: just writing two adjacent string literals is enough to make the preprocessor concatenate them. The dangers of macros To illustrate the dangers of macros, consider this naive macro #define MAX(a,b) a>b?a:b and the code i = MAX(2,3)+5; j = MAX(3,2)+5; Take a look at this and consider what the value after execution might be. The statements are turned into int i = 2>3?2:3+5; int j = 3>2?3:2+5; Thus, after execution i=8 and j=3 instead of the expected result of i=j=8! This is why you were cautioned to use an extra set of parenthesis above, but even with these, the road is fraught with dangers. The alert reader might quickly realize that if a,b contains expressions, the definition must parenthesize every use of a,b in the macro definition, like this: #define MAX(a,b) ((a)>(b)?(a):(b)) This works, provided a,b have no side effects. Indeed, i = 2; j = 3; k = MAX(i++, j++); would result in k=4, i=3 and j=5. This would be highly surprising to anyone expecting MAX() to behave like a function. So what is the correct solution? The solution is not to use macro at all. A global, inline function, like this inline max(int a, int b) { return a>b?a:b } has none of the pitfalls above, but will not work with all types. A template (see below) takes care of this template<typename T> inline max(const T& a, const T& b) { return a>b?a:b } Indeed, this is (a variation of) the definition used in STL library for std::max(). This library is included with all conforming C++ compilers, so the ideal solution would be to use this. std::max(3,4); Another danger on working with macro is that they are excluded form type checking. In the case of the MAX macro, if used with a string type variable, it will not generate a compilation error. MAX("hello","world") It is then preferable to use a inline function, which will be type checked. Permitting the compiler to generate a meaningful error message if the inline function is used as stated above. String literal concatenation One minor function of the preprocessor is in joining strings together, "string literal concatenation" -- turning code like std::cout << "Hello " "World!\n"; into std::cout << "Hello World!\n"; Apart from obscure uses, this is most often useful when writing long messages, as a normal C++ string literal is not allowed to span multiple lines in your source code (i.e., to contain a newline character inside it). The exception to this is the C++11 raw string literal, which can contain newlines, but does not interpret any escape characters. Using string literal concatenation also helps to keep program lines down to a reasonable length; we can write function_name("This is a very long string literal, which would not fit " "onto a single line very nicely -- but with string literal " "concatenation, we can split it across multiple lines and " "the preprocessor will glue the pieces together"); Note that this joining happens before compilation; the compiler sees only one string literal here, and there's no work done at runtime, i.e., your program will not run any slower at all because of this joining together of strings. Concatenation also applies to wide string literals (which are prefixed by an L): L"this " L"and " L"that" is converted by the preprocessor into L"this and that". Conditional compilation Conditional compilation is useful for two main purposes: - To allow certain functionality to be enabled/disabled when compiling a program - To allow functionality to be implemented in different ways, such as when compiling on different platforms It is also used sometimes to temporarily "comment-out" code, though using a version control system is often a more effective way to do so. - Syntax: #if condition statement(s) #elif condition2 statement(s) ... #elif condition statement(s) #else statement(s) #endif #ifdef defined-value statement(s) #else statement(s) #endif #ifndef defined-value statement(s) #else statement(s) #endif #if The #if directive allows compile-time conditional checking of preprocessor values such as created with #define. If condition is non-zero the preprocessor will include all statement(s) up to the #else, #elif or #endif directive in the output for processing. Otherwise if the #if condition was false, any #elif directives will be checked in order and the first condition which is true will have its statement(s) included in the output. Finally if the condition of the #if directive and any present #elif directives are all false the statement(s) of the #else directive will be included in the output if present; otherwise, nothing gets included. The expression used after #if can include boolean and integral constants and arithmetic operations as well as macro names. The allowable expressions are a subset of the full range of C++ expressions (with one exception), but are sufficient for many purposes. The one extra operator available to #if is the defined operator, which can be used to test whether a macro of a given name is currently defined. #ifdef and #ifndef The #ifdef and #ifndef directives are short forms of '#if defined(defined-value)' and '#if !defined(defined-value)' respectively. defined(identifier) is valid in any expression evaluated by the preprocessor, and returns true (in this context, equivalent to 1) if a preprocessor variable by the name identifier was defined with #define and false (in this context, equivalent to 0) otherwise. In fact, the parentheses are optional, and it is also valid to write defined identifier without them. (Possibly the most common use of #ifndef is in creating "include guards" for header files, to ensure that the header files can safely be included multiple times. This is explained in the section on header files.) #endif The #endif directive ends #if, #ifdef, #ifndef, #elif and #else directives. - Example: #if defined(__BSD__) || defined(__LINUX__) #include <unistd.h> #endif This can be used for example to provide multiple platform support or to have one common source file set for different program versions. Another example of use is using this instead of the (non-standard) #pragma once. - Example: foo.hpp: #ifndef FOO_HPP #define FOO_HPP // code here... #endif // FOO_HPP bar.hpp: #include "foo.h" // code here... foo.cpp: #include "foo.hpp" #include "bar.hpp" // code here When we compile foo.cpp, only one copy of foo.hpp will be included due to the use of include guard. When the preprocessor reads the line #include "foo.hpp", the content of foo.hpp will be expanded. Since this is the first time which foo.hpp is read (and assuming that there is no existing declaration of macro FOO_HPP) FOO_HPP will not yet be declared, and so the code will be included normally. When the preprocessor read the line #include "bar.hpp" in foo.cpp, the content of bar.hpp will be expanded as usual, and the file foo.h will be expanded again. Owing to the previous declaration of FOO_HPP, no code in foo.hpp will be inserted. Therefore, this can achieve our goal - avoiding the content of the file being included more than one time. Compile-time warnings and errors - Syntax: #warning message #error message #error and #warning The #error directive causes the compiler to stop and spit out the line number and a message given when it is encountered. The #warning directive causes the compiler to spit out a warning with the line number and a message given when it is encountered. These directives are mostly used for debugging. - Example: #if defined(__BSD___) #warning Support for BSD is new and may not be stable yet #endif #if defined(__WIN95__) #error Windows 95 is not supported #endif Source file names and line numbering macros The current filename and line number where the preprocessing is being performed can be retrieved using the predefined macros __FILE__ and __LINE__. Line numbers are measured before any escaped newlines are removed. The current values of __FILE__ and __LINE__ can be overridden using the #line directive; it is very rarely appropriate to do this in hand-written code, but can be useful for code generators which create C++ code base on other input files, so that (for example) error messages will refer back to the original input files rather than to the generated C++ code. keyword is redundant here. extern void f(); : declares that there is a function f taking no arguments and with no return value defined somewhere in the program; extern is redundant, but sometimes considered good style. extern void f() {;} : defines the function f() declared above; again, the extern keyword. Variables Much like a person has a name that distinguishes him or her from other people, a variable assigns a particular instance of an object type, a name or label by which the instance can be referred to. The variable is the most important concept in programming, it is how the code can manipulate data. Depending on its use in the code a variable has a specific locality in relation to the hardware and based on the structure of the code it also has a specific scope where the compiler will recognize it as valid. All these characteristics are defined by a programmer. Internal storage We need a way to store data that can be stored, accessed and altered on the hardware by programming. Most computer systems operate using binary logic. The computer represents value using two voltage levels, usually 0V for logic 0 and either +3.3 V or +5V for logic 1. These two voltage levels represent exactly two different values and by convention the values are zero and one. These two values, coincidentally, correspond to the two digits used by the binary number system. Since there is a correspondence between the logic levels used by the computer and the two digits used in the binary numbering system, it should come as no surprise that computers employ the binary system. - The Binary Number System The binary number system uses base 2 which requires therefore only the digits 0 and 1. Bits and bytes We typically write binary numbers as a sequence of bits (bits is short for binary digits). It is also a normal convention that these bit sequences, to make binary numbers more easier to read and comprehend, be added spaces in a specific relevant boundary, to be selected from the context that the number is being used. Much like we use a comma (UK and most ex-colonies) or a point to separated every three digits in larger decimal numbers. For example, the binary value 1010111110110010 could be written 1010 1111 1011 0010. These are defined boundaries for specific bit sequences. - The bit, by using more than one bit, you will not be limited to representing binary data types (that is, those objects which have only two distinct values). To confuse things even more, different bits can represent different things. For example, one bit might be used to represent the values zero and one, while an adjacent bit might be used to represent the colors red or black. black later. Since most items you will be trying to model require more than two different values, single bit values aren't the most popular data type.. - The nibble A nibble is a collection of bits on a 4-bit boundary. It would not be a particularly interesting data structure except for two items: BCD (binary coded decimal) numbers and hexadecimal (base 16) numbers. byte The byte is the smallest individual piece of data that we can access or modify on a computer, it is without question, the most important data structure used by microprocessors today. Main memory and I/O addresses in the PC are all byte addresses. On almost all computer types, a byte consists of eight bits, although computers with larger bytes do exist. A byte is the smallest addressable datum (data item) in the microprocessor, this is why processors only works on bytes or groups of bytes, never on bits. To access anything smaller requires that you read the byte containing the data and mask out the unwanted bits. Since the computer will often represent the boolean values true and false by 00000001 and 00000000 (respectively). Probably the most important use for a byte is holding a character code. Characters typed at the keyboard, displayed on the screen, and printed on the printer all have numeric values. A byte (usually) contains 8 bits. A bit can only have the value of 0 or 1. If all bits are set to 1, 11111111 in binary equals to 255 decimal. The bits in a byte are numbered from bit zero (b0) through seven (b7) as follows: b7 b6 b5 b4 b3 b2 b1 b0 Bit 0 (b0) is the low order bit or least significant bit (lsb), bit 7 is the high order bit or most significant bit (msb) of the byte. We'll refer to all other bits by their number. A byte also contains exactly two nibbles. Bits b0 through b3 comprise the low order nibble, and bits b4 through b7 form the high order nibble. Since a byte contains eight bits, exactly two nibbles, byte values require two hexadecimal digits. It can represent 2^8, or 256, different values. Generally, we'll use a byte to represent: - unsigned numeric values in the range 0 => 255 - signed numbers in the range -128 => +127 - ASCII character codes - other special data types requiring no more than 256 different values. Many data types have fewer than 256 items so eight bits is usually sufficient. In this representation of a computer byte, a bit number is used to label each bit in the byte. The bits are labeled from 7 to 0 instead of 0 to 7 or even 1 to 8, because processors always start counting at 0. It is simply more convenient to use 0 for computers as we shall see. The bits are also shown in descending order because, like with decimal numbers (normal base 10), we put the more significant digits to the left. Consider the number 254 in decimal. The 2 here is more significant than the other digits because it represents hundreds as opposed to tens for the 5 or singles for the 4. The same is done in binary. The more significant digits are put towards the left. In binary, there are only 2 digits, instead of counting from 0 to 9, we only count from 0 to 1, but counting is done by exactly the same principles as counting in decimal. If we want to count higher than 1, then we need to add a more significant digit to the left. In decimal, when we count beyond 9, we need to add a 1 to the next significant digit. It sometimes may look confusing or different only because humans are used to counting with 10 digits. In decimal, each digit represents multiple of a power of 10. So, in the decimal number 254. - The 4 represents four multiples of one ( since ). - Since we're working in decimal (base 10), the 5 represents five multiples of 10 ( ) - Finally the 2 represents two multiples of 100 ( ) All this is elementary. The key point to recognize is that as we move from right to left in the number, the significance of the digits increases by a multiple of 10. This should be obvious when we look at the following equation: In binary, each digit can only be one of two possibilities (0 or 1), therefore when we work with binary we work in base 2 instead of base 10. So, to convert the binary number 1101 to decimal we can use the following base 10 equation, which is very much like the one above: To convert the number we simply add the bit values ( ) where a 1 shows up. Let's take a look at our example byte again, and try to find its value in decimal. First off, we see that bit #5 is a 1, so we have in our total. Next we have bit#3, so we add . This gives us 40. Then next is bit#2, so 40 + 4 is 44. And finally is bit#0 to give 44 + 1 = 45. So this binary number is 45 in decimal. As can be seen, it is impossible for different bit combinations to give the same decimal value. Here is a quick example to show the relationship between counting in binary (base 2) and counting in decimal (base 10). = , = , = , = The bases that these numbers are in are shown in subscript to the right of the number. Carry bit As a side note. What would happen if you added 1 to 255? No combination will represent 256 unless we add more bits. The next value (if we could have another digit) would be 256. So our byte would look like this. But this bit (bit#8) doesn't exist. So where does it go? To be precise it actually goes into the carry bit. The carry bit resides in the processor of the computer, has an internal bit used exclusively for carry operations such as this. So if one adds 1 to 255 stored in a byte, the result would be 0 with the carry bit set in the CPU. Of course, a C++ programmer, never gets to use this bit directly. You'll would need to learn assembly to do that. Endianness After examining a single byte, it is time to look at ways to represent numbers larger than 255. This is done by grouping bytes together, we can represent numbers that are much larger than 255. If we use 2 bytes together, we double the number of bits in our number. In effect, 16 bits allows the representation numbers up to 65535 (unsigned), and 32 bits allows the representation of numbers above 4 billion. Here are a few basic primitive types: - float (typically 4 bytes, floating point) - double (typically 8 bytes, floating point) All the information already given about the byte is valid for the other primitive types. The difference is simply the number of bits used is different and the msb is now bit#15 for a short and bit#31 for a long (assuming a 32-bit long type). In a short (16-bit), one may think that in memory the byte for bits 15 to 8 would be followed by the byte for bits 7 to 0. In other words, byte #0 would be the high byte and byte #1 would be the low byte. This is true for some other systems. For example, the Motorola 68000 series CPUs do use this byte ordering. However, on PCs (with 8088/286/386/486/Pentiums) this is not so. The ordering is reversed so that the low byte comes before the high byte. The byte that represents bits 0 to 7 always comes before all other bytes on PCs. This is called little-endian ordering. The other ordering, such as on the M68000, is called big-endian ordering. This is very important to remember when doing low level byte operations that aim to be portable across systems. For big-endian computers, the basic idea is to keep the higher bits on the left or in front. For little-endian computers, the idea is to keep the low bits in the low byte. There is no inherent advantage to either scheme except perhaps for an oddity. Using a little-endian long int as a smaller type of int is theoretically possible as the low byte(s) is/are always in the same location (first byte). With big-endian the low byte is always located differently depending on the size of the type. For example (in big-endian), the low byte is the byte in a long int and the byte in a short int. So a proper cast must be done and low level tricks become rather dangerous. To convert from one endianness to the other, one reverses the values of the bytes, putting the highest bytes value in the lowest byte and the lowest bytes value in the highest byte, and swap all the values for the in between bytes, so that if you had a 4 byte little-endian integer 0x0A0B0C0D (the 0x signifies that the value is hexadecimal) then converting it to big-endian would change it to 0x0D0C0B0A. Bit endianness, where the bit order inside the bytes changes, is rarely used in data storage and only really ever matters in serial communication links, where the hardware deals with it. There are computers which don't follow a strictly big-endian or little-endian bit layout, but they're rare. An example is the PDP-11's storage of 32-bit values. Understanding two's complement Two's complement is a way to store negative numbers in a pure binary representation. The reason that the two's complement method of storing negative numbers was chosen is because this allows the CPU to use the same add and subtract instructions on both signed and unsigned numbers. To convert a positive number into its negative two's complement format, you begin by flipping all the bits in the number (1's become 0's and 0's become 1's) and then add 1. (This also works to turn a negative number back into a positive number Ex: -34 into 34 or vice-versa). Let's try to convert our number 45. First, we flip all the bits... And add 1. Now if we add up the values for all the one bits, we get... 128+64+16+2+1=211? What happened here? Well, this number actually is 211. It all depends on how you interpret it. If you decide this number is unsigned, then it's value is 211. But if you decide it's signed, then it's value is -45. It is completely up to you how you treat the number. If and only if you decide to treat it as a signed number, then look at the msb (most significant bit [bit#7]). If it's a 1, then it's a negative number. If it's a 0, then it's positive. In C++, using unsigned in front of a type will tell the compiler you want to use this variable as an unsigned number, otherwise it will be treated as signed number. Now, if you see the msb is set, then you know it's negative. So convert it back to a positive number to find out it's real value using the process just described above. Let's go through a few examples. Since this is an unsigned number, no special handling is needed. Just add up all the values where there's a 1 bit. 128+64+32+4=228. So this binary number is 228 in decimal. Since this is now a signed number, we first have to check if the msb is set. Let's look. Yup, bit #7 is set. So we have to do a two's complement conversion to get its value as a positive number (then we'll add the negative sign afterwards). Ok, so let's flip all the bits... And add 1. This is a little trickier since a carry propagates to the third bit. For bit#0, we do 1+1 = 10 in binary. So we have a 0 in bit#0. Now we have to add the carry to the second bit (bit#1). 1+1=10. bit#1 is 0 and again we carry a 1 over to the bit (bit#2). 0+1 = 1 and we're done the conversion. Now we add the values where there's a one bit. 16+8+4 = 28. Since we did a conversion, we add the negative sign to give a value of -28. So if we treat 11100100 (base 2) as a signed number, it has a value of -28. If we treat it as an unsigned number, it has a value of 228. Let's try one last example. First as an unsigned number. So we add the values where there's a 1 bit set. 4+1 = 5. For an unsigned number, it has a value of 5. Now for a signed number. We check if the msb is set. Nope, bit #7 is 0. So for a signed number, it also has a value of 5. As you can see, if a signed number doesn't have its msb set, then you treat it exactly like an unsigned number. Floating point representation: When there is only one non-zero digit on the left of the decimal point, the notation is termed normalized. In computing applications a real number is represented by a sign bit (S) an exponent (e) and a mantissa (M). The exponent field needs to represent both positive and negative exponents. To do this, a bias E is added to the actual exponent in order to get the stored exponent, and the sign bit (S), which indicates whether or not the number is negative, is transformed into either +1 or -1, giving s. A real number is thus represented as: S, e and M are concatenated one after the other in a 32-bit word to create a single precision floating point number and in a 64-bit doubleword to create a double precision one. For the single float type, 8 bits are used for the exponent and 23 bits for the mantissa, and the exponent offset is E=127. For the double type 11 bits are used for the exponent and 52 for the mantissa, and the exponent offset is E=1023. There are two types of floating point numbers. Normalized and denormalized. A normalized number will have an exponent e in the range 0<e<28 - 1 (between 00000000 and 11111111, non-inclusive) in a single precision float, and an exponent e in the range 0<e<211 - 1 (between 00000000000 and 11111111111, non-inclusive) for a double float. Normalized numbers are represented as sign times 1.Mantissa times 2e-E. Denormalized numbers are numbers where the exponent is 0. They are represented as sign times 0.Mantissa times 21-E. Denormalized numbers are used to store the value 0, where the exponent and mantissa are both 0. Floating point numbers can store both +0 and -0, depending on the sign. When the number isn't normalized or denormalized (it's exponent is all 1s) the number will be plus or minus infinity if the mantissa is zero and depending on the sign, or plus or minus NaN (Not a Number) if the mantissa isn't zero and depending on the sign. For instance the binary representation of the number 5.0 (using float type) is: 0 10000001 01000000000000000000000 The first bit is 0, meaning the number is positive, the exponent is 129-127=2, and the mantissa is 1.01 (note the leading one is not included in the binary representation). 1.01 corresponds to 1.25 in decimal representation. Hence 1.25*4=5. Floating point numbers are not always exact representations of values. a number like 1010110110001110101001101 couldn't be represented by a single precision floating point number because, disregarding the leading 1 which isn't part of the mantissa, there are 24 bits, and a single precision float can only store 23 numbers in its mantissa, so the 1 at the end would have to be dropped because it is the least significant bit. Also, there are some value which simply cannot be represented in binary which can be easily represented in decimal, E.g. 0.3 in decimal would be 0.0010011001100110011... or something. A lot of other numbers cannot be exactly represented by a binary floating point number, no matter how many bits it use for it's mantissa, just because it would create a repeating pattern like this. Locality (hardware) Variables have two distinct characteristics: those that are created on the stack (local variables), and those that are accessed via a hard-coded memory address (global variables). Globals. All global defined variables will have static lifetime. Only those not defined as const will permit external linkage by default. Locals If the size and location of a variable is unknown beforehand, the location in memory of that variable is stored in another variable instead, and the size of the original variable is determined by the size of the type of the second value storing the memory location of the first. This is called referencing, and the variable holding the other variables memory location is called a pointer... operation [ ] This operator is used to access an object of an array. It is also used when declaring array types, allocating them, or deallocating them. Arrays pointer.; Logical operators). Conditional Operator.". Type Conversion. Control flow statements Usually a program is not a linear sequence of instructions. It may repeat code or take decisions for a given path-goal relation. Most programming languages have control flow statements (constructs) which provide some sort of control structures that serve to specify order to what has to be done to perform our program that allow variations in this sequential order: - statements may only be obeyed under certain conditions (conditionals), - statements may be obeyed repeatedly under certain conditions (loops), - a group of remote statements may be obeyed (subroutines). - Logical Expressions as conditions - Logical expressions can use logical operators in loops and conditional statements as part of the conditions to be met. Exceptional and unstructured control flow. abort(), exit() and atexit() As we will see later the Standard C Library that is included in C++ also supplies some useful functions that can alter the flow control. Some will permit you to terminate the execution of a program, enabling you to set up a return value or initiate special tasks upon the termination request. You will have to jump ahead into the abort() - exit() - atexit() sections for more information. Conditionals There is likely no meaningful program written in which a computer does not demonstrate basic decision-making skills based upon certain set conditions. It can actually be argued that there is no meaningful human activity in which no decision-making, instinctual or otherwise, takes. if (Fork branching) The if-statement allows one possible path choice depending on the specified conditions. Syntax if (condition) { statement; } Semantic First, the condition is evaluated: - if condition is true, statement is executed before continuing with the body. - if condition is false, the program skips statement and continues with the rest of the program. Example if(condition) { int x; // Valid code for(x = 0; x < 10; ++x) // Also valid. { statement; } } Sometimes the program needs to choose one of two possible paths depending on a condition. For this we can use the if-else statement. if (user_age < 18) { std::cout << "People under the age of 18 are not allowed." << std::endl; } else { std::cout << "Welcome to Caesar's Casino!" << std::endl; } Here we display a message if the user is under 18. Otherwise, we let the user in. The if part is executed only if 'user_age' is less than 18. In other cases (when 'user_age' is greater than or equal to 18), the else part is executed. if conditional statements may be chained together to make for more complex condition branching. In this example we expand the previous example by also checking if the user is above 64 and display another message if so. if (user_age < 18) { std::cout << "People under the age of 18 are not allowed." << std::endl; } else if (user_age > 64) { std::cout << "Welcome to Caesar's Casino! Senior Citizens get 50% off." << std::endl; } else { std::cout << "Welcome to Caesar's Casino!" << std::endl; } switch (Multiple branching) The switch statement branches based on specific integer values. switch (integer expression) { case label1: statement(s) break; case label2: statement(s) break; /* ... */ default: statement(s) } As you can see in the above scheme the case and default have a "break;" statement at the end of block. This expression will cause the program to exit from the switch, if break is not added the program will continue execute the code in other cases even when the integer expression is not equal to that case. This can be exploited in some cases as seen in the next example. We want to separate an input from digit to other characters. char ch = cin.get(); //get the character switch (ch) { case '0': // do nothing fall into case 1 case '1': // do nothing fall into case 2 case '2': // do nothing fall into case 3 /* ... */ case '8': // do nothing fall into case 9 case '9': std::cout << "Digit" << endl; //print into stream out break; default: std::cout << "Non digit" << endl; //print into stream out } In this small piece of code for each digit below '9' it will propagate through the cases until it will reach case '9' and print "digit". If not it will go straight to the default case there it will print "Non digit" Loops (iterations) A loop (also referred to as an iteration or repetition). Iteration is the repetition of a process, typically within a computer program. Confusingly, it can be used both as a general term, synonymous with repetition, and to describe a specific form of repetition with a mutable state. When used in the first sense, recursion is an example of iteration. However, when used in the second (more restricted) sense, iteration describes the style of programming used in imperative programming languages. This contrasts with recursion, which has a more declarative approach. Due to the nature of C++ there may lead to an even bigger problems when differentiating the use of the word, so to simplify things use "loops" to refer to simple recursions as described in this section and use iteration or iterator (the "one" that performs an iteration) to class iterator (or in relation to objects/classes) as used in the STL. - Infinite Loops Sometimes it is desirable for a program to loop forever, or until an exceptional condition such as an error arises. For instance, an event-driven program may be intended to loop forever handling events as they occur, only stopping when the process is killed by the operator. More often, an infinite loop is due to a programming error in a condition-controlled loop, wherein the loop condition is never changed within the loop. // as we will see, these are infinite loops... while (1) { } // or for (;;) { } - Condition-controlled loops Most programming languages have constructions for repeating a loop until some condition changes. Condition-controlled loops are divided into two categories Preconditional or Entry-Condition that place the test at the start of the loop, and Postconditional or Exit-Condition iteration that have the test at the end of the loop. In the former case the body may be skipped completely, while in the latter case the body is always executed at least once. In the condition controlled loops, the keywords break and continue take significance. The break keyword causes an exit from the loop, proceeding with the rest of the program. The continue keyword terminates the current iteration of the loop, the loop proceeds to the next iteration. while (Preconditional loop) Syntax while (''condition'') ''statement''; ''statement2''; Semantic First, the condition is evaluated: - if condition is true, statement is executed and condition is evaluated again. - if condition is false continues with statement2 Remark: statement can be a block of code { ... } with several instructions. What makes 'while' statements different from the 'if' is the fact that once the body (referred to as statement above) is executed, it will go back to 'while' and check the condition again. If it is true, it is executed again. In fact, it will execute as many times as it has to until the expression is false. Example 1 #include <iostream> using namespace std; int main() { int i=0; while (i<10) { cout << "The value of i is " << i << endl; i++; } Example 2 // validation of an input #include <iostream> using namespace std; int main() { int a; bool ok=false; while (!ok) { cout << "Type an integer from 0 to 20 : "; cin >> a; ok = ((a>=0) && (a<=20)); if (!ok) cout << "ERROR - "; } return 0; } Execution Type an integer from 0 to 20 : 30 ERROR - Type an integer from 0 to 20 : 40 ERROR - Type an integer from 0 to 20 : -6 ERROR - Type an integer from 0 to 20 : 14 do-while (Postconditional loop) Syntax do { statement(s) } while (condition); statement2; Semantic - statement(s) are executed. - condition is evaluated. - if condition is true goes to 1). - if condition is false continues with statement2 The do - while loop is similar in syntax and purpose to the while loop. The construct moves the test that continues condition of the loop to the end of the code block so that the code block is executed at least once before any evaluation. Example #include <iostream> using namespace std; int main() { int i=0; do { cout << "The value of i is " << i << endl; i++; } while (i<10); for (Preconditional and counter-controlled loop) The for keyword is used as special case of a pre-conditional loop that supports constructors for repeating a loop only a certain number of times in the form of a step-expression that can be tested and used to set a step size (the rate of change) by incrementing or decrementing it in each loop. - Syntax for (initialization ; condition; step-expression) statement(s); The for construct is a general looping mechanism consisting of 4 parts: - . the initialization, which consists of 0 or more comma-delimited variable initialization statements - . the test-condition, which is evaluated to determine if the execution of the for loop will continue - . the increment, which consists of 0 or more comma-delimited statements that increment variables - . and the statement-list, which consists of 0 or more statements that will be executed each time the loop is executed. The for loop is equivalent to next while loop: initialization while( condition ) { statement(s); step-expression; } Example 1 // a unbounded loop structure for (;;) { statement(s); if( statement(s) ) break; } Example 2 // calls doSomethingWith() for 0,1,2,..9 for (int i = 0; i != 10; ++i) { doSomethingWith(i); } can be rewritten as: // calls doSomethingWith() for 0,1,2,..9 int i = 0; while(i != 10) { doSomethingWith(i); ++i; } The for loop is a very general construct, which can run unbounded loops (Example 1) and does not need to follow the rigid iteration model enforced by similarly named constructs in a number of more formal languages. C++ (just as modern C) allows variables (Example 2) to be declared in the initialization part of the for loop, and it is often considered good form to use that ability to declare objects only when they can be initialized, and to do so in the smallest scope possible. Essentially, the for and while loops are equivalent. Most for statements can also be rewritten as while statements. In C++11, an additional form of the for loop was added. This loops over every element in a range (usually a string or container). - Syntax for (variable-declaration : range-expression) statement(s); Example 2 std::string s = "Hello, world"; for (char c : s) { std::cout << c << ' '; } will print H e l l o , w o r l d .) There are 2 kinds of behaviors : Positive means success The fgetc() function returns the next character from stream, or EOF if the end of file is reached or if there is an error. fgetpos The getchar() function returns the next character from stdin, or EOF if the end of file is reached. getsf
https://en.wikibooks.org/wiki/C%2B%2B_Programming/All_Chapters
CC-MAIN-2015-27
refinedweb
9,596
61.16
Learn more about Scribd Membership Discover everything Scribd has to offer, including books and audiobooks from major publishers. User GuideUsing Fedora 14 for common desktop computing tasks The text of and illustrations in this document are licensed by Red Hat under a Creative CommonsAttribution–Share Alike 3.0 Unported license ("CC-BY-SA"). An explanation of CC-BY-SA is availableat. The original authors of this document, and Red Hat,designate the Fedora Project as the "Attribution Party" for purposes of CC-BY-SA. In accordance withCC-BY-SA, if you distribute this document or an adaptation of it, you must provide the URL for theoriginalLogo, and RHCE are trademarks of Red Hat, Inc., registered in the United States and other countries. For guidelines on the permitted uses of the Fedora trademarks, refer to. Linux® is the registered trademark of Linus Torvalds in the United States and other countries. XFS® is a trademark of Silicon Graphics International Corp. or its subsidiaries in the United Statesand/or other countries. MySQL® is a registered trademark of MySQL AB in the United States, the European Union and othercountries. The Fedora User Guide is focused on the end-user looking to accomplish standard desktop computeruser tasks, such as browsing the web, reading and sending email, and doing office productivity work.Preface vii 1. Document Conventions .................................................................................................. vii 1.1. Typographic Conventions .................................................................................... vii 1.2. Pull-quote Conventions ....................................................................................... viii 1.3. Notes and Warnings ............................................................................................ ix 2. We Need Feedback! ....................................................................................................... ixIntroduction xi 1. Purpose and Audience ................................................................................................... xi 2. About this document ....................................................................................................... xi1. The Fedora desktops 12. Logging into the desktop 3 2.1. Logging in .................................................................................................................. 3 2.2. Logging in: a technical explanation .............................................................................. 4 2.3. I Cannot Login: help! ................................................................................................... 43. Tour of the GNOME desktop 5 3.1. The GNOME Desktop ................................................................................................. 5 3.1.1. The Top Menu Panel ........................................................................................ 5 3.1.2. The desktop area ........................................................................................... 10 3.1.3. The window list panel ..................................................................................... 114. Tour of the KDE desktop 13 4.1. The KDE desktop ....................................................................................................... 13 4.2. The KDE desktop area ............................................................................................... 14 4.3. The KDE panel .......................................................................................................... 14 4.3.1. The Kickoff Application Launcher ...................................................................... 155. Tour of the Xfce desktop 17 5.1. The Xfce 4 desktop .................................................................................................... 17 5.1.1. The Xfce 4 menu panel ................................................................................... 18 5.1.2. The Xfce 4 desktop area .................................................................................. 196. Media 21 6.1. ISO images ................................................................................................................ 21 6.2. Writing CDs or DVDs ................................................................................................. 21 6.2.1. Using CD/DVD Creator to burn media in GNOME .............................................. 21 6.2.2. Using K3b to burn media in KDE ...................................................................... 22 6.2.3. Using Brasero in GNOME ................................................................................ 23 6.3. Making bootable USB media ....................................................................................... 23 6.3.1. USB image creation in Windows ....................................................................... 24 6.3.2. USB image creation in Fedora ......................................................................... 247. Connecting to the Internet 27 7.1. The Network Manager Applet ...................................................................................... 27 7.2. The Network Manager window .................................................................................... 27 7.3. Wireless connections .................................................................................................. 28 7.4. Mobile Broadband ...................................................................................................... 29 7.4.1. Create a Mobile Broadband network connection ................................................ 29 7.4.2. Setup a Mobile Broadband connection .............................................................. 30 7.5. Wired connections ...................................................................................................... 30 7.5.1. Wired Tab ....................................................................................................... 30 7.5.2. 802.1x Tab ...................................................................................................... 30 7.5.3. IPv4 Tab ......................................................................................................... 31 7.6. VPN connections ........................................................................................................ 31 7.7. xDSL connections ...................................................................................................... 31 iiiUser Guide iv 11.1. Office Suites Overview .............................................................................................. 57 11.2. Word Processing ...................................................................................................... 57 11.2.1. OpenOffice.org Writer ..................................................................................... 58 11.2.2. KWord ........................................................................................................... 58 11.2.3. Abiword ......................................................................................................... 58 11.3. Spreadsheets ........................................................................................................... 59 11.3.1. OpenOffice.org Calc ....................................................................................... 59 11.3.2. KSpread ........................................................................................................ 59 11.3.3. Gnumeric ....................................................................................................... 60 11.4. Presentations ............................................................................................................ 60 11.4.1. OpenOffice.org Impress .................................................................................. 60 11.4.2. KPresenter ..................................................................................................... 60 11.5. gLabels .................................................................................................................... 61 vUser Guide viPre: Choose System → Preferences → Mouse from the main menu bar to launch Mouse Preferences. In the Buttons tab, click the Left-handed mouse check box and click 1 viiPreface Close to switch the primary mouse button from the left to the right (making the mouse suitable for use in the left hand). The above text includes application names; system-wide menu names and items; application-specificmenu names; and buttons and text found within a GUI interface, all presented in proportional bold andall distinguishable by context. term. For example: Source-code listings are also set in mono-spaced roman but add syntax highlighting as follows: package org.jboss.book.jca.ex1; import javax.naming.InitialContext; viii Notes and Warnings System.out.println("Created Echo");. We Need Feedback!If you find a typographical error in this manual, or if you have thought of a way to make this manualbetter, we would love to hear from you! Please submit a report in Bugzilla: against the product Fedora Documentation. When submitting a bug report, be sure to mention the manual's identifier: user-guide If you have a suggestion for improving the documentation, try to be as specific as possible whendescribing it. If you have found an error, please include the section number and some of thesurrounding text so we can find it easily. ixxIntroduction1. Purpose and AudienceWelcome to the Fedora 14 User Guide! This guide is intended for users who have a working Fedora14 system and are able to use a mouse and keyboard. The purpose of this guide is twofold. First, it aims to orient new users with Linux or Fedora specificconventions and methods that they may not already be familiar with, even if they are comfortableusing computers. Simultaneously, this document guides the user through carrying out commondesktop tasks including (but not limited to) setting up email, using an office suite, and managingsoftware. Underneath all of this, the User Guide also diverges into basic command-line alternatives for many ofthe presented methods (like installing software) to help the newer user become familiar with using aterminal, and it points to more advanced guides for tasks that the ambitious user may be interested inbut which are not immediately within the scope of this guide. For assistance installing Fedora 14, please read the Fedora 14 Installation Guide, available from http:// 2docs.fedoraproject.org/install-guide/f14/ . 1 xixii Chapter 1. • Xfce, a desktop with low hardware requirements, suitable for older computers With few exceptions, applications included with a particular desktop environment run in otherenvironments too. For instance, the OpenOffice.org office suite runs on all three major desktopenvironments. Some applications are created specifically for a particular desktop environment. For example, eachmajor desktop has a preferred text editor. GNOME uses Gedit and KDE supplies Kwrite, but you caninstall and use these in either environment. Fedora provides a wide choice of applications to browse the World Wide Web, create documents, anddisplay and edit photos. This guide describes the most commonly installed applications on the mostcommon desktop environments, as well as the useful alternatives. 1 12 Chapter 2. 2.1. Logging inWhen you restart or turn on your computer, it goes through a process called booting. During the bootprocess, your computer hardware powers on, performs a series of self-tests, and loads the operatingsystem. Immediately after the computer has finished booting, the login screen appears. The loginscreen displays one or more user names, depending on the number of user accounts present.. The default is usually GNOME; refer to Chapter 1, The Fedora desktops for other choices. Note: The Sessions combo box will be shown only if more than one desktop environment is installed. 3. Enter your password in the text box and press the Enter key. Like your username, your password is case sensitive. To keep your password secret, the password field displays a dot for every character entered. As with any password, keep your account password private. Do not share it with anyone or write it down in plain view. 4. The desktop environment now. 3Chapter 2. Logging into the desktop During installation, you provided a password for the system administrator account, sometimes calledthe superuser. The user name for this account is root. After installation, Fedora asked you to set up a normal user account. Use that account, or anyother such normal account, for daily use of the system, and the root account for administrative andmaintenance tasks. • Each user account maintains its data separate and private from others. • A problem in one user account does not put the entire system at risk.. Recovering the password for a user account is not a difficult process, but it is beyond the scope of thisguide. You may wish to ask for help on user forums or chat rooms for further assistance. 4 Chapter 3. If you installed Fedora 14 from the Fedora 14 Live image, whether for Intel or compatible (i686) or64-bit (x86_64), GNOME is the installed desktop. You can find details of two alternative desktops inChapter 4, Tour of the KDE desktop and Chapter 5, Tour of the Xfce desktop. The GNOME Desktop has three distinct areas. From top to bottom, they are:• the Top Menu Panel (the gray bar at the top). • the Desktop Area (the workspace area in the center that fills most of the screen). • Program Icons for the default email program, web browser, and reminder notes. Users may add additional program icons. 5Chapter 3. Tour of the GNOME desktop Function description If you hold the mouse pointer over the menu text or an icon, a brief description of its function appears. If you click one of these icons, that application starts. • Games • Graphics • Internet • Office • System Tools • Other • Programming • Desktop, a folder within your Home Folder where the files and folders that appear on your desktop are stored. • Documents, a folder within your Home Folder intended as a place for you to store documents, such as those that you might have created with a word processor or spreadsheet program. 6 The Top Menu Panel • Music, a folder within your Home Folder intended as a place for you to store music files. • Pictures, a folder within your Home Folder intended as a place for you to store photographs and other pictures. • Videos, a folder within your Home Folder intended as a place for you to store videos. • Download, a folder within your Home Folder intended as a place for you to store miscellaneous files that you have downloaded from the Internet. • The remaining items in this section are a list of folders that you have bookmarked in Nautilus. • The third section provides links to tools that help you browse and manage network locations. • Network allows you to view the networks that your computer is attached to, and to access files and other resources available through those networks. • The fourth section helps you quickly access any file on the system. • Search for files allows you to search for files stored on your computer. • Appearance customizes the appearance of your desktop, including the background picture. • Assistive Technologies lets you choose software to magnify portions of the screen or to read the contents of screens to you. • Desktop Effects enables or disables special visual effects for the desktop. • File Management controls how files and folders are presented to you. • Input Method allows you to choose methods to input languages whose writing systems do not use an alphabet, such as some Indic and East Asian languages. • Keyboard specifies the type of keyboard that you use with this computer. • Keyboard Shortcuts sets key combinations to perform certain tasks within certain programs, or within the desktop environment more generally. 7Chapter 3. Tour of the GNOME desktop • Messaging and VoIP Accounts Configure accounts for Empathy instant messaging client and VoIP application • Network Connections displays your computer's network connections and allows you to configure them. • Network Proxy allows you to specify a proxy server for your computer. • Personal File Sharing lets you share your documents and other files with other users of this computer or with users of other computers over a network. • Power Management configures your computer to perform differently under different power settings. • Preferred Applications lets you choose which applications you prefer to use for particular tasks. • Remote Desktop permits you or other people to access your computer's desktop from a remote location over a network connection. • Software Updates specifies how you would like your computer to handle software updates when they become available. • Sound lets you choose sounds to accompany actions or events on your computer. • Startup Applications chooses applications to start automatically when you log in. • The Administration menu contains tools that affect the whole system and require root access. These tools prompt for the root password when launched. • Add/Remove Software lets you change the software installed on the system. • Authentication allows you to control how the system verifies users who attempt to log in. • Date and Time permits the system date and time to be changed. • Firewall link lets you setup and configure a firewall for your computer. • Logical Volume Management lets you configure the LVM in a graphical setting. • Network Device Control lets you monitor and control your network devices. • SELinux Management allows you to change security settings that protect your computer. • Services lets you decide which services will run when the system starts. 8 The Top Menu Panel • Software Update looks for software updates at your selected software sources. • Users and Groups allows you to add or remove users and groups. • The second section provides access to the help documentation, along with information about the Fedora project, the GNOME project and information about your computer and its operating system. • Help is the guide for questions about GNOME. • About This Computer provides basic information about your computer and links to the process and resource monitor. • Shut Down gives you options to Hibernate, Restart, or Shut Down your computer. Root password When your computer asks for your root password it means you are entering an area that changes your system's operation or performance. Beware of the messages the program generates and be sure you really want to make the changes. The icon for Evolution, a mail client and personal information manager. To add more launchers to a panel, right-click on the panel and select Add to Panel. You can also addlaunchers that are in the Applications menu. Right click on the application you want to add and selectAdd this launcher to panel. 9Chapter 3. Tour of the GNOME desktop • the Home icon, which represents the location where all of the logged in user's files, such as music, movies, and documents, are stored by default. There is a different home directory for each user, and users cannot access each other's home directories by default. • the Trash icon. Normally, when you choose to delete a file, it is not permanently removed from your system. Instead, it is sent to the trash folder, which you can access from this icon. To permanently remove a file from your system, you must empty the trash. To empty the trash, right-click the icon and select Empty Trash. To bypass the trash and permanently delete a file, hold down the Shift key when deleting the file. 10 The window list panel The Fedora Live CD desktop also includes an icon for installing Fedora to your hard disk. Additionalicons may appear depending on your system. For example, inserting a USB stick will cause an icon toappear for accessing the stick. Holding down the Alt key and pressing the Tab key will open a small window containing icons of all of your open windows. Repeatedly pressing the Tab key cycles through the icons. Release both keys on your selection to pull it to the front • two workspaces available. To change this number, right-click on the workspace switcher and choose preferences. Hold down the Ctrl and Alt keys and press either the Left Arrow key or Right Arrow key to cycle through the available workspaces on your system. • Panel, and Lock to Panel. 1112 Chapter 4. The layout and location of these items can be customized, but the term used for each of them remainsthe same. The desktop area is the large space where windows are displayed. Icons for the Home folder andTrash are located in the top left corner of this area, within a tinted area that represents the contents ofa folder (in this case, the Desktop folder). The KDE panel is located at the bottom, and spans the entire width of the screen. It features theKickoff Application Launcher, Device Notifier and application launchers, displays the runningapplications as buttons, and gives access to the workplace switcher, calendar, and the clock. 13Chapter 4. Tour of the KDE desktop The following sections describe the KDE desktop area and the KDE panel in further detail. Right-clicking on the desktop presents a menu of actions related to the desktop area. For example,selecting Appearance Settings lets you change the desktop background and visual theme. You canalso change the appearance of your desktop by clicking the plasma toolbox at the top right corner ofthe screen. • the Pager, which allows you to switch between multiple desktops on your computer. Multiple desktops (or workspaces) have long been a feature of UNIX and Linux desktop environments. Each desktop provides a separate view with different applications running in it. Four desktops are configured by default. Clicking on one of the faded workspaces will change to that workspace, or you can switch between them by holding down the Alt key on your keyboard and pressing the F1, F2, F3, or F4 key. To add more desktops, right-click on the Pager, then click Pager Settings → Configure Desktops.... • the Task Manager, which displays buttons for any applications that are running. Clicking on one of these buttons brings that application to the foreground of your current view. • the System Tray, which shows Klipper (a clipboard tool) and displays status notifications, such as the status of network connections or remaining battery power. • a clock. Click on the clock to see a calendar, or right-click on it to change the way that the panel displays the time and date. • the plasma toolbox for the panel. Clicking here allows you to change the size and proportions of the panel, and to re-arrange the order of the widgets that it displays. 14 The Kickoff Application Launcher • Favorites – your favorite applications and places. Right click on an application or folder icon to add it to this list. The initial list consists of: • Web Browser – Konqueror, the default web browser installed with KDE. • File Manager, which allows you to browse files and folders on your computer. The default file manager installed with KDE is Dolphin • Applications – the applications installed on your computer, sorted into the following groups: • Administration • Development • Education • Games • Graphics • Internet • Multimedia • Office • Settings • System • Utilities • Find Files/Folders • Personal Files • Computer – information about your computer, and links to important places on it. • Run Command, which allows you to launch a piece of software by typing its name. • Home, your Home folder, the default storage location for your documents and media files. • Network, which displays information about your network connections and allows you to change network settings. • Root, the folder that contains every other file and folder in your file system. 15Chapter 4. Tour of the KDE desktop Warning Do not move or delete items from this folder unless you are certain that you understand what you are doing. If you move or delete items within this folder, you might damage your installation of Fedora to the point where it can no longer function. • Trash, which holds files and folders that you have deleted from your system. • Lock leaves you logged in, but blanks the screen and prevents interaction with the computer until you type in your password. • Switch User leaves you logged in, but lets another user log in to the computer. 16 Chapter 5. The Xfce 4 desktop has two distinct areas. From top to bottom, the areas are:• the desktop area. The desktop area occupies most of the screen. The Home, File System, and Trash icons are locatedin the top left corner of this area. The menu panel is located at the bottom of the screen. On the left part of the panel it contains anumber of default icons that start software applications. On the right of the panel, from left to right,there is a Notification Area, a Trash button, a Workspace Switcher, a Show Desktop button, aClock, and Switch User and Action buttons. In between the two sets of icons there is a Task List. The following sections discuss the Xfce 4 menu panel and desktop area in further detail. 17Chapter 5. Tour of the Xfce desktop • Notification Area displays notices and applets from various applications, for example the network and power managers. • Workspace Switcher allows you to switch to other workspaces. Four workspaces are provided by default. • Show Desktop minimizes all open windows to show a clear work area. • Switch User/Action are the buttons on which you click to swich to a different user, log out, restart, and shutdown Xfce. • Terminal • File Manager • Web Browser • Preferences • Administration • Accessories • Development • Multimedia • Network • System 18 The Xfce 4 desktop area Open applications appear as button icons in the middle part of the menu panel, known as the TaskList. The application window that has focus appears as a depressed button. Usually, this is the applicationwhose window is on top of all others currently on the screen. To switch from one running application toanother, click on the desired application's button in the task list. Holding down the Alt key while you tap the Tab key allows you to cycle through all open applications. Customize the clock by right-clicking the clock on the right hand side of the panel and chooseProperties. Properties allows you to:• change to or from a digital clock style. Change the appearance of the panel by right-clicking on it and selecting Customize Panel.... To addnew items, right-click on the area where the new item should appear and select Add New Items.... • File System – this contains all mounted volumes (or disks) on the computer; all of these are also available by clicking on the Applications menu and selecting File Manager. Warning Do not move or delete items from this folder unless you are certain that you understand what you are doing. If you move or delete items within this folder, you might damage your installation of Fedora to the point where it can no longer function. • Trash – deleted files are moved here. Empty the Trash folder by right-clicking the Trash icon and clicking Empty Trash. 19Chapter 5. Tour of the Xfce desktop To permanently delete a file, and bypass the file's move to Trash, hold down the Shift key when deleting the file. Right-clicking on the desktop presents a menu of actions related to the desktop area. For example,clicking on Desktop Settings... lets you choose a different image or photograph to display on thedesktop. 20 Chapter 6. MediaWhen you insert or connect media such as a CD, DVD, hard drive, or flash drive, to your computer,the desktop enviroments in Fedora automatically recognizes the media and make it available for use.An icon is placed on your desktop and in the Places menu in GNOME. On the KDE desktop an icon isplaced in the bottom panel next to the pager. In GNOME you should unmount media before removing it from the computer. To do this, right-clickon the device's icon and then select Unmount Volume or Eject, depending on what type of mediayou are using. During this process any remaining changes to the data on the media are written to thedevice, allowing safe removal without data loss. If you remove media without unmounting it first, youcould cause data to be corrupted or lost. There are several multi-media applications available for GNOME and KDE desktops. Theseapplications will run in either Fedora desktop environment. To install software packages not alreadyinstalled, refer to Chapter 18, Managing software. You can install applications either by using thePackageKit application or on the command line by using Yum. In addition to data of the files it also contains all the file system metadata, including boot code,structures, and attributes. ISO images do not support multi-track, thus they cannot be used for audioCDs, VCD, and hybrid audio CDs.. 21Chapter 6. Media 2. Insert a writeable CD or DVD into your writer device. Doing this step first usually opens the CD/ DVD Creator automatically. 3. Follow the Write to Disc dialogue as above. If you have only one optical drive, the program will first create a file on your computer. CD/DVD Creator will eject the original disk, and ask you to change it for a blank disk on which to burn. When the application opens the action buttons are displayed at the bottom of the window:• New Data CD Project • Copy Medium... • More actions... To add files to your K3b project, drag the files into the project pane at the bottom of the screen.Everything in this project pane will be burned to your optical medium. When you are ready to burn the files or folders to disk click the Burn button. If you need to delayburning the media, you can use the menus at the top to save your work and return at a later time. 22 Using Brasero in GNOME To burn an ISO image file, use the Tools → Burn Image. Navigate to and select the .iso image, thenclick the Start button. When first launched, the left side of Brasero features buttons to create a new project. This can bean audio project, data project, video project, or it can be a project to copy a disk or burn an image.Once you choose a new project type, Brasero will provide instructions for that project. For example, toburn and Audio CD, click the Audio Project button or select Project → New Project → New AudioProject. On the following screen click the plus icon to add open a file browser and select files for theproject. When you are ready to burn your CD/DVD, select the image or media at the bottom of the applicationand click the Burn... button. If you need to delay burning your media, you can save your project andreturn to it later. Use the Project menu for these options. Existing data on the media is not harmed and there is no need to repartition or reformat your media. However, it is always a good idea to back up important data before performing sensitive disk operations. In a few cases with oddly formatted or partitioned USB media, the image writing may fail. The Fedora installation using the Fedora Live CD will occupy about. 23Chapter 6. Media •. • the liveusb-creator tool, for Fedora or Microsoft Windows. Instructions for obtaining this tool appear in the following sections specific to each operating system. 2. Follow the instructions given at the site and in the liveusb-creator program to create the bootable USB media. You can also install the application from the command line with the following command: 2. Choose whether to Use existing Live CD and specify its location on your comptuer, or to Download Fedora and select a file from the drop-down menu. 3. Select your Target Device for your Fedora installation, such as a USB memory stick. 4. select how much Persistent Storage you want. This is space that Fedora can use to hold documents and other files. After you have made all of your choices just press the Create Live USB button to start the process. 1 2Visit the liveusb-creator web page or the Fedora Wiki How to Create a Live USB page for moreinformation. 1 24 USB image creation in Fedora Advanced usage This content is written for the more advanced user. It assumes that you are comfortable with the command line and have a relatively good knowledge of Linux terminology. It is probably not necessary to using Fedora as a desktop user, but can help a desktop user expand his or her knowledge base and face more complicated troubleshooting issues. 1. Install the ''livecd-tools package'' on your system with the following command: 3. Find the device name for your USB media. If the media has a volume name, look up the name in / dev/disk/by-label or use findfs su -c 'findfs LABEL="MyLabel"' If the media does not have a volume name, or you do not know it, use blkid or consult the / var/log/messages log for details: su -c 'less /var/log/messages' 4. Use the livecd-iso-to-disk command to write the ISO image to the media: Replace sdX1 with the device name for the partition on the USB media. Most flash drives and external hard disks use only one partition. If you have changed this behavior or have oddly partitioned media, you may need to consult other sources of help. 2526 Chapter 7. Network Manager executes automatically when you start your session and it is visible in GNOME asthe nm-applet icon on the top right of the desktop. If you move the mouse over it, it shows the activeconnection. Left-clicking on the icon provides a context sensitive menu divided in three sections. The first sectionshows the active connection or connections along with an option to Disconnect The second sectionviews the other available connections. Switch to one of them with a simple click and the previous onecloses automatically. The VPN Connections submenu provides option to configure or disconnect to aVPN. Right clicking on the nm-applet show another context sensitive menu that allows you to EnableNetworking and if available Enable Wireless or Enable Mobile Broadband. You can also EnableNotifications as well as view the Connection Information or Edit Connections... When editingconnections, Network Manager opens in a new window, in which you configure the network devicesand connections. The About option provides information about the project and the people that created 1the application, with a link to the Project Web-Site . Just like its GNOME counterpart, KDE provides an applet interface for NetworkManager, known as 2KNetworkManager. This application development was started by Novell and provides an integratedQT-based experience with similar usage and configuration as its GNOME counterpart, nm-applet. 1 27Chapter 7. Connecting to the Internet Before creating your new configuration, the application opens a window to confirm your operation. To continue enter the root password. When editing, in the Network Manager window, you will find these items: • Connect automatically : If checked, Network Manager will activate this connection when its network resources are available. If unchecked, the connection must be manually activated by you. • Available to all users : If checked, Network Manager gives all users access to this network connection. • BSSID : If specified, directs the device to only associate with the given access point. This capability is highly driver dependent and not supported by all devices. Note: this property does not control the BSSID used when creating an Ad Hoc network. The Wireless Security tab allows you to choose no security or to specify one of the following securitymethods: • LEAP : The IPv4-Settings tab configures DHCP or static Internet settings. View Section 7.5.3, “IPv4 Tab” with 7wired connections below for more information or see the Wireless Guide at docs.fedoraproject.org . The IPv6 Settings tab similarly allows the configuration of IPv6 addresses with DHCP or staticsettings. 7 28 Mobile Broadband Network Manager uses the gnome-bluetooth plugin to help to configure your Mobile Broadband withthe service provider. Also, if you have a Bluetooth adapter and a mobile phone (GPRS) that supportsBluetooth DUN, you can pair the phone with the computer, and let Network Manager recognize yourmobile phone; at the end of the pairing process you'll see a screen with checkbox that says Accessthe Internet using your mobile phone. After checking that box, a progress indicator will appear andsay Detecting phone configuration. 1. An information page that let you choose, if more than one are available, the Mobile device to configure. 8 29Chapter 7. Connecting to the Internet If your Service Provider, or plan (ie, APN) is not listed, you can submit additional information to 10 11 Bugzilla , or Bugzilla Gnome and tell us your provider name, your country, the common name of your plan, and the APN you use. • The Mobile Broadband tab specifies the number to dial when establishing a PPP data session with the GSM-based mobile broadband network. In most cases, leave the number blank and a number selecting the APN will be used automatically when required. The tab also specifies the username and password used to authenticate with the network, if required. Note that many providers do not require a username or accept any username. • The PPP-Settings tab is used to configure the authentication and compression methods. In most cases the defaults are sufficient and the provider's PPP servers will support all authentication methods. Point-to-point encryption is not enabled by default but can be selected on this tab. • The IPv4 Settings tab configures the Internet settings automatically (default), automatically for the addresses but manually for DNS settings, or completely manually. • MTU (Maximum Transmission Unit): If non-zero, the card transmits packets of the specified size or smaller, breaking larger packets up into multiple Ethernet frames. You could set this to Automatic and les the system determine the MTU for you. 10 30 IPv4 Tab • Automatic (DHCP) addresses only : Specifying this method, then only automatic DHCP is used and at least one IP address must be given in the DNS servers entry. • Manual : Specifying this method, static IP addressing is used and at least one IP address must be given in the DNS servers entry. • Link-Local Only : Specifying this method, a link-local address in the 169.254/16 range will be assigned to the interface. • Shared to other computers : Specifying this method, (indicating that this connection will provide network access to other computers) then the interface is assigned an address in the 10.42.x.1/24 range and a DHCP and forwarding DNS server are started, and the interface is NAT-ed to the current default network connection. • DNS Servers : List of DNS servers. For the Automatic (DHCP) method, these DNS servers are appended to those (if any) returned by automatic configuration. DNS servers cannot be used with the Shared to other computers or Link-Local Only methods as there is no usptream network. In Automatic (DHCP) addresses only and Manual methods, these DNS servers are used as the only DNS servers for this connection. • Search domains : List of DNS search domains. For the Automatic (DHCP) method, these search domains are appended to those returned by automatic configuration. Search domains cannot be used with the Shared to other computers or Link-Local Only methods as there is no upstream network. In Automatic (DHCP) addresses only and Manual methods, these search domains are used as the only search domains for this connection. • Routes... : Fowarding table or routing table. Each IPv4 route structure is composed of 4 32-bit values; the first, Address being the destination IPv4 network; the second, Netmask the destination network, the third, Gateway being the next-hop if any, and the fourth, Metric being the route metric. For the Automatic (DHCP) method, given IP routes are appended to those returned by automatic configuration. Routes cannot be used with the Shared to other computers or Link-Local Only methods as there is no upstream network. • DHCP client ID : The local machine which the DHCP server may use to customize the DHCP lease and options. The VPN tab allows you to specify the Gateway, Type, Username, and CA Certificate. The IPv4 Settings tab configures the Internet settings automatically (default), automatically for theaddresses but manually for DNS settings, or completely manually. • On the xDSL tab specify the Username and if needed, the Password used to authenticate with the Service Provider. For most providers, the Service entry should be left blank. 31Chapter 7. Connecting to the Internet • The IPv4 Settings Tab configures the Internet settings automatically (default), automatically for the addresses but manually for DNS settings, or completely manually. 7.8.1. nmclinmcli , is the console command that makes Network Manager available in a console. nmcli has thefollowing format: nmcli [OPTIONS] OBJECT { COMMAND | help }. Type nmcli OBJECT help to see a list of the available actions. For example when OBJECT is nm ,the COMMAND are: nmcli nm help Usage: nmcli nm { COMMAND | help } status sleep wakeup wifi [on|off] wwan [on|off] NM running: running NM state: connected NM wireless hardware: enabled NM wireless: enabled NM WWAN hardware: enabled NM WWAN: enabled 7.8.2. nm-toolsThe nm-tool utility provides information about NetworkManager, device, and wireless networks. Forexample: $ nm-tool 32 nm-tools NetworkManager Tool State: connected Capabilities: Carrier Detect: yes Speed: 100 Mb/s Wired Properties Carrier: on IPv4 Settings: Address: 192.137.1.2 Prefix: 24 (255.255.255.0) Gateway: 192.137.1.1 DNS: 192.137.1.1$ 3334 Chapter 8. Besides being standards-compliant web browsers, Firefox and Konqueror have many featuresbeyond basic web browsing. This chapter explains how to use some of the more popular features, andprovides links to further information. The Internet can also be used to transfer files. This chapter covers different methods of doing thisusing graphical applications as well as the command line. If you wish to transfer files using email,please refer to Chapter 9, Communications . This is often the best choice for smaller files such aspictures and documents. Firefox has many more features than discussed here; you can find more information on Firefox at theMozilla Firefox website:. If you do not know the URL, enter a keyword (or words) into the search bar to the right of thenavigation bar, then press the Enter key. The search engine used to perform your search can bechanged by left-clicking the logo in the search box. You will be presented with a list of options includingGoogle, Yahoo, eBay, Amazon, and Creative Commons. Like other web browsers, Firefox makes it possible to save the address for a web page for futurereference, by adding it to a list of bookmarks. Use the key combination Ctrl+D to bookmark a pageyou are viewing. To manage bookmarks, use the Bookmark menu from the top of the Firefox window.You can also create a live bookmark (a feed) that automatically checks for updates from a page withan RSS or Atom feed. If a feed is available for a particular web page, there will be an orange icon atthe right hand edge of the address bar while you are visiting that page. Left click the feed icon and apreview of the feed is displayed. Select the method you would like to use to subscribe to the feed. 35Chapter 8. Accessing the Web Firefox can use a number of popular web-based options for subscribing to feeds, such as Bloglines, My Yahoo, and Google Reader, as well as Firefox's own live bookmarks. Another option is to use a stand-alone, desktop feed reader, such as Liferea. 8.1.1.2. TabsOpen a new tab with Ctrl+T. A blank page is presented and a new bar is available under thenavigation bar showing all open tabs; to switch between them left-click the desired tab. To close a tabyou can either right click to access the context menu or press the red "X" on the tab. Navigating a large number of open tabs can be difficult. To make it easier, use the arrow icon on theright hand side of the tabs toolbar. Click this to reveal a list of all open tabs that you can switch to byclicking on the relevant item. 8.1.1.3. ExtensionsFirefox is designed to be moderately fast and lightweight. As a result, some functionality found inother browsers may not be available by default. To solve this problem the Firefox team made thebrowser extensible, so it is easy to create and integrate extensions that add new functionality to thebrowser. To manage and install extensions, plug-ins, and themes, select the Tools → Add-ons menu entry.New extensions are found by visiting Mozilla's Firefox add-on site at. To install an extension from this site follow the Add to Firefox link, and when prompted clickInstall Now. Firefox can also be extended by adding new search engines to the search box, installing new themes to customize the look, and installing new plug-ins allowing the use of Java and other web technologies. All of these can be found at Mozilla's Firefox add-ons site. Konqueror is installed by default with the KDE desktop, but not the GNOME or Xfce desktops. If you want to use Konqueror on the GNOME or Xfce desktops, you will need to install it first. Refer to Chapter 18, Managing software for instructions on adding new software to your system. 36 Transferring files This content is written for the more advanced user. It assumes that you are comfortable with the command line and have a relatively good knowledge of Linux terminology. It is probably not necessary while using Fedora as a desktop user, but can help a desktop user expand his or her knowledge base and face more complicated troubleshooting issues. Fedora includes several programs for transferring files between different computers on the samenetwork (or on the Internet). One of the most common methods is called the File Transfer Protocol(FTP). There are several graphical programs available to use FTP, including FileZilla and gFTP. Youcan also use the command line utilities ftp, lftp, and sftp. FTP is insecure If you are transferring files over a public network (such as the Internet), you may not want to use FTP. FTP transfers can be easily intercepted, and FTP data is not encrypted. For more security, use SFTP, which encrypts your data over SSH. To install FileZilla, refer to Chapter 18, Managing software. You can install FileZilla by either usingPackageKit or on the command line using Yum. More information about FileZilla is available at. If you do not need to send a file, but only retrieve it, you can use Firefox, Konqueror, and many other web browsers. Just browse to the ftp server in the address bar, and make sure to specify that you want to use FTP. Generically, you would type, where is the address of the FTP server. Click the New Site button when the Site Manager dialog is open. In the text entry box under My Sites(on the left side of the dialog), enter the name you want to use to refer to this new server. This namedoes not have any technical implications; choose something convenient for you. 37Chapter 8. Accessing the Web On the right side of the dialog box, you will need to enter the following information:Host This is the address of the server. If the server has a URL (such as), you can type it in here. If you do not have a this, you will need to type in the IP address. An IP address is of the form A.B.C.D, where A, B, C, and D are integer values between 0 and 255 (inclusive). Port Only enter a value in this field if the server you want to connect to is not using the default ports (port 21 for FTP, port 22 for SFTP). Servertype Choose either FTP, SFTP, FTPS, or FTPES. Note that this section only discusses FTP and SFTP. Logontype This field allows you to choose how you will authenticate with the server. This information should be provided to you by the server administrator. Comments This field has no technical relevance. It may be convenient for you to make a note of something about the server here. When you have filled out the fields, click OK to close the Site Manager or Connect to close the SiteManager and connect to the FTP server immediately. Clicking Cancel will ignore any changes youmade to the Site Manager and close the dialog. To connect to servers already added to Site Manager, open Site Manager and click on the server youwant to connect to, and then click Connect. To transfer a file, simply drag-and-drop it from one browser pane into the folder of the other browserpane. To disconnect from the server, press Control+D or select Server → Disconnect . ftp> Type help to get a list of commands, and help command for a simple description of that command.This guide will only cover a fraction of these commands; refer to the ftp manual page for furtherdetails. 38 FTP on the command line connecting to a server that uses a non-default port (the default is 21). Alternatively, you can connect toan FTP server as you start the ftp program. To do this, use the syntax ftp port,where the port option is optional. Use the put file command to send a file to the server, where file is the name or path of the file youwant to send. Use the lcd command to view all files in your local directory (not the remote server).You can also type lcd directory to change to a new directory on your local machine. In every case that you access a remote server, you will be prompted for your credentials (such as ausername and password). 3940 Chapter 9. CommunicationsFedora can be used to send electronic mail and communicate in real time with people around theworld through instant messaging and chat rooms. In GNOME, Evolution is used to send electronicmail (email) by default. Evolution can also be used as a personal information manager, or PIM. Youcan maintain a calendar, manage a list of tasks, and keep an address book of contacts. In KDE, Kmail is used to send email by default. While Kmail does not include a calendar, a calendarapplication called KOrganizer is included as part of the KDE PIM suite. There is also an applicationcalled Kontact which groups KMail, Korganizer and other KDE PIM tools into a single interface(comparable with GNOME's Evolution). Thunderbird is an open-source mail client maintained by Mozilla. It is very extensible, with an onlineplug-in library akin to Mozilla Firefox. Claws Mail is a more lightweight email client and news reader,which is also extensible via additional plug-ins. Claws Mail only supports plain text emails by default. Empathy and Kopete are both Instant Messaging (IM) programs that allow you to talk to people inreal-time using chat networks like AIM, Yahoo! Messenger, or Gmail chat. XChat is Fedora's defaultgraphical IRC client and Konversation is the default IRC client for KDE. ChatZilla is an IRC clientinstalled and used via the FireFox web browser. These clients can all connect to IRC servers whichprovide chat rooms for people around the world to discuss specific topics. 9.1. EvolutionEvolution is a full featured email program. In addition to email, Evolution features a personalinformation manager (PIM), a calendar, task manager and an address book for your contacts.More documentation for Evolution is available at: 2. Running the software for the first time displays the Evolution Setup Assistant wizard. After the initial welcome screen you will have an opportunity to restore Evolution from a backup or click the Forward button to continue and answer questions with information provided by your ISP or email provider. • The Identity screen relates to personal information about the account, including Name, Organization, and Email Address. There is also a Reply-To field, which will allow you to specify that recipients of mail from this account can reply to a different email address than the one that sent the email. • The Receiving Email and Sending Email screens both require information from the e-mail provider. There are many server types available from the pull down menu. The most common protocols for receiving email are IMAP and POP. If your provider support IMAPs, choose IMAP as the Server Type then select an encryption method from the Security settings. 41Chapter 9. Communications To add a new account in the future, or to modify an existing account, launch the preferences dialogfrom the Edit → Preferences menu. In the dialog that appears, press the Add button to launch theEvolution Account Assistant again. Check your Junk folder frequently as you begin with Evolution and if needed, mark items that are Not Junk. Evolution will learn what is Junk and what is Not Junk with each item that you mark. In the lower left section of Evolution are buttons to switch from the default email tasks to othertasks including Contacts, Calendar, Memos, and Tasks. As you select each of these components ofEvolution the toolbar at the top will adjust to provide buttons for the most common actions. As you read an email, right click on the sender's email address and select Add to Address Book.... This will add an entry to your contacts. When sending an email, click the To: or CC: buttons to select recipients from your contacts. 9.2. ThunderbirdThunderbird Is Mozilla's email application. To install Thunderbird, refer to Chapter 18, Managingsoftware You can install Thunderbird by either using the PackageKit or on the command line byusing Yum. More information about Thunderbird is available at: 1thunderbird/. You can find add-ons for Thunderbird at: . 1. Open Thunderbird: • in GNOME, click Applications → Internet → Thunderbird on the top menu bar. • in KDE, click Kickoff Application Launcher → Applications → Internet → Email menu entry. 1 42 Moving your Thunderbird profile data from Windows to Fedora 2. The first time you start Thunderbird the Account Wizard opens to guide you through the setup of your account. If the Account Wizard does not open, select File → New → Mail Account... in the main window to open the wizard. 3. Fill in your name, email address, and password, and click Continue. 4. Thunderbird will attempt to detect your account settings automatically. If the automatic detection is successful, your account settings will appear. 5. If Thunderbird fails to automatically detect the account settings, enter the names of the Incoming and Outgoing servers. Choose POP or IMAP, and the appropriate secure setting if required. Select 'Re-test configuration'. 6. When Thunderbird has detected your account, select Create Account. Now Thunderbird connects to the server to download your email messages. 7. If the download fails, your email account may require secure connections. In this case, select Edit → Account Settings → Server Settings and select your secure setting. Often the setting is SSL, but this information should be provided by your email service. If you cannot find the Application Data folder, go to the top menu and select: Tools → Folder Options → View and check the box Show Hidden Files and Folders. If you still cannot find the folder, click: Start → Run, type %AppData% and press Enter. 43Chapter 9. Communications If you cannot find the Application Data folder, click Start → Control Panel → Classic View → Folder Options → View and check the box Show Hidden Files and Folders. If you still cannot find the folder, click: Start, type %AppData% into the Start Search box and press Enter. To move the folder to Fedora you need to have your email account, or accounts, set up in Thunderbird on your Fedora installation. When you set up an email account, Thunderbird creates the profile data folder for that account. If this folder does not yet exist, you do not yet have a destination for the copy of the folder on your removable media. Refer to Section 9.2.1, “Configuring Thunderbird”. • In KDE, click Kickoff Application Launcher → Computer → Home. Once Dolphin starts, show hidden files from the View menu, then navigate to .thunderbird → xxxxxx.default, where xxxxxx is a random sequence of letters and numbers. Note that this sequence will be different from the sequence that you saw in your Thunderbird installation on Windows. 44 Using Thunderbird b. In the xxxxxx.default folder, press Ctrl+A to select all files and folders, then press Delete to move them to the Trash. The folder should now be empty. c. Plug in the media containing the folder you copied from Windows. d. Open the media and click on the xxxxxx.default folder saved from Windows to open it. Click Edit → Select All → Edit → Copy e. Move back to the empty xxxxxx.default window and click Edit → Paste. f. Start Thunderbird and verify that you can see the email messages, addresses, and settings from your Thunderbird installation on Windows. Thunderbird allows you to download and create email by clicking the appropriate buttons locatedon the toolbar at the top of the screen. Get Mail prompts Thunderbird to send and receive all email.Write opens a new email message dialog box. Address Book opens the email addresses you haveon file. Tag Color-codes messages that are important or need follow-up. Click on an email to view it in the message pane. Double-clicking on an email will open it in a new tab.Buttons at the top right of the email message give access to various functions. In addition to Reply,Reply All, Forward, and Delete, Archive compresses the message and stores it in the Archive, Junkmarks the email as junk, and Other Actions provides access to other options, including Save as...and Print. 45Chapter 9. Communications • in KDE, click the Kickoff Application Launcher → Applications → Internet → Claws Mail menu entry for Claws Mail. 2. The first time you start Claws Mail the Claws Mail Wizard appears and will guide you through the set up of your account: 3. After the welcome screen, follow the dialogs to fill in your name, (sometimes it is guessed from the operating system) and your email address. 4. On the next page choose a protocol and enter details of how to retrieve your mail: POP3 Enter the server address, username, and password. Also select encryption in needed when connecting to your provider. If you do not enter your password here you will be prompted for it each time it is needed. IMAP Enter the server address, username, password, encryption, and IMAP server directory. The password is optional, if you do not provide it here you will be prompted for it each time it is needed. The IMAP server directory is also optional, often it is not needed and can be left empty. 5. On the next page enter the address of your SMTP (Outgoing) server. Also fill in any authentication and encryption information that your provider requires for sending email. 6. If you chose either POP3 or Local mbox file, the next page will the show the default where it will save your mail. From the Tools menu you can collect addresses for the address book, configure filters, and managecertificates. The Configuration lets you configure accounts, filters, templates, actions, and tags. Claws Mail by default is a lightweight and fast email client that handles plain text email only. With theaddition of plugins Claws Mail can also render HTML email, handle vCalendar messaging, integratewith spamassasin, or report spam to various locations. Fedora packages many plugins as separatepackages. To install additional plugins refer to Chapter 18, Managing software. You can install pluginsby either using PackageKit or on the command line by using Yum. Use the search features to locateclaws-mail-plugin-* packages. Additional plugins can also be found at 46 Kmail 9.4. KmailKmail is the standard email client used in KDE it is installed by default from the Fedora KDE Live CDand is also included in the DVD. To start Kmail in KDE, click the Kickoff Application Launcher →Applications → Internet → Mail Client menu entry for Kmail, or in GNOME, click Applications →Internet → Kmail in GNOME. If your email provider requires the use of a secure connection such as IMAPs, you may need to configure the account at a later time. Not all configuration options are available through the connection wizard. • specifying your account information including real name, email address, and organization, Finally, KDE may ask you to set a password for KDEWallet which manages account passwordsacross the KDE Internet applications. To add a new account in the future, or to modify an existing account, click Settings → ConfigureKmail. In the dialog that appears, select Accounts then press the Add button to add an account orModify to modify an existing account. 9.5. EmpathyEmpathy is an instant messaging (IM) client that can access Gmail, MSN, AOL, Yahoo!, Jabber, andother IM and chat networks. Empathy is the default instant messaging client for the GNOME desktop.For further information please refer to:. 47Chapter 9. Communications Starting Empathy for the first time goes directly into the Messaging and VoIP Accounts Assistantdialog. Choose to configure Empathy to use an existing account, create a new account, or see peopleonline nearby. Many IM networks require you to create an account before you can use them. In many of these cases, you cannot create the account in Empathy and will normally need to visit the website of the network to create an account. For example, you cannot use Empathy to create a Yahoo Instant Messenger account. Instead, you much first visit to set up the account, then access it using Empathy. 2. Click the drop-down menu to show the available protocols and select the network appropriate for the account being created. 3. Enter details for the selected account, including Screen name and Password. Click on the Apply button to add the account to the account list and return to the main window. To modify, delete, or add additional account, select Edit → Accounts from the main menu. Highlightan account to modify or delete or click the Add... button to configure an additional account. Select Edit → Preferences to customize themes, notifications, sounds, and more. The Room menuallows you to join a chat room. If you want to temporarily disable an account, select Edit → Accounts,select the account to disable, and uncheck the enabled box. Your account settings will be saved andyou can enable the account at any time. 9.6. PidginPidgin is an instant messaging (IM) client that can access Gmail, MSN, AOL, Yahoo!, Jabber, andother IM and chat networks. For further information please refer to: In previous versions of Fedora, Pidgin was the default instant messaging program. If you upgradeFedora from a previous version you will still have Pidgin installed and configured. If you have a freshinstall of Fedora, Empathy is the default IM client. See Section 9.5, “Empathy” for more information. 48 Configuring Pidgin To install Pidgin, refer to Chapter 18, Managing software You can install Pidgin by either using thePackageKit or on the command line by using Yum. Starting Pidgin for the first time goes directly into the Accounts dialog. To configure a new accountfollow these steps:1. Click on the Add button to bring up the Add Account dialog. 2. In the Add Account window, under Login Options, click on the right side of the Protocol drop- down menu to show the available protocols and select the network appropriate for the account being created. 3. Enter details for the selected account, including Screen name, Password, and Alias. Select Remember password if desired. Click on the Save button to add the account to the account list. 4. Once the account is added, the Accounts window displays the new account. 5. New accounts can be added in the future by navigating to the Accounts → Manage Accounts menu entry in the main Pidgin window. Pidgin does not support some features of the included protocols. Pidgin is useful for chatting via text across different IM protocols, but not all the features in each IM system are supported. For example, video is not supported at this time. Many IM networks require you to create an account before you can use them. In many of these cases, you cannot create the account in Pidgin and will normally need to visit the website of the network to create an account. For example, you cannot use Pidgin to create a Yahoo Instant Messenger account. Instead, you much first visit to set up the account, then access it using Pidgin. 9.7. KopeteKopete is the Instant Messenger installed in KDE by default. To start the program in KDE, click theKickoff Application Launcher → Applications → Internet → Instant Messenger menu entry 49Chapter 9. Communications for Kopete. In GNOME, click Kopete can be found in Applications → Internet → Kopete. For furtherdocumentation on Kopete, refer to: • Bonjour • GroupWise • ICQ • Jabber • Meanwhile • WLM Messenger • Testbed • WinPopup • Yahoo You can add accounts for these services to Kopete using the steps above. 9.8. XChatXChat is an IRC chat program. It allows you to join multiple IRC channels (chat rooms) at the sametime, talk publicly, private one-on-one conversations and is capable of transferring files. To installXchat, refer to Chapter 18, Managing software You can install Xchat by either using the PackageKitor on the command line by using Yum. More information is available at. 2. Now choose a network to join from the Networks window. Select the one you want by clicking it. For example, most Fedora projects use the FreeNode network to host chat rooms. 3.-doc is where you ask about writing and updating this and other documentation. The #fedora chat room is a good place to find help using fedora. 50 Using XChat You can configure your preferences for XChat while attached to the network. On the top menu barselect Settings → Preferences and choose your text, background and sound preferences. You canalso configure alerts and logging. Once logging to the disk is enabled in the preferences, right click onthe channel name and and select Settings to enable or disable logging for an individual channel. XChat defaults to showing each channel as a tab. Either right click the channel name or select Xchatand click Detach to view a channel in a separate window. 9.9. KonversationKonversation is the default IRC application for the KDE Desktop. You can find details at. 2. The Servers List window pops up and has a default network listed. Select New or click on the default network then select Edit. a. Type in your chosen network in the Network Name: field. c. Check the box Connect on application start-up to attach automatically when you open Konversation b. Type in your desired channels, and passwords if needed, then click the Ok button. 4. You are returned to the Edit Network window. Select the Ok button. Now click the Connect button at the bottom right in the Servers List window to attach to the network and your channels. If you selected the Connect on application startup then Konversation will automatically attach toyour networks and channels. To customize colors, highlighting, logging, and more, select Settings → Configure Konversation 9.10. ChatZillaChatZilla is an IRC chat program from Mozilla. It is easy to use and is a highly extensible IRCclient. It has all the usual features including a built-in list of standard networks, easy searching and 51Chapter 9. Communications sorting of available channels, logging, DCC chat and file transfers. For more information go to. 2. In the box to the left of the Browse All Add-ons link, type ChatZilla and press Enter. 3. Select Add to FireFox then Install Now. You may get a message to re-start Firefox. 3. The ChatZilla window opens where you will see the word *Client* as a tab near the bottom. In the main window are welcome messages with links to additional help and at the bottom of that window are links to a few of the most popular Networks. If your Network is among them just click on the link and ChatZilla will attach to it as a new tab. 2. On the top menu bar click Tools → Chatzilla and you will automatically attach to your networks and channels. It is not necessary to have your channels connect when you start ChatZilla. Once you have attached to your networks you can select IRC → Join channel and type in your favorite channel, or part of it in the Quick Search box. Then click on the Join button when your channel appears in the box. But you will have to do these steps each time unless you setup ChatZilla to attach automatically 52 Chapter 10. PrintingDespite the increasing availability of electronic services, there are are still times when it is necessaryor desirable to print documents. Fortunately, Fedora makes printing easy. This chapter coversconnecting to a single printer and connecting to an existing print server. Like many other aspects ofFedora, printing can be configured by a graphical program or with command-line tools. In this chapter,the focus is primarily on the graphical program, with some discussion of the basic command-line tools. Click Install to begin installing the drivers. You may also need additional packages apart from the printdrivers. If you are asked to confirm installation of these packages, click Continue to install them. Youwill then be asked to authenticate. Type in the password for the root account and click Authenticate.When this process completes, the printer is installed and ready for use. Once the printer is selected, click Forward. You may be asked to choose a driver. The drivers formany popular printers are already available. Select the make for your printer and click Forward. You'llthen have the option to select the model, and if there are multiple drivers, to select the driver as well. 53Chapter 10. Printing In most cases, you'll want the driver marked "(recommended)". Click Forward. If your printer model isnot found, you'll need to click Back and provide your own driver. The printer manufacturer's websitewill often have the driver (also called a "PPD file") you need.it's location. Once you've entered the information, click Apply You'll then be prompted for the rootpassword. Enter it in the text box and click Authenticate. As the final step, you have the option to printa test page. Click No or Yes as you prefer. it'slocation. Once you've entered the information, click OK. The printer is now added to the system. By default, CUPS uses TCP port 631 for network communication. If you're connecting to a print server running CUPS, ensure the server firewall allows connections on port 631. 54 Connecting to a print server from the CUPS configuration files ServerName server where serveris the host name or IP address of the server. All of the available print queues on thatsystem will immediately be shown on the client computer. If you have multiple printers, there's probably one that you'll want to use the most often. You can select a default printer in your Printing menu by right-clicking the printer you want to be the default and select Set As Default. Most applications will honor this setting. Some tasks involve using the command line to run commands. Fortunately, there's a way to print from the command line, too. You can use the lpr to print a file. For example, lpr myfile.txt prints the file myfile.txt. You can specify the printer to use with the -P option. The argument to -P is the short name of the printer. If you installed a printer called "laserjet", you would print your file with lpr -P laserjet filename. The default printer can also be set by setting the PRINTER environment variable. Environment variables are set with the exportcommand: export PRINTER=printername To make the change persistent, add the above line to your ~/.bash_profile file. 5556 Chapter 11. Office ApplicationsIn today's communication-oriented world, the ability to create, view, and edit content-rich documentsis an important feature of any operating system. In Fedora, you have the option to select from many ofoptions when it comes to document and spreadsheet editing. In Windows, you may have been familiar with the Microsoft Office suite of products. Programs likeMicrosoft Word, Excel, and Publisher all have multiple counterparts in the realm of free software. Eachof these free and open source products has a distinct flavor; some are minimalistic with few optionsand a simplistic interface, some are feature-rich with capacities even beyond proprietary options,and many others fall in between these extremes. This chapter will help you survey your options andchoose the right application for you. The KOffice suite is optimized for the KDE desktop environment. The KOffice applications also createdocuments and files in open standards formats including OpenDocument (.ODF), Rich Text Format(.RTF), and HTML. For the most up-to-date information on all of KOffice's program offerings, visit theofficial KOffice site at. This site also includes detailed documentation and helpfor each individual KOffice program. GNOME does not provide a suite but instead a number of individual office applications optimized forGNOME. For more information on using these applications refer to Remember that any office application or suite will run on any Fedora desktop environment. Onceinstalled, all office tools are available from the Applications → Office menu in GNOME, the KickoffApplication Launcher → Applications → Office menu in KDE, or as icons located in the menubar or on the desktop. To install any Office suite or application, refer to Chapter 18, Managingsoftware. You can install them by either using the PackageKit application or on the command line byusing Yum. This section will explore the popular word processors available in Fedora, and help you becomefamiliar with the abilities and usage of each. 57Chapter 11. Office Applications If you have used a word processor before, Writer may seem immediately familiar to you. The interfacedisplays a large page where you can type your document, and there are several toolbars across thetop of the window with which you can choose formatting options and advanced features like mailmerging or embeddable media. From the View menu you can customize which toolbars are visible. Some toolbars will appear asneeded. For example, when a table is inserted, a floating toolbar with options to manage the table 1appears. For more information, read Writer's product description online or access the documentationunder Help → Contents. 11.2.2. KWordKWord is the KOffice word processing program. Open KWord by selecting the Kickoff ApplicationLauncher → Office → Word Processor entry for KWord. The first window contains options for opening New, Recent or Existing documents, the type ofTemplate for a new document, as well as a menu bar. • choose the Settings drop-down menu select Show Toolbar, Configure Shortcuts or Configure Toolbars. • click Helpto open the KWord Handbook or Report a Bug. You can also access the KWord Handbook by pressing the F1 key. After selecting a template click the Use This Template button and check the box Always use thistemplate if you want to make it the program default. The next window has two menu panels on the top, the document work area on the left, and severaldockers on the right. The Tools Options docker provides text style edits such as bold, italic, and fonttype, size, and color. Other Dockers provide shapes, statistics, and tools. Configure dockers andtoolbars from the Settings pull down menu. The bottom panel shows the number of pages in the document, which page is in the work area windowand the Zoom in percentage. 11.2.3. AbiwordAbiword is a word processor with many of the everyday capabilities of OpenOffice.org Writer orMicrosoft Word, but the omission of some advanced but less used features makes it significantly morelightweight. Since Abiword does not depend on the Java virtual machine like Writer does, you may findthat it runs more quickly on older machines. Abiword's interface is similar to that of Writer and mostother word processors. For more information, use Abiword's built-in help or open the online manual at. 1 58 Spreadsheets 11.3. SpreadsheetsSpreadsheets are commonly used to lay out data in a grid format or for tracking simple financialinformation. All of the spreadsheets discussed in this section have the ability to merge cells, splitscreens, format text, and define formulas and macros. They also all have some advanced features forautomatic calculations, projections, graphs, and importing of raw data. From the View menu you can customize which toolbars are visible. The Tools and Data menusallow for advanced data manipulation such as solving optimization problems, creating scenariosfor comparison, and pull in raw data from other databases. For more information, read Calc's 2documentation online or under Help → Contents. 11.3.2. KSpreadKSpread is the KOffice spreadsheet program. Open KSpread by selecting the Kickoff ApplicationLauncher → Office → Spreadsheet entry for KSpread. The first window contains options for opening Recent or Existing documents, the type of Template forcreating a new document, as well as a menu bar. • choose the Settings drop-down menu to select Toolbars Shown, Configure Shortcuts or Configure Toolbars. • Click Helpto open the KSpread Handbook or Report a Bug. You can also access the KSpread Handbook by pressing the F1 key. The next window has two toolbar panels on the top, the spreadsheet, spreadsheet tabs running alongthe bottom, and dockers on either side with additional tools. Select which toolbars and dockers arevisible from the Settings menu item at the top. You can now add data and formulas, merge cells,change fonts and colors, insert charts and more. The row of icons under the top menu bar contains the most frequently used functions plus a few iconsfor data manipulation. Several Dockers surround the spreadsheet. The Tool Options shows the contents of the cell andallows for adding formulas. There are also Styles and Shapes dockers visible by default. The panel at the bottom shows in bold which spreadsheet is currently selected and how manyworksheets are in the file. Worksheets can be added with a right mouse click on a worksheet tab. Thispop-up window allows Rename the Sheet, Insert, Remove, Hide or Show the Sheet and providesaccess to Sheet Properties. 2 59Chapter 11. Office Applications 11.3.3. GnumericGnumeric is a spreadsheet optimized for the GNOME desktop. Gnumeric is a good spreadsheetalternative for those that needs a program which uses less memory then the larger OpenOffice.org orKOffice suites. In exchange for a lightweight program, Gnumeric has fewer toolbars and not all otherspreadsheet formats can be imported. Gnumeric does have solver, scenario, and simulation tools butother advanced tools which can be applied to very large sets of data may not be supported. 11.4. PresentationsA Presentation program is designed to assist a speaker and energize the audience. BothOpenOffice.org Impress and KOffice KPresenter offer the ability to create dynamic presentationcontaining not only text but also animations, images, sounds, and more. When Impress is first opened a presentation wizard launches to assist in the initial layout of a newpresentation. You can open an existing presentation, start an empty presentation, or work on a newpresentation from a template. For new presentations, the wizard then offers a choice of backgroundsand output mediums followed by a choice of slide transition and presentation types. Finally, whencreating a new presentation, the wizard asks for some basic idea to start your title page. With atemplate, the wizard will also offer a choice of pages to include. Once a presentation is opened, toolbars are placed around the main slide. You can customize whichtoolbars are visible from the View menu. Each toolbar can also be undocked and placed in different 3locations. For more information, read Impress's documentation online or under Help → Contents. 11.4.2. KPresenterKPresenter is the KOffice application for creating and performing presentations. Open KPresenter by selecting the Kickoff Application Launcher > Office > Presentation entry forKPresenter. The first window contains options for opening Recent or Existing documents, the type of Template orScreen Presentation you want, as well as a menu bar. 3 60 gLabels • choose File to create a New file, Open or Import a file, or Quit the application. • click Helpto open the KPresenter Handbook or Report a Bug. You can also access the KPresenter Handbook by pressing the F1 key. The next window has two menu panels on the top, a workspace , and a number of dockers withadditional tools. From the top menu, choose Settings to customize which Dockers are visible orcustomize the Toolbar or Shortcuts. You presentation can not be created with styles, shapes, text indifferent fonts or colors, images, and more. 11.5. gLabelsgLabels is a light-weight GNOME application for creating labels, business cards, and labels for CDand DVDs. When you open a new file from the icon or the menus at the top, you will have a chance to choose atemplate for your labels. From the menus or toolbars you can then add objects such as text, box, line,ellipse, images, or barcodes. You can then resize, move,or align the objects. You can customize theview, magnification, and toolbars. The panel at the bottom of the work window allows you to configurethe appearance of your data, such as font selection, alignment, bolding, and italics, as well as text andline color. For more information on using gLabels, refer to the gLabels website at. 6162 Chapter 12. Financial softwareFedora offers software financial software for both the GNOME and KDE environments. GnuCashis the financial software recommended for users with the GNOME desktop environment, andKMyMoney is recommended financial software for the KDE environment. Although each financialsoftware application is recommended for a specific desktop environment, remember both will workon any Fedora desktop environment. Both applications can be used for personal and business, andconfigured for online banking. GnuCash and KMyMoney are not installed by default from the Live or Install DVD. If you do nothave access to the Internet, you can install them from the Fedora Install DVD. Refer to Chapter 18,Managing software for instructions. You can install them by either using the PackageKit application oron the command line by using Yum. 12.1. GnuCashGnuCash allows you to track personal and business bank accounts, stocks, income and expenses,and is based on double-entry accounting principles. 1For additional help using the application, refer to documents . 2. From the Welcome Window select which wizard you want to open and click the OK button. 3. Select Create a new set of accounts and click the Forward button on the New Account Hierarchy Setup window. 5. Select all of the boxes next to the accounts you want to create in the Categories window, then push the Forward button. 6. Follow the directions in the Setup selected accounts window, then click Forward. 8. To import a Quicken .qif file, select the box then press the Forward button. 9. Select the .qif file to load and click the Forward button. 10. Now you have the option to load more QIF files for additional accounts. Select the Forward button. 11. Pressing the Forward button guides you through Matching QIF accounts with GnuCash account, Matching QIF categories with GnuCash accounts, and currency selection. 12. Click the Apply button to import your data, or the Back button to review your matchings. 1 63Chapter 12. Financial software The top menu bar allows you to manipulate your accounts. You can:• Edit, Delete and Create new accounts. • Set Preferences. • Schedule Transactions. • Do transfers. • Reconcile an account. • Set Reminders. • Generate Reports. Double click on an account to bring up a check book type register for that account. The top menu barchanges to allow manipulation of transactions. This menu includes the options above, plus you can:• Change the view of the ledger from Basic Ledger to Auto-Split Ledger, Transaction Journal, or Double Entry. 2. The Initial Online Banking Setup window lists what you need to complete the setup. 4. Select the Start AqBanking Wizard in the Start Online Banking Wizard window. 5. The Configuration window Intro provides a summary of what you can do. 6. Type in the information required in the Users, Accounts, and Backends tabs on the top of the window. 7. Select the OFX-Direct Bbackend if you are not sure which one to use. 64 KMyMoney 8. You may need to call your bank to get their server URL. If you chose the OFX-Direct backend it is likely their URL is. 9. Return to the Start Online Banking Wizard and click the Forward button. 10. Check the appropriate boxes under the New? column to match the bank accounts with your GnuCash accounts. 13. To download your bank transactions select the Accounts or Register tab then: Actions → Online Actions → Get Transactions or → Get Balance and fill in the information asked for to complete the operation. 12.2. KMyMoneyKMyMoney Is a double entry accounting software package, for personal and small business use. 5. Now type in the information for your bank account. Then select Next again. 7. Select the type of account you want setup, then click Next. You can select multiple types of accounts. 9. You can keep the default path where KMyMoney will save your files, type in a path, or browse by clicking the button maked with a small folder on the right of the path window. 10. Click the Finish button and your Home window opens. 11. Open the account register by clicking on your account's link in Your Financial Summary window. 12. Click the Show KMyMoney welcome page link at the bottom to: • Get started and setup my accounts. 65Chapter 12. Financial software 3. On the top menu, choose Account → Map Account and the program will load a list of financial institutions in the Online Banking Account Setup window. 4. Type the name of your bank in the Search bar, or scroll down the list to find it. 5. Click on your bank's name to select it then press the Next button. 8. This window shows the accounts you have available at the bank. Click on the whichever one you want to link to your KMyMoney account and click Next. 10. Press the blue icon on the top menu to Update the Account or select Account → Account update also on the top menu bar. 11. The program connects to your bank and the Account selection window asks you to which KMyMoney account you want to download information. You also have the option here to Create a new account. 13. The Statement stats - KMyMoney window summarizes the information downloaded. Click the OK button. 14. Click the Ledger icon on the left menu panel to see the loaded information. 66 Chapter 13. Playing multimedia Media formats not supported by default in Fedora Because of licensing and patent encumbrances, Fedora cannot ship with certain audio and video playing capabilities, known as codecs. An example is the MP3 codec. Refer to Section 13.1, “The Fedora Project's approach to multimedia support” for more information. Fedora includes several tools for listening to audio and viewing video on both the GNOME andKDE desktops. These applications will run in either Fedora desktop environment. To install softwarepackages not already installed, refer to Chapter 18, Managing software. You can install applications byeither using the PackageKit application or on the command line by using Yum Fedora provides the following applications for audio and video by default:• Amarok is a music player that features tools for organizing music, CDs, Internet radio stations, and more, and is included in KDE by default. • Brasero is an application for copying and making audio, video, and data CDs and DVDs in GNOME. • Cheese Webcam Booth takes photos and videos with your webcam is installed in GNOME and KDE. • JuK is a collection and playlist manager as well as a music player installed in KDE. • Rhythmbox is a music player that features tools for organizing and listening to music, CDs, Internet radio stations, and more, and is included in GNOME and KDE by default. • Sound Juicer is an application for converting CDs to music files (also known as ripping) in GNOME and KDE. • Sound Recorder can record and play .flac, .oga (OGG audio), and .wav sound files. • Totem Movie Player is an application for viewing videos in GNOME and KDE. To open these programs, in the GNOME desktop, click on their entries in the Applications → Soundand Video menu in the top menu bar. In the KDE desktop, click on their entries in the KickoffApplication Launcher → Applications → Multimedia menu. Fedora includes complete support for many freely-distributable formats. These include the Ogg media,Vorbis audio, Theora video, Speex audio, and FLAC audio formats. These freely-distributable formats 67Chapter 13. Playing multimedia are not encumbered by patent or license restrictions, and provide powerful and flexible alternativesto popular yet restricted formats such as MP3 that are not legally distributable with Fedora. For moreinformation, refer to the Fedora Multimedia wiki at. • Edit lets you turn on Effects, Move to Trash, Move All to Trash, and change the Preferences. • Clicking on Help > Contents, or pressing F1, opens the Cheese Manual. The tabs, between the windows, are shortcuts of the choices in top menu. The first time you launch the Rhythmbox Music Player, an assistant will help you import your music.On the second panel of the assistant, click the Browse button and select the folder where your musicis stored, normally in your home directory under Music. • The second Toolbar panel accesses the player functions and provides details about the track that is playing. • A Time Slider, under the Toolbar panel, displays the position of the read of a track and allows you to jump to another part of a track. • In the left window the Source List lets you access your music library, internet radio, internet, your portable music player, your playlists, and CDs. This consists of: • The Rhythmbox Music Player library, where all of the imported tracks are saved. • Podcasts. • Online Stores: 68 Audio CD Extractor (Sound Juicer) If you have a wheel mouse you can adjust the volume by placing the cursor on the volume icon andturning the wheel. In the Browser, the rectangle window right of the Source List, you can browse and filter the Librarytracks by genre, artist, or album name. It also provides a Search function. The Tracks list is the bottom window and contains the lists of the tracks that belong to the source youselected. The Statusbar is the panel that runs along the bottom that displays information about the source youselected. 2. Below that is a list of the audio tracks on the CD. You can determine the track title and artist for each track. To edit the title of a track, first select the track, then click on the title. When you have finished enteringthe title, press the Enter key. Each track of the CD is automatically updated if they matched the artistbefore the edit. 2. Click the Extract button. This will change to a Stop button when the program begins to extract the data. You will see an icon next to the track being extracting. • On the Record as drop-down menu choose what type of file you want to record to. 69Chapter 13. Playing multimedia • Press the red Record button or select Control → Record from the top menu to start recording. • Press the Stop button or use Control → Stop, on the top menu, to end the recording. • To save your file choose File → Save As, and name your sound file. • You can play an existing sound file by clicking the Open button, or selecting File → Open on the top menu, choose the file and click the Open button. Now press the Play button, or select Control → Play, to play the selected file. • Selecting File → Properties displays information about the current sound file. • Access the Sound Recorder manual by choosing Help → Contents or press the F1 key. • Movie → Play and Movie → Pause will play or pause the disc. • Choosing Movie → Properties opens the sidebar which displays the properties of the file. • From the Edit menu you can Take a Screenshot or Create a Screenshot Gallery, turn the Repeat Mode or Shuffle Mode on or off, Clear the playlist, configure Plugins and set Preferences. • View allows you to go to Fullscreen, Fit Window to Movie, set the Aspect Ratio, Switch Angles, Show Controls, Subtitles, and show, or hide, the Sidebar. • Go will let you go to the DVD, Title, Audio, Angle and Chapter menus, the Next Chapter or Movie the Previous Chapter or Movie, Skip to a track, and Skip Forward or Backwards. • The Sound drop-down menu lets you change Language and turn the Volume Up or Down. • You can open the manual by selecting Help → Contents or pressing the F1 key. 70 GNOME multimedia applications For more information visit the Totem Movie Player website at. 2. Insert a writeable CD or DVD into your writer device. Doing this step first usually opens the CD/ DVD Creator automatically. You can configure the CD/DVD Creator to open automatically by going to System → Preferences → Hardware → Multimedia Systems Selector and on the Audio and Video tabs select Autodetect from the drop-down menu. 3. Click the Write to Disc button, or choose File → Write to CD/DVD. Choose to write to your CD/ DVD or to a File Image. An image file (ISO) is a normal file that will be saved to your computer and you can write to a CD later. You can type a name for your CD or DVD in the Disc name window and select a Write speed from the drop-down under Write Options. You will also see the size of your data that will be written to the disc. To write a disc image to a CD/DVD, right-click on the Disc Image File, then choose Write to Discfrom the popup menu. 2. Choose Places → CD/DVD Creator from the top panel menu bar. If you have only one write drive the program will first create a file on your computer. The original disk will be ejected, and ask you to change it for a blank disk to copy on. 13.7.2. BraseroBrasero can burn music or data to a CD. Refer to Section 6.2.3, “Using Brasero in GNOME” or theBrasero website at for more information. 71Chapter 13. Playing multimedia 13.8.1. GNOMEBakerGNOMEBaker can burn music or data to a CD. the GNOMEBaker website at for more information. 13.9.1. AmarokAmarok is a CD player and music collection manager. For more information refer to the Amarokwebsite at • Playlist lets you Add Media, Add Stream, Save Playlist, Undo, Redo, Clear Playlist, Repeat and choose Random play. • Tools lets you access the Cover Manager Script Manager and to Update Collection. • Clicking Help > Amarok Handbook, or pressing the F1 key opens the manual. • On the left side of the application window you can select the Files you want to play, Playlist, Collections or access the internet for music, podcasts and radio stations. Details about your selection are displayed in the window to the right. • The bottom center icons are: + adds a widget, - deletes a widget, the arrows let you go to a Previous or Next Group, and you can Zoom in or out. • In the Playlist window you can do a Search, go to the Next or Previous selection, and Search Preferences. The options along the bottom allow you to Clear Playlist, Show Active Track, Undo, Redo, Save a Playlist, and Export a Playlist As. 72 JuK • Selecting Play > Play Media allows you to play a DVD, VCD, or Video File, Play/Pause lets you pause and re-start the movie, Stop will stop the playback, and Quit closes the application. • The Settings menu lets you choose the Full Screen Mode, Aspect Ratio, Subtitles, Audio Channels, to Configure Shortcuts and Toolbars or to Show Toolbar. • Help → Dragon Player Handbook, or pressing the F1 key, opens the manual. 13.9.3. JuKJuK is a collection and playlist manager as well as a music player. For more information refer to theJuK website at • Selecting File on the top menu bar, you can choose to open a New file, Open an existing file, Add Folder, Rename, Edit, Search, Duplicate, Reload, Remove Save, Save As or Quit the application. • Edit allows you to Undo, Cut, Copy, Paste, Clear or Select All. • Under View you can configure JuK to Show the Search Bar, Show Tag Editor, Show History, Show Play Queue or Columns, Resize Playlist Columns Manually and View Modes (Default, Compact or Tree). • From the Player drop list you select to Random Play, Loop Playlist, Play, Pause, Stop, Next, Previous and Play the Next Album. • Tagger lets you Save or Delete tags, Refresh, Guess Tag Information open the Cover Manager and Rename a File. • From the Settings menu you can choose which Toolbars to display, Show Splash Screen on Startup, Dock in System Tray, Stay in System Tray on Close, Open Track Announcement, Tag Guesser, File Renamer and Configure Shortcuts or Toolbars. • The second menu panel displays icons of the most used commands, which are also located in the top menu bar. • The main window displays information about the file, such as: Track Name, Artist, Album, Cover, Track, Genre, Year and Length. • To open the manual select Help > JuK Handbook or press the F1 key. Closing JuK Clicking the X in the upper-right corner of the window closes the JuK window but keeps the program running in the system tray. This allows the music to keep playing without the window open. To quit completely, use File → Quit. 73Chapter 13. Playing multimedia 13.9.4. KaffeineKaffeine is a media player that can play streaming content, DVBs, DVDs, and CDs. To getstreaming content over the web, you need a Mozilla plug-in for the program, which is availablefrom. For more information about Kaffeine generally, refer to theJuK website at • The bottom tab takes shows the Television provides TV controls and output. The toolbar along the bottom of this window allows you to Play, Pause, Skip Backward or Forward,Stop, and Adjust the Volume. • From the View menu you have the options for the Full Screen Mode, Minimal Mode, Toggle Playlist/Player, Enable Auto Resize or Keep Original Aspect. • Selecting Player gives you the option to Play, Pause, Stop, go to the Next track or Previous track, Fast Forward, Slow Motion, and Jump to Position. You can also Navigate a DVD, CD, Video, configure Subtitles, access Track Info and enable or disable Plugins. • The Playlist drop-down lets you Shuffle, Repeat, Download covers, Clear Current Playlist, start a New Playlist, Import, Save or Remove a Playlist. • Settings allow you to select a Player Engine (Xine or GStreamer), choose the Toolbars, Configure Shortcuts, Toolbars and Kaffeine Player, and to set xine Engine Paramenters. • Clicking Help > Kaffeine Player Handbook or pressing the F1 key, opens the manual. 13.9.5. KMixKMix is a sound mixer that allows you to control volume settings for sound inputs to and outputsfrom your computer. For more information refer to the KMix website at 74 KsCD • Switches has all controls allowing you to switch some functionalities ON or OFF (like Mic Boost (+20dB)), and multiple-choice controls (like Mic Select: Mic1 or Mic2). Most of these controls have a context menu, you can access by a right mouse click on the icon.• For Split Channels the right slider controls right side volume, and the left controls left side volume. To configure KMix from the menubar choose Preferences > Use Settings > Configure KMix Theoptions are:• Dock into panel will dock in the systray when pressing the window Close button. • Show labels will display labels for each of the sound devices. 13.9.6. KsCDKsCD is a simple CD player. The center window displays information about the file being played. The icons along the bottom allow you to setup Random play, Loop, Tracklist, and Mute. 75Chapter 13. Playing multimedia 13.10.1. K3bK3b is a CD and DVD burning application. Refer to Section 6.2.2, “Using K3b to burn media in KDE”or the K3b website at for more information. Many MP3 players can be mounted as storage mediums, and music can be added to them just like afile can be added to any other disk. See Chapter 6, Media for more information. 13.11.1. GripGrip is a CD player and a ripper for the GNOME desktop. It provides an automated frontend for MP3,and other audio format, encoders, letting you transform the disc straight into MP3s. Internet disclookups are supported for retrieving track information. Details are available on the Grip website at Grip is not installed by default but it is in the repository for installation with either using thePackageKit application or on the command line by using Yum. Refer to Chapter 18, Managingsoftware for more information. Gtkpod is not installed by default from the Live-CD or the DVD. If you do not have access to theInternet, you can use the Fedora DVD to install Gtkpod. You can install applications by usingPackageKit , or on the command line by using Yum. Refer to Chapter 18, Managing software formore information. Start Gtkpod by clicking Applications → Music and Video → gtkpod in GNOME or KickoffApplication Launcher → Applications → Multimedia → iPod Manager. For further help on iPod support through Gtkpod, refer to the Gtkpod website at. 76 Further information 7778 Chapter 14. Playing gamesA Fedora installation includes a selection of games by default. You can also select additional gamepackages during or after installation. To install new games on your Fedora system, refer to Chapter 18,Managing software. Most packages have games as part of their name. You can find more informationabout games for Fedora at. For more information about thegames in this list, refer to the Help menu within each individual game. You can play KDE games while logged into GNOME and GNOME games while logged into KDE. Graphical environment components are very modular. When you install the game packs any dependencies will also be installed. You may need additional packages to view the online help. With Help Files for gnome-games installed, use the menus to navigate to System → Help →Games to view a list of the available games. There is a brief description along with a link to detailsabout playing each game. The detailed instructions can also be found from the Help → Contentsmenu in each game. There are a handful of small games in the basic GNOME games pack.Aisle Riot Solitaire is a collection of solitare card games. Iagno is a A Reversi-like disk flipping game. Mines is a clone of a popular puzzle game. Sudoku is popular logic puzzle where you place numbers in a grid. Additional games are in a package called gnome-games-extra. These games provide a variety ofstyles and genres including board games such as Chess, card games such as Freecell, puzzle gamessuch as Klotski, arcade games such as Robots, and tile matching games such as Mahjongg. Theseare only a sampling of the games provided. 79Chapter 14. Playing games The KDE games pack includes popular games similar to those provided by the GNOME games packsuch as Kfourinline, Ksudoku, Kreversi, and many more. A sampling of other games included in theKDE games pack that may not be in other game packs include:Kapman Pac-man type game KGoldrunner A Lode Runner type of game KJumpingCube A territory capture game KNetWalk A network construction game KSquares Connect the dots to make squares Kubarick 3D game based on Rubik's Cube LSkat A card game Shisen-Sho A mahjongg like game 80 Chapter 15. Managing photosMost USB-compatible cameras will work automatically with Fedora and require very little configuration.If your digital camera offers a choice of USB connection types, set the camera's USB setting to PTP,or point-to-point mode. Consult your camera's user manual to determine if this option is available andhow to choose it. If it is not available, the default settings should be sufficient. 3. If your camera requires you to select a knob or dial setting before connecting it to a computer, make that selection now. When your camera powers on, Fedora will recognise the device and launch any software that youhave configured to import and manage photos, for example the Shotwell Photo Manager on theGNOME desktop or the digiKam photo management program on the KDE desktop. If you decide you do not want to import photos, click the Do Nothing button. If you do not want to seethis dialog each time you connect a camera, you can select the Always perform this action option inconjunction with any option to make the choice permanent. • Click Places on the top menu bar, and then click the camera or other device that stores your photos. 81Chapter 15. Managing photos clicking on Events in the left hand pane. A single photo representing all the photos taken on each datewill appear in the main pane. Double-click on a specific date to see all the photos taken on that date. You can rename each event to something more appropriate by right-clicking on the date in either pane- for example, 'Fri 25 Dec 2009' can become 'Christmas Day'. You can also merge events into longertimeframes - for example, 'Christmas Eve', 'Christmas Day' and 'Boxing Day' can be merged into asingle event called 'Christmas'. Once you have added your tags, a new menu option called Tags will appear in the left hand pane.Click on a tag name to see all the photos under that tag. You can modify, rename and remove tags byselecting the appropriate option in the Tags menu. When you log in via Shotwell for the first time, you must allow Shotwell Connect to be enabled onyour account. Once this has been set up, you will be given options regarding the size and viewingpermissions of the uploaded photos. Select your desired options and choose Publish. Your photos willnow be uploaded to your online account. When you turn on a camera connected to your computer, or plug in device containing photos suchas a USB flash drive, Fedora will notify you by opening a window from the Device Notifier located atthe left of the KDE panel. If you do not see a window, click the Device Notifier to open the windowmanually. You should see the camera or other storage device listed in the window. Click on the device,and a dialog box will open to ask What do you want to do?. Click Download Photos with digiKamand OK. In this dialog, you can select or deselect photos to import by clicking on the corresponding thumbnail.To select all photos, click any photo and then press the key combination Ctrl+A. To deselect allphotos, press Ctrl+Shift+A. Once you have selected all the photos that you want to import, click 82 Organising photos with digiKam the Download Selected button. To cancel the import process before you begin the download, closethe window. To cancel the process once the download is underway, click the Cancel button. DigiKam asks you for a name for this group of pictures, which it calls an album. Either click on anexisting album on the list, or click New Album and provide a name for the album. DigiKam willsuggest the current date as a name for the album, but you might want to choose a name that willbetter help you to remember the subject of these photos. When you have selected an album, click OKand digiKam will import the photos to your computer. To clear the photos from your camera, click Image → Delete Selected to delete just the images youimported to your computer, or click Image → Delete All to delete all images from your camera. To tag an image, right-click on it, then click Apply Tag, then place checks against one or more tagsfrom the list. To add a new tag to the list, click Add New Tag and then apply it to the photo. WhendigiKam displays the image in future, any tags that you have applied will appear below the picture.Applying tags does not alter the photo itself, and you will not damage your photo by tagging it.DigiKam stores tags separately from the photos. To search for images with a particular tag, click the Search button, type the tag into the search box,and press Enter. DigiKam will display all the images to which you have applied that tag. 8384 Chapter 16. Remote desktop sharing can be a serious security risk. You should leave it turned on only when needed and should not leave it active. Fedora lets you share your desktop remotely across a network, so that a user at a different computercan view and – with your permission – interact with your computer. This is useful for receivingtechnical support from a remote location or for demonstrating a desktop feature to another user. Youmay also find it to be a useful way to remotely access files on your desktop from another computer. Fedora uses a method called Virtual Networking Computing (VNC) to enable remote desktop sharing.Therefore, the remote viewer must use VNC as well. Apple OS X uses VNC by default, but MicrosoftWindows uses a different method to share desktops, called Remote Desktop Connection (RDC).To access your Fedora desktop from a computer with a Microsoft Windows operating system, thatcomputer will need a VNC viewer. TightVNC is a free and open-source VNC program available forLinux and Microsoft Windows from. 16.1. GNOMETo activate desktop sharing, select System → Preferences → Remote Desktop from the usermenu. This opens the Remote Desktop Preferences window. 2. Next, tick the box next to Allow other users to control your desktop. 3. Under Security, tick the box next to You must confim each access to this machine. 4. Next, check Require the user to enter this password and enter a password. This should not be your account's password; pick a new password that you will only reveal to the remove viewer. Be sure to inform the person performing remote technical support or remote viewing the assignedpassword. When the person connects to your desktop, click on the Yes button when asked forconfirmation. Once the remote viewing feature is no longer needed, turn off desktop sharing:1. Select System → Preferences → Remote Desktop. 16.2. KDETo activate desktop sharing in KDE, select Kickoff Application Launcher → Applications →System → Desktop Sharing. This opens the Desktop Sharing control module window. There aretwo methods by which you can share your desktop: 85Chapter 16. Sharing your desktop • You can create an invitation. By default, invitations are only valid for one hour. This lessens the chance of forgetting to disable Desktop Sharing, and is a good option if you only need it enabled temporarily. To create a Desktop Sharing invitation, open the Desktop Sharing window as described above, clickNew Personal Invitation and give the information to the person you want to invite. Alternatively youcan share the same information via email by clicking on New Email Invitation. • Next, check Confirm uninvited connections before accepting (optional, but recommended). • If you wish to approve each connection individually check Ask before accepting connections • A password should be set for security; enter one in the Uninvited connections password: box. This should not be your user account password. • Select the Network tab at the top of the window, check Use default port and make a note of the port listed. The person connecting to your computer remotely will need your IP address or hostname, followed bya : and the port number that you noted above. When the person connects to your desktop, click onthe Yes button when asked for confirmation. Once the remote viewing feature is no longer needed, turn off desktop sharing:1. Select Kickoff Application Launcher → Applications → System → Desktop Sharing. 86 Chapter 17. Fedora's repositories include many other themes that you can install, in the gnome-themes-extrapackage. You can install gnome-themes-extra by either using the PackageKit or on the command lineby using Yum. Refer to Chapter 18, Managing software for instructions. When the gnome-themes-extra is installed on your computer, the themes can be selected by using theAppearance program described in this section. To change the theme, click Kickoff Application Launcher → Computer → System Settings →Appearance. Click the Application Appearance item and then click Style. To change the theme, select one from the list and click the Apply button at the bottom of the window. You can download additional icons and themes for KDE by installing the kdeartwork-icons andkdeartwork packages. You can install these packages by either using the PackageKit or on thecommand line by using Yum. Refer to Chapter 18, Managing software for instructions. To set a color or gradient, select Vertical gradient and make your choice of Solid color, Horizontalgradient, or Vertical gradient. Then click the color bars next to the gradient window and select thecolors you want. 87Chapter 17. Customizing the desktop To change this, double-click on Computer on the desktop, click Edit and then Preferences. You canalso select Places → Computer → Edit → Preferences from the menu panel. Click the Behaviortab and click on the box next to the text Open each folder in its own window. To install a program that modifies several aspects of using Nautilus, install Gtweakui which enablesyou to modify your GNOME desktop quickly and easily. Applications → Add/Remove Software then searching for gtweakui will provide the program toinstall. The program's location can be found under System → Preferences. To enable, disable, or select the type of input method in GNOME, click System → Preferences →Input Method or in KDE, click Kickoff Application Launcher → Applications → Settings →Input Method. You can also get to these settings from the command line with im-chooser. Onceenabled, configure the preferences by clicking the Input Method Preferences button. The first taballows you to customize the keyboard shortcuts. The second tab allows you to add and remove inputmethods and set the prefered input method. The third tab has advanced settings. You can customizepreferences later by right clicking the ibus applet and selecting Preferences or from the command linewith ibus-setup. 88 Compiz-Fusion 17.5. Compiz-FusionThe Compiz Fusion Project brings 3D desktop visual effects that improve usability of the X WindowSystem and provide increased productivity though plugins and themes contributed by the communitygiving a rich desktop experience. There may be problems with running Compiz Fusion if you do not have a 3D-capable video card. The Fedora Project does not enable Compiz Fusion by default and therefore, if you want to use it,you will need to install it first. Refer to Chapter 18, Managing software for instructions on managingsoftware. You will need the compiz-gnome or compiz-kde depending on which desktop you use. When you have installed Compiz Fusion, you can launch the program by selecting System →Preferences → Desktop Effects in GNOME or Kickoff Application Launcher → Applications →Settings → Compiz Switcher in KDE. 17.6. Widgets> 17.6.1. GDeskletsGDesklets are Calendar, Weather, and Quote of the day widgets for the GNOME desktop. Toinstall them go to System → Administration → Add/Remove Software. Type gdesklets into thewindow in the upper-left corner and click the Find button. GDesklets is the program that needs to beinstalled and the other programs listed are the plugins. You will need to install both GDesklets and theGDesklets-goodweather plugin. Click the Apply button and enter the root password when prompted.The packages can also be installed by using Yum at the command line. When you have installed the software, you can access GDesklets by going to Applications →Accessories → Gdesklets. This will load up a program with all available plugins. Select theuncategorized category and double-click GoodWeather Display. After a few moments the the desklet will appear on the desktop and allow you to move it to a preferredlocation on the desktop. Where you initially place it is not important. The desklet can be moved at any time by right- clicking on the desklet and choosing move desklet To configure the the weather gdesklet, right-click and select configure desklet. A dialog will appearwith general settings. Modifying the location can be done by going to. Atthe very top of the weather.com website is a search box for local weather information. Type in thelocation. After searching the code for the location will be found in the url. For example, the weather forPerth, Australia is at the following link:. 89Chapter 17. Customizing the desktop To use that information, note the location code – in this example, ASXX0089 – enter it into the weatherdesklet, and select Close button. The weather information will be available after the next updateinterval. When you install the KDE desktop, a number of plasmoids are installed on your system by default,although most of them are not visible until you add them to your desktop or panel. These includevarious clocks, calendars, small games, and widgets that present you with information about thestatus of your computer hardware or about multimedia files as you play them. When you click the AddWidgets... menu option, the plasma toolbox presents you with a list of the widgets currently availableto you, along with short descriptions of each one. The plasma toolbox also gives you the option toGet New Widgets either by downloading from KDE-Look.org, or by installing ones that you havepreviously downloaded and saved to your computer. 90 Chapter 18. Managing software18.1. Using PackageKitFedora 14 uses a program called PackageKit to assist the user with installing and removing software.Any application from the Fedora repositories, including the ones described in this user guide, can beinstalled with the following method. To start PackageKit in the KDE environment, click KMenu → Applications → System → SoftwareManagement. This starts the kpackagekit application. The KDE Software Management browsesection works similar to a file browser and contains descriptions of the applications. The applicationuses install and remove buttons and there is a Help icon in the bottom left corner if you needadditional assistance. In the Search Box with the magnifying glass icon, type the name of the application you wish to install.If you are unsure of the specific application you need to install, you can also type keywords in this box,just like you would for an internet search engine. Next, click the Find button – The message Querying appears in the lower left corner breifly and thenzero or more listings will appear that match your search query. Tick the box next to the description of the application or applications you wish to install. The messageDownloading repository information appears in the lower left corner. The window areabelow the list of packages contains additional information about the selected software. Select any additional packages to install or remove at this time by changing tick boxes next to thepackage name. Finally, click the Apply button. This starts the installation process and concurrently installs or removesany additional packages where you modified the tick box. Follow any prompts to install additionalpackages. Unless an error is displayed, the application is now installed (or removed) on your computer. Click System → Administration → Add/Remove Software. This will open the Add/RemoveSoftware application. In the Search Box with the magnifying glass icon, type the name of the application you wish toremove. If you are unsure of the specific application you need to remove, you can also type keywordsin this box, just like you would for an internet search engine. 91Chapter 18. Managing software Next, click the Find button. The message Querying appears in the lower left corner briefly then zeroor more listings will appear that match your search query. Untick the box next to the description of the application or applications you wish to remove. If the box is already unticked, then the program is probably not already installed. If you are sure that you have selected the right application, but it still appears to not be installed, then it may have been installed using a method other than PackageKit. If, for example, the program was compiled and installed from source, then it may not register as installed in PackageKit. If this is the case, you will need to find an alternate method of removing it. If it was installed from source, you may find more information in the source distribution's Readme file. The message Downloading repository information appears in the lower left corner. Thewindow area below the list of packages contains additional information about the selected software. Finally, click the Apply button. This starts the removal process and concurrently installs or removesany additional packages where you modified the tick box. Follow any prompts to remove additionalpackages, such as dependencies that only your newly uninstalled program relied upon. Unless an error is displayed, the application is now removed from your computer. Type: If you are unsure of the exact name of your desired installation, you can search your installedrepositories for a keyword: Where keyword is the word you wish to search for among the names and descriptions of programs inthe available repositories. After using the yum install command, you will be prompted for the computer's root password. Typein the root password and press Enter. You will not see the password as you type. The terminal will 92 Removing software start giving information about the application, and end with Is this ok [y/N]:. Oftentimes, theinstallation of an application will require that other programs, called dependencies, are installed aswell. These are programs or utilities upon which your selected application relies. If you wish to continue installation after seeing the dependencies and their disk space requirements(which may be unexpectedly considerable), type: The terminal downloads the necessary files and completes the installation of your application. After using the yum remove command, you will be prompted for the computer's root password. Typein the root password and press Enter. You will not see the password as you type. The terminal willstart giving information about the application, and end with Is this ok [y/N]:. If dependenciesthat were installed with the application are unneeded by other applications, you may be prompted toremove these as well. The terminal deletes the necessary files and completes the removal of your application. This content is written for the more advanced user. It assumes that you are comfortable with the command line and have a relatively good knowledge of Linux terminology. It is probably not necessary to using Fedora as a desktop user, but can help a desktop user expand their knowledge base and face more complicated troubleshooting issues. 93Chapter 18. Managing software Use the Yum utility to modify the software on your system in four ways: The Yum commands shown in this section use repositories as package sources. Yum can also install software from an individual package file. This advanced usage is beyond the scope of this Guide. To use Yum, specify a function and one or more packages or package groups. Each section belowgives some examples. For each operation, Yum downloads the latest package information from the configured repositories.If your system uses a slow network connection yum may require several seconds to download therepository indexes and the header files for each package. The Yum utility searches these data files to determine the best set of actions to produce the requiredresult, and displays the transaction for you to approve. The transaction may include the installation,update, or removal of additional packages, in order to resolve software dependencies. =============================================================================] : Review the list of changes, and then press Y to accept and begin the process. If you press N or Enter, Yum does not download or change any packages, and will exit. 94 Installing new software with Yum Package Versions The Yum utility only displays and uses the newest version of each package, unless you specify an older version. The Yum utility also imports the repository public key if it is not already installed on the rpm keyring.For more information on keys and keyrings, refer to the Fedora Security Guide. Check the public key, and then press Y to import the key and authorize the key for use. If you press Nor Enter, Yum stops without installing any packages. Ensure that you trust any key's owner beforeaccepting it. To ensure that downloaded packages are genuine, Yum verifies the digital signature of each packageagainst the public key of the provider. Once all of the packages required for the transaction aresuccessfully downloaded and verified, yum applies them to your system. Transaction Log Every completed transaction records the affected packages in the log file /var/log/yum.log. You may only read this file with root access. When you install a service, Fedora does not activate or start it. To configure a new service to run on bootup, choose System → Administration → Services from the top desktop panel, or use the chkconfig and service command-line utilities. See the man pages for more details. If a piece of software is in use when you update it, the old version remains active until the application or service is restarted. Kernel updates take effect when you reboot the system. Kernel Packages Kernel packages remain on the system after they have been superseded by newer versions. This enables you to boot your system with an older kernel if an error occurs with the current kernel. To minimize maintenance, yum automatically removes obsolete kernel packages from your system, retaining only the current kernel and the previous version. To update all of the packages in the package group PackageGroup, enter the command: su -c'yum groupupdate "PackageGroup"' Enter the password for the root account when prompted. To update all of the packages on your Fedora system, use the command: su -c 'yum update' Enter the password for the root account when prompted. The removal process leaves user data in place but may remove configuration files in some cases. If a package removal does not include the configuration file, and you reinstall the package later, it may reuse the old configuration file. To remove software, Yum examines your system for both the specified software, and any softwarewhich claims it as a dependency. The transaction to remove the software deletes both the softwareand the dependencies. To remove the generic package my-package from your system, use the command: su -c 'yumremove my-package' Enter the password for the root account when prompted. To remove all of the packages in the package group PackageGroup, enter the command: su -c'yum groupremove "PackageGroup"' Enter the password for the root account when prompted. 96Appendix A. Contributors Note — Translator credits Due to technical limitations, the translators credited in this section are those who worked on previous versions of the Fedora User Guide. To find out who translated the current version of the guide, visit Fedora_14_Documentation_Translations_-_Contributors. These translators will receive credit in subsequent versions of this guide. 1• Arnes Arnautović (translator - Bosnian) 2• John Babich (writer) 97Appendix A. Contributors 21• Jorge A Gallegos (translator - Spanish) 22• Scott Glaser (writer) 23• Dimitris Glezos (editor) 24• Igor Gorbounov (translator - Russian) 25• Rui Gouveia (translator - Portuguese) 26• Guido Grazioli (translator - Italian) 27• Zachary Hamed (writer) 28• Inna Kabanova (translator - Russian) 29• Alexey Kostyuk (translator - Russian) 98• Nathan Thomas (writer) 46• Dennis Tobar (translator - Spanish) 47• Alejandro Perez Torres (translator - Spanish) 48• Luigi Votta (writer, translator - Italian) 49• Karsten Wade (editor) 50• Geert Warrink (translator - Dutch) 51• Marc Wiriadisastra (writer) 99100Appendix B. Revision HistoryRevision Fri Oct 29, 2010 Ben Cotton, Susan Lauber14.0.0 Updates for Fedora 14 version Update Playing Multimedia BZ#588582 New Printing unit (Ben Cotton) BZ#508025 Revision Tues Apr 6 2010 Eli Madrinich, Nathan Thomas, David Nalley,13.0.0 Paul Frields, Ruediger Landmann, Susan Lauber Update for Fedora 13 version 101Appendix B. Revision History Revision Thu Apr 23 2009 Laura Bailey, Matthew Daniels, Tim Kramer,11.0.0 Ruediger Landmann, Susan Lauber, Kirk Ziegler Update for Fedora 11, Convert to Docbook XML Revision 0.6.0 Sat Feb 24 2007 Matt Bird, Cody DeHaan, Damien Durand, John Babich, Paul W. Frields, Dimitris Glezos, Bart Couvreur Version for Fedora Core 6 102 Much more than documents. Discover everything Scribd has to offer, including books and audiobooks from major publishers.Cancel anytime.
https://www.scribd.com/document/53579164/Fedora-14-User-Guide-en-US
CC-MAIN-2020-16
refinedweb
20,492
64.2
Testing your Code Introduction ScriptRunner makes easy things easier and allows experienced users to perform advanced tasks. You can do anything in a script that you could do in a plugin, usually without the overhead of understanding the host of software development tools and methodologies that a typical plugin developer would have to worry about. If you’re using ScriptRunner extensively to write a lot of custom code or small amounts of custom code that heavily is relied on, you’re getting into the development platform portion of the product. Even if your formal job title or role is not in software development, that’s okay! You can write and run tests of your code to make sure it’s functioning. Automated tests help complicated testing tasks, like: Detailed testing plans to make sure custom scripts work after upgrading linked instances of Jira and Confluence with repetitive tasks that need to be completed throughout the upgrade cycle Verification to make sure script works as you develop it, without having to click through several steps in the UI every time you make a change. Not every ScriptRunner user needs to write tests, but when you feel that you need them, you should start writing them. For example, this need could be from doing repetitive work to tests scripts or fielding concerns from others about the reliability of custom scripts. Anything that makes you say, "I wish I had a quicker way to test this…" is a good reason to start writing automated tests for your scripts. An Aside for the Initiated Developer Automated tests are integration tests, so they test your code within the context of a running Atlassian host application. The supported testing frameworks are Spock and JUnit. A unit test only tests your code, which typically means isolating your code by mocking any Atlassian managers and services. You could write a unit test, but it would be expensive to mock everything, and scripts are frequently simple enough that your logic isn’t complex enough to require testing. The goal of automated testing is to make sure the script still works after you’ve made a change to the script or the environment where it runs. If you’re building a script plugin with a host of custom classes that have deep business logic of their own, you may have different needs that require a unit test suite. Writing and Running Tests You can set up a test instance and/or local development environment where you can run your tests. You can get a development license to set up a test server where you can run a cloned instance of your Atlassian application. Two test libraries are included with ScriptRunner, Spock and JUnit. Of the two, Spock is recommended. Like ScriptRunner, it is from the Groovy ecosystem, and it makes automated tests more readable, maintainable, and approachable. A basic Spock test looks like this: import com.onresolve.scriptrunner.canned.common.admin.SrSpecification class MyVeryOwnScriptSpec extends SrSpecification { def "test that my script does what I say it does"() { setup: "create any test data I need (projects, issues, etc.)" when: "I invoke run my script" //write code that makes your script run here then: "my script makes the changes I expect" true //Each line is an assertion 1 == 1 //Anything that returns true will let the test pass "a" == "b" //Anything that returns false will cause the test to fail } } Fill in the lines beneath setup:, when:, and then: blocks with code that tests your script. The particulars of doing that will vary a bit based on what you’re testing (an event handler, a REST Endpoint, a Jira workflow function, etc.). See the child pages of this page for some key particulars. Once you’ve written your test, you can save it to one of your script roots and run it using the Running Tests task. Test-Driven Workflow When starting on a new feature, Adaptavist often uses a test-driven development workflow. This is the process: Write a test for a desired outcome. Run the test. The test probably fails. This indicates that the feature isn’t working yet. Implement the feature until the test passes. Do any required code cleanup. Refactor. Make sure the test still passes. Peer review. Make suggested edits. Test to make sure the code is running as expected. Running Tests There are two ways that you can run automated tests: through the Test Runner built-in script or via your IDE. Test Runner Built-in Script You can use the Test Runner built-in script to run JUnit and Spock tests on the current Jira instance through ScriptRunner. The script creates custom test packages, and selects which tests to run from the checklist, simplifying the testing process. From ScriptRunner navigate to Built-in Scripts > Test Runner. Enter the name of the package(s) you want ScriptRunner to scan in Packages. Select which tests to run from the Tests list. This list shows all available tests in the specified package. Optionally, click Preview to see details of which tests will be executed. Click Run to run the selected tests on the current instance. The outcome of tests can be viewed under the Results tab. Running from an IDE You can run tests from your IDE. Adaptavist has only tested with Intellij IDEA and recommend it. A test runner executes the tests via REST in the running application (JIRA, Confluence, Bitbucket etc). In order for the IDE to know which runner to use, you must annotate your test class using the @RunWith annotation. For example: import com.onresolve.scriptrunner.canned.common.admin.ScriptRunnerTestRunner import org.junit.runner.RunWith import spock.lang.Specification @RunWith(ScriptRunnerTestRunner) class TestRunnerSampleSpec extends Specification { def "test something"() { expect: true } } IDEA Configuration The IDE runs your test locally, which executes a REST call to the app. Therefore the IDE needs to know the address of your running application, so it can tell the app to run the tests. To do this, you can modify the default setting for JUnit tests: Navigate to Run > Edit Configurations. Open the Templates drop-down on the left navigation and then select JUnit. For VM Options, add a property -Dbaseurl=pointing to the URL of the running application. You can omit this if you are running your application locally on port 8080, as in. Under Before Launch, delete the Build task using the minus button. It’s not necessary to rebuild the plugin after editing the tests because ScriptRunner will recompile the test if necessary. Uncheck the Activate Tool Window box. It’s not useful to switch to the tool window because any failures will be shown in the main Log window. Use the IDEA Test You can run the code by clicking the annotations in the margin, as shown below: The keyboard shortcut to run the code is to put the cursor in the test classname or methodname, and then press Ctrl + Shift + F10 for Windows or Ctrl + Shit + R (on Mac OS.
https://scriptrunner.adaptavist.com/6.11.0/jira/testing.html
CC-MAIN-2020-50
refinedweb
1,165
62.07
C++ STL Tutorial Hope you already understand the concept of C++ Template which we already have discussed in one of the chapters. The C++ STL (Standard Template Library) is a powerful set of C++ template classes to provides general-purpose templatized classes and functions that implement many popular and commonly used algorithms and data structures like vectors, lists, queues, and stacks. At the core of the C++ Standard Template Library are following three well-structured components: We will discuss about all the three C++ STL components in next chapter while discussing C++ Standard Library. For now, keep in mind that all the three components have a rich set of pre-defined functions which help us in doing complicated tasks in very easy fashion. Let us take the following program demonstrates the vector container (a C++ Standard Template) which is similar to an array with an exception that it automatically handles its own storage requirements in case it grows: #include <iostream> #include <vector> using namespace std; int main() { // create a vector to store int vector<int> vec; int i; // display the original size of vec cout << "vector size = " << vec.size() << endl; // push 5 values into the vector for(i = 0; i < 5; i++){ vec.push_back(i); } // display extended size of vec cout << "extended vector size = " << vec.size() << endl; // access 5 values from the vector for(i = 0; i < 5; i++){ cout << "value of vec [" << i << "] = " << vec[i] << endl; } // use iterator to access the values vector<int>::iterator v = vec.begin(); while( v != vec.end()) { cout << "value of v = " << *v << endl; v++; } return 0; } When the above code is compiled and executed, it produces the following result: vector size = 0 extended vector size = 5 value of vec [0] = 0 value of vec [1] = 1 value of vec [2] = 2 value of vec [3] = 3 value of vec [4] = 4 value of v = 0 value of v = 1 value of v = 2 value of v = 3 value of v = 4 Here are following points to be noted related to various functions we used in the above example: The push_back( ) member function inserts value at the end of the vector, expanding its size as needed. The size( ) function displays the size of the vector. The function begin( ) returns an iterator to the start of the vector. The function end( ) returns an iterator to the end of the vector.
http://www.tutorialspoint.com/cgi-bin/printversion.cgi?tutorial=cplusplus&file=cpp_stl_tutorial.htm
CC-MAIN-2014-52
refinedweb
394
50.3
ImportError: no module named 'MySQLdb' - Fajriansyah last edited by I use pymakr to connect my LoPy with MySQLdb but there is error ( ImportError: no module named 'MySQLdb' ) what am I suppose to do? my code is: import MySQLdb db = MySQLdb.connect(host="localhost", # your host, usually localhost user="root", # your username passwd="", # your password db="solarchargermonitoring") # name of the data base you must create a Cursor object. It will let you execute all the queries you need cur = db.cursor() Use all the SQL you like cur.execute("SELECT * from regisperangkat") print all the first cell of all the rows for row in cur.fetchall(): print(row) db.close() @fajriansyah I do not know if some "minimal" client exists for micropython. But is it required? Better run some listen socket on your server. And then your Lopy will send messages to this socket and it connect to jour database and store there data. It can be e.g. windows service apllication, webserver application e.g. on IIS, Apache + php .... - Fajriansyah last edited by This post is deleted! - Fajriansyah last edited by Fajriansyah @fajriansyah You probably mismatch things on Lopy you have micropythonnot full pythonbecause hardware resources are too limited. @fajriansyah you most certainly won’t be running a MySQL server on a LoPy, and I’m not sure there are any scenarios where it would make sense to connect directly to one from a LoPy either. Calling a webservice or sending data over LoRa to a server which would in turn connect to a MySQL database would probably make more sense. What exactly are you trying to achieve?
https://forum.pycom.io/topic/2911/importerror-no-module-named-mysqldb/1
CC-MAIN-2019-39
refinedweb
268
66.44
Ok, I've spent some time looking at your patch set. I modified your tvtohz() changes to guarentee a minimum return value of 1 without the unconditional + 1 that was messing up the original calculation, which you fixed, as you suggested. That patch is enclosed. I cleaned up the rest of the function a bit too (not tested as yet). This simplifies your kern_time.c patch and maintains the original tvtohz(). The original tvtohz() calculation only guarentees that the ticks calculation will be at least enough, not that it will be more then enough, but if the calculation occurs just before a clock interrupt then the '1 tick minimum' might only be a few microseconds. I think the reason this did not show up in your tests is because the tsleep() will synchronize with a clock tick anyway, so all your loops except the first one will be hitting nanosleep() just after a clock interrupt instead of just before. So if we calculate less then a tick left to go in the nanosleep loop, we still either have to tsleep for a tick, or hard-loop or soft switch until the timeout completes. Soft switching is an option... it involves calling uio_yield() in a loop instead of tsleep()ing until the remainder of the timeout has been dealt with. We could make nanosleep() extremely accurate in this fashion (at least as long as there are no other cpu bound processes running) but it would waste a lot more cpu even with a uio_yield() -Matt Matthew Dillon <dillon@xxxxxxxxxxxxx> Index: kern_clock.c =================================================================== RCS file: /cvs/src/sys/kern/kern_clock.c,v retrieving revision 1.12 diff -u -r1.12 kern_clock.c --- kern_clock.c 17 Oct 2003 07:30:42 -0000 1.12 +++ kern_clock.c 7 Jan 2004 04:16:24 -0000 @@ -268,35 +268,23 @@ } /* - * Compute number of ticks in the specified amount of time. + * Compute number of ticks for the specified amount of time. If the + * representation overflows, return INT_MAX. The minimum return value is 1 + * tick. + * + * Note that limit checks must take into account microseconds, which is + * done simply by using the smaller signed long maximum instead of + * the unsigned long maximum. + * + * If ints have 32 bits, then the maximum value for any timeout in + * 10ms ticks is 248 days. */ int -tvtohz(tv) - struct timeval *tv; +tvtohz(struct timeval *tv) { - unsigned long ticks; + int ticks; long sec, usec; - /* - * If the number of usecs in the whole seconds part of the time - * difference fits in a long, then the total number of usecs will - * fit in an unsigned long. Compute the total and convert it to - * ticks, rounding up and adding 1 to allow for the current tick - * to expire. Rounding also depends on unsigned long arithmetic - * to avoid overflow. - * - * Otherwise, if the number of ticks in the whole seconds part of - * the time difference fits in a long, then convert the parts to - * ticks separately and add, using similar rounding methods and - * overflow avoidance. This method would work in the previous - * case but it is slightly slower and assumes that hz is integral. - * - * Otherwise, round the time difference down to the maximum - * representable value. - * - * If ints have 32 bits, then the maximum value for any timeout in - * 10ms ticks is 248 days. - */ sec = tv->tv_sec; usec = tv->tv_usec; if (usec < 0) { @@ -313,17 +301,14 @@ sec, usec); #endif ticks = 1; - } else if (sec <= LONG_MAX / 1000000) - ticks = (sec * 1000000 + (unsigned long)usec + (tick - 1)) - / tick + 1; - else if (sec <= LONG_MAX / hz) - ticks = sec * hz - + ((unsigned long)usec + (tick - 1)) / tick + 1; - else - ticks = LONG_MAX; - if (ticks > INT_MAX) + } else if (sec <= INT_MAX / hz) { + ticks = (int)(sec * hz + ((u_long)usec + (tick - 1)) / tick); + } else { ticks = INT_MAX; - return ((int)ticks); + } + if (ticks == 0) + ticks = 1; + return (ticks); } /*
http://leaf.dragonflybsd.org/mailarchive/bugs/2004-01/msg00038.html
CC-MAIN-2014-42
refinedweb
624
68.5
Hi i'm new to programming. I wanted to create two integer arrays which are adjacent in memory. i had written the following code, but i'm getting segmentation fault when i run it. #include<iostream> using namespace std; void printarray(int* a,int size) { for(int i=0;i<size;i++) cout<<a[i]<<endl; } any help would be greatly appreciated..thanksany help would be greatly appreciated..thanksCode:int main() { int a[3]={0,1,2,}; //the first array int* pa; pa = &(a[2]); pa++; int* b = pa; //the second array for(int i=0;i<3;i++) { b[i]=i+2; } printarray(a,3); printarray(b,3); }
https://cboard.cprogramming.com/cplusplus-programming/105656-how-create-adjacent-arrays-memory.html
CC-MAIN-2017-51
refinedweb
109
58.58
This article is an entry in our AppInnovation Contest. Articles in this sub-section are not required to be full articles so care should be taken when voting. Weaver is a touch-enabled game which is designed to entertain families while taking advantage of large touch screens. Each player controls a spider and builds a spider's web around leafs, twigs, and other objects on the screen to catch approaching insects and to collect points. The game stands out by it's easy to learn and fun to play multiplayer gaming in combination with appealing graphics and convincing physical simulation of the spider's web and insect behavior. The game and the whole development process – from creating the game concept to writing the code – was especially adjusted to Lenovo's AIO Horizon 27" and designed exclusively for this competition. In just under 6 weeks, we managed to put our idea to completion. The article describes the game itself, and the goals we followed during the development process to make it a successful game on Lenovo's All-in-One PC. It further describes the reasons to implement Weaver, and finally provides some insights of the development. In Weaver each player controls a spider with their fingers to build a web around fixed objects in the scene. Approaching insects might become entangled in the player's web. While the insects are caught, they can and should be eaten as soon as possible, otherwise they might free themselves, destroy parts of the web and fly away. Every eaten insect increases the number of points for the player. The player with the highest score wins the game. Players can choose between three distinct levels, all of them with amazing graphics, but different in their appearance. The first level is a scene in woods, where the players weave the webs between leaves and twigs. The second scene shows a snow-white landscape with some snowbound juniper berries, while the third one is a scene of an attic with clothesline, chairs, and nails to fix the web in the game. The game further implements a complex web building mechanism: Due to the lack of spider web building skills in human's experience, we integrated an algorithm to automatically form a more naturally looking web from the user's input. Therefore, we analyzed webs of real spiders and the physical behavior of strings when they get connected. The result is a much more natural experience. Before we started the concept of the game, we have agreed on a set of goals for the final application. They provide the foundation for the following stages and ensure the best possible user experience for a large touch screen by focussing on a gripping gameplay, intuitive interaction patterns, and awesome graphics. Views of the game from different perspectives. We do not want a fixed orientation, so no player is visually handicapped. Therefore, elements like text have to be used sparingly or not at all. At the beginning of the design process (a couple of days before the first round's deadline), we collected some ideas for a suitable game on Lenovo's Horizon Tablet, ranging from games of skill to real world simulations or some kind of finger twister. Finally we discussed ten different game ideas. The final decision was made for Weaver since most of our goals were reflected in this idea, as further explained in chapter "Gameplay". Weaver suited best for our goal of a game where the whole family can come together to play: It is easy to learn due to intuitive gestures and it is independent from people's location around the table, since the spiders which are controlled by the player can move all over the tablet. Additionally, any number of players can participate by adding more spiders and insects to the game. Finally, it was a game which does currently not exist in this form. Gaming scenario. All family members can play together - there is no upside-down GUI in the way, Weaver is playable from every side of the AIO, one can even easily change location while playing. This chapter reports about us as a team and our progress during all phases of development. The main development platform was Unity3D with its easily accessible graphics and asset framework. Our team consists of three people. Two of us each have five years of experience in the field of game and interaction design, one of us is a developer and software architect for seven years. We all have deep knowledge in development of mobile apps and responsive software in general, especially using novel interaction schemes and creating experiences for our customers. Examples of our work include: Concepts are the results of our ideas under consideration of our goals. Not all of them are reflected in the final game, but they build a suitable set of ideas to tackle some main issues of the game. Most of them are created by hand on a piece of paper in dozens of sketches. This section displays a few of them to provide an idea how we started to work. The spider web should behave in a realistic manner. E.g. if silk is attached to an existing string, the existing string becomes bent. Hence, we are able to create more realistic webs than by just attaching the strings Bending the web when a new string of silk is attached. The players have a set amount of time (default is 2 minutes) to construct their web and catch approaching insects. Depending on the dimensions and structure of the web, some insects are caught, others just pass the web, and yet others destroy parts of the web. Inbetween, they have to make sure to repair and extend the web. When the time is running out, which is visually shown by a day-night-cycle, a results screen is shown and the winner is selected. Depending on the length and difficulty of the level, we plan to have multiple types of insects. Some of them are weak and easy to catch, others are huge and give additional points. The spiders have a limited amount of silk to build webs. This is regenerated slowly, however, each eaten insect gives a little amount of additional silk to build more web. Process of treating a caught insect. The player can move the spider to the insect which gets eaten (maybe the spider needs to wrap it in silk before and wait some time). If the web is to weak or the player is to slow, the insect can free itself and destroys parts of the web. Spiders are the most important unit in the game, since the game is all about them. We tried to make them perspective free, to be able to give them emotions (for expressions like "eating foul insects", "starving", "dying", or "winning"), and let them walk smoothly. The following sketches demonstrate some approaches to fulfill our requirements: Some first approaches to design the spiders. Modeled spiders which can be personalized by changing the body part sizes and colors. The position of the mouth and the eyes are a useful tool to express emotions as demonstrated in the video. Also, different eye configurations create different emotions. To create a great game, good music and sound design is essential. We got help on this side from Christian Freitag, multimedia and sound designer. After we talked with him about the base mood (very light, cute music), he created several different versions from which we selected the most fitting one. He refined it and created a menu loop as well as songs for the different levels and sounds for game events, such as winning. The Weaver theme, composed by Christian Freitag (Link to Midi file) This section provides an overview of some problems we had to tackle during the development process. An instruction to install the application in Lenovo's Aura Environment was given by Intel and Lenovo for Visual Studio. We decided to use the Open Source Installer NSIS, since it is convenient to use, small and free. It isn't rocket science to follow Intel's instruction set, however, we got some issues since we're not doing these things frequently (e.g. finding the HKLM for 32bit applications on a 64bit system). In case you want or need to use NSIS for your project and you need the scripts, just drop us a message. We are developing the game itself in Unity3D which is a powerful tool for scene creation. It enables us to manipulate the game elements very fast and to evaluate prototypes, also we can easily export them to Unity's Web Player which allowed us to let remote testers try out new features and give direct feedback. We used finite state machines for handling the more general parts of application logic. PlayMaker is a Unity extension which allows for rapid development and yet is as extensible as it needs to be. The gameplay elements (web building, spider movement, ...) however are implemented directly in C# inside of Unity. Unity has a lot of integrated materials, however the look we were going for wasn't really possible with them. That meant that we had to implement parts of the shaders ourselves, achieving effects such as rim lighting, lighted leaves or adapting the time (day/night) by using postprocessing shaders. All scene elements are modelled and textured using Autodesk's 3ds max. Special attention was made to ensure realtime compatibility of the models, reducing the polygon count down to the visually needed minimum. The web attachment algorithm is supposed to create a web which looks as natural as possible. We splitted the silk string on the newly attached position and pull into the direction of the new string, depending on the length of the three interbreeding strings. An example can be seen here. The colored spheres represent the spiders and can be moved via mouse clicks. The white spheres represent the insects which can currently not be caught. Click on the image to open a playable version The web building uses a combination of verlet integration and custom made algorithms to achieve a realistic look and feel. By modelling a string as a connection between knots and careful handling of all edge cases (knot-string, knot-knot, knot-branch; cancel weaving, split strands, end weaving and so forth), we have achieved a very intuitive way to weave a web. But the algorithm had not only to work for creating realistic spiral webs, but also if the user decides to i.e. just zigzag around and still stay robust. Although implemented and technically possible, we decided to not use animated end knots (for example, silk strands attached to moving branches) for performance reasons. In the game options can be selected whether a created web can be conquered by another player. This can be achieved by the player attaching to an existing strand, which creates an interesting twist of gameplay. Here's a (slightly reduced) code sample of the different modes and cases of web creation: public class Strand : WebPart { // strand is always connection between two knots public Knot a; public Knot b; // ... } public class Knot : WebPart { public bool isFixed; public List<Strand> strands = new List<Strand>(); // ... } public class Web : MonoBehaviour { public List<Knot> knots = new List<Knot>(); public List<Strand> strands = new List<Strand>(); public Spider owningSpider; // update knots and strands and their constraints void FixedUpdate () { foreach(Knot k in knots) { k.ResetForces(); } foreach(Knot k in knots) { k.RunFixedUpdate(); } foreach(Strand s in strands) { s.ConstrainKnots(); } foreach(Knot k in knots) { k.UpdatePosition(); } } Knot SplitStrand(Strand s, Vector3 point) { // create knot in the middle, replace strand by two var k1 = CreateKnot(point); var s1 = CreateStrand(s.a, k1); var s2 = CreateStrand(s.b, k1); knots.Add(k1); AddStrand(s1); AddStrand(s2); RemoveStrand(s); return k1; } public Knot Connect(Strand s, Vector3 point) { // remove strand, create two new strands with knot in the middle var k1 = SplitStrand(s, point, newParts); var k2 = CreateKnot(point); var s3 = CreateStrand(k1, k2); knots.Add(k2); AddStrand(s3); return k2; } public Knot Connect(Knot k, Vector3 point) { // create new knot and a strand between them var k2 = CreateKnot(point); var s = CreateStrand(k, k2); knots.Add(k2); AddStrand(s); return k2; } public void RemoveStrand(Strand s) { // remove strand from knots, remove strand s.a.strands.Remove(s); s.b.strands.Remove(s); strands.Remove(s); s.Destroy(); } void AddStrand(Strand s) { // add strand to knots, add strand s.a.strands.Add(s); s.b.strands.Add(s); strands.Add(s); } public void RemoveKnot(Knot k) { // remove knot and all attached strands knots.Remove(k); for(int i = k.strands.Count - 1; i > -1; i--) RemoveStrand(k.strands[i]); k.Destroy(); } public Knot Connect(Vector3 point1, Vector3 point2) { // connect two points with a strand, create knots at the ends var k1 = CreateKnot(point1); var k2 = CreateKnot(point2); var s = CreateStrand(k1, k2); knots.Add(k1); knots.Add(k2); AddStrand(s); return k2; } public Knot EndConnect(Knot k, Strand s) { // split the strand and end the webbing here var k1 = SplitStrand(s, k.transform.position, newParts); return EndConnect(k, k1, newParts); } public Knot EndConnect(Knot k1, Knot k2) { // find strand for k1, remove strand, keep point k0 that is not k1 // add strand from k0 to k2, return k2 Strand s = k1.strands[0]; var k0 = s.a == k1 ? s.b : s.a; var s1 = CreateStrand(k0, k2); AddStrand(s1); RemoveStrand(s); knots.Remove(k1); k1.Destroy(); return k2; } public Knot EndConnect(Knot k, Vector3 point) { k.transform.position = point; return k; } } Slightly reduced code for web building which shows the different modes and cases happening there. The Lenovo AIO platform is, from a technical point of view, a laptop: it contains both an integrated graphics card (Intel HD4000) and a dedicated graphics card (GeForce GT620M). By default, the integrated graphics card is used, which is not bad, but way less powerful than the dedicated one. So we decided to implement automatic profile generation, which means that on the first start, Weaver creates a NVidia settings profile to enable the dedicated graphics card. This about doubles the framerate and helped us to achieve effects such as depth of field and fullscreen color correction. Of course, power consumption is higher, although we found that about 2 hours of use remained. The complex algorithms of web building and spider movement were thoroughly tested with different settings to cover as many edge cases as possible. It's still not bug-free, but the remaining problems are quite minor. Like for any project, we need to ensure that our original design goals are met, that the user interface is easy to use and players actually like the game. Especially for Weaver, we had to additionally make sure that the game works for up to ten players. For this, we made numerous tests with both people who already know the game and people never having seen it before. The portable nature of the AIO platform was of very great use for that - whenever the opportunity was there, we asked for genuine feedback and, probably more importantly, observed usage patterns and deducted what we had to change from an interaction point of view. The final version was successfully tested with a group of eight random people without any introduction at.
http://www.codeproject.com/Articles/640197/Weaver
CC-MAIN-2016-36
refinedweb
2,556
60.75
This chapter contains the following: Contract Terms Library Setup Overview Managing Clauses in the Contract Terms Library Managing Contract Terms Templates Setting Up Contract Expert Setting Up Variables Setting Up Adoption of Content Between Libraries Creating Folders to Organize Clauses Setting Up Contract Preview and Printing Setting Up Contract Terms Deliverables for Procurement Indexing Clauses for Keyword Searches Managing Clause and Section Numbering Schemes Importing Clauses into the Contract Terms Library: set up your contract terms library to handle the translation of clauses, templates, and other content in multiple languages. This topic discusses the features included in Oracle Fusion Enterprise Contracts that support translation, making it possible for you to Indicate a localized clause is a translation of another Manage contract terms template translations These two features are only a small part of a translation solution, however. The rest of the setup is very much open-ended. For instance, when you have different business units that operate in different languages, you can use the adoption and localization feature of contracts to keep separate libraries in different languages. Alternately if you are using only one business unit, you can create separate numbering or naming schemes to keep the content in multiple languages separate. If you have set up the multiple business unit structure that supports clause adoption and localization, you can use the localization feature to translate clauses. The global clause you create in the global business unit becomes the clause you are translating from. To translate the global clause, you localize it using the localize action and enter the translation on the Localize Clause page. The Localize Clause page displays both the original and translated text. You can indicate the localized clause is a translation-only clause by selecting a check box. This check box is for informational purposes only and can be used to generate reports. Note Unlike contract terms templates, clauses have no language field that tracks the language of the clause. For each contract terms template you can specify the template language and the template it was translated from, if it is a translation. The Translations tab in the contract terms template edit page shows all of the templates related by translation. For instance, if you translate an English template into French, Japanese, and Chinese, then each of the templates lists the translations as shown in the following diagram. All of the templates listed display the source template in the Translated From column. For the source template, this column is blank. In this example, you can tell the English template is the source template for the French, Chinese, and Japanese translations because there is no entry in the Translated From column. To manage the translated templates, you can search for all of the templates in a particular language and for all templates translated from a specific template.. The choice of a business unit while creating many Contract Terms Library objects restricts where you can use these objects. Objects affected include clauses, contract terms templates, and Contact Expert rules. Objects created in a local business unit can only be used in that local business unit. Objects created in a global business unit can be adopted or copied over to other business units provided they are specified as global. This topic details the impacts of the business unit choice on the different library objects. The following figure shows a hypothetical implementation with four business units: one global business unit and three local business units. You can designate one business unit as global during Business Unit setup. The other business units are local business units. This table details how the selection of a business unit affects different objects in the Contract Terms Library. You must navigate to the Terms Library work area to set up the content of the Contract Terms Library. The Drafts region of the Contract Terms Overview page displays drafts or revisions that you either created or last updated.. To make changes in an approved clause, you must create a new version. Versioning permits you to make changes to outdated clause text in contracts. You create a new version of a clause by making a selection from the Actions menu in the clause search page. Keep in mind that: Clause versioning is restricted by status. A new clause version is not effective until it is approved. Not all attributes are versioned. Creating a new version does not affect the setup of contract terms templates or rules. You can view all clause versions and compare version text but you cannot restore an old version. You can create versions for clauses in the approved or expired statuses only. You do not create new versions to edit clauses that were rejected in the approvals process. These should be edited and resubmitted for approval. When you create a new version of an approved clause, your edits do not take effect until the new version is approved. In the meantime, contract authors can continue to use the last approved version if there is one. Not all clause attributes are versioned, so editing them immediately affects all versions, even those currently in use in contracts. These attributes are: Clause relationships Folders Templates Translations You can view and compare clause versions, but you cannot restore a previous version. If you want to view the different clause versions that are available in the library, select the Include All Versions check box in the clause search page. If you want to compare the text of the old versions of a clause with the current version, open the clause in the edit page and select the History tab. While you cannot change the entry you make in the Clause Title field after a clause is approved, you can change the title that is printed in contracts in subsequent versions by making an entry in the Display Title field. The display title overrides the original title in contracts. Suppose you want to change the title of the clause Liability to Limited Liability, but the clause is already approved and in use. In this case, you: Create a new clause version. Enter Limited Liability in the Display Title field. Submit the new version for approval. Contract authors can start using the new version of the clause after it is approved. You can remove a clause from use by deleting it, putting it on hold, or entering an end date. Each of these actions is available and appropriate in different circumstances. You can delete a clause only when it is in the Draft or Rejected status. If the clause already exists in an approved version, then that original version can continue to be used in contract terms templates, Contract Expert rules, and in contracts. You can place an approved clause temporarily on hold by selecting the Apply Hold action and remove the hold by selecting Remove Hold. You can still add a clause that is on hold can to contract terms templates and to Contract Expert rules, but you receive a warning when you try to activate them. Similarly, contract authors receive a warning when they validate a contract with a clause that was placed on hold and the hold is also recorded in the contract deviations report. Enter a past date as the end date while editing a clause in the Contract Terms Library to remove an approved clause from use permanently. This sets the clause to the Expired status. You can search for and view the most recent expired version of a clause in the Contract Terms Library and copy it to create a new clause. For each business unit, you can specify either automatic or manual numbering for clauses stored in the Contract Terms Library. You specify the clause numbering method individually for each business unit during business unit setup by selecting either the Specify Customer Contract Business Function Properties or the Specify Supplier Contract Business Function Properties tasks from the Setup and Maintenance work area. If you specify manual numbering, requiring users to enter a unique number manually each time they create a clause in the library, then no further setup is required. If you want the clauses to be numbered automatically, then you must create a document sequence category and a document sequence as described in related topics before setting up the numbering method in the business unit. Use the following values for your setup. When creating document sequence categories for numbering clauses in the Contract Terms Library, use the following values: Application: Enterprise Contracts Module: Enterprise Contracts Table: OKC_ARTICLES_ALL When creating document sequences, use the following values: Application: Enterprise Contracts Type: Automatic Module: Enterprise Contracts Determinant Type: Ledger This example illustrates how to create a clause that is printed in contracts as a reference. Suppose you want to include a Federal Acquisition Regulations clause 52.202-1 by reference. In this case, you would fill in the following information. Selecting the Include by Reference option prints the clause reference instead of the clause text. To enter the text of a clause in the Contract Terms Library, you can use the built-in rich text editor or import the text from a file created with Microsoft Word 2007 or later. Use the built-in rich text editor to enter and edit clause text whenever possible. Doing so supports all of the application features. modify the clause, you must download it to a file, edit the clause in Word 2007 or later, and upload again. Contract authors must also use Word 2007 or later if they want to edit the clause during contract authoring. Importing clause text prevents contract authors from using some features of this application. For example, contract authors cannot compare the text between two clause versions or control clause formatting with a layout template. Note If you want to import large numbers of clause records rather than the text of individual clauses, use the Import Clauses from XML File concurrent program instead. While creating or editing a clause you can specify its relationship to other clauses in the Contract Terms Library. There are two clause relationships to choose from: Alternate Use the alternate relationship to indicate clauses that authors can substitute for a standard clause in a contract. Incompatible Use the incompatible relationship to highlight clauses that cannot be present in the contract at the same time. Both of the relationships you establish are bidirectional but not transitive as illustrated in the following figure: Other relationship properties include: Relationships you create are valid for all future clause versions. You can only establish relationships between clauses of the same intent and within the same business unit. Provision clauses used in procurement applications can only have relationships with other provision clauses. For clause adoption, the relationships are copied from the global business unit to the local business unit automatically only if you are adopting clauses as is. Set up alternate clauses if you want to let contract authors decide when to substitute an alternate clause for a standard clause in a contract. The following figure illustrates alternate clause setup: Create the standard clause and include it in a contract terms template. Create the alternate clause or clauses. Tip By using variables to represent differences between clauses, you can reduce the number of alternate clauses you must create. Specify the alternate relationships between the standard clause and the alternate clauses. During contract authoring, the contract terms template applies the standard clause in the contract terms, but the contract author can replace it with either one of the alternate clauses. During contract terms authoring, contract authors are alerted to the presence of alternate clauses by a special clause icon. If they choose to substitute one of the alternate clauses for a standard clause, the substitution is recorded as a clause deviation in the contract deviations report. In addition, by selecting the Analyze Clause Usage action, you can determine which contracts are using alternate clauses. When you specify a group of clauses to be incompatible, the presence of more than one incompatible clause in a contract results in a warning during contract terms validation. The following figure uses an example to illustrate the setup of incompatible clauses. During setup, you specify Clause 2 and Clause 3 as incompatible to Clause 1 and associate Clause 1 to a contract terms template. The contract author or a Contract Expert rule applies the contract terms template (including Clause 1) to a contract. The contract author or a Contract Expert rule adds Clause 3 to the contract terms. The application displays a warning during validation. This topic uses the example of jurisdiction clauses to illustrate two different ways of setting up alternate clauses. Suppose for example, that the standard jurisdiction for your contracts is the State of Delaware but you want to permit contract authors to select the following jurisdictions: San Jose, California San Mateo, California, Miami-Dade County, Florida There are two ways of setting up the alternate clauses: Create a separate alternate clause for each jurisdiction During authoring agents must find and select the clause they want to use. Create one alternate clause and use a variable to supply the different alternate jurisdictions During authoring, agents select the alternate clause and then supply the jurisdiction by entering the variable value while running Contract Expert. Use this method to create one clause for each jurisdiction. Here is the setup for this example: Create the standard jurisdiction clause for State of Delaware. Associate the standard clause with a Contract Terms Template that will be used to default it into contracts. Create the three alternate clauses: Alternate Clause 1: San Jose, California Alternate Clause 2: San Mateo, California Alternate Clause 3: Miami-Dade County, Florida Because you want each alternate clause to have the same title, Jurisdiction, you must use both the Clause Title and the Display Title fields when you create each alternate. Your entry in the Clause Title must be unique, for example, Jurisdiction_1, Jurisdiction_2, and Jurisdiction_3. But you can enter Jurisdiction in the Display Title field to make the same title appear in the printed contract for all the clauses. Specify the alternate relationship between the different clauses: The standard clause is an alternate of Alternate Clause 1 The standard clause is an alternate of Alternate Clause 2 The standard clause is an alternate of Alternate Clause 3 Alternate Clause 1 is an alternate of Alternate Clause 2 Alternate Clause 2 is an alternate of Alternate Clause 3 Alternate Clause 1 is an alternate of Alternate Clause 3 During authoring, agents are alerted to the presence of the alternate clauses by an icon and can select any one of the alternate clauses to replace the standard clause. If you want to minimize the number of alternate clauses you must create to just one, use this alternate setup: Create the standard jurisdiction clause for Delaware. Associate the standard clause with a Contract Terms Template that will be used to default it into contracts. Create one alternate clause with two variables: one for the county and one for the state: This agreement is governed by the substantive and procedural laws of [@State of Jurisdiction@] and you and the supplier agree to submit to the exclusive jurisdiction of, and venue in, the courts in [@County of Jurisdiction@] County, [@State of Jurisdiction@], in any dispute arising out of or relating to this agreement. Specify the alternate relationship between the standard clause and the alternate clause. During authoring, agents are alerted to the presence of the alternate clause by an icon. Agents who select the alternate clause must run Contract Expert and enter the state and county variable values. Clause statuses in the Contract Terms Library reflect the state of the current version you are editing and restrict what actions you can take. The following table describes the clause statuses and explains their implications You can view clauses that you drafted and clauses that require your action on the Terms Library Overview page. The title you enter in the Clause Title field must be unique for each clause within a business unit and cannot be changed after the clause is approved. You can use the Display Title field, which has no uniqueness requirement, to modify the title that appears in contracts or to specify the same title for multiple alternate clauses. You cannot have two clauses with the same title entered in the Clause Title field in the Contract Terms Library, but by entering the same title in the Display Title field for each clause, you can create multiple clauses with the same printed title. The Display Title overrides the Clause Title in printed contracts. You can search for clause text using the Keyword field. This field also searches clause title, display title, and description. You can have the clause number automatically added to the front of the clause title as a prefix in printed contracts by selecting the Include Clause Number in Display option during business unit setup. You will want to do this only if the clause number is meaningful in some way, for example when it refers to a number of a government regulation. The clause number is a number of the clause in the Contract Terms Library and it is usually generated by the application automatically. It is not the number of the clause in the contract generated by the numbering scheme. If you are using a Contract Expert rule to insert clauses into a contract, then Contract Expert inserts the clause into the section that is specified in the Default Section field in the General Information region on the create and edit clause pages. If you do not specify a default section for the clause, then Contract Expert uses the default section specified in the Contract Expert region on the General tab in the create and edit contract terms template pages. If the section doesn't already exist in the contract where the clause is being inserted, Contract Expert adds the section along with the clause.. Use clause analysis to find out how the Contract Terms Library clauses, contract terms templates, and Contract Expert rules are used in contracts: Use clause analysis to: Identify which contracts make use of a legal concept. Identify contracts that use a given set of clauses. Research the effectiveness of standard policies and standards defined in the Contract Terms Library. For example, you can find out if you need to revise a standard clause by searching for the nonstandard versions of the standard clause. Even if you are printing the clause reference instead of the clause text in a contract, you must still enter text in the clause text field. The text you enter in this field is not printed in the contract, but it is used for searching clauses by text. For this reason, it is preferable if you enter the text of your referenced clause. Duplicating a clause copies all information about the clause except for its historical information (the templates where it is used and adoption history). You can edit all of the information about the new clause except for its business unit. Note To copy a clause to another business unit, you must recreate the clause in that business unit. You may not be able to find a clause by searching for its text if the clause text has not been indexed. The application administrator must periodically index clause text by running two processes: Build Keyword Search Index for Contract Clauses and Optimize Keyword Search Index for Contract Clauses. If you are in the global business unit, you can search clauses that have been localized or adopted by other business units using the Search Clauses page (you select the business unit and the adoption type). In a local business unit, you can use the analyze clause usage action instead. Use the clause Instructions field to enter instructions for contract authors on clause use. Use the clause Description field to enter any information about a clause. Both text fields are visible to contract authors during contract terms authoring and the text of both can be searched using the Keyword field. Neither field is printed in contracts. The clause intent specifies if the clause is going to be used for sales or procurement contracts. You can only create a clause for one intent. Saving a clause saves it as a draft. Submitting a clause triggers validation checks and submits the clause for approval. While a clause is in the approval process, you cannot make any edits. The clause must be either approved or rejected for you to edit it again. There are two ways of setting up alternate clauses: You create multiple separate alternate clauses You create just one alternate clause and include variables to supply the different variants This table highlights the differences between the two setup methods: Only users with the Override Contract Terms and Conditions Controls privilege can edit mandatory and protected clauses. Contact your application administrator with questions about the privileges granted to you. You cannot edit clause information if you lack the proper privileges or if the clause is not in the draft status. When the clause is pending approval, the approvers must approve or reject the clause before you can edit it. If the clause is rejected or approved, you must create a new version before editing. You cannot edit the clause text if it was imported from a Word document or if you do not have adequate privileges assigned to you. To edit imported clause text, download the clause text, use Word 2007 or later version to make your edits, and then import your changes. To edit protected or mandatory clauses, you must obtain the Override Contract Terms and Conditions Controls privilege from the application administrator. You cannot edit the clause title after you first save the clause. However, you can change the clause title in printed contracts by entering a new title in the Display Title field. The display title replaces the clause title in printed contracts.. For a contract terms template to be available for use by contract authors, it must pass an automatic validation check and be approved by the contract terms administrator. If you need to make changes after the template is approved and in use, you can create a new version by editing the approved template and submitting it for approval. After the revision is approved, it replaces the original automatically. This topic discusses: The validation checks for common errors that you must correct The approvals process Contract terms statuses, what they mean, and how they affect what actions you can take The creation of new template versions The application performs the following validation checks for all contract terms templates. You must fix all errors before templates can be sent for approval. Fixing warnings is optional. For buy-intent templates that contain contract terms deliverables, the application performs the following additional checks: After you submit a template for approval and it passes validation, the application sends a notification to the approvers specified in the Oracle BPEL Process Manager notification service process. If you have created clauses as part of the contract terms template, then the clauses are automatically submitted for approval and approved along with the template. Contract terms template statuses are set automatically during the template lifecycle. This diagram shows the available statuses and the permitted transitions and actions in each: When you create a contract terms template it is automatically set to the Draft status. You can edit and delete templates in this status. When you submit a draft template for approval and it is successfully validated, it is set to the Pending Approval status. You cannot edit, delete, or enter an end date for templates in this status. The approvers must either approve or reject the template first. An approved template is automatically available for use in the business unit where it is created. You can edit an approved template to create a new version. The edited version is set to the Revision status until it is validated and approved. If the approvers reject the template revision, you can edit it and resubmit it for approval. You can place an active template on hold, temporarily removing it from use until the hold is removed. You cannot edit templates in this status. You can remove an approved template from use permanently by entering an end date. You cannot edit a template that is past its end date. The only available action is to copy it to create a new one. Entering an end date does not change the status of the template even past the end date. You can create a new version of a contract terms template by editing an active template. After the new version is approved, it automatically replaces the current version in the Contract Terms Library. The application does not save previous versions of templates. If the template is a global template that was adopted by other business units, those business units must copy over the new version. The new template version appears in the Available for Adoption region of the Terms Library Overview page. You can add sections and clauses to a contract terms template on the Clauses tab while editing the template. Alternately, you can set up Contract Expert rules to suggest clauses based on the circumstances of each contract. Use outline region on the left of the Clauses tab to add sections and clauses that will be present in all contracts created with the template. You must add at least one section using the Actions menu before you can add clauses. If you do not find the clause you need while adding clauses, you can create one from the Add Clauses window. You must refresh the preview of your template by clicking the Refresh icon on the right side of the tab to see your latest edits. Create Contract Expert rules to add clauses that vary contract to contract. Contract Expert can add clauses based on variable values and answers to questions contract authors supply when they author the contract. A contract term template that is specified as the default template for a document type. A document type can be a buy or sell document that is considered a contract, such as a purchase order or a blanket sales agreement. While both document types and contract types are contracts, document types encompass all purchasing and sales documents that are deemed contracts. Contract types include only enterprise contracts. For sales, the list of document types is restricted to contract types, those contracts created within the Oracle Fusion Enterprise Contract Management (ECM) application itself. If you enabled the Enable Contract Terms in Fusion Procurement feature for the option Procurement Contracts during implementation, then the following procurement document types are available: Auction Bid Blanket Purchase Agreement Contract Purchase Agreement Standard Purchase Order RFI RFI Response RFQ Sourcing Quote Contract type is an administrator-created classification for enterprise contracts which determines contract functionality, including the presence of lines and contract terms. You create contract types during contract setup by selecting the Create Contract Types task. The application performs the following validation checks for all contract terms templates. You must fix all errors before templates can be sent for approval. Fixing warnings is optional. For buy-intent templates that contain contract terms deliverables, the application performs the following additional checks: A contract terms template that is created in a business unit designated during setup as the global business unit. A global template is automatically listed in the Term Library Overview page in the local business units and can be adopted by duplicating it. RTF document that contains the contract layout for printing and preview. The templates, which can include both formatting, graphics, text, and other layout elements, are stored in the Oracle BI Publisher library. You must specify layout templates when you create a contract type to enable contract printing and the preview of contract terms templates. If you are creating a contract terms template and a clause you want to add does not exist in the Contract Terms Library, then you can quickly create the missing clause by clicking the Create Clause button. Creating a clause in this way automatically associates it to the terms template. While this abbreviated creation method does not permit the entry of some details, including clause instructions, references, and relationships to other clauses, you can always add any missing information later by editing the clause. Specify a contract terms template as the default for a document type when you want that template to be automatically applied to a contract of that type. You can also apply contract terms templates to contracts using Contract Expert rules. If a Contract Expert rule specifies a default contract terms template, the application ignores the document type default you specify here. However, should the Contract Expert rules you set up pick multiple templates, then the application uses the document type default you set here as a tiebreaker. A contract terms template can be approved for authoring only when all of its clauses are approved as well. If any of the clause versions you added to the template are drafts, then the application lets you review a list of those drafts and submit them for approval along with the contract terms template. The draft clauses can include any draft clause versions as well as clauses drafted specifically as part of the contract terms template using the Create Clause button. If any of the clauses are already available in an approved version, then you can choose to use the approved version in the template instead of submitting the drafts for approval. You can make the substitution on the review page by deselecting the draft. You can copy a contract terms template from a global business unit for use in a local business unit. Before you do, you must ensure that any clauses you want copied along with the template are either adopted or localized. Any clauses in the copied template that are not adopted or localized in the local business unit are automatically removed. You cannot edit the contract template if you have insufficient privileges or the contract terms template is in a status that does not permit you to make modifications. You must add at least one section to the contract terms template before you can add clauses and the template must be in a status that permits editing. You must enable Contract Expert in a contract terms template if you want to use Contract Expert rules with the template. Contract Expert rules can default the template to a new contract, recommend additional clauses, and flag any policy deviations in contracts that use the template. Note If you do not enable Contract Expert on a template, contract authors cannot run Contract Expert in contracts that use the template and no Contract Expert rules apply, not even those you specify as valid for all templates. Use Contract Expert to enforce corporate policies and standards for all types of contracts, including enterprise contracts, purchase orders, and sourcing contracts.. Contract Expert consists of two components. Rule Setup Administrators create the rules that are stored in the Contract Terms Library. A rule can be based on the following types of conditions: The values of variables in the contract For example, recommend an additional clause if the shipment date on an order is greater than 90 days. Answers that contract authors provide to questions For example, recommend an additional liability clause depending on a response to a question about hazardous materials. The presence of clauses in the contract. For example, if the contract includes a hazardous materials clause, then insert additional insurance clauses. The first two condition types require contract author input during authoring. Rule Execution During contract authoring, Contract Expert evaluates the rules. For rules with conditions that require author input, Contract Expert asks authors to provide missing variable values and to answer questions when the authors select the Run Contract Expert action. Authors can then evaluate any recommended clauses for insertion in the contract. Authors can review any policy and clause deviations by selecting the Review Contract Deviations action. Clause deviations are shown in a dashed box because they do not require Contract Expert rules. The following figure illustrates the two components: Depending on the type of rule that you are creating, you can base rule conditions on: Variables This condition is based on the value of a variable in the contract. The application either derives the value automatically from the contract, or contract authors enter the value when they run Contract Expert. Questions This condition is based on answers to questions contract authors supply when they run Contract Expert. Clauses This condition is based on the presence of a specific clause in the contract. Contract Expert rules apply only to contract terms templates where Contract Expert is enabled. You can specify if you want a rule to apply to all or selected templates. Depending on their type, all active rules for the contract terms template used in a contract are evaluated automatically during contract terms authoring or when a contract author runs Contract Expert in the Contract Terms tab. The following figure illustrates what happens when Contract Expert is run during contract authoring: If rule conditions require user input, Contract Expert prompts the contract author to enter variable values and answer questions. Answers to questions can trigger follow-up questions. In this figure, the answer to Question 1 triggered the follow-up Question 2. Contract Expert displays any recommended clauses for review by the author. Authors can choose which of the recommended clauses to insert into the contract provided that they have sufficient privileges. Contract Expert inserts the clauses in the contract terms section specified during clause setup in the Contract Terms Library. If no section is specified in the clause, the application uses the default section specified in the contract terms template. Contract Expert automatically inserts the default section if it does not already exist in the contract. On subsequent runs, Contract Expert first removes any clauses that it inserted into the contract in earlier runs, including clauses that have been moved or have been made nonstandard. Authors who do not make all the required entries or forget to run Contract Expert altogether receive warnings when they validate the contract terms or when they review the contract deviations report.. Statuses track the life-cycle of a Contract Expert rule from creation through activation and versioning and restrict available actions. This table describes available rule statuses and lists the permitted actions for each. The following diagram illustrates the rule statuses and main actions. You can set up Contract Expert questions in the Contract Terms Library to solicit contract author input during contract authoring. Contract Expert presents the questions to authors when they are part of a Contract Expert rule. The questions you create are restricted to one intent and their names must be unique within that intent. Questions can be reused across all business units. Question responses can be one of the following: Yes or no These questions appear to contract authors with a choice list with two values: Yes and No. This question type supplies the choice list automatically without additional setup. Numeric Contract authors enter responses to numeric questions directly using the keyboard. Selection from a list of values For questions that require users to make a selection from a list of values, you must set up a value set with the Char format type and one of the following validation types: Independent, Translatable Independent, or Table. Note Contract Expert does not permit you to provide default responses to user questions. However, the application sets numeric questions without a user response to 0. You can ask follow-up questions and insert additional clauses into the contract terms based on the answers the contract author gives. The following diagram illustrates how you can ask a follow-up question using the follow-up question to link two rules. To ask follow-up questions, you: Include the follow-up question as an additional question on the Results tab of a rule. In this example, contract authors get the follow-up question if they provide an answer that satisfies the condition with Question 1 (the only condition in Rule 1). Create a second rule with the follow-up question in a condition. In this example, the application inserts the additional clause if the contract author satisfies the condition based on the Follow-up Question (the only condition in Rule 2). Contract Expert constants supply numerical values to numeric conditions in Contract Expert rules. The same constant can supply the value in multiple rules. Constants are specific to one intent, but can be used in all business units. For example, to default a payment terms clause when the contract amount is greater than $1 million, you create a Contract Expert rule with the condition: Contract Amount > 1,000,000. Instead of entering the number directly into the condition, you create the constant Contract Amount Threshold and set its value to 1,000,000. The condition in your rule becomes: Contract Amount > Contract Amount Threshold. You can use this same constant in multiple conditions. This way, if the threshold is later increased later to $2 million, you need only to update the constant instead of every rule that uses the condition. Two examples illustrate how you can set up a Contract Expert clause selection rule to insert additional clauses and sections into a contract and how you can set up rules to ask follow-up questions. Suppose, that you want to add two additional insurance clauses under the section Additional Insurance when a shipment of hazardous materials is to be delivered within 30 days. You can handle this scenario by setting up one clause selection rule with two conditions: Condition 1: Delivery < 30 This condition will be evaluated when contract authors enter the delivery period by updating a user variable when they run Contract Expert. Condition 2: Hazardous Materials = Yes This condition will be evaluated when contract authors answer the question "Is hazardous material involved?" by selecting Yes or No. Here is how you set up the rule: Ensure that both of the clauses that you want to add are created in the Contract Terms Library with the default section Additional Insurance. This guarantees that both appear in the contract under that section. If the section is not already in the contract, Contract Expert inserts it automatically. Note If you do not set up the clauses with a default section, Contract Expert inserts the clauses in the default section specified in the contract terms template. For condition 1, you must create a constant called Shipping and set its value to 30. This is because numerical values for conditions must be entered using constants rather than directly. Set up a question that requires a yes or no answer for the prompt "Is hazardous material involved?" for Condition 2. Create the clauses that you want to add to the contract in the Contract Terms Library. Note The clauses must be approved before the rule can be used. Create the Contract Expert rule with the two conditions. Selecting the Match All option means both conditions must be evaluated before the rule is true. Associate the rule with the contract terms templates where you want the rule to apply. You can assign the rule to individual templates or all templates with the same intent and within the same business unit. Activate the rule by clicking the Activate button while editing the rule. The rule is evaluated for only those contracts that use templates that have been assigned to the rule. When both conditions in the rule are true, Contract Expert defaults the two insurance clauses. This diagram illustrates the clause selection rule example. Now suppose you want to add an additional clause to the previous example if the hazardous material in the shipment is flammable. To do this, you create: The follow-up question: A rule where the follow-up question is a condition. You link the rules together by entering the follow-up question the Additional Questions region on the Results tab of the first rule. The following diagram illustrates the setup: Here are the steps in detail: Set up the follow-up question "Is the material flammable?" with yes and no answers. Create the additional insurance clause that you want to add to the contract in the Contract Terms Library. Create a new Contract Expert rule, Rule 2, with the follow-up question as the condition. The rule will be true if the author answers yes. Associate Rule 2 with the same contract terms templates where Rule 1 applies. Edit Rule 1 to add the newly created question in the Additional Questions region on the Results tab. Activate both rules using the Actions menu. Contract authors see the question from Rule 2 in Contract Expert only if Rule 1 is true. Rule 2 inserts the additional clause in the contract if authors answer yes. Questions contract authors answer when running Contract Expert while authoring the contract. The answers can trigger Contract Expert to suggest additional clauses or ask follow-up questions, depending on how you set up the Contract Expert rules. When contract authors run Contract Expert on a contract, Contract Expert displays a list of any clauses that it recommends for insertion. Contract authors can review the Contract Expert recommendations before the clauses get inserted into the contract. By setting the Expert Clauses Mandatory option when creating a contract terms template, you can specify if you want the clause insertion to be mandatory or if the authors can ignore the recommendations . If you make the insertion mandatory, then only contract authors with the Override Contract Terms and Conditions Controls privilege, a special privilege that allows deleting mandatory clauses from the contract, can reject the recommendations. Similarly, if the recommended clauses are standard clauses, then the authors must have the Author Additional Standard Contract Terms and Conditions privilege to reject the recommendations. This privilege allows the deletion of standard clauses from the contract. If the current clause version is not approved or removed from use, Contract Expert automatically uses the previous approved version. If none exists, the contract author receives an error when validating the contract. The change applies to all new contracts and to existing contracts whenever the contract authors run Contract Expert. Approved contracts are not affected. If you disable a clause selection rule, for instance, Contract Expert removes the suggested clause the next time Contract Expert is run. If you disable a contract terms template selection rule, the application does not make changes to the templates that are already applied to contracts, but does flag the change during contract validation and on the contract deviations report. The application automatically validates a Contract Expert rule when you attempt to activate it. You must correct any errors before the rule can become active. The application performs the following checks: Circular references between questions used in the rule The presence of clauses that are in the Draft, Expired, or On Hold status Invalid or absent Java procedures associated with a variable used in the rule Disabled questions Invalid SQL in the value set associated to a question or variable used in the rule Invalid value in a value set associated to a question or variable used in the rule Other invalid rules associated to the contract terms template Question or variable using a deleted value set Expired or on-hold templates that are a part of template selection rules A predefined variable that gets its value from an attribute of the contract. For buy-intent contracts, system variables include payment terms, the purchase order number, and the purchase order amount. For sales-intent contracts, they include the customer name, the ship-to address, and the payment terms. System variables are supplied with your application and cannot be modified or deleted. A Contract Expert rule becomes effective after you activate it and associate it to a contract terms template. Rule conditions are restricted by rule type. For example, rules for selecting default contract terms templates must be based on variables. However, clause selection rules can be based on variables, questions, or clauses. For you to assign a Contract Expert rule to a contract terms template, the template must be in a Draft or Approved status; it must be enabled for Contract Expert; and it must belong to the same intent as the rule. A question does not display during contract terms authoring if the rule is not activated or if the rule is not assigned to an active contract terms template. If you chain contract terms rules to ask follow-up questions, then the display also depends on the answer the contract author gives to the previous question. The alternate and incompatible relationships you specify for clauses do not affect the execution or setup of Contract Expert rules. However, the presence of more than one incompatible and alternate clause show up as warnings when the contract author validates the contract. Contract authors see all of the activated Contract Expert questions that apply to a specific contract terms template on a single page when they run Contract Expert during authoring. Use the Reorder button on the View Question Sequence page to specify the order in which the questions are displayed. If you chained rules to ask additional follow-up questions, then each follow-up question appears underneath the previous question after the contract author answers it. Use the Search Rule page to find all the Contract Expert rules that contain a particular question. The Rules tab on the contract terms template edit page displays all of the possible questions contract authors may be required to answer when they run Contract Expert and in the order they are asked. A contract author may see only a subset of the questions, depending on what variable values they enter and how they answer the Contract Expert questions. You can view and change the order of questions from the Terms Template search page by selecting the Manage Question Sequence action.. You can use variables in the Contract Terms Library to represent information within individual clauses and for use within Contract Expert rule conditions. Your application comes with predefined variables, called system variables. You can create additional variables, called user variables, with or without programming. Your application comes with predefined system variables that you cannot modify. These include: System variables These variables make it possible for you to use information that is entered in integrated procurement, sales, and projects applications. For example, you can use the purchase order amount from procurement contracts or the payment terms from sales in Contract Expert rules that insert additional clauses to a contract as necessary. Deliverable variables These variables, which are available in buy-intent contacts only, permit you to list the titles of contract terms deliverables within a clause in the contract terms. For instance, if a vendor must deliver a monthly quality report as part of the contract terms, you can create a deliverable to ensure compliance. But creating the deliverable does not automatically print that deliverable in the contract terms. To ensure that the deliverable name is printed, you must include a clause with the appropriate deliverable variable inserted. Table variables Table variables make it possible for you to print in a contract all of the values in a list such as a price list. Table variables are available only in sales-intent contracts. To obtain a list of the predefined variables and the information that they represent, navigate to the Search Variables page and filter your search on the Variable type. Select the Document Association tab to view the application and document where the variable information originates. Alternately, you can search for variables by document type. There are two types of user variables that you can create: Java Method Manual Java Method user variables require you to create Java methods to capture attribute values. Sample code is provided in a related topic. While Java Method user variables require programming knowledge, you can create manual user variables without programing. To do so, you: Create a value set using Oracle Fusion Application Setup Manager to validate the value entry for the variable. A value set can either specify the list of values that users must choose from or merely specify the variable format and length. Value sets are common application components described in the Oracle Fusion Applications Flexfields Guide. Navigate to the Create Variable page. Select the variable intent. Variables can be created for either buy (procurement) or sell contracts. Select the value set, and enter the name and the description that will help users identify the variable when they are inserting into a clause or entering its value in Contract Expert. If you are creating a variable for buy intent, then you can make the variable updatable by vendors in the Oracle Fusion Sourcing application by selecting the Updatable by External Parties option. The user variables that you create can be: Inserted in the Contract Terms Library clauses Inserted into individual nonstandard clauses created by contract authors during contract authoring. Used in Contract Expert rule conditions When contract authors run Contract Expert during authoring, they are prompted to enter the variable value. The value is automatically substituted in the contract terms and any rules where the variable is used are evaluated. You can use value sets to determine what entries contract authors can make in user variables and in Contract Expert feature questions. You can use them either to specify the format an entry must take, or to create a list of values contract authors must choose from. Value sets are a common application component which you can set up by navigating to the Setup and Maintenance work area and searching for the Manage Contract Terms Value Sets task. This topic highlights value sets nonprogrammers can set up for Oracle Fusion Enterprise Contracts. This topic covers: Using value sets for creating user variables Restrictions for values sets used in Contract Expert feature rules You use value sets in the setup of user variables for one of the two following purposes: To set up the list of values the contract author must choose from to enter the value To specify only the length and format of the information the author must enter manually Suppose, for example, that you need to create a user variable contract authors can use to enter the name of one of your warehouses into a clause during contract authoring. Without any knowledge of programming, you can: Create the list of values the contract author will use to select one of the warehouses. You create the values first and then enter them into an independent value set. Create a format only value set that restricts the entry to a specified number of characters. Other value set features are also available for use by nonprogrammers. If you want to restrict the entry of the available warehouses by country, then you can make the above value set dependent on a second value set of countries, for instance. If you are using the value set for a variable that will be used in Contract Expert rules or to specify the values used in responses to a question used in such a rule, then you only use a subset of the value set features as described in the following table. If you want to use attribute values captured in application documents and these attributes are not defined as existing system variables, then you can create user variables that obtain these values from Java methods you write based on the sample code in this topic. This topic provides two sample methods with comments to help you write such Java methods. The sourcing of the Java variable value in these methods are different based on the database table and view object (VO). If the Java user variable is an attribute of the Document Header VO (for example, Contract Header VO or PO Header VO) then use the first method. Use the second method if the Java user variable is an attribute on any child table of the document header VO. This sample assumes that CurrencyCode is an attribute on the PO Header VO. This Contract Expert Java variable works even if the header information is not saved during document authoring. In this scenario, getCurrencyCode() is the method name associated with the user-defined Java variable in the variable definition page. Note Because Java is case sensitive, be careful when entering VO attribute names. Do not change the signature of any method or the parameter names. Using JDeveloper 11g, create an application and a project within that application. Within the project, create a Java file with the method for the Java user variable. Create a temporary folder and copy the ContractsTermsLibraryPublicModel JAR file from the fusionapps/jlib directory to this folder. Right click the project in jDeveloper and in the Project Properties: Select Libraries and Classpath. Add the ContractsTermsLibraryPublicModel JAR from the temporary folder. Create a JAR for the current project, by right-clicking on the project and selecting Project Properties and Deployment profile. Copy this new JAR to the following directory: mw_home_standalone/user_projects/domains/fusion_domain/servers/AdminServer/upload/ContractManagementApp/V2.0/app/ContractManagementApp/APP-INF/lib Bounce the server. The following is a sample Java class to implement Java user variables. To customize, change the class name ( MyPurchaseUDV). Do not change or remove any of the import statements. /** */ MyPurchaseUDV.java package oracle.apps.contracts.termsLibrary.publicModel.Attributes.model.java; import java.math.BigDecimal; import java.sql.*; import java.util.Collection; import java.util.HashMap; import java.util.Iterator; import oracle.apps.contracts.termsLibrary.publicModel.variables.model.java.ProgrammaticUDV; /** This class extends the abstract class ProgrammaticUDV. TO CUSTOMIZE: Change the Class name only (MyPurchaseUDV). */ public class MyPurchaseUDV extends ProgrammaticUDV { /** CASE 1: For achieving CASE 1 use the methods registerAttributes() and getCurrencyCode(). */ /** The following method registers the Java variable present in the Header VO. The name of the variable should be the same as the name of the attribute in the Header VO. TO CUSTOMIZE: Change only the VO attribute name of the variable (in this case CurrencyCode) to match the attribute name in the Header VO. Do not change the method name or scope of the method. The only thing can be changed is the VO attribute name of the user variable. */ protected void registerAttributes() { registerAttribute("CurrencyCode"); } /** The following method obtains the value of java variable used in the Header VO. The attribute name of the java variable used in this method is CurrencyCode. This method returns the value of the CurrencyCode. The value of the variable which we are trying to get using this method (getCurrencyCode) should be registered in the previous method registerAttributes(). TO CUSTOMIZE: Change the name of the method (getCurrencyCode()). Do not change the scope of the method. The return type can be changed. To get the value of the variable we have to use the getAttributeValue() method only. */ public String getCurrencyCode() throws Exception { String retVal = null; retVal = getAttributeValue("CurrencyCode"); return retVal; } The following method is used to get the value of Java variable through SQL queries. In this scenario, we want to add clauses to the contract terms if the contract has any sales credit. Sales credit information is stored in a different table from the contract header. To work this scenario, the document must be saved before invoking Contract Expert. Java variable used is in this case is Sales Credit. Use method getSalesCredit() if the Java user variable is an attribute on any child table of the document header VO. To customize, change the name of the method getSalesCredit() and the return type of the method. The other attribute values, such as document ID and document type, which might be needed while executing the query, can be obtained from the getter methods getDocumentId(), getDocumentType(), and getDocumentVersion(). The executeQuery method: Will always return a scalar value which is present in the first row and first column in the result set. Will always return a string value: If you are expecting an integer value, then you must do a conversion before returning value. No conversion is required if you are expecting a string. In the following example, an ID value of a Yes or No value set value is returned based on whether the contract has sales credits entries or not. */ public int getSalesCredit() throws SQLException, Exception { int retVal = 0; int value = 0; String s1 = null; BigDecimal id = getDocumentId(); s1 = executeQuery("SELECT to_char(count(*)) FROM OKC_K_SALES_CREDITS where dnz_chr_id = " + id); value = Integer.parseInt(s1); if(value > 0) { retVal = 271230; // Value Set id for "YES" } else { retVal = 271229; // Value Set id for "NO" } return retVal; } } /***************************************************** The following file content is provided here only for reference. DO NOT INCLUDE THE FOLLOWING CODE IN ANY USER METHOD. *****************************************************/ ProgrammaticUDV.java package oracle.apps.contracts.termsLibrary.publicModel.variables.model.java; import java.math.BigDecimal; import java.sql.ResultSet; import java.sql.SQLException; import java.sql.Statement; import java.util.ArrayList; import java.util.HashMap; import oracle.jbo.server.DBTransaction; public abstract class ProgrammaticUDV { private HashMap attributesData; private DBTransaction dBTransaction; private Statement statement; protected BigDecimal documentId; protected String documentType; protected BigDecimal documentVersion; private ArrayList<String> attributeNamesUsed = new ArrayList<String>(); public ProgrammaticUDV(){ registerAttributes(); } protected abstract void registerAttributes(); protected void registerAttribute(String attributeName) { attributeNamesUsed.add(attributeName); } protected String getAttributeValue(String attributeName) throws Exception { if(attributesData.get(attributeName) == null){ throw new Exception("Attribute name '" + attributeName + "' is either invalid or not registered."); } return (String)attributesData.get(attributeName); } public HashMap getAttributesData() { return attributesData; } public void setAttributesData(HashMap variableData) { this.attributesData = variableData; } public ArrayList getAttributesUsed() { return attributeNamesUsed; } public void setDBTransaction(DBTransaction dBTransaction) { this.dBTransaction = dBTransaction; } protected String executeQuery(String query) throws SQLException { ResultSet rs = null; String s =null; if (statement != null) { statement.close(); } statement = dBTransaction.createStatement(0); rs = statement.executeQuery(query); if(rs.next()){ s = rs.getString(1); } statement.close(); return s; } protected void closeQuery() throws SQLException { if (statement != null) { statement.close(); statement = null; } } public void setDocumentId(BigDecimal documentId) { this.documentId = documentId; } public void setDocumentType(String documentType) { this.documentType = documentType; } public void setDocumentVersion(BigDecimal documentVersion) { this.documentVersion = documentVersion; } public BigDecimal getDocumentId() { return documentId; } public String getDocumentType() { return documentType; } public BigDecimal getDocumentVersion() { return documentVersion; } } Use the Search Variables page to create a list of system variables you can use in Contract Expert rules. You can use the Document Type field to narrow down your search by contract document type, such as a purchase order or Request for Quote. When you create a variable, it is immediately available for use in clauses and Contract Expert rules. While there is no activation process or validation for a variable, variable setup is validated when you use variables in rules. You can delete any variable as long as it is not being used in a clause or a Contract Expert rule. If it is in use, you can only disable it. Disabling a variable by selecting the Disabled option in the Edit Variable page prevents a variable from being used. The application displays an error for all clauses and rules that already use the variable. Much of the content in the Contract Terms Library is available only in the business unit where you create it. When you designate one of the business units as global during business unit setup, however, the content you create within that business unit can be copied over by other business units, a process known as adoption. Different kinds of content in the global library can be adopted for use in a local library in different ways, as outlined in the following figure. Clauses designated as global can be adopted by selecting either the Adopt or the Localize action in local business units. Adopt adopts the clause as is. Localize permits the local business unit to edit the clause text. Local clauses are visible only in the business unit where they are created. Contract terms templates designated as global are visible to the local business units and can be copied over using the duplicate command. Contract Expert rules are visible only in the business unit where they are created. Note Sections, folders, and numbering schemes do not need to be adopted or copied. They are automatically available across all business units. Here is how you adopt and localize clauses: In the global business unit, you create a clause with the Global option selected. After the global clause is approved, it is automatically listed as available for adoption on the Terms Library Overview pages in the local business units. Contract Terms Library administrators in local business units select Adopt or Localize from the Actions menu to adopt the clauses. Both adopted and localized clauses now exist as independent clauses in the local library and must be approved before they can be used in contracts. Note During the local business unit setup, you can make clause approvals automatic. When a new version of one of the adopted or localized global clauses is approved in the global business unit, the terms library administrators in the local business units are notified automatically Note You specify the administrator to receive the notification during the local business unit setup. Administrators in the global business unit can create a clause analysis report that details the adoption and localization of the global clauses in the local business units. You adopt contract terms templates by copying them: In the global business unit, you create a contract terms template with the Global option selected. After the global template is approved, it is automatically available for copying in the local business units. Contract Terms Library administrators can search for the global templates available for adoption by selecting the Global option in the Search Templates page. Global templates are copied over by selecting the Duplicate action. Note Clauses in the copied templates must be first adopted or localized in the local business unit. The copied contract terms template must be approved in the local business unit before it can be used. Clauses that are available for adoption are listed in the Clauses for Adoption region on the Terms Library Overview page. You can also search for them using the Search Clauses page by selecting the Available for Adoption from the Adoption Type drop-down list. The new version of the clause appears as available for adoption in the Terms Library Overview page and in clause searches. The Contract Terms Library administrator receives an automatic notification. Adopt a global clause to reuse it without change in a local business unit. Localize a global clause to use it with edits in a local business unit. All clauses you adopt and localize must be approved within your local business unit before they can be used for contract authoring. You can set up approvals to be automatic for adopted clauses, but not for localized clauses. You can use folders to organize clauses in the Contract Terms Library. Folders have the following properties A single folder can contain clauses with both buy and sell intent. Folders can be used only in the business unit where you create them. Folders cannot be copied to other business units. Folder names must be unique within the business unit where you create them. Previewing and printing clauses, reports, contracts, and contract terms uses a number of Oracle BI Publisher layout templates which specify what information is displayed in the contract and supply the headers, footers, text style, and pagination. The layout templates are RTF files stored in the Business Intelligence Presentation Catalog. Samples of all the required layout templates are included with the application. You can copy the sample layout templates described in this topic and edit the copies to add your own boilerplate text, font styles, and logos. You can copy and edit layout templates used for: Printing enterprise contracts, including partner agreements Printing purchasing and sourcing documents Printing the report of contract deviations that can be attached to contract approval notifications Previewing contract terms templates Previewing and importing clauses into the Contract Terms Library The sample layout templates are available in different subfolders within the Enterprise Contracts folder in the catalog. You can navigate to the folders in the catalog either from the Reports and Analytics pane or by selecting the Reports and Analytics link in the Navigator. Contact your system administrator to grant you the appropriate BI duty roles if these are not available. You can download the sample templates, copy them, and edit the copies. When you upload your edited copy to the same directory, it becomes immediately available for use within the application. Restriction The catalog includes additional layout templates which are used internally by the application. You can edit only those layout templates listed in this topic. The application uses two layout templates for printing enterprise contracts, including partner agreements: The contract layout template This layout template provides the layout for printing the contract except for the contract terms. There are two sample layout templates available for you to copy and edit. Both sample layout templates are stored in the same directory. The contract terms layout template This template provides the layout of the structured terms for printing and for downloading the contract terms for editing offline in Microsoft Word. You specify which templates you want to use during contract type setup. This means that you can create different layout templates for each contract type. To set up contract types, select Manage Contract Types action from the Setup and Maintenance work area or Contract Types under the Setup task heading in the Contracts work area. The following figure outlines how the application uses the layout templates when you print an enterprise contract: The application uses the contract layout template, specified in the Contract Layout field of the contract type, to create a PDF of the contract. If the contract does not include any contract terms, then this is the only layout template used. If the contract includes structured terms, then the application uses the contract terms layout template specified in the Template Layout field to create. The application merges the two generated PDFs into a single contract PDF. If the contract terms are attached in a file that is not structured, then the application prints only the contents of the file. It does not print the contract information in the application or use either layout template. For printing purchasing documents with structured terms, Oracle Fusion Procurement uses two layout templates. The document layout template supplied by Oracle Fusion Procurement which is located in the Procurement folder. The contract terms layout template. The sample file provided is: You select both of these templates while setting up business unit properties using the Configure Procurement Business Function task available by navigating to the Setup and Maintenance work area. If the contract terms are attached rather than authored in the application and the attached file is not structured, then Procurement uses a third layout template which includes a brief sentence explaining that the contract terms are contained in a separate document. Important If you edit the ContractTermsNoMerge layout template, then you must save it under the same name in the same directory. The following figure outlines how the procurement application uses these layout templates for printing The application uses the document layout template specified in the Document Layout field in the PO or purchase agreement to create the PDF. If the contract includes structured terms, then the application uses the contact terms layout template to generate. If the contract terms are attached as a file that is not structured, then the application creates a small PDF of the message contained in the layout template ContractTermsNoMerge. The application merges the two PDFs into a single document PDF. The application uses the contract deviations layout template to generate a PDF report of deviations of a contract from company standards. This report can be automatically attached to the notification sent to the contract approvers during contract authoring. You can create different layout templates for each business unit. You specify which layout template you want to use in a specific business unit using either the Specify Customer Contract Business Function Properties or the Specify Supplier Contract Business Function Properties tasks. These tasks are available in the Setup and Maintenance work area. Separate sample layout files are available for buy-intent and sell-intent contracts. Both are located in the same directory: Contract Terms Library administrators as well as contract authors can preview the content of a template by selecting the preview icon. For example, a contract author may want to preview a template to verify they are selecting the correct one. The preview lists all the clauses and sections the template contains and any boilerplate included in the layout template. It does not list any additional clauses inserted by Contract Expert rules. You can create different layout templates for each contract terms template. You specify the layout template to be used for the preview on the General tab while editing the contract terms template. The sample layout template is: The application uses the clause layout template for: Formatting individual clauses for preview Library administrators can use the preview icon to view preview of individual clauses on the clause search page. Formatting clauses imported from outside the application You can either load clause data directly into interface tables using SQL*Loader, PL/SQL scripts, or JDBC or you can import the data from an XML file. You can specify which template you want to use in a specific business unit using either the Specify Customer Contract Business Function Properties or the Specify Supplier Contract Business Function Properties tasks. These tasks are available in the Setup and Maintenance work area. The sample layout template provided is: No, you cannot print or create a PDF of a contract if no contract layout template is specified in the contract type that was used to create the contract. If you do not specify the terms layout template, then you cannot preview the contract terms as a PDF... Contract terms deliverables can be listed by title in a clause in your terms and conditions. You can change the sequence in which the titles appear on this list by modifying the print sequence.. Contract deliverables also track contractual and noncontractual commitments, but in procurement enterprise contracts. In addition, you can use contract deliverables to initiate and monitor purchasing activity in integrated procurement applications. For example, you can use a contract deliverable to create a purchase order in Oracle Fusion Purchasing for items in a contract line and then monitor the purchasing activity on that purchase order as it is being executed. In the Contract Terms Library, you can use the Keyword field to search the text of clauses and contract terms templates. You can automatically build and maintain the text index by running the processes listed in this topic. You can set up the processes listed in this table to automatically build and optimize the text index at desired intervals. How frequently depends on how often your clauses and contract terms templates are updated. New clause and template versions become available for searching after they are indexed. To run the processes: Select the Manage Processes task link in the Terms Library work area. In the Managed Scheduled Processes page, click Schedule New Process. Use a numbering scheme to number sections and clauses in a contract terms template or in an individual contract. In addition to the preset numbering schemes that come with your application, you can create additional numbering schemes in the Terms Library work area. Numbering schemes include the following properties: Numbering schemes are available in all business units. You can create numbering schemes with up to five levels. Numbering clauses is optional. You can add the numbering of the previous level to the front of the current level by selecting the Concatenate with Child option. Edits you make to an existing numbering scheme in the Contract Terms Library are not automatically applied to contracts using that numbering scheme. You must reapply the scheme on each contract. You cannot delete any of the numbering schemes that come with your application. You cannot delete a numbering scheme if it is used in an existing contract. You can apply a numbering scheme for sections and clauses by selecting the Change Numbering Scheme action on the Contract Terms tab while creating a contract terms template or authoring a contract. If you need to create additional numbering schemes, you can do so using the Create Numbering Scheme action on the Terms Library Overview page. You can import clauses, values sets, and manual user variables from external sources into the Contract Terms Library by using interface tables. You can either load your data directly into the interface tables using SQL*Loader, PL/SQL scripts, or JDBC or you can import the data from an XML file by running the processes described in this topic. This topic describes: What data you can import The interface tables Importing clauses by loading them into the interface tables Importing clauses from an XML file Purging the interface tables You can import: Clauses Clause relationships Manual user variables Value sets that are used for the variables Value set values Details about the fields and valid values for import are available in the import schema file OKCXMLIMPDFN.xsd which you can download from the following file location: fusionapps/crm/components/ contractManagement/okc/ termsLibrary/publicModel/ src/oracle/apps/contracts/ termsLibrary/publicModel/ libraryImport/model/ resource. Note Clause status determines when the clause becomes available for use in contract terms authoring: Draft: The clause can be edited and submitted for approval. Pending Approval: The clause is automatically routed to approvers. Approved: The clause is available for use immediately after import. The same interface tables are used whether you are importing clauses using an XML file or loading data directly into the interface tables. The following are the database tables used for clause import: To import clauses by loading them directly into the interface tables: Format the data in a form that is suitable for loading into the interface tables. For example, if you are using SQL*Loader to load data into the interface tables, then you can use a comma separated data file (.csv) and a control file that describes the data format. Select the Manage Processes task link from the Terms Library work area. In the Managed Scheduled Processes page, click Schedule New Process and run the Import Clauses from Interface Tables process. It is recommended that you run the process first in the validation mode to review any errors. The following table describes the process parameters: import clauses from a file: Prepare the XML file as specified in the schema file OKCXMLIMPDFN.xsd and the sample file OKCXMLIMPDFN.xml. You can download both files from the following location: fusionapps/crm/components/ contractManagement/okc/ termsLibrary/publicModel/ src/oracle/apps/contracts/ termsLibrary/publicModel/ libraryImport/model/ resource. Specify the location of the import file in the system profile Location of XML File for Importing Clauses. You can set this profile in the Oracle Fusion Setup Manager using the Manage Clause and Template Management Profiles task. Select the Import Clauses task link in the Terms Library work area and enter the following parameters for running the Import Clauses from XML File process: optimize import performance, periodically run the Purge Contract Clause Import Tables process. This process purges records in all of the interface tables. The following table describes the parameters you can use to restrict the extend of the purge. If you do not enter any parameters, the process purges all records.
http://docs.oracle.com/cd/E25054_01/fusionapps.1111/e20371/F564405AN4BB84.htm
CC-MAIN-2015-22
refinedweb
12,569
51.68
The Java Specialists' Newsletter Issue 0812003-11-25 Category: Exceptions Java version: GitHub Subscribe Free RSS Feed Welcome to the 81st edition of The Java(tm) Specialists' Newsletter. I can hardly believe that it is now already over six weeks since I wrote the last newsletter. Since then, the Grupo de Usu¨¢rios Java - GUJ, from Brazil has started translating some of our newsletters into Portuguese. You can see the result on our archive webpage. Please send us an email if you would like to translate the newsletter into your language. Design Patterns are the key to really understanding object orientation. What is the difference between the Gang-of-Four Design Patterns and J2EE Patterns? The Gang-of-Four patterns represent the basic building blocks of object orientation. Most of the patterns rely on polymorphism. The J2EE patterns, on the other hand, are design solutions for the J2EE architecture. They are at a far higher level than the Gang-of-Four patterns. Knowing the Gang-of-Four patterns will help you understand how the J2EE patterns work. NEW: Please see our new "Extreme Java" course, combining concurrency, a little bit of performance and Java 8. Extreme Java - Concurrency & Performance for Java 8. One of the reasons that I continuously promote Design Patterns is that they really work. A pattern that I enjoy teaching is the Command pattern, because the exercise with this pattern is particularly hard unless your mind has already been altered. During our discussion time around that pattern, I usually pose this questions: "What happens when our command causes an exception?" The answer is not that obvious. The invoker usually does not know what to do with an uncaught exception. Unless you have an alternative exception listening mechanism in place, the exception will simply be lost. Let us take the following GUI as an example: import javax.swing.*; import java.awt.*; import java.awt.event.ActionEvent; public class Gui extends JFrame { private static final int[] DAYS_PER_MONTH = {31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}; public Gui() { super("GUI Example"); final JTextArea text = new JTextArea(14, 30); getContentPane().add(new JScrollPane(text)); getContentPane().add(new JButton(new AbstractAction("Calculate") { public void actionPerformed(ActionEvent e) { text.setText(""); for (int i=0; i<=DAYS_PER_MONTH.length; i++) { text.append("Month " + (i+1) + ": " + DAYS_PER_MONTH[i] + "\n"); } } }), BorderLayout.NORTH); } public static void main(String[] args) { Gui gui = new Gui(); gui.pack(); gui.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); gui.show(); } } Please compile and run this program using javaw.exe instead of java.exe. i.e. type the following: javaw Gui This will start the Gui frame and wait for you to click the button. Now it gets really interesting! When you press the button, you see the months and days per month appearing on the textpane. It all seems good, except that the button looks like it stays depressed. Please run the program again using java.exe, and when you press the button you will see the following exception on the console: java.lang.ArrayIndexOutOfBoundsException: 12 at Gui$1.actionPerformed(Gui.java:16)$ReleasedAction.actionPerformed at javax.swing.SwingUtilities.notifyAction at javax.swing.JComponent.processKeyBinding at javax.swing.JComponent.processKeyBindings at javax.swing.JComponent.processKeyEvent at java.awt.Component.processEvent at java.awt.Container.processEvent at java.awt.Component.dispatchEventImpl at java.awt.Container.dispatchEventImpl at java.awt.Component.dispatchEvent at java.awt.KeyboardFocusManager.redispatchEvent at java.awt.DefaultKeyboardFocusManager.dispatchKeyEvent at java.awt.DefaultKeyboardFocusManager.preDispatchKeyEvent at java.awt.DefaultKeyboardFocusManager.typeAheadAssertions at java.awt.DefaultKeyboardFocusManager.dispatchEvent at java.awt.Component.dispatchEventImpl at java.awt.Container.dispatchEventImpl at java.awt.Window.dispatchEventImpl at java.awt.Component.dispatchEvent at java.awt.EventQueue.dispatchEvent at java.awt.EventDispatchThread.pumpOneEventForHierarchy at java.awt.EventDispatchThread.pumpEventsForHierarchy at java.awt.EventDispatchThread.pumpEvents at java.awt.EventDispatchThread.pumpEvents at java.awt.EventDispatchThread.run Besides printing the thread stack trace to the console, the Java event dispatch thread also does another thing: it dies! I only discovered that recently. The dispatch thread dying is probably the reason that the button stays depressed. If you look in the EventDispatchThread code, you will see that a new thread is only created once more Gui events occur. Unless you move the mouse, or press a key, no events will happen and so the button stays depressed. We can verify that the event dispatch thread dies by printing out the System.identityHashCode() of the thread that executes the actionPerformed method (this should be the EventDispatchThread). In this example, the exception occurs after the button is pressed for the fourth time. import javax.swing.*; import java.awt.*; import java.awt.event.ActionEvent; public class ThreadsDie extends JFrame { public ThreadsDie() { super("GUI Example"); final JTextArea text = new JTextArea(14, 30); getContentPane().add(new JScrollPane(text)); getContentPane().add(new JButton(new AbstractAction("Calculate") { private int countdown = 3; public void actionPerformed(ActionEvent e) { text.append("Event Queue Thread: " + System.identityHashCode(Thread.currentThread())); text.append("\n"); if (--countdown <= 0) { throw new IllegalArgumentException(); } } }), BorderLayout.NORTH); } public static void main(String[] args) { ThreadsDie gui = new ThreadsDie(); gui.pack(); gui.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); gui.show(); } } The output on the textpane is something like: Event Queue Thread: 29959477 Event Queue Thread: 29959477 Event Queue Thread: 29959477 Event Queue Thread: 23994289 Event Queue Thread: 19764978 Event Queue Thread: 1114115 Event Queue Thread: 1565898 Event Queue Thread: 11383252 Event Queue Thread: 23110255 Event Queue Thread: 21514757 Creating a new thread each time you get an exception in your Gui is not that good, since it is fairly expensive to create threads. We would like to get to the position where no exceptions are generated by our Gui at all. Last Friday I went to a customer who had an old version of the software I am working on at the moment. When it started up, I saw several exceptions appear on the console. On questioning him about that he said: "Oh those, they always appear. The program still works though." This makes me scared. I would rather get 259 emails in my inbox telling me that something is seriously amiss, than have my customers think that seeing exceptions on the console is acceptable. However, how can we catch all uncaught exceptions that are generated in the Gui? The trick lies in a class called the ThreadGroup and in the way that JDK 1.4 now constructs the Gui threads. A Thread may belong to a ThreadGroup. ThreadGroup has a method called uncaughtException(Thread t, Throwable e) that we can override and which is called whenever an uncaught exception occurs. The event dispatch thread still dies, but at least we know about it. uncaughtException(Thread t, Throwable e) import javax.swing.*; import java.awt.*; public class ExceptionGroup extends ThreadGroup { public ExceptionGroup() { super("ExceptionGroup"); } public void uncaughtException(Thread t, Throwable e) { JOptionPane.showMessageDialog(findActiveFrame(), e.toString(), "Exception Occurred", JOptionPane.ERROR_MESSAGE); e.printStackTrace(); } /** * I hate ownerless dialogs. With this method, we can find the * currently visible frame and attach the dialog to that, instead * of always attaching it to null. */ private Frame findActiveFrame() { Frame[] frames = JFrame.getFrames(); for (int i = 0; i < frames.length; i++) { Frame frame = frames[i]; if (frame.isVisible()) { return frame; } } return null; } } All we now need to do is start the Gui from within a Thread that belongs to this ExceptionGroup, and we will catch all uncaught exceptions that are caused by the event dispatch thread: import javax.swing.*; public class BetterGui { public static void main(String[] args) { ThreadGroup exceptionThreadGroup = new ExceptionGroup(); new Thread(exceptionThreadGroup, "Init thread") { public void run() { Gui gui = new Gui(); gui.pack(); gui.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); gui.show(); } }.start(); } } This solution is far from perfect. In my industrial-strength exception framework (not available for general use, don't ask), the uncaught exceptions go to a central place from where they are dispatched to the correct listeners. Those might be more fancy dialogs, or emails sent to the support team, or a stacktrace in a log file. That is it for today. I need some beauty sleep so that tomorrow I can tackle all the exceptions that we found with this approach in some existing code. Kind regards Heinz P.S. Please don't forget to contact me if you would like to translate The Java(tm) Specialists' Newsletter into your native language Exceptions Articles Related Java Course
http://www.javaspecialists.eu/archive/Issue081.html
CC-MAIN-2016-44
refinedweb
1,375
51.65
REST API - create contact and link Eloqua GUIDSanjay Patro Mar 12, 2013 8:57 PM I am developing an external form in my website and when user submits , I post the user information to Eloqua using REST API from server side (java servlets) I retrieve the eloqua guid and pass it to my server side but I don't see any fields defined as GUID in Eloqua. My objective is to link the GUID with contact created to track all activities for the user. 1. Re: REST API - create contact and link Eloqua GUIDnader.shahin Mar 12, 2013 9:27 PM (in response to Sanjay Patro) Sanjay, Are you using the Post method when you creating the contact? You should get the new Contact ID as part of the response data. The contact ID is what you need to store. Here is a sample of the function you may use to do this:- public Contact CreateContact(Contact contact) { var request = new RestRequest(Method.POST) { Resource = "/data/contact/", RequestFormat = DataFormat.Json }; request.AddBody(contact); var response = _client.Execute<Contact>(request); return response.Data; } 2. Re: REST API - create contact and link Eloqua GUIDSanjay Patro Mar 13, 2013 1:24 PM (in response to nader.shahin) The Eloqua contact id you are referring to identifies unique contact in Eloqua. I am using the POST and storing the eloqua contact id from post response. Eloqua GUID is stored in browser cookie called "Eloqua". Eloqua uses the GUID to track user activities. I am trying to find a way to map Eloqua GUID and Eloqua contact id. 3. Re: REST API - create contact and link Eloqua GUIDnader.shahin Mar 13, 2013 8:55 PM (in response to Sanjay Patro) Sanjay, Yes the GUID is coming from the browser cookie which is used in eloqua to create the visitor profile. Eloqua Keeps creating user profiles and then link them to Contacts once the contact submit a form and identify himself using form submission. In order to make this link happen you can instead of creating the contact via web service, you can create another form in Eloqua and push the data as form submission through the SOAP web service as I am not sure if the REST web service can handle form submissions. Along with the form submission you can pass the elqCustomerGUID (the cookie value) along with email address value at least to make this link happen. Anyway if you want to do something like this you can do the following: - 1. You can use javascript on your website to pull the elqCustomerGUID from Eloqua. The code basically has to pull the information from Eloqua because the cookie is a third part tool. - 2. Then you can pass the cookie value to your server so you can use it the web service call to push the contact information over. 4. Re: REST API - create contact and link Eloqua GUIDSanjay Patro Mar 13, 2013 9:08 PM (in response to nader.shahin) I am able to retrieve the elqCustomerGUID from Eloqua and post it to my server. The Contact REST API doesn't have a field for elqCustomerGUID. I am not able to find the fieldname for it. Contact fields in REST API public class Contact { public String accountName; public String address1; public String address2; public String address3; public String businessPhone; public String city; public String country; public String firstName; public String emailAddress; public int id; public boolean isBounceback; public boolean isSubscribed; public String lastName; public String salesPerson; public String title; public List<FieldValue> fieldValues; } 5. Re: REST API - create contact and link Eloqua GUIDnader.shahin Mar 13, 2013 9:59 PM (in response to Sanjay Patro) Sanjay, You need to pass the data through a form submission not by creating a contact. Only through form submission you can tie the Visitor profile GUID with the contact ID. I don't think you can do this through the REST API as you can see here in the following link the RST API allows only to retrieve data from a form. REST API - Accessing Form Data So your only way is to make your form submit to an eloqua form if you post data to your form then to the Eloqua form or use the SOAP API to submit your data through the form and pass the GUID. 6. Re: REST API - create contact and link Eloqua GUIDTJ Fields-Oracle Mar 13, 2013 10:36 PM (in response to Sanjay Patro) Sanjay, There is no programmatic way to link the profile to the contact other than using the SOAP API to do a form submit Eloqua API How To: Submit A Form. Once this link is established, you would need to use the SOAP API to first query the Visitor Profile by CustomerGUID Eloqua API How To: Query for Visitor Profile Data, which will give you the linked Contact ID. Then, you can use that to grab the contact. One note, there is currently a bug in the Eloqua SOAP API for doing this against an E9 instance, and even sometimes shows up against E10. This bug should be fixed for the next release, but give it a shot and see what happens. 7. Re: REST API - create contact and link Eloqua GUIDCurtis Shelton Jun 1, 2013 8:02 PM (in response to TJ Fields-Oracle) We are now able to do form submissions using the REST API. We are doing it now with a lot of success. We even at the same time create or update a contact record using the REST API with the entered form data based on the email address entered into the form. My question is, how does doing a form submission using either the REST or the SOAP API link a browser profile cookie to a contact record? Ideally what we'd like to happen is that anytime a user fills out any form, the contact record related to the entered email address will have a form submission activity entry when viewing that contact record and any future webpage visits they make on the site will be added as activity to this contact record. Is this possible to do? Another question I have is that if a user logs in to our site (meaning we know their email address), can we make it so that all future website visits they do gets recorded into the related contact record's activity log? I guess I don't really understand how the user's profile cookie is created, updated, and tied to a contact record for activity recording. 8. Re: REST API - create contact and link Eloqua GUIDTJ Fields-Oracle Jun 3, 2013 1:40 PM (in response to Curtis Shelton) Hi Curtis, I believe fsakr has been addressing your question on this thread Eloqua API How To: Submit A Form 9. Re: REST API - create contact and link Eloqua GUID2970436 Jun 15, 2015 6:53 PM (in response to TJ Fields-Oracle) We have run in to this exact issue (attempting to programmatically link profile and contact) in E10, but since this post is quite old, we were wondering if there is anything new in the matter. It seems that the SOAP API is now deprecated, rendering that a pretty bad option for us. Is there any other way of achieving this? Is the bug in E9 and possibly E10, listed somewhere in a bug tracker? What would be the recommended approach for this in 2015? Still using the SOAP API?
https://community.oracle.com/thread/3665346?start=0&tstart=0
CC-MAIN-2019-39
refinedweb
1,250
66.07