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 |
|---|---|---|---|---|---|
This section completely updated to reflect changes in Xcode 6.3, as of April 16, 2015
In parts 1 through 5 we went over some basics of Swift, and set up a simple example project that creates a Table View and a puts some API results from iTunes inside of them. If you haven’t read that yet, check out Part 1
If not, and you just want to start from here, download the code for Part 5 to get started. We’ll use it as a template to begin.
In this tutorial we’re going to do quite a few things, so let’s get started!
Modifying The API Controller code
First off, our actual plan for this app is to show iTunes music information. So let’s modify the API controller to better handle this information.
One thing’s been bothering me though. When we create our APIController, we set a delegate after it’s created. But, an API Controller without a delegate isn’t all that useful, so why even offer the option to make one?
Let’s add a constructor that accepts the delegate as it’s only argument.
init(delegate: APIControllerProtocol) { self.delegate = delegate }
Now, our delegate variable in the APIController isn’t actually going to be an optional any more. There is no APIController without a delegate!
So also change the delegate property to be an every day, non-optional APIControllerProtocol object.
var delegate: APIControllerProtocol
There’s also going to be an error at the end of the searchItunesFor method, because we’re treating the delegate object as an optional, but it’s not optional any more. So change the erroneous line to say this:
self.delegate.didReceiveAPIResults(results)
The only difference is we removed the ? from after the delegate property, to indicate it’s not an optional.
Now in our SearchResultsController, we need to change a few things. First, since the APIController constructor now needs the delegate object to be instantiated before *it* can be instantiated itself, we need to make it an implicitly unwrapped optional, and wait until viewDidLoad to assign it.
So in the api variable declaration change to this:
var api : APIController!
In the viewDidLoad method we need to unwrap the api object in order to call searchItunesFor(). You should end up with this
override func viewDidLoad() { super.viewDidLoad() api = APIController(delegate: self) api.searchItunesFor("JQ Software") }
Searching for Albums
Let’s also modify our call to the searchItunesFor() in the APIController to use a search term for music. We’ll also show a networkActivityIndicator, to tell the user a network operation is happening. This will show up on the top status bar of the phone.
override func viewDidLoad() { super.viewDidLoad() api = APIController(delegate: self) UIApplication.sharedApplication().networkActivityIndicatorVisible = true api.searchItunesFor("Beatles") }
Now in our urlPath in the APIController, let’s modify the API parameters to look specifically for albums.
let urlPath = "\(escapedSearchTerm)&media=music&entity=album"
We’ll now get results in the form of Album data, but this schema is a little different from apps. In fact running the app right now will we’ll just get default cells because the expected JSON data isn’t there. This is really fragile code, but we can make it slightly less fragile by doing some modeling of the data we expect.
Creating a Swift model for iTunes Albums
In order to facilitate passing around information about albums, we should create a model of what an album is exactly. Create a new swift file and call it Album.swift with the following contents:
import Foundation struct Album { let title: String let price: String let thumbnailImageURL: String let largeImageURL: String let itemURL: String let artistURL: String init(name: String, price: String, thumbnailImageURL: String, largeImageURL: String, itemURL: String, artistURL: String) { self.title = name self.price = price self.thumbnailImageURL = thumbnailImageURL self.largeImageURL = largeImageURL self.itemURL = itemURL self.artistURL = artistURL } }
It’s a pretty simple struct, it just holds a few properties about albums for us. We create the 6 different properties as strings, and add an initializer that sets all the properties based on our parameters.
So now we have a struct for albums, let’s use it!
Using our new Swift Album model
Back in our SearchResultsController, let’s modify the tableData array variable, and instead opt for a Swift native array for Albums. In swift, this is as easy as:
var albums = [Album]()
We can do away with do line var tableData = [], we won’t be using that any more.
This creates an empty array containing strictly Albums. We’ll now need to change our tableView dataSource and delegate methods to understand albums.
In the numberOfRowsInSection method, let’s change the number of items to the count of albums in our albums array:
func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return albums.count }
Now in cellForRowAtIndexPath, let’s swap out those dictionary lookups for a single album lookup:
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell { let cell: UITableViewCell = tableView.dequeueReusableCellWithIdentifier(kCellIdentifier) as! UITableViewCell let album = self.albums[indexPath.row] // Get the formatted price string for display in the subtitle cell.detailTextLabel?.text = album.price // Update the textLabel text to use the title from the Album model cell.textLabel?.text = album.title // Start by setting the cell's image to a static file // Without this, we will end up without an image view! cell.imageView?.image = UIImage(named: "Blank52") let thumbnailURLString = album.thumbnailImageURL let thumbnailURL = NSURL(string: thumbnailURLString)! // If this image is already cached, don't re-download if let img = imageCache[thumbnailURLString] { cell.imageView?.image = img } else { // The image isn't cached, download the img data // We should perform this in a background thread let request: NSURLRequest = NSURLRequest(URL: thumbnail[thumbnailURLString] = image // Update the cell dispatch_async(dispatch_get_main_queue(), { if let cellToUpdate = tableView.cellForRowAtIndexPath(indexPath) { cellToUpdate.imageView?.image = image } }) } else { println("Error: \(error.localizedDescription)") } }) } return cell }
Then there is the didSelectRowAtIndexPath method that needs to be modified to use the albums array. But, actually we’re not going to need this any more, so let’s just delete the whole method.
Creating Album objects from JSON
Now, all of this is not much use if we aren’t creating our album information in the first place. We need to modify our didReceiveAPIResults method of SearchResultsViewController to take album JSON results, create Album objects, and save them in to the albums array. Since we have a model for Albums now, it makes sense to move this functionality in to the Album model itself. So let’s make a minor adjustment to didReceiveAPIResults and delegate the responsibility of construction the albums array to the Album class.
func didReceiveAPIResults(results: NSArray) { dispatch_async(dispatch_get_main_queue(), { self.albums = Album.albumsWithJSON(results) self.appsTableView!.reloadData() UIApplication.sharedApplication().networkActivityIndicatorVisible = false }) }
Note that since this is where the api request comes to it’s conclusion, we also turn off the networkActivityIndicator.
Now in the Album.swift file we need to add a static method that creates a list of albums from a JSON list.
static func albumsWithJSON(results: NSArray) -> [Album] { // Create an empty array of Albums to append to from this list var albums = [Album]() // Store the results in our table data array if results.count>0 { // Sometimes iTunes returns a collection, not a track, so we check both for the 'name' for result in results { var name = result["trackName"] as? String if name == nil { name = result["collectionName"] as? String } // Sometimes price comes in as formattedPrice, sometimes as collectionPrice.. and sometimes it's a float instead of a string. Hooray! var price = result["formattedPrice"] as? String if price == nil { price = result["collectionPrice"] as? String if price == nil { var priceFloat: Float? = result["collectionPrice"] as? Float var nf: NSNumberFormatter = NSNumberFormatter() nf.maximumFractionDigits = 2 if priceFloat != nil { price = "$\(nf.stringFromNumber(priceFloat!)!)" } } } let thumbnailURL = result["artworkUrl60"] as? String ?? "" let imageURL = result["artworkUrl100"] as? String ?? "" let artistURL = result["artistViewUrl"] as? String ?? "" var itemURL = result["collectionViewUrl"] as? String if itemURL == nil { itemURL = result["trackViewUrl"] as? String } var newAlbum = Album(name: name!, price: price!, thumbnailImageURL: thumbnailURL, largeImageURL: imageURL, itemURL: itemURL!, artistURL: artistURL) albums.append(newAlbum) } } return albums }
I know this looks like a lot of new code, but actually there’s not much going on here. It’s really just looping through the list coming from allResults, and its grabbing values for some keys, and setting defaults if they’re missing.
The ?? operator used here is pretty neat. It works like this:
let finalVariable = possiblyNilVariable ?? "Definitely Not Nil Variable"
The finalVariable value is set to possiblyNilVariable if it is not nil. But if it is nil? It uses the value of the thing on the right-hand side of the ?? operator. In this case, the string “Definitely Not Nil Variable”.
We use this here in order to prevent getting nil values passed in to our Album.
On line 39, we create an Album object. On line 40 the album is added to the list.
Finally on line 43 the list of albums is returned.
If you run the app now you should see a new list of Album’s pop up. Cool, right?
Creating a second view
Now to actually show the details of an album, we’ll need a new view. First let’s create the class.
Add a new file called DetailsViewController.swift that inherits from UIViewController.
Our view controller will be pretty simple to start. We’re just going to add an album, and implement UIViewController’s init method as well as viewDidLoad().
import UIKit class DetailsViewController: UIViewController { var album: Album? required init(coder aDecoder: NSCoder) { super.init(coder: aDecoder) } override func viewDidLoad() { super.viewDidLoad() } }
This code doesn’t do much yet, but that’s okay. We just need the class to exist in order to set up our storyboard.
Since we’ll be pushing views back and forth on the stack we’ll want a navigation bar as well. It’s hard to explain in text, and there is an NDA preventing me from showing parts of Xcode 6 in screenshots, so instead I created a short video demonstrating how to do this in Xcode 5. The process is nearly identical for Xcode 6 Beta, and is not under any sort of NDA.
In the video we did the following:
- Embedded our view controller in a navigation controller using the Xcode shortcut in the Editor menu, by clicking the view controller, then selecting Editor->Embed In->Navigation Controller
- Added a new view controller
- Set it’s class and storyboard ID to ‘DetailsViewController’
- Control+Clicked+Dragged from the table view cell in our first view controller to the new view controller we just created, and selected ‘show’ for the type of segue.
What this last step does is creates a segue on our navigation controller that pushes the new view on top of the stack. If you run the app now and click a cell, you should see this new view animate in.
Let’s build out a simple UI for this new view. It’ll contain a UIImageView that is 100×100 pixels, and a title Label. Drag these objects out of the object library and arrange them any way you like on the new view.
Providing the new view with Album information
When the storyboard segue fires off, it first calls a function on whatever view controller is currently on the screen called prepareForSegue. We’re going to intercept this call in order to tell our new view controller which album we’re looking at. Add the following in SearchResultsViewController:
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) { if let detailsViewController: DetailsViewController = segue.destinationViewController as? DetailsViewController { var albumIndex = appsTableView!.indexPathForSelectedRow()!.row var selectedAlbum = self.albums[albumIndex] detailsViewController.album = selectedAlbum } }
What’s happening here is the segue parameter being passed in has a member called destinationViewController, which is our fancy new DetailsViewController we just created. In order to set the album member on it, we first need to cast it to DetailsViewController using the ‘as’ keyword as shown above.
Then, by using the indexPathForSelectedRow() method of our table view we can determine which album is selected at the moment this segue happens.
Using this information, well tell our detailsViewController which album was clicked before it is displayed.
Now I’m going to show you a pretty nifty feature of Xcode. We’re going to let it write some code for us.
Open up your storyboard again let’s start creating IBOutlets for our image view, label, button, and text view. On the top-right hand corner of Xcode there is the ‘assistant’ button. The icon looks like a bowtie and suit jacket. Clicking on this will open up a code window right next to your storyboard window. Make sure that one of the panels is showing DetailsViewController.swift, and the other is showing Main.storyboard.
Now, hold control, and click+drag from your image view to your code file. Just a line under your class definition for DetailsViewController. It’ll prompt you for a name, so let’s call it ‘albumCover’. The default options should be fine here. After doing this you should see this line of code newly added:
@IBOutlet weak var albumCover: UIImageView!
We just created a new IBOutlet, and now it’s connected to our storyboard’s DetailsViewController. How cool is that?
Do the same thing for the label you added to your view, and call it ‘titleLabel’.
Next, let’s modify viewDidLoad so that it will load in the info we’re being passed to our view objects, here’s the final DetailsViewController code:
import UIKit class DetailsViewController: UIViewController { var album: Album? @IBOutlet weak var albumCover: UIImageView! @IBOutlet weak var titleLabel: UILabel! required init(coder aDecoder: NSCoder) { super.init(coder: aDecoder) } override func viewDidLoad() { super.viewDidLoad() titleLabel.text = self.album?.title albumCover.image = UIImage(data: NSData(contentsOfURL: NSURL(string: self.album!.largeImageURL)!)!) } }
The @IBOutlets are the UI connections made by our storyboards, and our viewDidLoad method sets the title and album cover variables to load in from our Album object.
Now try running the app and taking a look. We can now drill in to details for albums and get a nice big detail view with the album cover and title. Because we pushed in a navigation controller, we also get a functional Back button for free!
If you made it this far, I want to personally congratulate you so let me know on twitter that you pulled it off! You are well on your way to creating real iOS apps with Swift.
I’ve decided this tutorial series is going to be expanded upon and refined, along with several other tutorials and essays on working with swift, Xcode, and Apple in a new book, which I have available for pre-order here. Also, I’ve decided to open up a new forum for all the followers of this tutorial.
Make sure to sign up to be notified of the new sessions.
The full source code for this section is available here.
In part 7, we set up a full Detail view with a working music player, and implement some great animations.
This Post Has 56 Comments
Mike6 Jun 2014
Awesome addition. Love the refactoring really helped clean things up.
Any plans for adding a tutorial using Core Data?
Jameson Quave6 Jun 2014
Mike6 Jun 2014
Awesome looking forward to them!
John7 Jun 2014.
Will Gilbert8 Jun 2014
Am loving this tutorial! Found tiny misspelling with ‘Receive’
self.delegate?.didRecieveAPIResults(jsonResult)
should be:
self.delegate?.didReceiveAPIResults(jsonResult)
Will Gilbert8 Jun 2014
Ignore my comment about ‘receive’. It is used consistently in the project. I had been retyping the code and had not noticed earlier rendering of this word.
Very sorry —
Jameson Quave8 Jun 2014
Oops! Search and replace to the rescue!
Michael Bond8 Jun 2014
Loving the tutorials so far, can’t wait for the rest!
So on this line “var detailsViewController: DetailsViewController = segue.destinationViewController as DetailsViewController” I’m getting a “Swift dynamic cast failed” error. Any thoughts?
Jameson Quave8 Jun 2014
It probably can’t cast to your destination view controller because the storyboard has it set as a UIViewController. Make sure you changed the class in the Storyboard.
Florian9 Jun 2014.
Jameson Quave9 Jun 2014
Looked at my project and noticed I’m not getting that error. It looks like I used a ‘Show’ segue instead. It seems to do the same thing.
Scott9 Jun 2014
Jameson Quave9 Jun 2014
Make sure you set the image to a temporary image before letting it download. If you don’t the imageview itself is hidden until its clicked/reloaded.
Scott10 Jun 2014!
Scott10 Jun 2014
Never mind, looks like I didn’t download the file properly so it wasn’t loading it as a temp image. I fixed the image file and it’s working now!
David Taylor24 Mar 2015
Jameson,
I needed this advice too. It worked and you should add it as a step to the tutorial.
Thanks, David
David Fisher10 Jun 2014
Karen15 Jun 2014).
kknehra11 Jun 2014.
Jameson Quave11 Jun 2014
Check out what’s inside the result variable and make sure the artistViewUrl key is there. It could be missing for a variety of reasons, but printing it to the console will help make that determination.
kknehra11 Jun 2014.
Nick13 Jun 2014
I had the same problem – iTunes seems to omit this field when there are more than one artist on the album (makes sense I guess).
I ended up setting to artistURL to “” if results[artistViewUrl] == nil
kknehra14 Jun 2014
Yeah, that’s a better solution. Good job. 🙂
Lucian Wischik17 Jun 2014
I’d love it if you could explain this syntax…
init(coder aDecoder: NSCoder!) {…}
We’ve seen formal parameter lists that have the form (variableName : Type). But not the additional word “coder” in there.
Jameson Quave17 Jun 2014:
Lucian Wischik17 Jun 2014!) {…}
Jameson Quave17 Jun 2014.
Lucian Wischik25 Jun 2014
That’s not the question I’m asking.
I’m asking why you picked the internal name “aDecoder”, when you could have more elegantly picked the internal name “coder” ?
Lucian Wischik17 Jun 2014…
Jameson Quave17 Jun 2014
It was based on the assumption that all artists would have these fields. Since they don’t, these do in fact need to be optional.
Frank Yellin30 Jun 2014.
Frank Manno24 Jul 2014
For anyone interested in this approach, this is the solution I came up with:
And let me tell you… what a learning experience this was. Tons of fun too… really digging this series of tutorials.
Jameson Quave24 Jul 2014
Hey that’s great! Makes things much cleaner for sure 🙂
Gabe Hoffman3 Jul 2014
It seems like there is a big slow down in the load time between part 5 and part 6. Part 5 loads near instantly and part 6 is taking close to 20 seconds. Is it the conversion of the data into the Album type?
Jameson Quave4 Jul 2014
No, if you see a slowdown it may be due to not putting the UI updates on the main thread. Or more accurately, I may have made this mistake in part 6.
Sihui14 Jul 2014?
charles27 Jul 2014
The line self.albums = Album.albumsWithJSON(resultsArr)
is causing an error: ‘NSArray’ is not convertible to ‘Album’
Not sure what’s causing it, upgraded to beta4 today.
Jameson Quave27 Jul 2014
self.albums should be of type [Album]
Not Album
NSArray *is* convertible to [Album] since it’s just an array of albums.
charles27 Jul 2014
Thanks again!
I was actually missing the class keyword for the albumsWithJSON declaration.
David Reich30 Jul 2014.
Jameson Quave30 Jul 2014
It’s because of the unnecessary GCD method that was there before. It’s since been removed.
David Reich30 Jul 2014
Sorry to be a pest, but which line was removed? Since it’s no longer in GitHub I cannot search for it there?
Jameson Quave30 Jul 2014
Line 61 and 95 here:
Aymenworks3 Aug 2014
Hello,
Thanks for your tutoriel, it’s really nice !
Just ont thing, you need and you say to turn off the networkActivityStatus, but instead setting false, you set true. It’s just an error of inattention I think.
Jameson Quave3 Aug 2014
Thank you! Fixed.
Mike Brown8 Aug 2014?
Mike Brown8 Aug 2014
Greg14 Aug 2014
}
Tommy14 Aug 2014
I don’t know if you are still updating this with all the constant changes to the xCode beta but lazy is now defined as @lazy. Thanks for the great tutorials otherwise!!
Jameson Quave14 Aug 2014
I am still updating it. If you are seeing @lazy then you need to refresh 🙂
TommyTommy14 Aug 2014
No, I was getting a compiler error while using “lazy” only, @lazy fixed it.
Mike22 Aug 2014,
xgwbfkwu qy28 Aug 2014
Thanks for this awesome tutorial.
I’ve finished all of them. For this part, one problem I have is there are about two seconds delay to load the detail view. I’d like to know how to resolve this problem.
Jameson Quave2 Sep 2014
Make sure to put the table view reloading on the main thread.
Namster5 Jan 2015
Hey Jameson,
In Xcode 6.1.1, you would need to change one line of code, otherwise you’d get a compile error.
Line 26:
price = “$”+nf.stringFromNumber(priceFloat!)
Needs to be changed to:
price = “$”+nf.stringFromNumber(priceFloat!)!
Namster6 Jan 2015)!)!) | https://jamesonquave.com/blog/developing-ios-8-apps-using-swift-interaction-with-multiple-views/?replytocom=48578 | CC-MAIN-2020-16 | refinedweb | 3,543 | 66.54 |
This action might not be possible to undo. Are you sure you want to continue?
parents would stash your gifts in the closet. But curiosity got the better of you and you peeked at the gifts and one was clearly in the shape of that Red Ryder B-B gun you wanted but come Christmas time you open up a new pair of prescription socks and your brat of a sister gets the gun? How about when you go out to some restaurant on the edge of town that only the cool people know about and you go in and order the weirdest shit on the menu because you want to seem hip and cultured but then you get the dish and it’s a horse crap stuffed with blue cheese, but you choke it down anyway because you went on for forty minuets about how much you loved this dish? How about when you get invited to a three way with two girls and then you realize that you haven’t even been able to please a one women let alone two. So to calm down you do some heroin but it doesn’t mix well with the pure cocaine you did an hour go and before you know it you wake up under a bridge humping a garbage bag full of your own sick? Three openings is not good writing, nor is the complete abuse of run on sentences but the movie Prometheus has really messed with my emotions. All of these statements make it seem like I hate Prometheus but I don’t. It just has beaten my critical/analytical abilities. I know I liked it, but how much I just can’t say. My only option now is to break this down and get to the root of what is wrong with this movie (because the only other option is that there’s something wrong with me and that is near impossible.) Prometheus is one of Riddley Scotts projects that he hopes will return (or continue to hold) him to the A list of directors. A spiritual prequel to the Alien movie it tells the tale of a band of scientists, and one creepy android, who travel out to one end of the universe to discover the origins of humanity. They have a very real opportunity to go “straight to the source,” as it were, for answers to the biggest questions of life. The crew of scientists is perfectly cast, with a great range of actors from Chalize Theron to Noomie Rapace. That is the first piece of the puzzle: the acting. Sadly my search for what Prometheus did wrong can’t end here. The acting is great; in fact it’s some of the best acting I’ve seen since last winter. Michael Fassbender gets special recognition for his part as David the android, whom he plays perfectly. If it’s not the acting then lets look at the art style and special effects. Okay yes this movie was in 3-D, but you all know how I fell about that, so I saw the 2-D version. From a completely visual standpoint the movie is, again, flawless. The architecture of the planet melding with the design of the nonhuman’s vehicles and tech still contrast with the humans ship and tools both beautifully designed to show how well thought out this version of the future was. So fabulous acting set against a gorgeous backdrop, but what are those great actors acting out and what’s all taking place in the magnificent set?
As it turns out it’s a kind of crap story taking place. Well okay, it’s actually not bad, where pacing is concerned its perfect. A bizarre hook in the opening, a few twists in the middle, mixed with some greatly placed character scenes and a climatic conclusion, what more do I want? Well for one I want my characterization scenes to be more than a character saying “I don’t like these people, and I like money and I will die first.” Or the two pilots, who I never learned the names of, die and I am supposed to feel really sad but they had like two kind of clever lines so all impact was lost. But that’s it? Just weak characterization and I throw this movie aside with the likes of the Green Lantern or Sherlock Holms? Clearly there should be more. Unfortunately for me the only other aspect was the horror and how the mystery of the story was treated and again I can find nothing wrong with ether. The horror is paced and the scene of a c-section is horrifying and gripping. As for the mystery they reveal it piece by piece having one mystery solved by another and all in the end wrapping up in a conclusive and satisfying way. I must now face my own conclusion to this mystery and I don’t think I’m going to like the answer. I think I’m suffering from “fanboydom.” I love the alien movies, I love Ridley Scott and I love, love, love, sci-fy horror. I think in a nut shell this isn’t the movie I would have made. I can nit pick about how the last scene was totally pointless and some aspects of the plot make zero sense like that bit where that guy comes back as a zombie but no one else does, or why we need a giant face hugger thing. (although that thing was sweet lookin’) On the plus side I love the idea of having Michale Fassbender’s head in a bag. (I would take him everywhere, it’d be like two quirky roommates in a 1990’s sit com) Just go and see it for yourself, I am infected, and should be quarantined. I wanted this movie to blow my mind and disturb me beyond all comprehension, but what I got is a good movie that took things in an oddly religious direction and while I never like to say that a movie like this has a message Ridley Scott has more or less confirmed my suspicious () Ugh now I have to say messages in movies aren’t bad, and the twists aren’t bad and the characterization isn’t bad, but I wanted an aliens movie damnit! Those rarely have more than one twist and never bring up god. The moral kids? Don’t have expectations, don’t have hopes, don’t watch trailers, and don’t dream of what things could have been because the stuff you want them to be is probably shit as well. Go see it for yourself and help me understand what I’m missing because this movie just made me hungry instead of being the four course sex party that would leave me physically and emotionally drained. | https://www.scribd.com/doc/96727641/Prometheus | CC-MAIN-2017-09 | refinedweb | 1,149 | 73.31 |
other bitmap formats, for example PCX, which uses some compression for the image, and has the palette at the end of the file.
You should know what kind of bitmap file you're opening, and get the file format for that type of file. The format tells you what all the bits in the file mean.
So there is no direct answer to this question.
Something else: if you want to examine a bitstream (the bits in the image), you'll have to get them out of the bytes (chars, which are 8 bits wide). Use this routine to get the n'th bit out of a byte:
//get the n'th bit out of byte, n=0..7
bool GetBit(char byte, char n) {
return (byte >> n) & 1;
}
If you want to get the 38'th bit out of a bitstream, then skip 4 bytes (4 bytes * 8 = 32 bits) and then take the 3rd bit of the 4th byte (note that I count from 0: bit 0 is the first bit, byte 0 is the first byte).
Hope this helps :)
There are a multitude of ways to open up a file. It really depends on your programming environment. If you are a beginning C student, you may want to familiarize yourself with the 'standard' library functions available to all C operating system environments. The CreateFile function is a Win32 function that is specifically a Microsoft style function. A more generic counterpart is the fopen library command. Here's the sample code for it. It is drastically easier to use than the CreateFile/ReadFile counterparts.
/* FOPEN.C: This program opens files named "data"
* and "data2".It uses fclose to close "data" and
* _fcloseall to close all remaining files.
*/
#include <stdio.h>
FILE *stream, *stream2;
void main( void )
{
int numclosed;
/* Open for read (will fail if file "data" does not exist) */
if( (stream = fopen( "data", "r" )) == NULL )
printf( "The file 'data' was not opened\n" );
else
printf( "The file 'data' was opened\n" );
/* Open for write */
if( (stream2 = fopen( "data2", "w+" )) == NULL )
printf( "The file 'data2' was not opened\n" );
else
printf( "The file 'data2' was opened\n" );
/* Close stream */
if( fclose( stream ) )
printf( "The file 'data' was not closed\n" );
/* All other files are closed: */
numclosed = _fcloseall( );
printf( "Number of files closed by _fcloseall: %u\n", numclosed );
}
Take a look at any standard documentation for more info on it. Instead of ReadFile, use the standard fread.
Now for your quazi-bitmap. Use the fread function something like this...
fread( szCharBuffer, sizeof( char ), 10, fInputFile );
Good luck!
Phillip.
Ready to showcase your work, publish content or promote your business online? With Squarespace’s award-winning templates and 24/7 customer service, getting started is simple. Head to Squarespace.com and use offer code ‘EXPERTS’ to get 10% off your first purchase..
The part that is tripping me up, actually is determining the actual ones and zeros of the bitmap. I have successfully opened and read files using the functions mentioned in my question, but for characters and integers and the like. How do you determine the value of a single bit, rather than a byte?
Further clarification would be most helpful!
int main()
{
char test;
test = '5';
// int test = 5;
for(int i = 8 ;i >0;i--)
{
if ( GetBit( test, (i-1) ) )
cout << "1";
else
cout << "0";
}
return 0;
}
You are a GENIUS!! OK So far so good... You get an A. But before we accept this answer, we were hoping to squeeze a bit more information out of you! Heck, I'll even throw in 30 exra points if you answer this next part. (If you dont answer, I'll give you the A anyways, since it answered what we really needed about single bits.)
The next part of this question is about the bitmap. We are using Paint to scribble up some single bit, black and white simple-as-you-can-get bitmaps, 25 x 50 pixels in size. Now we understand there is a header with information about the file in here somewhere, but we are not sure if it is at the beginning of the file, ar at the end. Also, how large is the header? Is it a word in size? I also understand that the actual bits are read from the end of the file forward, how might I gain access to that info and get it read in the logical, left-to-right-top-to-botto
We just want to convert this bitmap to view as ascii ones and zeros so that we can examine the data contained in the bitmap. later, as we read more about bitmaps and palettes, we will attempt to get more complex with our analysis, but we are having a heck of a time just doing the single bit job! Any advice will be helpful! And thanks again to psdavis, and especially to forge!
About the .BMP format: you can find it on the internet, with a little work. I had found it for you and can send you the URL but i dont have the time at the moment.
The header is at the beginning, that's all i know. I believe it is 128 bytes in length. Then follows the palette, which has 2 entries in your case (2 color bitmap). Then follows the bitmap in windows style: the pixel at the top left of your screen is the last pixel in the bitmap. So what you do is you read the entire bitmap in an array ( unsigned char Buffer[25*50/8]; )
and then you write a 'GetPixel' routine to get you the n'th pixel:
bool GetPixel(int n, char * buffer, int imagesizeinbytes) {
return GetBit( buffer[imagesizeinbytes-n/
}
Or something like that. The first part (buffer[...]) gets the right byte (but is scanning backwards to correct for the stupid way windows saves BMP files) and calls the GetBit routine to get the right bit. Again, get the bit backwards: start counting at the highest bit.
You might be a bit or byte off here but i just wrote this from scratch in a big hurry coz i got class right now :)
Let me know if you can't figure anything out.
Greetz.
Follwing is the header information i was asking about. i found it on the internet as you suggested
typedef struct {
/*01*/ WORD bfType; // file type == 'BM'
/*02*/ DWORD bfSize; // size of file in bytes
/*03*/ WORD bfReserved1; // reserved
/*04*/ WORD bfReserved2; // reserved
/*05*/ DWORD bfOffBits; // byte offset where image begins
} BMP_FILEHEADER;
typedef struct {
/*06*/ DWORD biSize; // size of this header, 40 bytes
/*07*/ DWORD biWidth; // image width in pixels
/*08*/ DWORD biHeight; // image height in pixels
/*09*/ WORD biPlanes; // number of image planes (always one)
/*10*/ WORD biBitCount; // bits per pixel, 1,4,8 or 24
/*11*/ DWORD biCompression; // compression type
/*12*/ DWORD biSizeImage; // compressed size
/*13*/ DWORD biXPelsMeter; // x pixels per meter
/*14*/ DWORD biYPelsMeter; // y pixels per meter
/*15*/ DWORD biClrUsed; // number of colors in map
/*16*/ DWORD biClrImportant; // number of important colors
} BMP_INFOHEADER;
the bitmap information directly follows the file information, which begins at the the firstmost byte of the file. We are now able to access the image data at the offset (bfOffBits) and examine the info using your code for single bit editing! | https://www.experts-exchange.com/questions/10076591/Looking-at-the-guts-of-a-bitmap.html | CC-MAIN-2018-17 | refinedweb | 1,216 | 76.45 |
On Fri, May 21, 2010 at 20:23, Alasdair G Kergon <agk redhat com> wrote: > On Fri, May 21, 2010 at 03:55:21PM +0200, Kay Sievers wrote: >> On Fri, May 21, 2010 at 15:39, Nikanth Karthikesan <knikanth suse de> wrote: >> > On Friday 21 May 2010 18:41:38 Kay Sievers wrote: >> >> On Fri, May 21, 2010 at 13:51, Kay Sievers <kay sievers vrfy org> wrote: >> >> > On Fri, May 21, 2010 at 13:34, Alasdair G Kergon <agk redhat com> wrote: >> >> > >> >> > There is no harm to make a well-know device node static, it just >> >> > solves a lot of problems, and also makes it possible to work off of a >> >> > static /dev. > > Well until now we've tried to make everything possible treat device numbers as > dynamic, so I'd like to see some compelling logic behind the change. It's a well known single-instance device, and the static assignment solves a few problems with on-demand subsystem activation (which is the new fashion :)) and makes it possible to hide the compiled-in/modular issues we see, and have no proper solution for it. >> >> To illustrate: >> >> >> >> On my box without this patch: >> >> dmsetup version >> >> Library version: 1.02.42 (2010-01-14) >> >> /proc/misc: No entry for device-mapper found >> >> Is device-mapper driver missing from kernel? >> >> Failure to communicate with kernel device-mapper driver. > > (Curiously this is not an issue I remember anyone raising with me as a problem > before.) matter under discussion is what mechanism to use to load it automatically. > > The unique information is the module name so the mechanism should > ideally be tied directly to that. Anything wanting to use dm already > knows that name. The character device only becomes available later, > after the module is loaded, and userspace obtains it from /proc/misc. > > The modprobe mechanism is tied to the name, so we should really look for > a solution based on that in the first instance. > > A related matter - not yet mentioned or discussed between us - is how > the /dev/mapper/control node gets created and what it should be called, > as that name obviously goes against the udev standard of placing > everything in a flat /dev namespace with kernel-based names (so > something like '/dev/miscNNN' in this case) and creating symlinks from > the traditional filesystem locations like /dev/mapper/control.. > Currently tools (not libdevmapper) take responsibility for checking and > autoloading. E.g. lvm issues modprobes to autoload dm target modules. > (The kernel does also handle this but lvm doesn't use it because > it wants to know earlier that the operation would fail to avoid more > complex error-handling code.) | https://www.redhat.com/archives/dm-devel/2010-May/msg00124.html | CC-MAIN-2015-18 | refinedweb | 440 | 54.15 |
Django vs Flask
A practitioner's perspective
This analysis is a comparison of 2 python web frameworks, Flask and Django. It discusses their features and how their technical philosophies impact software developers. It is based on my experience using both, as well as time spent personally admiring both codebases.
Synopsis
Django is best suited for RDBMS-backed websites. Flask is good for corner cases that wouldn't benefit from Django's deep integration with RDBMS.
When using Flask, it's easy to miss the comforts a full-fledge framework provides. Django's extension community is more active. Django's ORM is superb. Flask developers will be forced to reinvent the wheel to catch up for things that'd be quick wins with Django.
Both excel at prototyping; getting an idea off the ground fast, and leave room for chiseling away fine-grain details after. Python makes both a joy to work with.
Similarities
Request object
Information of user's client request to server
flask.Request and
django.http.HttpRequest
URL routing
Routes HTTP requests (GET, POST, PUT, UPDATE), data payload, and URL path
Django's routing and Flask's routing
Views
Invoked when a request matches URL pattern and receives request object
Django's views and Flask's views
Class-based: django and flask
Context information
Passed into HTML template for processing.
django.template.Template.render() (pass
dict into
django.template.Context object)
flask.render_template() (accepts
dict)
HTML template engine
Renders template via context information.
Django's templating and Flask's templating
Response object
Object with HTTP meta information and content to send to the browser.
django.http.HttpResponse and
flask.Response
Static file-handling
Handles static files like CSS, JS assets, and downloads.
Static files in django and Static files in Flask
The Django Web Framework
Today, Django is built and maintained by the open source community. The initial release was July 21, 2005, by Lawrence Journal-World.
What Django provides
- Template Engine
- Filters
- Context processor middleware (global, per-request
dict-like object passed into templates)
- ORM
QuerySet(reuseable object used in ORM-backed features)
- Migrations
- Raw Queries
- Forms
- Fields
- Widgets
- Model Forms (ORM-backed forms)
- Views
- Class-based views
DetailView,
ListView(ORM-backed views)
- URL routing
- Administration web interface (ORM-backed CRUD backend)
- Authentication
- Caching
- Multi-tenancy via domain
- Modularity via Apps
- Settings, configurable via
DJANGO_SETTINGS_MODULE
- Command system
- Shell with automatic integration of bpython and ipython, if detected
- Launch DB command-line client (psql, mysql, sqlite3, sqlplus) based on engine configuration in settings.
- Custom commands
- Static file support
Extending Django
Django has a vibrant third-party development community. Apps are
installed via appending them to the
INSTALLED_APPS in the settings.
Popular Django extensions include:
- REST: Django REST Framework, aka "DRF"
- Permissions: django-guardian
- Asset pipelines: django-compressor, django-webpack-loader
- Debugging, Miscellaneous: django-extensions, django-debug-toolbar
- Filtering / Search: django-filter
- Tabular / paginated output of db: django-tables2
Django extension project names tend to be prefixed django- and lowercase.
Customizing Django
Eventually the included forms, fields and class-based views included in Django aren't going to be enough.
Django's scope
Django is a framework. The aspects django occupies are:
- mapping database schemas, their queries, and query results to objects
- mapping URL patterns to views containing business logic
- providing request information such as GET, PUT, and session stuff to views
HttpRequest
- presenting data, including HTML templates and
JSON(
HttpResponse)
- environmental configuration (settings) and an environment variables (
DJANGO_SETTINGS_MODULE) e.g. dev, staging, prod workflows
A tool kit of libraries that abstract the monotony of common tasks in web projects.
If it's difficult to visualize a web app in terms of its database schema and WordPress or Drupal would suffice, Django may not be the strongest pick for that.
Where a CMS will automatically provide a web admin to post content, toggle plugins and settings, and even allow user registration and comments, Django leaves you building blocks of components you customize to the situation. Programming is required.
Django's programming language, python, also gives it a big boost.
Django uses classes right
While python isn't statically typed, its inheritance hierarchy is very straight-forward and navigable.
Code Editors
Free tools in the community such as jedi provide navigation of modules, functions and classes to editors like vim, Visual Studio Code and Atom.
Python classes benefit from many real-world examples being available in the open source community to study. They're a pleasure incorporating in your code. An example for django would be class-based views which shipped in Django 1.3.
OOP + Python
For those seeking a good example of OOP in Python, in addition to class-based views, Django is a sweeping resource. It abstracts out HTTP requests and responses, as well as SQL dialects in a class hierarchy.
See my answer on HN for Ask HN: How often do you use inheritance?
Stretching the batteries
Django isn't preventing custom solutions. It provides a couple of frameworks which complement each other and handles initializing the frameworks being used via project's settings. If a project doesn't leverage a component Django provides, it stays out of the way.
Let's try a few examples of how flexible Django is.
Scenario 1: Displaying a user profile on a website.
URL pattern is
r"^profile/(?P<pk>\d+)/$", e.g. /profile/1
Let's begin by using the simplest view possible, and map directly to a
function, grab the user model via
get_user_model:
from django.contrib.auth import get_user_model from django.http import HttpResponse def user_profile(request, **kwargs): User = get_user_model() user = User.objects.get(pk=kwargs['pk']) html = "<html><body>Full Name: %s.</body></html>" % user.get_full_name() return HttpResponse(html)
urls.py:
from django.conf.urls import url from .views import user_profile urlpatterns = [ url(r'^profile/(?P<pk>\d+)/$', user_profile), ]
So where does the
request, **kwargs in
user_profile come from?
Django injects the user's request and any URL group pattern matches to
views when the user visits a page matching a URL pattern.
HttpRequestis passed into the view as
request.
Since the URL pattern,
r'^profile/(?P<pk>\d+)/$', contains a named group,
pk, that will be passed via Keyword arguments
**kwargs.
If it was
r'^profile/(\d+)/$', it'd be passed in as
tupleargument into the
*argparameter.
Arguments and Parameters
Learn the difference between arguments and parameters
Bring in a high-level view:
Django has an opinionated flow and a shortcut for this. By using the
named regular expression group
pk, there is a class that will
automatically return an object for that key.
So, it looks like a
DetailView is
best suited. We only want to get information on one core object.
Easy enough,
get_object()'s
default behavior grabs the PK:
from django.contrib.auth import get_user_model from django.views.generic.detail import DetailView class UserProfile(DetailView): model = get_user_model()
urls.py:
from django.conf.urls import url from .views import UserProfile urlpatterns = [ url(r'^profile/(?P<pk>\d+)/$', UserProfile.as_view()), ]
Append
View.as_view to routes using
class-based views.
If profile/1 is missing a template, accessing the page displays an error:
django.template.exceptions.TemplateDoesNotExist: core/myuser_detail.html
The file location and name depends on the app name and model name.
Create a new template in the location after
TemplateDoesNotExist in any of the projects
templates/ directories.
In this circumstance, it needs core/myuser_detail.html. Let's use the app's template directory. So inside core/templates/core/myuser_detail.html, make a file with this HTML:
<html><body>Full name: {{ object.get_full_name }}</body></html>
Custom template paths can be specified via punching out
TemplateResponseMixin.template_name
in the view.
That works in any descendent of
TemplateView or class mixing in
TemplateResponseMixin.
Note
Django doesn't require using
DetailView.
A plain-old
View could work. Or a
TemplateView if there's an HTML
template.
As seen above, there are function views.
These creature comforts were put into Django because they represent bread and butter cases. It makes additional sense when factoring in REST.
Harder: Getting the user by a username
Next, let's try usernames instead of user ID's, /profile/yourusername. In the views file:
from django.contrib.auth import get_user_model from django.http import HttpResponse def user_profile(request, **kwargs): User = get_user_model() user = User.objects.get(username=kwargs['username']) html = "<html><body>Full Name: %s.</body></html>" % user.get_full_name() return HttpResponse(html)
urls.py:
from django.conf.urls import url from .views import user_profile urlpatterns = [ url(r'^profile/(?P<pk>\w+)/$', user_profile), ]
Notice how we switched the regex to use
\w for alphanumeric character
and the underscore. Equivalent to
[a-zA-Z0-9_].
For the class-based view, the template stays the same. View has an addition:
class UserProfile(DetailView): model = get_user_model() slug_field = 'username'
urls.py:
urlpatterns = [ url(r'^profile/(?P<slug>\w+)/$', UserProfile.as_view()), ]
Another "shortcut"
DetailView provides; a slug. It's derived from
SingleObjectMixin. Since the url
pattern has a named group, i.e.
(?P<slug>\w+) as opposed to
(\w+).
But, let's say the named group "slug" doesn't convey enough meaning. We want to be accurate to what it is, a username:
urlpatterns = [ url(r'^profile/(?P<username>\w+)/$', UserProfile.as_view()), ]
We can specify a
slug_url_kwarg:
class UserProfile(DetailView): model = get_user_model() slug_field = 'username' slug_url_kwarg = 'username'
Make it trickier: User's logged in profile
If a user is logged in, /profile should take them to their user page.
So a pattern of
r"^profile/$", in
urls.py:
urlpatterns = [ url(r'^profile/$', UserProfile.as_view()), ]
Since there's no way to pull up the user's ID from the URL, we need to pull their authentication info to get that profile.
Django thought about that. Django can attach the user's information to
the
HttpRequest so the view can use it. Via
user.
In the project's
settings, add
AuthenticationMiddleware to
MIDDLEWARE:
MIDDLEWARE = [ # ... other middleware 'django.contrib.auth.middleware.AuthenticationMiddleware', ]
In the view file, using the same template:
class UserProfile(DetailView): def get_object(self): return self.request.user
This overrides
get_object() to
pull the
User right out of the
request.
This page only will work if logged in, so let's use
@login_required, in
urls.py:
from django.contrib.auth.decorators import login_required urlpatterns = [ url(r'^profile/$', login_required(UserProfile.as_view())), ]
That will assure only logged-in users can view the page. It will also send the user to a login form which forward them back to the page after login.
Even with high-level reuseable components, there's a lot of versatility and tweaking oppurtunities. This saves time from hacking up solution for common cases. Reducing bugs, making code uniform, and freeing up time for the stuff that will be more specialized.
Retrofit the batteries
Relying on the django's components, such as views and forms, gives developers certainty things will behave with certainty. When customizations needs to happen, it's helpful to see if subclassing a widget or form field would do the trick. This assures the new custom components gets the validation, form state-awareness, and template output of the form framework.
Configuring Django
Django's settings are stored in a python file. This means that the Django configuration can include any python code, including accessing environment variables, importing other modules, checking if a file exists, lists, tuples, arrays, and dicts.
Django relies on an environment
variable,
DJANGO_SETTINGS_MODULE, to load a module of setting
information.
Settings are a lazily-loaded singleton object:
When an attribute of
django.conf.settingsis accessed, it will do a onetime "setup". The section Django's initialization shows there's a few ways settings get configured.
Singleton, meaning that it can be imported from throughout the application code and still retrieve the same instance of the object.
Reminder
Sometimes global interpreter locks and thread safety are brought up when discussing languages. Web admin interfaces and JSON API's aren't CPU bound. Most web problems are I/O bound.
In other words, issues websites face when scaling are concurrency related. In practice, it's not even limited to the dichotomy of concurrency and parallelism: Websites scale by offloading to infrastructure such as reverse proxies, task queues (e.g. Celery, RQ), and replicated databases. Computational heavy backend services are done elsewhere and use different tools (kafka, hadoop, spark, Elasticsearch, etc).
Django uses
importlib.import_module() to turn a string into a
module. It's kind of like an
eval, but strictly
for importing.
It happens
here.
It's available as an environmental variable as projects commonly have multiple settings files. For instance, a base settings file, then other files for local, development, staging, and production. Those 3 will have different database configurations. Production will likely have heavy caching.
To access settings attributes application-wide, import the settings:
from django.conf import settings
From there, attributes can be accessed:
print(settings.DATABASES)
Virtual environments and site packages
When developing via a shell, not being sourced into a virtual enviroment could lead to a settings module (and probably the django package itself) not being found.
The same applies to UWSGI configurations, similar symptoms will arise
when deploying. This can be done via the
virtualenv option.
This is the single biggest learning barrier python has. It will be a hindrance every step of the way until the concept is internalized.
Django's intialization
Django's initialization is complicated. However, its complexity is proportional to what's required to do the job.
As seen in configuring django, the settings are loaded as a side-effect of accessing the setting object.
In addition to that, django maintains an application registry,
apps, also a singleton. It's populated via
setup().
Finding and loading the settings requires an environmental variable is
set. Django's generated
manage.py will set a default one if its
unspecified.
via command-line / manage.py (development)
User runs
./manage.py(including arguments, e.g.
$ ./manage.py collectstatic
settingsare lazily loaded upon import of
execute_from_command_lineof
django.core.management.
Accessing an attribute of
settings(e.g.
if settings.configured) implicitly imports the settings module's information.
execute_from_command_line()accepts
sys.argvand passes them to initialize
ManagementUtility
ManagementUtility.execute()(source) pulls a settings attribute for the first time, invokes
django:django.setup(populating the app registry)
ManagementUtility.execute()directs
sys.argvcommand to the appropriate app functions. A list of commands are cached. In addition, these are hard-coded:
- autocompletion
runserver
- help output (
In addition, upon running, commands will run system checks (since Django 1.7). Any command inheriting from
BaseCommandruns checks implicitly.
$ ./manage.py checkwill run checks explicitly.
via WSGI (server)
- Point WSGI server wrapper (e.g. UWSGI) to wsgi.py generated by Django
wsgi.pywill run get_wsgi_application()
django.setup()
- Serves WSGI-compatible response
The Flask Microframework
Flask is also built and maintained in the open source community. The project, as well as its dependencies, Jinja2 and Werkzeug, are Pallets projects. The creator of the software itself is Armin Ronacher. Initial release April 1, 2010.
What Flask provides
- Template system via Jinja2
- URL routing via Werkzeug
- Modularity via blueprints
- In-browser REPL-powered tracebook debugging via Werkzeug's
- Static file handling
Extending Flask
Since Flask doesn't include things like an ORM, authentication and access control, it's up to the user to include libraries to handle those a la carte.
Popular Flask extensions include:
- Database: Flask-SQLAlchemy
- REST: Flask-RESTful (flask-restful-swagger), Flask API
- Admins: Flask-AdminFlask-SuperAdmin
- Auth: Flask-Login, Flask-Security
- Asset Pipeline: Flask-Assets, Flask-Webpack
- Commands: Flask-Script
Flask extension project names tend to be prefixed Flask-, PascalCase, with the first letter of words uppercase.
Used with flask, but not flask-specific (could be used in normal scripts):
- Social authentication: authomatic, python-social-auth
- Forms: WTForms
- RDBMS: SQLAlchemy, peewee
- Mongo: MongoEngine
For more, see awesome-flask on github.
Configuring Flask
Configuration is typically added after
Flask object is
initialized. No server is running at this point:
app = Flask(__name__)
After initialization, configuration available via a
dict-like
attribute via the
Flask.config.
Only uppercase values are stored in the config.
There are a few ways to set configuration options.
dict.update():
app.config.update(KEYWORD0='value0', KEYWORD1='value1')
For the future examples, let's assume this:
- website/ - __init__.py - app.py - config/ - __init__.py - dev.py
Inside
website/config/dev.py:
class DevConfig(object): DEBUG = True TESTING = True DATABASE_URL = 'sqlite://:memory:'
Creating a class and pointing to it via
flask.Config.from_object
also works:
from .config.dev import DevConfig app.config.from_object(DevConfig)
Another option with
from_object() is a string of the config object's
location:
app.config.from_object('website.config.dev.DevConfig')
In addition, it'll work with modules (django's style of storing
settings). For
website/config/dev.py:
DEBUG = True TESTING = True DATABASE_URL = 'sqlite://:memory:'
Then:
app.config.from_object('website.config.dev')
So, this sounds strange, but as of Flask 1.12, that's all there is regarding importing classes/modules. The rest is all importing python files.
To import an object (module or class) from an environmental variable, do something like:
app.config.from_object(os.environ.get('FLASK_MODULE', 'web.conf.default'))
flask.Config.from_envvar() is spiritually similar to
DJANGO_SETTINGS_MODULE, but looks can be deceiving.
The environmental variable set points to a file, which is interpreted like a module.
Tangent: Confusion with configs
Despite the pythonic use of
flask.Config.from_object() and the
pattern using
classes to store configs for
dev/prod setups in official documentation, and the abundance of string
to python object importation utilities, environmental variables in Flask
don't point to a class, but to files which are interpreted as modules.
There's a potential Chesterton's
Fence
issue also. I made an issue about it to document
my observations. The
maintainer's
response
was they're enhancing the
FLASK_APP environmental variable to
specify an application factory with arbitrary
arguments.)
In the writer's opinion, an API-centric framework like flask introducing
the
FLASK_APP variable exacerbates the aforementioned confusion. Why
add
FLASK_APP when
from_envvar() is available? Why
not allow
pointing to a config object and leveraging what flask already has and exemplifies in its documentation?
It's already de facto in the flask community to point to modules and classes when apps bootstrap. There's a reason for that. Maintainer's should harken back on using the tools and gears that originally earned flask its respect. In microframeworks, nonorthogonality sticks out like a sore thumb.
Assuming
website/config/dev.py:
DEBUG = True TESTING = True DATABASE_URL = 'sqlite://:memory:'
Let's apply a configuration from an environmental variable:
app.config.from_envvars('FLASK_CONFIG')
FLASK_CONFIG should map to a python file:
export FLASK_CONFIG=website/config/dev.py
Here's where Flask's configurations aren't so orthogonal. There's also a
flask.Config.from_pyfile():
app.config.from_pyfile('website/config/dev.py')
Flask's Initialization
Flask's initiation is different then Django's.
Before any server is started, the
Flask object must be
initialized. The
Flask object acts a registry URL mappings, view
callback code (business logic), hooks, and other configuration data.
The
Flask object only requires one argument to initialize, the
so-called
import_name parameter. This is used as a way to identify
what belongs to your application. For more information on this
parameter, see About the First Parameter on the
Flask API documentation
page:
from flask import Flask app = Flask('myappname')
Above:
app, an instantiated
Flask object. No server or configuration
present (yet).
Dissecting the
Flask object
During the initialization, the
Flask object hollowed out
python:dict
and
python:list attributes to store "hook" functions, such as:
error_handler_spec
url_build_error_handlers
before_request_funcs
before_first_request_funcs
after_request_funcs
teardown_request_funcs
url_value_preprocessors
url_default_functions
template_context_processors
shell_context_processors
See a pattern above? They're all function callbacks that are triggered
upon events occuring.
template_context_processors seems a lot like
Django's context
processor
middleware.
blueprints: blueprints
extensions: extensions
url_map: url mappings
view_functions: view callbacks
So why list these? Situational awareness is a key matter when using a micro framework. Understanding what happens under the hood ensures confidence the application is handled by the developer, not the other way around.
Hooking in views
The application object is instantiated relatively early because it's used to decorate views.
Still, at this point, you don't have a server running yet. Just a
Flask object. Most examples will show the object instantiated as
app, you can of course use any name.
from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'Hello, World'
The
flask.Flask.route() decorator is just a fancy way of doing
flask.Flask.add_url_rule():
from flask import Flask app = Flask(__name__) def hello_world(): return 'Hello, World' app.add_url_rule('/', 'hello_world', hello_world)
Configure the Flask object
Here's an interesting one: Generally configuration isn't added until after the after initializing the Python object.
You could make a function to act as a factory/bootstrapper for flask objects. There's nothing magical here, nothing's tying you down - it's python. Unlike with django, which controls initialization, a Flask project has to handle minutiae of initialization on its own.
In this situation, let's wrap it in a pure function:
from flask import Flask class DevConfig(object): DEBUG = True TESTING = True DATABASE_URL = 'sqlite://:memory:' def get_app(): app = Flask(__name__) app.config.from_object(DevConfig) return app
Start Flask web server
if __name__ == '__main__': app = get_app() app.run()
See
flask.Flask.run.
Flask and Databases
Unlike Django, Flask doesn't tie project's to a database.
There's no rules saying a Flask app has to connect to a database. It's python, flask could used to make a proxy/abstraction of a thirdparty REST API. Or a quick web front-end to a pure-python program. Another possiblity, generating a purely static website with no SQL backend a la NPR.
If a website is using RDBMS, which is often true, a popular choice is SQLAlchemy. Flask-SQLAlchemy helps assist in gluing them together.
SQLAlchemy is mature (a decade older than this writing), battle-tested with a massive test suite, dialects for many SQL solutions. It also provides something called "core" underneath the hood that allows building SQL queries via python objects.
SQLAlchemy is also active. Innovation keeps happening. The change log keeps showing good things happening. Like Django's ORM, SQLAlchemy's documentation is top notch. Not to mention, Alembic, a project by the same author, harnesses SQLAlchemy to power migrations.
Interpretations
Software development best practices form over time. Decisions should be made by those with familiarity with their product or service's needs.
Over the last 10 years, the fundamentals of web projects haven't shifted. None of Rails' or Django's MVC workflows were thrown out the window. On the contrary, they thrived. At the end of the day, the basics still boils down to JSON, HTML templates, CSS, and JS assets.
Flask is pure, easy to master, but can lend to reinventing the wheel
Flask is meant to stay out of the way and put the developer into
control. Even over things as granular as piecing together the
Flask
object, registering blueprints and starting the web server.
The API is, much like this website, is documented using sphinx. The reference will become a goto. To add to it, a smaller codebase means a developer can realistically wrap their brain around the internals.
Developers that find implicit behavior to be a hindrance and thrive in explicitness will feel comfortable using Flask.
However, this comes at the cost of omitting niceties many web projects would actually find helpful, not an encumbrance. It'll also leave developer's relying on third party extensions. To think of a few that'd come up for many:
What about authentication?
There's no way to store the users. So grab SQLAlchemy, peewee, or MongoEngine. There's the database back-end.
Now to building the user schema. Should the website accept email addresses as usernames? What about password hashing? Maybe Flask-Security or Flask-Login will do here.
Meanwhile, Django would have the ORM, User Model, authentication decorators for views, and login forms, with database-backed validation. And it's pluggable and templated.
What about JSON and REST?
If it involves a database backend, that still has to be done (like above). To help Flask projects along, there are solutions like Flask API (inspired by Django Rest Framework) and Flask-RESTful
Flask's extension community chugs, while Django's synergy seems unstoppable
That isn't to say Flask has no extension community. It does. But it lacks the cohesion and comprehensiveness of Django's. Even in cases where there are extensions, there will be corner cases where features are just missing.
For instance, without an authentical and permissions system, it's difficult to create an OAuth token system to grant time-block'd permissions to slices of data to make available. Stuff available for free with django-rest-framework's django-guardian integration, which benefit from both Django's ORM and its permission system, in many cases aren't covered by the contrib community at all. This is dicussed in greater detail in open source momentum.
Django is comprehensive, solid, active, customizable, and robust
A deep notion of customizability and using subclassed Field, Forms, Class Based Views, and so on to suit situations.
The components django provided complement each other.
Rather than dragging in hard-requirements, nothing forces you to:
- use the Form framework
- if using the Form framework, to:
- back forms with models (ModelForm)
- output the form via
as_p(),
as_table(), or
as_ul()
- use class-based views
- use a specific class-based view
- if using a class-based view, fully implement every method of a specialized-view
- use django's builtin User model
Above are just a few examples, but Django doesn't strap projects into using every battery.
That said, the
QuerySet object plays a
huge role in catalyzing the momentum django provides. It provides easy
database-backed form validations, simple object retrieval with views,
and code readability. It's even utilized downstream by extensions like
django-filters and django-tables2. These two plugins don't even know
about each other, but since they both operate using the same database
object, you can use django-filter's filter options to facet and search
results that are produced by django-tables2.
Open source momentum
Flask, as a microframework, is relatively dormant from a feature standpoint. Its scope is well-defined.
Flask isn't getting bloated. Recent pull requests seem to be on tweaking and refining facilities that are already present.
It's not about stars, or commits, or contributor count. It's about features and support niceties that can be articulated in change logs.
Even then though, it's hard to put things into proportion. Flask includes Werkzeug and Jinja2 as hard dependencies. They run as independent projects (i.e. their own issue trackers), under the pallets organization.
Django wants to handle everything on the web backend. Everything fits together. And it needs to, because it's a framework. Or a framework of frameworks. Since it covers so much ground, let's try once again to put it into proportion, against Flask:
There are also feature requests that come in, often driven by need of the web development community, and things that otherwise wouldn't be considered for Flask or Flask extension. Which kind of hurts open source, because there's code that could be reuseable being written, but not worth the effort to make an extension for. So there are snippets for that.
And in a language like Python where packages, modules, and duck typing rule, I feel snippets, while laudable, are doomed to fall short keeping in check perpetual recreation of patterns someone else done. Not to mention, snippets don't have CI, nor versioning, nor issue trackers (maybe a comment thread).
By not having a united front, the oppurtunity for synergetic efforts that bridge across extensions (a la Django ORM, Alchemy, DRF, and django-guardian) fail to materialize, creating extensions that are porous. This leaves devs to fill in the blanks for all-inclusive functionality that'd already be working had they just picked a different tool for the job.
Conclusion
We've covered Flask and Django, their philosophies, their API's, and juxtaposed those against the writer's personal experiences in production and open source. The article included links to specific API's across a few python libraries, documentation sections, and project homepages. Together, they should prove fruitful in this being a resource to come back to.
Flask is great for a quick web app, particularly for a python script to build a web front-end for.
If already using SQLAlchemy models, it's possible to get them working with a Flask application with little work. With Flask, things feel in control.
However, once relational databases come into play, Flask enters a cycle of diminishing returns. Before long, projects will be dealing with forms, REST endpoints and other things that are all best represented via a declarative model with types. The exact stance Django's applications take from the beginning.
There's an informal perception that Batteries included may mean a growing list of ill-maintained API's that get hooked into every request. In the case of Django, everything works across the board. When an internal Django API changes, Django's testsuites to break and the appropriate changes are made. So stuff integrates. This is something that's harder to do when there's a lot of packages from different authors who have to wait for fixes to be released in Flask's ecosystem.
And if things change. I look forward to it. Despite Flask missing out on Django's synergy, it is still a mighty, mighty microframework.
Bonus: Cookiecutter template for Flask projects
Since I still use Flask. I maintain a cookiecutter template project for it.
This cookiecutter project will create a core application object that can load Flask blueprints via a declarative YAML or JSON configuration.
Feel free to use it as a sample project. In terminal:
$ pip install --user cookiecutter $ cookiecutter $ cd ./path-to-project $ virtualenv .env && . .env/bin/activate $ pip install -r requirements.txt $ ./manage.py
Bonus: How do I learn Django or Flask?
Preparation
- Understand how python virtual environments and
PATH's work:
- Real Python's tutorial on virtualenvs.
- Check out my book The Tao of tmux available online free for some good coverage of the terminal.
- For learning python, here are some free books:
- Grab Django's documentation PDF and Flask's documentation PDF. Read it on a smart phone or keep it open in a PDF reader.
- Get in the habit of reading python docs on ReadTheDocs.org, a documentation hosting website.
Developing
Make a hobby website in django or flask.
Services like Heroku are free to try, and simple to deploy Django websites to.
For more free hosting options see ripienaar/free-for-dev.
DigitalOcean plans start at $5/mo per instance. Supports FreeBSD with ZFS.
Bookmark and study to this article to get the latest on differences between Django and Flask. While it's a comparison, it'll be helpful in curating the API and extension universe they have.
For free editors, check out good old vim + python-mode, Visual Studio Code, Atom, or PyCharm | https://devel.tech/features/django-vs-flask | CC-MAIN-2021-43 | refinedweb | 5,169 | 50.23 |
communicating between two seam applicationskoen handekyn Sep 4, 2007 8:38 AM
what is the best approach to communicate between 2 or more seam applications ?
as an example, the first application provides a set of basic services to be used by other applications.
i'm currently playing with a JNDI lookup approach. i'm having classloading issues however. to solve it i configured the two applications to use the samen classloader namespace but this is propr. to jboss.
what is a good way to setup the two applications to avoid classloading issues. where do you put the shared local and/or remote interfaces?
thanx
koen handekyn
1. Re: communicating between two seam applicationsNorman Richards Sep 4, 2007 3:47 PM (in response to koen handekyn)
Are you experiencing classloader issues the way you are doing it now, or are you just concerned about non-portability by using JBoss-specific configuration?
2. Re: communicating between two seam applicationskoen handekyn Sep 4, 2007 6:41 PM (in response to koen handekyn)
i have the classloading issues fixed, but had to do this in a jboss specific way.
i was wondering if there is an elegent and standardized approach.
for other readers info : i have the different ears configured with the same jboss-app.xml loader-repository configuration (which makes jboss 4.2.0 load the ears in the same classloader namespace)
<jboss-app>
<loader-repository>
seam.jboss.org:loader=up
</loader-repository>
</jboss-app>
3. Re: communicating between two seam applicationskoen handekyn Sep 4, 2007 6:53 PM (in response to koen handekyn)
the fundamental question is in fact a question of granularity
my application (as many do prob) exists out of a collection of 'modules' (jars), a group of classes that together offer a more or less independent service.
i could put alle the modules (jars) inside one big ear and avoid inter ear communication but that reduces (hot) redeployment options and has a negative impact on my development cycle.
ideally i would have OSGi like possibilities to load jars dynamically and control very specifically which interfaces they expose to the outside world
i have been wondering about the role of JMX. however, at this time there is not yet a link between JMX services and/or SEAM components and/or SF or SL session beans.
4. Re: communicating between two seam applicationsNorman Richards Sep 5, 2007 3:36 PM (in response to koen handekyn)
There really isn't a standard way to share classloaders between applications. For remote beans, you need the interfaces from app2 in app1 and the interfaces from app1 in app2. I don't know what other app servers offer to provide the equivalent of a shared-named repository.
If you are sharing classloaders, there's really no reason not to use one big ear instead. If you hot deploy app1 you nearly always need to hot deploy app2 also to avoid classloader issues. Why not bundle in one big ear and force yourself to do the right thing on redeploy? The alternative, in jboss, is to extract common classes to a third app. app1 and app2 can be safely separately redeployed. If the common classes change then both app1 and app2 should be redeployed.
No, we don't really have a link to JMX MBeans. You probably don't want direct app to mbean communication for the most part. Generally you want your MBeans to manage services that are exposed through JNDI or some other communications mechanism. In either case @Factory and @Unwrap are probably your best bets for exposing these services to Seam.
5. Re: communicating between two seam applicationskoen handekyn Sep 6, 2007 3:20 AM (in response to koen handekyn)
thanx for your very clear answer.
i have worked with OSGi in the past. i still feel that it could be a great enhancement to application servers to provide dynamic loading and a controlled and fine grained 'exposure' mechanism.
but it's def. not something you introduce in an infrastructure like jboss in a short time :)
kind regards
koen
6. Re: communicating between two seam applicationsGerhard Balthasar Sep 7, 2007 7:44 PM (in response to koen handekyn)
Well, at office we're are devolping two Enterprise Applicationa, one with plain EJB3 and one with Seam. Communication between both apps is done via WebServices which works very well for us (despite of unicode problems with JBossWS before patching)
Only thing I ran into problems is when both apps are deployed on the same server (there have been issues with class-level isolation and quartz imho). I didn't investigate further because we do not have the requirement to let both apps run on same JBoss.
Did not try multiple Seam apps on one server by now, but possibly in near future. Never say never...
Greetz GHad | https://developer.jboss.org/message/483651 | CC-MAIN-2018-43 | refinedweb | 803 | 53 |
():
I’m using the Freedom KL25Z board with the CodeWarrior for MCU 10.3 and gcc build tools. But steps are generic for any board and tool chains.
ANSI Library and printf()
The first thing to know about printf() is that ANSI specifies what it should do in terms of accepted arguments and formating, but does not specify how to send/receive the character stream, because the underlying hardware can be very different: which SCI/COM/UART used, which baud, which communication settings/etc. As such, a typical library implementation as in CodeWarrior comes with the implementation of the printf() functionality itself, but *without* the low-level UART implemenation. That low-level UART implementation and support is part of the application, not the library.
Low Level UART Support
In order for printf() to print things to a UART, it depends on low-level UART functions and settings. Basically it needs this functionality (function names are generic):
- read_console(): reading characters from the console.
- write_console(): writing characters to the console.
- open_console(): opening and initializing the console. This includes register initialization, baud settings and allocation of buffers.
- close_console(): the counterpart of open_console() to free up the port and memory.
Creating the project
💡 I’m using here Processor Expert. But if you do not like it, or if you want to go without it: either copy the code or do the same thing without it (but then you need to read the microcontroller manual in much more details).
I create a new project with File > New > Bareboard Project. I give a project name, specify the microcontroller, select the connection, and then there is this dialog which asks me about I/O support:
The important thing to know about this I/O support is: it does not add the low-level UART functionality (because it does not know which port/UART/baud/etc). What it does is it will configure to use the correct library in the build tool settings.
💡 If you decide not to use Processor Expert, then you need to copy/paste or create the needed low-level I/O functions. Best if you start with a Processor Expert working version, and then copy/paste things.
EWL Library Settings
So really what the above option does: it sets the library used in the project settings. CodeWarrior offers different libraries, where EWL is the default (EWL = Embedded Warrior Libraries). The EWL are a more optimized and right library for embedded systems. Below you see the different library selections depending on what you have selected in the wizard (so you can easily change this after the project is created):
Using printf()
Time to try it out e.g. in main():
#include <stdio.h> ... for(;;) { printf("hello world!\r\n"); } ...
❗ I always make sure that I have <stdio.h> included if using printf().
But building it, I will have several errors:
So this is to my point from above: the Low Level UART Support is missing.
Adding Low Level UART Support
The simplest thing is to use Processor Expert:
💡 if not using Processor Expert: have a look in C:\Freescale\CW MCU v10.3\MCU\ARM_GCC_Support\UART for example implementations not using Processor Expert
For this I add the ConsoleIO component from the Processor Expert Components Library view to the project:
💡 right-click and ‘Add to Project’ or double-click to add it to the project.
Configuring ConsoleIO
The component shows up with errors because I need to configure it first:
I select the Serial_LDD and open the inspector for it (right-click on it and select ‘Inspector’). As I want to use the OpenSDA CDC, I configure it to use UART0 with 38400 baud using PTA1 and PTA2:
Now the errors are resolved, and I can generate code:
💡 To see what code has been generated, double click on the ConsoleIO and Serial_LDD.
Building the project is now fine too: and with no errors.
💡 If things are not working: Verify your UART settings are correct, and that OpenSDA CDC is working properly. Unplugging and plugging the USB port might help for when the USB port is stuck on the host.
Downloading it to the target and running it should show now some text on the terminal:
Summary
Printf() and the likes need low-level UART drivers. An easy way is to have it provided by Processor Expert. If not using Processor Expert, then Processor Expert can be used as a base for copy-pasting the code, or the examples provided in CodeWarrior can be used.
Just be aware that printf() usually adds a lot overhead to the application, and is a common source of stack and buffer overflow. So use it carefully 😉
Happy Printf-ing 🙂
Hi, in your tutorial of LCD, you put this code:
for(;;) {
uint8_t cnt;
uint8_t buf[5];
LCD1_GotoXY(2,1);
UTIL1_Num16uToStr(buf, sizeof(buf), cnt);
LCD1_WriteString((char*)buf);
cnt++;
WAIT1_Waitms(100);
}
How I should write the line code for sending the string data by “Printf()”?
Hi, not sure if I understand what you want to accomplish? If you want to write to the LCD using printf(), I think this is not a good idea. Possible, but then you need to write a wrapper for the LCD (dealing with string length, \n conversion, etc). I would not do it that way. If you want to use printf() like things, then use sprintf(), write to a buffer and then send it to the LCD with the LCD1_WriteString().
If you want to use normal printf() to write to a console, then see.
Hi, I mean to do both things:Write toward LCD (withouth fprintf() ), and send the same string (which I am sendign to the LCD) using fprintf toward the console.
Hello, I simply would add a second call with printf() which writes the text to the console. As simple as that?
I have tried this:
for(;;) {
uint8_t cnt;
uint8_t buf[5];
LCD1_GotoXY(2,1);
UTIL1_Num16uToStr(buf, sizeof(buf), cnt);
LCD1_WriteString((char*)buf);
// printf(buf);
// printf(*buf);
cnt++;
WAIT1_Waitms(100);
}
(but without the “//”). I have errors.
Hello,
You need to add the library option and low level UART support. See.
And: printf(*buf) will not work. And depending on what you have in your string, using printf(buf) will be dangerous too. Better use printf(“%s”, buf);
Pingback: Be Aware of the Baud Problem | MCU on Eclipse
Pingback: printf() with the FRDM-KL25Z Board and without Processor Expert | MCU on Eclipse
Hello Erich,
I’m with problems to use other serial ports besides the PTA1 and PTA2.
Indeed, i used this ports and the SD Card, but i couldn’t inlcude a serial communication in PTC3 and PTC4 in this project (didnt work).
I dont know why, but, the PTC3 and PTC4 worked well without the SD card.
Do you know why this happens ? In some projects sometimes i can use others ports (e.g. PTE0 and PTE1), in others dont.. this doesn’t make sense to me
Hi Thiago,
this is really hard to guess: I recommend you use a logic analyzer to see what is going on with you pins?
Hi, I would like to use my KL25Z to display in the terminal an input from other device. In the user manual I read the following: “The primary serial port interface signals are PTA1 and PTA2. These signals are connected to both the OpenSDA and to the J1 I/O connector. ” So I think I just have to connect the RX and TX from my other device to the TX and RX respectively to my KL25Z and join the GND of course. But how could I print the received data to the console? Thanks in advance.
If you are using the signals connected to the OpenSDA micrcontroller, then you need to make sure that the K20 does not interfer with it. It would be better if you would use a UART/SCI which is separate. And how to print things on the console: as described in this article, but using different pins.
Having said that: you probably better use Processor Expert: it is much, much easier with it.
Hi!
If I want to create my project without processor expert…In what part of the processor expert’s code can I find the clock and ports configurations?
Hi Daniel,
it is in Cpu.c (inside Generated_Code).
ok! thanks
Hi Erich, what is the difference between asynchroserial component and cosole IO component ??
Hi jose,
the ConsoleIo component is really only a small wraper for terminal usage and printf() as shown in this article, while the Asynchroserial is a full UART/serial componet.
If you have turned on the console IO, how do you turn it off? If I select EWL_NOIO, I get an undefined reference to ‘_pformatter’ in vsnprintf.c.
It sounds like you are still using printf() in your application. Remove any calls to printf() and its variants from your application code.
You might need to do a Project > Clean too and then rebuild.
Yep. I use sprintf for formating strings for LCD display. I needed to go back to EWL, and just not use ‘puts’ or ‘printf’. as long as I don’t use those, I don’t get any errors. Thanks!
Hi Erich,
I am trying to use the consoleIO component as you instructed. I have used it before in a simple project and it worked just fine; but now I am using it in a MQXLite project and its giving two build errors.
ARM_GCC_Support/ewl/EWL_C/src/stdio/printf.c undefined reference to ‘_pformatter’
mingw32-make.***[XXX(ProjectName.elf] Error1
is there anything I am doing wrong?
Thanks.
Kaustubh
Hi Kaustubh,
have you created the project with ‘No I/O’ option? I guess this is whay you are missig this pformatter in the library.
Erich
Hi Erich
Thanks for another helpful post! I got to run the console in just a few minutes. However, it seems now, that the rest of my application is freezing. I have a Processor Expert Application and in ProcessorExpert.c main() I make calls to gets() repeatedly every 1 or 10ms and flag triggered to printf(). I call my application parts from several timeticks generated by a 100us PIT. I noticed, that when debugging, the breakpoints are only caught until gets() is called for the first time and then no breakpoints are reached anymore, even though the application should actually pass by this piece of code (PIT-Triggered). However, it stops when new data arrives in the input buffer. Also it appears, that the printf data is only arriving at the remote terminal, when I send some other data from that terminal. Any ideas?
Cheers, Adrian
Hi Adrian,
could it be that your 100us PIT is keeping your CPU pretty much all the time in interrupt mode? gets() and printf() are big beasts consuming a lot of CPU cycles. Not sure if this is your problem? The other thing is that printf() and the UART usually are not using flow control, so it is very likely that if you are not able to handle the input/output in a timely fashon, you will loose data.
Hi Erich
The 100us PIT only sets trigger flags. This structure has proven to be fine using an KL25 at 48MHz. It comes like a set of task triggers (100us, 1ms, 10ms, 100ms), which allow me to make program calls in more or less real time; without task priorities, of course. It rather seems to me, that the gets() method puts the system in some kind of “wait mode”. As I see, I can still break at interrupts in the ISR in Events.c. But everything else called from the ProcessorExpert.c/main() is not running anymore, except the interesting observation that in ProcessorExpert.c/main() the program only breaks, if I send a CR (component setting “Rx new line sequence) at the end of my console entry. So it really seems to be waiting for something. Should I rather use an other method than gets()?
Yes, gets() waits for a line ending (CR/LF). Can you use getc() instead?
ah, good hint concerning gets()! However getc() seems to do the same thing… 😦 and so does scanf()… in a “normal” OS environment you would probably place this in a seperate thread with a timeout… what do I do in a bareboard situation?
hmm, there must be a way to check if something is in the buffer, and only in that case to call getc()? I assume what you run into is that getc() itself blocks if nothing is in the buffer.
hello erich,
i am new to codewarrior, so i am learning some basic programs in it,, so can you help me to send some data to teraterm using UART in KL25Z.
Hi sneha,
this tutorial is exactly about this, how to send data to a terminal program either through UART or USB CDC. Which terminal program you are using really does not matter.
hii erich,
how to receive the string from KL25Z board to the PC using UART?
Depends what you have on the PC. If having a serial port, then you need a level shifter (translating the 3.3V signals from the UART to the RS-232 compliant levels), plus a terminal program on the host.
Same applies to a UART-to-USB converter (you need a terminal program), but then the USB will do the ‘level shifting’ (actually protocol conversion). | https://mcuoneclipse.com/2013/02/07/tutorial-printf-with-and-without-processor-expert/ | CC-MAIN-2017-26 | refinedweb | 2,232 | 71.34 |
You can subscribe to this list here.
Showing
6
results of 6
Hi all,
I'm currently working on an LDAP CLI shell, just something which will
basically let me walk an ldap tree using 'cd' and 'ls', and couple other
basic commands, although also hopefully with the ability to edit single
entries.
I've actually already got the basic functionality done--I can connect to
the database, cd around, do listings on branch nodes, that kind of thing.
I have a couple of questions as to etiquette, though: It doesn't really
seem to make sense to put this under Net::LDAP, even though it obviously
relies quite heavily on Net::LDAP. I notice that there are no packages
under just plain "LDAP", so I was thinking of using that namespace.
If I had an LDAP.pm package at all, it would merely be a few simple,
useful routines; most of the real work would be done in subpackages.
At this point, I have:
LDAP
A couple of useful routines, but I don't really need this.
LDAP::Shell
The package for the interactive shell itself.
LDAP::CLI
For the CLI auth routines (it caches the username, so you don't have to
keep entering it, like you do with ldapsearch and the like).
LDAP::Connect
Some routines making host connections easier. Specifically there is a
routine for connecting to the first live host from a list.
LDAP::Config
A place to store a list of ldap servers and their basic
configurations. Information I am storing so far is: server list, dn
(usually null and overridden), password (usually null and overridden),
description, objectclass to search for by default (usually inetOrgPerson
or posixAccount), attributes required to create one of those
objectclasses, and attributes to return by default from that objectlass.
This is used heavily by the other packages, so you can just type something
like "ldapsh" and be connected to the default server as your default user,
with default ssl/nossl settings.
LDAP::Desc
A simple package for storing descriptions of LDAP attributes. This is
useful for prompting people for information, either on the CLI or on a web
page; instead of prompting for 'uid', you can prompt for 'Login ID' or
whatever.
So my main question is, does anyone have a problem with me using this
namespace, or is there already a better namespace to put this under? I
can't seem to find an appropriate one, but that doesn't mean it's not
there.
And if someone has already done any or all of this, I would love to hear
about it. I'm not planning on devoting a ton of time to this, but it's
something I've wanted for a long time, and I've got enough of a foundation
of routines that it's not taking me much extra work (I already had
everything except the LDAP::Shell package done, but that's the package I
think people would be the most interested in).
Lastly, I have a few coding questions:
I am planning on autoloading each command from something like
LDAP::Shell::Commands, so that I don't take the hit of compiling
everything at once. This also makes it easy for anyone to add new
commands to the shell. I'm also planning on providing the ability to set
some kind of search path, so that the package will search other
directories for commands to load. Does that sound like an extensible,
sensible solution, or does someone else have some amazingly obvious or
great solution for me?
Also, because I want the commands available in this shell to resemble Unix
commands, I am using Getopt::Long to parse their options. It appears that
Getopt::Long will only look at @ARGV, so I am setting @ARGV = @_ before I
call the routines. Is that retarded, and is there a better way to do it?
I'm mainly writing this for myself, because I'm tired of dealing with GUI
apps, and it just isn't that hard, but I figure if I do it, I might as
well make it available. The reason I want to make it available with this
many packages is that it relies on a number of packages I've written over
the years, and they've finally gotten to the point where I really can't do
much without them.
Anyway, I'd love to hear feedback. And BTW Graham, thanks ever so much
for Net::LDAP!
Luke Kanies
--
The Number 1 Sign You Have Nothing to Do at Work...
The 4th Division of Paperclips has overrun the Pushpin Infantry
and General White-Out has called for a new skirmish.
Hallo,
On Samstag, 29. Juni 2002 16:51, Jim Harle wrote:
> sub numerically { $a <=> $b; }
> @sortedbynumber = sort numerically 53,29,11,32,7;
Sorry I wan't specific enough. I knew how to sort numerically in perl. But I
wanted to use Net::LDAP::Control::Sort to let Ldap sort for me. Because
otherwise I first have to get all data to find the largest.
regards
Roland Schulz
>.
> >
From the Camel:
sub numerically { $a <=> $b; }
@sortedbynumber = sort numerically 53,29,11,32,7;
--Jim Harle.
>
>
Hi all,
With reference to the earlier message.
I get the following error description
Failed to add entry:Insufficient 'write' privilege to the 'sn'
attribute................
I use the directory admin user and password..still I get this error. Kindly
advice
Regs
Prayank Chandorkar
Hi all,
I tried to find a solution in the archives but cudnt unfortunately find one.
The problem is as follows:
I want to modify an attribute value(mail) for an entry,
The scriptlet is as follows :
$dn='uid=abc, ou=orgn,o=net';
$result=$ldap->modify( $dn, replace => { mail => 'abc@...' } );
when I do result->code..i get a return value of 50 but the change doesnot
take effect.
Please let me the know the way.
regs
Prayank Chandorkar
Assuming $result is an net::LDAP::Entry object you can get the DN by doing:
$ldap->dn();
Mark
----- Original Message -----
From: "Chris Ronstadt" <notyou234@...>
To: <perl-ldap-dev@...>
Sent: Friday, June 28, 2002 2:28 PM
Subject: get_dn
> Ok, I got that solved thank you, but now I need to run a get_dn to bind
> properly?
>
> $dn = $result->get_dn;
>
> is that the proper line? and where exactly do I put this line? I keep
> getting told: can't call method on undefined line
>
>
>
> _________________________________________________________________
> MSN Photos is the easiest way to share and print your photos:
>
>
>
>
> -------------------------------------------------------
> This sf.net email is sponsored by:ThinkGeek
> Caffeinated soap. No kidding.
>
>
> | http://sourceforge.net/p/perl-ldap/mailman/perl-ldap-dev/?viewmonth=200206&viewday=29 | CC-MAIN-2016-07 | refinedweb | 1,098 | 69.82 |
NetBeans 6.8 documentation references a WSDL Plugin.
The WSDL Plugin is not available in the NetBeans Update Center.
Either the plugin should be added, or the documentation should be removed.
Note: The plugin is available on NetBeans 6.9: (XML Schema and WSDL: SOA)
Thanks.
Just FYI...
Help | "Help Contents" Documentation:
Creating a WSDL Document
------------------------
See Also
Web Services Description Language (WSDL) is an XML-based specification for describing a web service. WSDL defines a web service as a set of endpoints or ports operating on messages. WSDL is extensible to allow the description of endpoints and their associated messages regardless of what message formats or network protocols are used to communicate.
To create a WSDL file:
Install the WSDL plugin, under Tools > Plugins.
In the Projects window or Files window, right-click the project node and choose New > Other. In the New File wizard, choose XML under Categories and choose WSDL Document under File Types. Click Next.
The New WSDL File wizard opens.
Type the WSDL file name name and specify a folder to house it.
Specify the namespace of the elements (such as message, portType, binding) defined in the WSDL file.
Specify the XML schemas needed by the WSDL file, if any.
Click Finish.
The IDE creates a WSDL file for you, with default code that you can modify according to your business needs.
Create a web service from the WSDL file.
Robert, I don't see the plugin available on the Update Center for NetBeans 6.8 either but on the other hand I don't see the documentation you are referring to. If I open "Help > Help Contents", switch to "Search" tab, type "WSDL" to "Find:" field and hit Enter, I see no "Creating a WSDL Document" page.
The only way to install the "XML Schema and WSDL: SOA" plugin is to use development builds. I am sorry but this is as designed as we don't want to enable that functionality for FCS because it does not meet required quality criteria.
*** Bug 178461 has been marked as a duplicate of this bug. ***
Please can you be more specific about how the WSDL and XSD plugin fails to meet the quality criteria.
I make regular use of the plugin on netbeans 6.8 and it is no less reliable than the rest of netbeans.
I think that there is a significant part of the Netbeans userbase that came to Netbeans through Open-ESB, I stayed (after ditching Open-ESB) because I like the Netbeans experience, but to find that one of the most important features for my work is no longer supported is disappointing.
The quality criteria for Stable Update Center is no P1 and no P2 bugs. For Beta Update Center it is at least no P1 bugs but SOA has 19 high priority bugs [1] and nobody to fix them and test the functionality entirely. For more information please consult our archived features Wiki [2].
[1]
[2]
Thanks.
The SOA category is made up of two plugins - one of which is of general interest (WSDL & XSD Editor) and one which is very specific to OpenESB (SOA).
Almost all of the SOA bugs relate to OpenESB behaviour and not to the WSDL & XSD editor.
I would urge you to separate the two, so that the WSDL and XSD editor can be made part of the standard netbeans offering, whilst the SOA plugin dies a slow lingering death (unless the OpenESB people pick it up).
The lack of the WSDL and XSD editor is preventing me from upgrading to 6.9 (and I even downloaded jdeveloper to see whether that was worth changing).
Adding Sergey Lunegov to Cc: list as he can better answer how realistic it is to separate XSD Editor + WSDL from the rest of SOA plugins.
Sergey, can you please comment on that? Thanks!
The same as for XML Schema applies to XSL plugin. For simple XSL use is enought code completion not full visual editing (for SOA). If I see xsl modules sources at first sight, only XSLT Model and part of XSLT Core is only needed (+ strong dependencies on XML and XML Schema plugins).
I try to simplify both modules, but sourcode is too complex to finish my work. I'm not good NB plugin developer to answer question if XSL plugin can be divided to more pluigins: simple code completion (for non SOA developing) and visual editing (multiview for SOA). This implies possibility to change/override supported features by project type (different DataObject implementations for different use). Is this possible?
I was able to get the schema editor working from this repo
But I have to manually add xjc to the ant build.
I use the xsd and WSDL editor everyday. I most certainly agree that it should be moved out of the SOA plugin and added to netbeans proper since xml schemas can be used across all area of development. It's so simple and intuitive I would hate to loose this functionality. This plugin is what won me away from Eclipse :O)
The graphic xsd editor is a very neat feature. In fact it's one of the easiest to use there are. Just that most other IDE's schema editors are appalling doesn't mean Netbeans should relapse into the same state.
I'd rather have the xsd editor, as it is now, only as a separate plugin in the regular Netbeans repository than having to workaround all the time. While it may not be perfect it never crashed the IDE for me, so please, please put it back where it belongs.
Thx, Herald
I know java, but I have never worked on Netbeans plugins development. I am willing to volunteer to separate the XSD editor. Let me know if I can be of any help. As others have said, having XSD editor is kind of basic IDE requirement.
*** Bug 178814 has been marked as a duplicate of this bug. ***
Sergey, can you please provide some guidance to this volunteer or the separation is not that easy? Thanks a lot!
>10 votes -> P2
I'm using NetBeans 6.9 and don't see this plugin in the plugins list.
Not a part of the 7.0 release -> NO70 keyword.
Physically separating the xml and/or soa clusters so that they can be realistically maintained by volunteers is not a trivial task, but I am ready to do it if given authorization; see:
This particular case is complicated a bit by the fact that seems to contain the active development for these features, rather than the usual main repository (i.e. main-silver and its synchronized clones), so it needs to be determined where the authoritative version of the modules lives.
Currently the soa cluster in the main repo is not even built by any public job I know of. The xml cluster is built regularly, however:
These NBMs are built against NB trunk sources and so probably work fine in 7.0.
So it sounds like we can publish the current XML Tools plugin on the plugin portal (built e.g. from the release70 branch) without splitting the repository, right? The reorg of the repository can happen later.
Wade Chandler agreed to post a snapshot of 7.0-compatible binaries on the Plugin Portal. For future development, there is now a repository and working Hudson job to build the XML cluster against 7.0 - see URL.
Here is the current situation as I understand it:
You can only get the XSD editor in Netbeans 7.0 stable if you add the plugins repository
and then install the "XML Pack" plugin.
Is this correct?
I was unable to find it in any later repositories, searching for XSD or schema yields only Trang as a result in all of the repositories I tried.
Installing the XML pack from M2 was a shot in the dark, too, the description isn't overly verbose and contains none of the terms xsd, schema or wsdl, but I couldn't find the XML pack in any later version's repositories either.
There is no official update center for the XML pack in 7.0 FCS since it is no longer officially supported. There is which may or may not work well; Wade said he would look into maintaining this code at some point but there has been no activity yet that I know of.
Another vote for this one!
I get a timeout trying to access the deadlock url for the temporary copy.
I voted also for the XML/WSDL/XSD Plugin, because it is essential in daily development of web applications. I hope that the plugin will be "offically" availalbe from the update center in the very near future.
Fortunately, it's possible to install the "XML Tools" plugin into NetBeans IDE 7.0 from the Hudson Update Center [1] at deadlock.netbeans.org.
[1]
Wade, any update on this?
I already did the installation from the recommended update center. Nevertheless it would be appreciated if this valuable XML tool set would be back again in the official plug-in "family.
Well, this would be possible if someone signs the plugin and publishes it in the Plugin Portal and then asks for verification. For more details see here:
I grabbed the latest community-xml, and the code and plugins seem to be working OK right now in NB 7.0. I need to get the licenses set and things signing and then I can publish them to the plugin portal. I will work on that over the next few days as I have time, and should have them published soon.
>20 dups + votes -> P1 based on
Thank you guys for working on this issue... it is much needed by the NetBeans community.
Please also consider completing some of the following XML related issues that I opened up at the same time as this one (and releasing at the same time as this one). Thanks! They are listed below.
184872 [69cat] XML: WSDL 1.1/2.0 Wizards, Editors and Converters
186919 [69cat] XML: Tag Locking Mechanism
187212 [69cat] XML: Create XML Download Bundle
185450 [69cat] XML: Add Database Schema to/from XML Schema Conversion
184938 [69cat] XML: Comment and Uncomment buttons for XML source code lines
185453 [69cat] XML: Create additional code templates for XML-related files (i.e. .xml, .xslt, .xsd) and DTD (.dtd) files
185197 [69cat] XML: XSLT Template Designed for HTML; process doesn't consider XML or TEXT output methods
184580 [69cat] XML: Extend "Generate DTD" command to "Generate DTD/Schema"
184628 [69cat] XML: Request for Visual XML Editor
184878 [69cat] XML: XSLT Profiler
184877 [69cat] XML: XSLT Debugger
184868 [69cat] XML: XPath 1.0/2.0 Analyzer Capability
184793 [69cat] XML: XML File Right-click Menu Could Have Gutter Glyphs
187097 [69cat] XML: Web Browser Icon in XML Editor's Toolbar
186920 [69cat] XML: Validate complete set of XML-Related Files
187164 [69cat] XML: Use the most current version of Xalan.
183658 [69cat] XML: Resultant file from XSL transformation isn't formatted
184489 [69cat] XML: Request for XSLT 2.0 and XPATH 2.0 support
184564 [69cat] XML: Replace "Check XML" text with "Check Well-Formedness"
184591 [69cat] XML: New "File | Encoding..." Feature for XML Files
186395 [69cat] XML: needs to target 6.8 or 6.9
186949 [69cat] XML: Creation of an "XML Copy Editor" XML Editor Integration Plugin
186948 [69cat] XML: Creation of an "oXygen" XML Editor Integration Plugin
186951 [69cat] XML: Creation of an "EditiX" XML Editor Integration Plugin
186950 [69cat] XML: Creation of an "Altova XMLSpy" XML Editor Integration Plugin
183788 [69cat] XML: Add the XSL Transformation Pipeline Feature
185449 [69cat] XML: Add DTD to/from XML Schema Conversion
184566 [69cat] XML: Add "XSL-FO Transformation..." menu item for XML files
186914 [69cat] XML: Add "Generate an XML RelaxNG Schema" option
I'm aware of the fact that >20 votes formally make a P1 bug. I don't mean to be rude, but this needs to be clarified:
The title of this bug is "XML: WSDL Plugin Missing".
The votes on this issue obviously support the notion that it's MISSING, not that it shouldn't be there. To misconstrue the large number of votes as meaning their exact opposite ("it should not be in the repositories") is to me a willful misinterpretation of what is a simple statement in English.
This would be going too far, but if anything, it should be a blocker for the product "updatecenters" itself unless it contains what has been voted P1 as missing.
(In reply to comment #30)
>
I wouldn't be able to find a better title, I think it's simple and clear as it is.
Comments #4 and #27 seem to hold the number of votes for this bug against adding XML Pack to the updatecenter, however. I disagree with these opinions, because IMO they fail to recognize the fact that "XML: WSDL Plugin Missing" isn't criticism of the WSDL (and successor) plugin itself but critical of the fact that it is not in the updatecenter.
The point that I was trying to clarify was that "XML: WSDL Plugin Missing" is not the same as "XML: WSDL Plugin Faulty", and that the number of votes for this bug should therefore go towards adding the plugin instead of towards withholding it.
Herald, I agree that it's always stressful for some users if their favourite feature is removed from the product but it's logical step if the feature is broken and there is nobody left to fix it. This happened to SOA pack after NetBeans 6.7.1 release [1]. Fortunately, NetBeans is an open source project and so NetBeans community can take the source code, fix it and publish the plugin themselves. In this case Wade Chandler took over the responsibility to separate WSDL plugin from the rest of SOA buggy code and put it on the Update Center. I believe that you are very thankful for that just like other 35 voters on this issue. Thanks for your support!
[1]
Wade Chandler rocks! Thanks for the work, I'm glad I opened this issue!!
Still open or should be closed fixed?
(In reply to comment #34)
> Still open or should be closed fixed?
I think it should remain open.
The XML Tools can be installed via the deadlock repository (deadlock.netbeans.org/hudson/job/xml/lastSuccessfulBuild/artifact/build/updates/updates.xml) but IMO the bug should remain open until they are back in the regular plugin repository.
using the deallock url repository(), I call back the xml tool in 7.1.2.
It really be a excellent tool.
I would like keep going with it.
please bring the schema editor back into the primary build, it is important. TIA.
We do not plan to bring the schema editor back into the primary build. If the community wants to have the plugin available, somebody should get it available at plugin portal. Otherwise the issue should be fixed as wontfix.
(In reply to comment #38)
> We do not plan to bring the schema editor back into the primary build. If the
> community wants to have the plugin available, somebody should get it available
> at plugin portal. Otherwise the issue should be fixed as wontfix.
How do Netbeans project plans to support JAXWS, Java from WSDL code generation ?
Are you assuming developers will have to use another tool to create their WSDLs + Schemas and import them to Netbeans ?
Why not support schema designer + WSDL designer so JAXWS based development be completely fulfilled ?
> How do Netbeans project plans to support JAXWS,
> Java from WSDL code generation?
To answer this, it would be useful to know how people do this currently. Can you please describe your current development workflow? Thanks.
Hi Petr,
we use a "contract first" approach and our workflow is typically something like:
a) create a (Java SE) Maven project for the XSDs, WSDLs and associated Java classes.
b) design the data transfer objects. Often this is a combination of some Java interface classes and XSD files that implement those interfaces. The XSDs are created and edited using the NetBeans XSD editor .. perosnally I tend to hand edit the XSD, so the most important feature for me is "Validate XML".
c) If we are also providing a SOAP web service we also create the WSDLs in this project (using the NetBeans WSDL editor) and use the jaxws-maven-pluging to generate the WSDL Service / Port / Fault classes and also the Java classes for XSD type definitions. If we are not providing a SOAP Web servie then we would use the maven-jaxb2-plugin.
This Maven project can then be used by multiple other projects, for example a Java SE client and / or a Java EE Web Service implementation and / or REST Resources etc.
It is extremely important for us to be able to conveniently edit / manage the XSD and WSDL files from within NetBeans .. switching away from NetBeans to some other tool to edit those files would be a serious pain and we would perhaps look to use a different IDE that had integrated XSD and WSDL editing, which would be a real shame because we love NetBeans ;-)
Taking a look from a slightly different perspective, one of the features that NetBeans is justifyably proud of is it's integration with GlassFish (and other application containers) .. and one of the key functionalities of an application container is hosting web services .. so surely NetBeans needs to provide comprehensive support for developing web services? I know that simple Web Services can be implemented quickly using a Java first approach, but for larger or more formal projects a contract first approach is either mandated or just makes good sense. So, please don't deprecate this functionality .. what we have at the moment is better than many stand-alone editors and it would be a real shame to throw it away and lose all the benefits of working within one integrated environment!
We currently have to use eclipse for this which is a real bummer. Please bring back this functionality.
Such Important functionality. THANKS WADE! | https://netbeans.org/bugzilla/show_bug.cgi?id=184379 | CC-MAIN-2015-35 | refinedweb | 3,028 | 62.38 |
:ntz
So you wanted like a force_default_style_use switch? I can add that as well if you like. Just let me know.
Yeah, ST2's configuration of region colors is kind of lame, so it makes it that much more confusing.It looks like you are using Monokai, so doing nothing in the old version would yield green. That is because the default for the old BH was "entity.name.class"So if you change your default to "entity.name.class". And make the rest pick it up, you should get green.[pre=#2D2D2D] // Global defaults to use if a bracket does not define its own "default_icon": "dot", "default_style": "solid", "default_color": "entity.name.class",[/pre]
Or you can define it in the bracket definition:[pre=#2D2D2D] // Quotes { "name": "pyquote", "open": "u?r?((?:\"\")?\"|(?:'')?')", "close": "((?:\"\")?\"|(?:'')?')", "icon": "quote", "color": "entity.name.class", "style": "underline", "scopes": "string"], "language_filter": "whitelist", "language_list": "Python"], "sub_bracket_search": "true", "enabled": true },[/pre]
In order to configure it via the theme file, you have to use the entire scope. By default I am using the scope namespace of "brackethighlighter", so that must be included as well. Here is an example from mine.[pre=#2D2D2D] name Bracket Curly scope brackethighlighter.curly settings foreground #CC99CC name Bracket Round scope brackethighlighter.round settings foreground #FFCC66 [/pre]
I hope that makes.
Great update!!! Havent checked the options in detail but played around with Ruby brackets marking.after that updated the open pattern to[pre=#212121] "open": "^\s*\b(if|until|while|begin|class|module|def\s*[a-zA-Z_]+)\b",[/pre]but then how do i define new pattern to match do-end block as inif i define new bracket definition as simple as [pre=#212121]{ "name": "ruby", "open": "\b(do)\b", "close": "\b(end)\b", "icon": "dot", "color": "keyword", "style": "underline", "scope_exclude": "string", "comment"], "language_filter": "whitelist", "language_list": "Ruby"], "enabled": true },[/pre]if it's placed before default definition then do-end blocks get matched but all other defined with open pattern above fail, and on the flip side if i define this after default definition then do-end blocks are not matched.i guess it's because both definitions share the same close pattern.
Cool, I will update that.
Right now, it would have to be included in your original Ruby pattern. This is simply something I didn't think about. They are combined in one regex (each bracket definition should only have one capturing group), that group id is used to identify what pair the brackets are from. Then I resolve all of the brackets until I find the matching pair.
There is kind of a way around it, but it would require a bracket plugin. I may try and in some additional support for such cases in the future, but I will post a way you can resolve this with a plugin as a stop gap solution.
missed unless[pre=#212121]"open": "^\s*\b(if|unless|until|while|begin|class|module|def\s*[a-zA-Z_]+)\b"[/pre]
@vitaLee, try this: this will make all ruby keywords underlined, but do will be outlined.
Put this in your User folder for now as rubykeywords.py[pre=#2D2D2D]def post_match(view, name, first, second, center, bfr, threshold): bracket_name = "rubydo" if bfrfirst.begin:first.end] == "do" else name return first, second, bracket_name[/pre]
Define "do" in the original ruby, and create a "rubydo" after that as seen below. [pre=#2D2D2D] // Ruby conditional statements { "name": "ruby", "open": "^\s*\b(if|until|while|begin|class|module|do|def\s*[a-zA-Z_]+)\b", "close": "\b(end)\b", "icon": "dot", "color": "keyword", "style": "underline", "scope_exclude": "string", "comment"], "plugin_library": "User.rubykeywords", "language_filter": "whitelist", "language_list": "Ruby"], "enabled": true }, { "name": "rubydo", "open": "^\s*\b(do)\b", "close": "\b(end)\b", "icon": "dot", "color": "keyword", "style": "outline", "scope_exclude": "string", "comment"], "language_filter": "whitelist", "language_list": "Ruby"], "enabled": true },[/pre]
You can extend this concept to break out as many as you want. I do assume that if too many separate kinds of brackets are defined for one sytntax file, that you could theoretically hit a limit, but even if you split all of the ruby keywords into their own separate one, you probably wouldn't hit it.
Hopefully in the future I can fix it so that BH will be smart enough to resolve these kinds of things without the need of a plugin.
That is a little trick I am doing right now for angle brackets and tags.
i kinda get what you mean but i think it wont work because as i understand, for this to work rubydo's open pattern should be a subexpression of it's predecessor's open pattern.but do will always be preceeded by more than just whitespace and not anchored to bol.not sure if i got it right, but can you try to match this do-end with your solution
[pre=#212121]3.times do |i| puts 'hip hip!!!'end[/pre]
Would it make more sense to separate styles from bracket definitions?
For instance, you have some definition pointing to a style object (in this case a style object called "ruby"):[pre=#2D2D2D] // Ruby conditional statements { "name": "ruby", "open": "^\s*\b(if|unless|until|while|begin|class|module|do|def\s*[a-zA-Z_]+)\b", "close": "\b(end)\b", "style": "ruby", "scope_exclude": "string", "comment"], "plugin_library": "User.rubykeywords", "language_filter": "whitelist", "language_list": "Ruby"], "enabled": true },[/pre]
And then you have style objects:[pre=#2D2D2D] "styles": { "ruby": { "icon": "dot", "style": "underline", "color": "brackethighlighter.ruby" }, "rubydo": { "icon": "dot", "style": "underline", "color": "brackethighlighter.rubydo" } // More styles here... }[/pre]
That way you could have one definition and then define many other styles. A post match plugin could simply throw back a style, and you wouldn't have dummy regex clogging up the system.
What do you guys think?
Oh, I see that is tricky. Let me think about that some more.
I cannot be stopped . Try this:
User/rubykeywords.py[pre=#2D2D2D]import re
def post_match(view, name, first, second, center, bfr, threshold): open_bracket = bfrfirst.begin:first.end] if open_bracket != "do": m = re.match(r"^(\s*\b)\w\W]*", open_bracket) if m: first = first.move(first.begin + m.end(1), first.end) return first, second, name[/pre]
And lastly the bracket define (only one is needed now)[pre=#2D2D2D] // Ruby conditional statements { "name": "ruby", "open": "(^\s*\b(?:if|until|unless|while|begin|class|module|def\s*[a-zA-Z_]+)|do)\b", "close": "\b(end)\b", "icon": "dot", "color": "keyword", "style": "underline", "scope_exclude": "string", "comment"], "plugin_library": "User.rubykeywords", "language_filter": "whitelist", "language_list": "Ruby"], "enabled": true },[/pre]
This shows how flexible it is . | https://forum.sublimetext.com/t/brackethighlighter2-beta-branch/7683/6 | CC-MAIN-2016-36 | refinedweb | 1,088 | 64.3 |
GSLQuasiRandomEngine Base class for all GSL quasi random engines, normally user instantiate the derived classes which creates internally the generator and uses the class ROOT::Math::QuasiRandom.
Definition at line 52 of file GSLQuasiRandom.h.
#include <Math/GSLQuasiRandom.h>
default constructor.
No creation of rng is done. If then Initialize() is called an engine is created based on default GSL type (MT)
Definition at line 51 of file GSLQuasiRandom.cxx.
create from an existing rng.
User manage the rng pointer which is then deleted olny by calling Terminate()
Definition at line 58 of file GSLQuasiRandom.cxx.
Copy constructor : clone the contained GSL generator.
Definition at line 63 of file GSLQuasiRandom.cxx.
call Terminate()
Definition at line 67 of file GSLQuasiRandom.cxx.
Generate an array of quasi random numbers The iterators points to the random numbers.
Definition at line 126 of file GSLQuasiRandom.cxx.
initialize the generator giving the dimension of the sequence If no rng is present the default one based on Mersenne and Twister is created
Definition at line 83 of file GSLQuasiRandom.cxx.
return name of generator
Definition at line 137 of file GSLQuasiRandom.cxx.
return the dimension of generator
Definition at line 154 of file GSLQuasiRandom.cxx.
Generate a random number between ]0,1[.
Definition at line 99 of file GSLQuasiRandom.cxx.
Fill array x with random numbers between ]0,1[.
Definition at line 109 of file GSLQuasiRandom.cxx.
Assignment operator : make a deep copy of the contained GSL generator.
Definition at line 73 of file GSLQuasiRandom.cxx.
internal method used by the derived class to set the type of generators
Definition at line 136 of file GSLQuasiRandom.h.
return the state size of generator
Definition at line 147 of file GSLQuasiRandom.cxx.
Skip the next n random numbers.
Definition at line 116 of file GSLQuasiRandom.cxx.
delete pointer to contained rng
Definition at line 90 of file GSLQuasiRandom.cxx.
Definition at line 142 of file GSLQuasiRandom.h. | https://root.cern.ch/doc/master/classROOT_1_1Math_1_1GSLQuasiRandomEngine.html | CC-MAIN-2020-05 | refinedweb | 321 | 51.85 |
open (FILE, "$path")
or die "ERROR: Could not open $path.\n";
while (1) {
$eof = read (FILE, $header, 4);
($size, $code, $ftype) = unpack ("nCC", $header) ;
if ($size == 0) {
print "Size is zero. Exiting.\n";
}
$size = $size - 4;
if ($size > 0) {
$eof = read (FILE, $data, $size);
}
}
close FILE;
[download]
That said, there is a way to improve IO speed. Perl's normal open, read and readline functions use IO layers, which you can circumvent by using sysopen and sysread.
Change open (FILE, "$path") to open (FILE, '<:raw', "$path").
On my system, with that change, your code reading 10MB, takes .38 seconds.
TROGDOR
A few minor notes:
Just as a reference, I do (in my day job) quite a lot of file processing in both C/C++ and perl. I often find that the perl stuff runs slower, but not enough so that I want to write all my processing programs in C/C++. I find it so much simpler to do regex and complex data munging in perl, that when I have to whack a file using a good bit of intelligence, I tend to use perl first. If I need to whack a large file with just a little simple code and speed is of the essence, I tend to use C/C++. Only rarely do I find that I have to optimize a perl program or rewrite the program to use C/C++.
As usual, YMMV.
...roboticus
Would be curious if: open($fh,"<:unix",$path) produces further speed improvements past :raw? You didn't post the C code, so I'm not 100% sure that we have an "apples to apples" comparison here - there may be some detail that makes this not quite the same. BTW, are you on a Unix or a Windows platform? I don't think that matters, but it might in some weird way that I don't understand right now.
I've written binary manipulation stuff in Perl before for doing things like concatenating .wav files together. I wouldn't normally be thinking of Perl for a massive amount of binary number crunching, but it can do it! Most of my code involves working with ASCII and huge amounts of time can get spent in the splitting, match global regex code.. I have one app where 30% of the time is spent doing just that. The raw reading/writing to the disk is usually not an issue in my code as there are other considerations that take a lot of time.
Update: see the fine benchmarks from BrowserUk. I appears that :perlio & setting binmode($fh) is the way to go.
That's interesting. As is often the case with Perl, things move (silently) on as new versions appear. I just re-ran a series of tests that I last performed shortly after IO layers were added.
Back then, on my system ':raw' was exactly equivalent to using binmode. It no longer is, nor is either the fastest option.
Using this:
#! perl -sl
use Time::HiRes qw[ time ];
our $LAYER //= ':raw';
our $B;
$s = time;
open (FILE, "<$LAYER", "junk.bin")
or die "ERROR: Could not open $path.\n";
binmode FILE if $B;
$n=0;
while (1) {
$eof = read (FILE, $header, 4);
($size, $code, $ftype) = unpack ("nCC", $header) ;
# print join(':',$size, $code, $ftype, "\n");
if ($size == 0) {
print "Size is zero. Exiting";
}
$size = $size - 4;
if ($size > 0) {
$eof = read (FILE, $data, $size);
}
$n += 4 + $size;
}
close FILE;
print $n;
printf "Took %.3f\n", time() - $s;
[download]
You can see (and interpret) the results for yourself:
On my system, I'll be using :perlio & binmode for fast binary access from now on. (Until it changes again:)
Perhaps even more indicative of the lag in the documentation is this:
C:\test>junk41 -LAYER=:crlf
Size is zero. Exiting
50466132
Took 0.668
C:\test>junk41 -LAYER=:crlf -B
Size is zero. Exiting
50466132
Took 0.283
C:\test>junk41 -LAYER=:crlf:raw
Size is zero. Exiting
50466132
Took 0.815
C:\test>junk41 -LAYER=:crlf:raw -B
Size is zero. Exiting
50466132
Took 0.845
[download]
If :raw popped all layers that were incompatible with binary reading, then :crlf:raw should be as fast as :crlf + binmode. But it ain't! record
}
}
[download]
The short of it is that I get 50 MB/sec when processing files line/by/line in Perl.
Perl file performance is near and dear to my heart, since I routinely work on multi-gigabyte files. I wrote a benchmark program a little while ago to help me to stay with Perl, because performance was tempting me to go to C++ or to bypass Perl's buffering and do it myself (with large sysread calls).
I ran this on a file that was exactly 100 MB long, with lots of small lines, so a somewhat worst-case for a naive line-at-a-time approach. This is a UTF-8 file, and I was particularly interested to figure out why my unicode-file reading was so pitifully slow on a Windows machine.
So my fix was to start specifying ":raw:perlio:utf8" on my file handles, and I got a 6x improvement in speed.
Line-at-a-time, default layers
100.0 MB in 12.012 sec, 8.3 MB/sec
Line-at-a-time, :raw:perlio
100.0 MB in 1.837 sec, 54.4 MB/sec
Line-at-a-time, :raw:perlio:utf8
100.0 MB in 2.021 sec, 49.5 MB/sec
Line-at-a-time, :win32:perlio
100.0 MB in 1.805 sec, 55.4 MB/sec
Slurp-into-scalar, default layers
100.0 MB in 0.182 sec, 550.1 MB/sec
Slurp-into-scalar, :raw:perlio
100.0 MB in 0.065 sec, 1548.0 MB/sec
Slurp-into-scalar, :raw:perlio:utf8
100000000 on disk, 99999476 in memory
100.0 MB in 0.129 sec, 778.1 MB/sec
Slurp into scalar with sysopen/sysread (single read)
100.0 MB in 0.034 sec, 2976.2 MB/sec
[download]
Here's the code. Yes, pretty crude, but it was enough to tell me what I was doing wrong - PerlIO is the win.
The ridiculously large numbers are because the file gets into the Win32 file cache and stays there. That's actually a plus for my benchmark because it shows me where my bottlenecks are. The large sysread numbers are because no postprocessing is being done, e.g. breaking the file up into lines. Since 55 MB/sec is enough for me at the moment, I'm not looking at writing my own buffering/line processing code just yet.
But it also shows that perlio is imposing a tax compared to pure sysread. So maybe someday I'll look at the PerlIO code and see if there's some useful optimizations that won't pessimize something else.
#!/usr/bin/perl
use strict;
use warnings;
use utf8;
use Fcntl qw();
use Time::HiRes qw();
my $testfile = shift or die "Specify a test file";
die "$testfile doesn't exist" unless -f $testfile;
my @benchmarks = (
\&bench1_native,
# \&bench1_raw,
# \&bench1_mmap,
\&bench1_raw_perlio,
\&bench1_raw_perlio_utf8,
\&bench1_win32,
\&bench2_native,
\&bench2_raw_perlio,
\&bench2_raw_perlio_utf8,
\&bench3
);
foreach my $bench (@benchmarks)
{
my ($secs, $bytes, $lines) = $bench->($testfile);
my $mb = $bytes / 1_000_000;
print sprintf(" %.1f MB in %.3f sec, %.1f MB/sec\n", $mb, $secs,
+$mb / $secs);
print sprintf(" %1.fK lines, %.2f KL/sec\n", $lines / 1_000, ($li
+nes / 1_000) / $secs) if defined($lines);
}
# ------------------------------------------------------------------
# Read a line at a time with <fh>
sub bench1_native { return bench1_common(@_, "Line-at-a-time, default
+layers", "<"); }
sub bench1_raw { return bench1_common(@_, "Line-at-a-time, :raw", "<:r
+aw"); }
sub bench1_mmap { return bench1_common(@_, "Line-at-a-time, :raw:mmap"
+, "<:raw:mmap"); }
sub bench1_raw_perlio { return bench1_common(@_, "Line-at-a-time, :raw
+:perlio", "<:raw:perlio"); }
sub bench1_raw_perlio_utf8 { return bench1_common(@_, "Line-at-a-time,
+ :raw:perlio:utf8", "<:raw:perlio:utf8"); }
sub bench1_win32 { return bench1_common(@_, "Line-at-a-time, :win32:pe
+rlio", "<:win32:perlio"); }
sub bench1_common
{
my ($file, $prompt, $discipline) = @_;
print "\n$prompt\n";
open(my $fh, $discipline, $file) or die;
my $size = -s $fh;
# my $lines = 0;
my $bytes = 0;
my $start_time = Time::HiRes::time();
while (<$fh>)
{
use bytes;
# $lines += 1;
$bytes += length($_);
}
my $end_time = Time::HiRes::time();
close($fh);
print " $size on disk, $bytes in memory\n" if $bytes != $size;
my $secs = $end_time - $start_time;
# return ($secs, $size, $lines);
return ($secs, $size);
}
# ------------------------------------------------------------------
sub bench2_native { return bench2_common(@_, "Slurp-into-scalar, defau
+lt layers", "<"); }
sub bench2_raw_perlio { return bench2_common(@_, "Slurp-into-scalar, :
+raw:perlio", "<:raw:perlio"); }
sub bench2_raw_perlio_utf8 { return bench2_common(@_, "Slurp-into-scal
+ar, :raw:perlio:utf8", "<:raw:perlio:utf8"); }
# Read whole file with <fh>
sub bench2_common
{
my ($file, $prompt, $discipline) = @_;
print "\n$prompt\n";
open(my $fh, $discipline, $file) or die;
my $size = -s $fh;
local $/ = undef;
my $buf = "";
vec($buf, $size, 8) = 0;
my $start_time = Time::HiRes::time();
$buf = <$fh>;
my $end_time = Time::HiRes::time();
close($fh);
my $bufsize = length($buf);
# die "file is $size but got $bufsize" unless $bufsize == $size;
print " $size on disk, $bufsize in memory\n" if $bufsize != $size
+;
my $secs = $end_time - $start_time;
return ($secs, $size);
}
# ------------------------------------------------------------------
# Read whole file with sysopen/sysread
sub bench3
{
my ($file) = @_;
print "\n";
print "Slurp into scalar with sysopen/sysread (single read)\n";
sysopen(my $fh, $file, Fcntl::O_RDONLY | Fcntl::O_BINARY) or die;
my $size = -s $fh;
local $/ = undef;
my $buf = "";
vec($buf, $size, 8) = 0;
my $start_time = Time::HiRes::time();
my $count = sysread($fh, $buf, $size);
my $end_time = Time::HiRes::time();
die "read error: $!" unless defined($count) && $count == $size;
close($fh);
my $bufsize = length($buf);
die "file is $size but got $bufsize" unless $bufsize == $size;
my $secs = $end_time - $start_time;
return ($secs, $size);
}
[download]
Yes, I watch meteor showers
No, I do not watch meteor showers
My meteors prefer to bathe
Results (150 votes). Check out past polls. | http://www.perlmonks.org/?node_id=837624 | CC-MAIN-2017-04 | refinedweb | 1,629 | 72.56 |
in reply to
What's it with Perl Syntax ?!
I've found the thing that freaked me (and most people) out the most about perl are things that once you know how they're used, they have power that no other language can really compare to...
1. $_ and other hidden variables. These hidden functional variables that just get set at seemingly random times, is freaky. another command that has "implied variables" is "sort" which I always end up looking up, if I have to do anything more complex than use the <=> operator.
2. Sigils and Barewords... they just feel like a bother to most people, who want to know if a variable is an int or a string... it takes a while to understand that context gives type. Whenever I switch between C and Perl I end up dropping sigils by accident, only to find barewords really freak out Perl. Then again, I find pointer notation in C++ is really annoying--especially the precedence required for casting, though in variable declaration the * placement appears all over the place. Perl makes that stuff much easier.
3. Random arbitrary keyword variables like exporter, ISA and all the qw(), and some modules/namespace dereferences is a real pain, but this is mostly because I first learned perl before they were really prevalent... and now that I'm trying to use strict, I find the complaints about my use of globals to be annoying. :) Objects is another one of those things that juggling terms is kinda tough.
4. Pod format... sigh... I know I should learn it... but honestly...
Ironically the regex was what really drew me to Perl, because I learned them in a Unix class before Perl was really known to anyone at my university. And I fell in love with regex captures, from the beginning. THat feature alone has made me a loyalist for life. :)
--Ray
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/index.pl?node_id=888424 | CC-MAIN-2015-32 | refinedweb | 357 | 61.16 |
Right now the descriptions in the input document only use a few HTML tags, but potentially they could use full HTML up to and including tables, images, styles, and more. You could include separate template rules for each of these, but it's easier to specify a rule that applies to all elements.
<!-- pass unrecognized tags along unchanged --> <xsl:template <xsl:copy> <xsl:apply-templates/> </xsl:copy> </xsl:template>
The
* matches all elements that are not matched by some
more specific rules. It only matches element nodes, though. It does not match
nodes for
attributes
processing instructions
namespaces
text
The output is the same in this case, though for a document that used more HTML it might be different. | http://www.cafeconleche.org/slides/sd2000west/xslt/25.html | CC-MAIN-2014-10 | refinedweb | 119 | 57.2 |
User talk:Seraphita
From Uncyclopedia, the content-free encyclopedia.
[edit] Welcome!
Hello, Seraphita,)
Hi! I am Seraphita and come from bulgarian wikiedia. Thank you for help me!--Seraphita 16:12, 29 June 2007 (UTC)
[edit] Babel:BgI don't speak Bulgarian. The closest language to Bulgarian I know is Polish. I would hate to see the work you had go to waste so I moved the pages to how they're supposed to be if you don't have a bulgarian wiki. If you want to start a Bulgarian Uncyclopedia, go here. I had to at least slightly change the look because the language template was never meant to be floated right(thus making the page look much uglier). If you want, you might want to try to go to Babel:Simple, take the template, and translate it into 100% bulgarian if you want to go with the Babel page instead of the Wiki. --~
Jacques Pirat, Esq. Converse : Benefactions : U.w.p.01:07, 30 June 2007 (UTC)
- If you don't speak Bulgarian why do you did this changes? I explain the given name Oxypedia - Oxygene for changes etc. The format left right is important for me, I am not programist and I lose time to do the page it was! If you want to help me explain, please to do boarders--Seraphita 02:51, 30 June 2007 (UTC)
- I changed it because if you did it your way, your work would be deleted within 7 days. The main page was put on QVFD, but only saved because I moved it to the right place. The standard if you want to use a Babel page is to put it in the Babel namespace and to use the ISO code, not the name of the Uncyclopedia you want to create. Also because this is the English Uncyclopedia and not the Bulgarian one if you use "Категория" instead of "Category" it will not make a category. --~
Jacques Pirat, Esq. Converse : Benefactions : U.w.p.04:01, 30 June 2007 (UTC)
[edit] Oxypedia.netIt's right here. You can login with the same account you had at Uncyclomedia. --~
Jacques Pirat, Esq. Converse : Benefactions : U.w.p.23:08, 30 June 2007 (UTC)
No! Sorry, I disagree with adress! oxypedia.bg is better!--Seraphita 23:18, 30 June 2007 (UTC)Your're welcome. Oh, and carlb also asked you a question on the language request page, asking if would be an address okay with you. --~
Jacques Pirat, Esq. Converse : Benefactions : U.w.p.14:31, 4 July 2007 (UTC)
- Yet I responded evasively at this question. I don’t like very much this idea. I prefer, as I told in I hope it don’t matter your help until now or futur.
- Tell carlb this, then go to Wikia and start the wiki. It needs approval first, but it shouldn't be too bad. --~
Jacques Pirat, Esq. Converse : Benefactions : U.w.p.20:32, 4 July 2007 (UTC)
- Certainly oxypedia.bg is possible, if you are a citizen or permanent resident of a country in the European Common Market. It would cost 30 euros a year to register the name at and then it's legally yours. The wiki itself could still remain on the existing server, the new name would simply need to be added to the server configuration files once you've registered. Existing name servers are [sophia.uncyclomedia.org 64.86.165.249, oscar.uncyclomedia.org 209.139.209.234]. Please let me know if you decide to go this route. --Carlb 13:53, 6 July 2007 (UTC)
- - H'm! The prize go up a little ?--Seraphita 14:11, 6 July 2007 (UTC)
- It does seem that the .bg names are a bit more expensive in price than the same names as .net .info or .biz; Any of these would be possible to obtain if you want them and if no one has registered them yet. --Carlb 15:30, 6 July 2007 (UTC) | http://uncyclopedia.wikia.com/wiki/User_talk:Seraphita | crawl-002 | refinedweb | 663 | 76.62 |
0
Why is it, when I compile this, the cout statement runs twice at first? It does not do that when I have the rest of the code in there that is int. Any thoughts of why or what I am doing wrong..
#include <iostream> #include <string> using namespace std; int main() { string *name; // int *votes; int i; int numVotes; cout << "how many voters: "; cin >> numVotes; name = new string[numVotes]; for(i=0;i < numVotes; i++){ cout <<"enter canidates last names: "; getline(cin,name[i]); } for(i = 0;i < numVotes; i++){ cout << name[i] << endl; } //moved rest of code that's integer and not having this problem out. Basicly //same thing, Dynamicly allocated votes of the canidates for a percentage later. delete [] name; system ("pause"); return 0; } /**************************************************************************************/ // below bit of code (unfinished mind you) does not cout repeat..don't understand. /*votes = new int[numVotes]; for(int i = 0;i < numVotes; i++){ cout << "enter votes received : "; cin >> votes[i]; }*/ /*for(int x=0;x<6;x++){ total = total + votes[x]; perc[x] = (votes[x] * 100) / total; cout << "Canidate \t\t\t" << "Votes Received \t\t\t" << "% of Total Votes"; cout << name[x] << "\t\t\t\t\t" << votes[x] << "\t\t\t\t" << perc[x] << endl; }*/ /********************************************/ //delete [] votes; | https://www.daniweb.com/programming/software-development/threads/318681/c-string-for-loop-doubling-cout-why | CC-MAIN-2016-44 | refinedweb | 208 | 72.39 |
Another way of saying "almost". See virtual reality among other virtual- phrases. Very often misused by the media and many others, when they really mean computer based, Internet based or "conceptual"..
--The Jargon File version 4.3.1, ed. ESR, autonoded by rescdsk.
A C++ keyword, which precedes function definitions inside classes if the function is a virtual function. A key part of the object orientated abilities of C++.
The keyword is not required if the function is overriding a virtual function already defined in an ancestor class, however it is often used anyway in order to clarify that the function is an override. The only function type you cannot use this keyword with is a constructor.
Adding "= 0" to the end of the function definition makes the function pure virtual.
An example of usage:
class myClass {
public:
virtual void aVirtualFunction();
virtual void pureVirtualFunction() = 0;
};
In the C++ programming language virtual is a keyword in whose purpose is to declare a virtual function. (Virtual is also a keyword in some other programming languages which are beyond the scope of this write up.) Because of what it means to be virtual, only member functions can be virtual. To understand what virtual is, one must first understand both classes and inheritance in C++. As always, the best way to explain code is code:
/* The following code is a complete program and will compile and run as is */
class Food {
public:
Food() { }
virtual ~Food() { }
virtual int EatMe() { return 2; }
virtual const char *QueryName() { return "GENERIC"; }
};
class VeggieFood : public Food {
private:
int *foodHolder;
public:
VeggieFood() { foodHolder = new int[5]; foodHolder[0] = 3; }
virtual ~VeggieFood() { delete [] foodHolder; }
virtual int EatMe() { return foodHolder[0]; }
virtual const char *QueryName() { return "Veggie"; }
};
class Meat : public Food {
public:
virtual ~Meat() { }
virtual int EatMe() { return 0; }
virtual const char *QueryName() { return "Meat"; }
virtual int GetProtein() = 0;
};
using namespace std;
#include <iostream>
int main() {
Food *ptrFood;
ptrFood = new Food;
cout << ptrFood->QueryName() << endl;
delete ptrFood;
ptrFood = new VeggieFood;
cout << ptrFood->QueryName() << endl;
delete ptrFood;
}
The output from this program will be:
GENERIC
Veggie
GENERIC
Veggie
This means that ptrFood, even though its a pointer to the base class Food, can be used to execute functions in any class derived from Food. This allows one to make generic code which will work with classes that have yet to be written. For instance, functors can be created using virtual functions rather than using templated functions.
ptrFood
Food
Destructors of classes with virtual functions should always be virtual. The above code shows why; without ~Food() being virtual, only ~Food() would be called, not ~VeggieFood(). The result would be leaked memory. This is why STL containers such as vector should never be used as a base class. STL containers have non virtual destructors as a matter of standard, so a derived class may silently leak memory. On the other hand, constructors can never be virtual. This is because an object is always explicitly created by name either by being declared globally or locally or through the new, as seen above.
~Food()
~VeggieFood()
vector
new
Meat has a pure virtual function named GetProtein(). This can be seen by the = 0 which follows the function declaration. A pure virtual function is declared in a class but not defined. The result is that the class itself can not be instantiated. All of the following lines would cause a compiler error:
Meat
GetProtein()
= 0
Meat maddeningCow;
ptrFood = new Meat;
Meat::GetProtein();
Therefore, a class with pure virtual functions is only useful if other classes are derived from it. Classes such as Meat are useful for defining an abstract interface which other classes and function may make use of without having to write a series of dummy functions. Further, all pure virtual functions must be implemented in a child class for the class to be instantiated, providing a compiler-generated reminder that dummy functions do not.
There are many things about virtual functions that a coder doesn't especially need to know, but it can be valuable to know just so one can quibble with other programmers and feel more geeky. Virtual functions use a technique referred to as late binding. It is late binding because with normal binding the function to call is determined at link time, when the executable (e.g. a.out) is made. For such normal binding, a call or similar assembly instruction is hard coded pointing directly to the intended routine. With late binding, extra information, often stored in a structure called a vtable, is kept to determine which function to call. When a virtual function is called, a small stub is executed that determines which type function to actually call, and then control is passed to that function as normal. The result is that virtual functions are slightly slower than non-virtual functions. The speed difference is akin to normal functions versus inline functions.
call
Sources: memory, probably derived from long fogotten original sources of:
Thanks to Swap who reminded me that modern people use namespaces in C++.
Vir"tu*al (?; 135), a. [Cf. F. virtuel. See Virtue.]
1.
Having the power of acting or of invisible efficacy without the agency of the material or sensible part; potential; energizing.
Heat and cold have a virtual transition, without communication of substance.
Bacon.
Every kind that lives,
Fomented by his virtual power, and warmed.
Milton.
2.
Being in essence or effect, not in fact; as, the virtual presence of a man in his agent or substitute.
A thing has a virtual existence when it has all the conditions necessary to its actual existence.
Fleming.
To mask by slight differences in the manners a virtual identity in the substance.
De Quincey..
© Webster 1913.
Log in or register to write something here or to contact authors.
Need help? accounthelp@everything2.com | https://m.everything2.com/title/virtual | CC-MAIN-2021-49 | refinedweb | 963 | 51.48 |
How to add elements to an array in java? We know that java array size is fixed, so we can’t add elements to an Array. We have to provide size of the array when we initialize array in java.
Java Array add elements
There is no shortcut method to add elements to an array in java. But as a programmer, we can write one. Here I am providing a utility method that we can use to add elements to an array. We can also use it for java copy arrays.
In the utility method, I will create a temporary array, whose size will be the addition of the length of array and number of elements to add in the array. Then I will copy the input array to the temporary array and add the elements and then return it.
Let’s see this in action.
package com.journaldev.util; import java.util.Arrays; public class AddToArray { public static void main(String[] args) { Object[] objArr1 = {"1","2","3"}; Object[] objArr2 = {"4","5","6"}; //adding an element to array Object[] objArr = add(objArr1, "4"); System.out.println(Arrays.toString(objArr)); //adding two arrays objArr = add(objArr1, objArr2); System.out.println(Arrays.toString(objArr)); } /** * This method will add elements to an array and return the resulting array * @param arr * @param elements * @return */ public static Object[] add(Object[] arr, Object... elements){ Object[] tempArr = new Object[arr.length+elements.length]; System.arraycopy(arr, 0, tempArr, 0, arr.length); for(int i=0; i < elements.length; i++) tempArr[arr.length+i] = elements[i]; return tempArr; } }
I am using variable arguments in
add() so that we can pass any number of objects to be added to the array. Note that the array type should be Object else it will throw
ClassCastException.
Also, this will work only for Object array and not for primitive data types array.
Output of the above program is:
[1, 2, 3, 4] [1, 2, 3, 4, 5, 6]
This is just an alternative way to add Objects to an array in java but we should use ArrayList in this scenario where the number of elements can change.
AFAIK Its not the alternative way to copy an array but its most effective way because system.arraycopy(arg..) is native method and use memcpy internally , which loads whole memory chunks in one time instead of one by one in case of for loop and that makes it efficient , If you have any thought in this please let me know.
Thanks
A Reader
For copying the second arry over, why did you not use the System.arraycopy again ?
System.arraycopy(arr, 0, tempArr, 0, arr.length); //for first copy (like you have done already)
System.arraycopy(elements, 0 , tempArr, arr.length +1, elements.length); // for second copy | https://www.journaldev.com/763/java-array-add-elements | CC-MAIN-2019-39 | refinedweb | 462 | 57.47 |
no-EJB deployment, seam managed sessions and commit/flush tiAndrew Jan 18, 2006 1:16 AM
I saw a similar conversation to my question (), but it didn't cover exactly what I was looking for and was hoping someone could clarify how to accomplish the following. First my setup:
Tomcat 5.5
Hibernate 3.1
SeamExtendedManagedPersistencePhaseListener
Okay, what I want to do (I'll just mention tihs one example):
Administrator goes to a page for editing web site users
Admin picks a user to edit
Admin changes first name
Admin chooses to add a new address to the user (address is a mapped child object in hbm.xml)
Admin enters address data
Admin clicks save or cancel
Result:
User table is not changed until save is clicked and user & address objects are validated (user is not updated when the "add address" action is processed/fired and the page is re-rendered)
If admin clicks the cancel, all changes are thrown out (rollback)
During this time, I'd rather not have a database lock, so the user can still log in an change their own profile (while the administrator is working on their profile).
Now, I couldn't be sure from the post mentioned above how to stop the session being flushed during the "add address" action processing. Also, I am not sure when to being the hibernate transaction (when the user starts to edit the user, when the add address is called, or only in the save action).
What is the best way to handle this in Seam without using EJB3 support? Is there a way to do this that "works" with the hibernate session, or should I evict the user from the session, and explicitly call session.update()?
Example code:
@Scope(ScopeType.CONVERSATION) @Name("userAdmin") @Conversational(ifNotBegunOutcome("listUsers")) public class UserAdmin implements Serializable { ... @In(create=false, value="userList") @Out(value="userList", required=false, scope=ScopeType.CONVERSATION) private List<User> users; @In(create=false, value="editingUser") @Out(value="editingUser", required=false) @Valid private User user; @In(create=true) private Session database; @Begin public String selectUser() {...} @End public String cancel() {...} @End @IfInvalid(outcome=REDISPLAY) public String save() {...} public String addAddress() {...}
Thanks, Andrew
1. Re: no-EJB deployment, seam managed sessions and commit/flusGavin King Jan 18, 2006 1:23 AM (in response to Andrew)
Either use:
session.setFlushMode(FlushMode.NEVER).
Or use:
@End @TransactionAttribute(NOT_SUPPORTED)
public String cancel() {...}
Let me know if this does not solve your problem.
2. Re: no-EJB deployment, seam managed sessions and commit/flusGavin King Jan 18, 2006 1:24 AM (in response to Andrew)
Ah, I should say, in the second alternative, you also need:
@TransactionAttribute(NOT_SUPPORTED)
public String addAddress() {...}
The flush mode solution is the most elegant one, I think.
3. Re: no-EJB deployment, seam managed sessions and commit/flusAndrew Jan 18, 2006 1:48 PM (in response to Andrew)
Thanks for the reply Gavin. I may go with the FlushMode.NEVER, but wanted to know about the @TransactionAttribute. Is it possible to use this without EJB3? It is in the ejb specification, not seam, so was not sure if it would work in the no-ejb/hibernate only implementation.
4. Re: no-EJB deployment, seam managed sessions and commit/flusGavin King Jan 18, 2006 1:50 PM (in response to Andrew)
Yes, TransactionAttribute is only helpful with EJB3. My bad. I keep getting muddled up with that stuff ;) | https://developer.jboss.org/thread/131181 | CC-MAIN-2018-13 | refinedweb | 566 | 53.61 |
XPath
twitter
Reddit
Topics
No topic found
Content Filter
Articles
Videos
Blogs
News
Complexity Level
Beginner
Intermediate
Advanced
Refine by Author
[Clear]
Scott Lysle (4)
Mahesh Chand (3)
John Bailo (2)
Daniel Stefanescu (2)
Mike Gold (2)
Vishal Gilbile (2)
Yadagiri Reddy (1)
Akash Malik (1)
Nalaka withanage (1)
Sachin Kalia (1)
Manish Dwivedi (1)
venkatesh basi (1)
Sundar (1)
Sudipta Sankar Das (1)
Jasper vd (1)
Related resources for XPath
No resource found
Overview Of Selenium Locators
8/10/2020 11:24:53 PM.
This article explains Selenium Locators. Selenium provides us with different types of locators ID, Name, Class Name, CSS Selector, XPath, Link Text, Partial Link Text, Tag Name.
Use of XPath in Java: Part 1
9/29/2019 7:02:43 AM.
This article describes the use of XPath in XML parsing in Java.
RSS Feed Link Reader in VB.NET
11/9/2012 11:14:01 AM.
This article discusses the construction of a simple application that may used to view RSS feeds from the desktop. The application allows the user to select a canned RSS feed or to key one.
XML Pathfinder - A Visual Basic Utility
11/9/2012 8:23:45 AM.
This article discusses the construction of a simple utility that may be used to locate and evaluate paths within an XML document, and to test queries against those paths.
Multiuser XML 'Database' Web Service
10/13/2012 5:54:36 AM.
This article shows multiple users to have simultaneous access to the document just like a database. The critical thing is how can we load a resource once and how can we have multiple users access it without collisions.
Viewing and Writing XML Data using ADO.NET DataSets
9/29/2012 6:41:52 AM.
Based on a real world project this article shows how to handle XML data in .NET using C# DataSets and DataViews.
.
XPath Using HtmlAgilityPack and WebClient
6/25/2012 11:24:42 PM.
In this article we have used HtmlAgilityPack to get multiple nodes using SelectNodesByPattern, which is an extension method.
Performance Comparison of XslTransform Inputs
5/20/2012 7:30:35 AM.
To transform XML into HTML for use on a Web site or to transform it into a document that contains only the fields required you could use the XSLTransform class (found in the System.Xml.Xsl namespace).
Transformation and XSLT
5/20/2012 6:26:25 AM.
In this article I will explain you about Transformation and XSLT.
Binding The TreeView Control to XML Data
5/20/2012 5:19:47 AM.
This article explain how to bind the TreeView control to an XML file.
XML Navigation using C#
5/20/2012 2:37:34 AM.
This article demonstrates how to navigate through XML documents using C#.
Packing List for the Pocket PC in the .NET Compact Framework
5/19/2012 6:25:35 AM.
This article demonstrates a pocket pc packing list application to help you track moving inventory. The application is written in C# for the .NET Compact Framework (1.1) and shows you how to overcome some limitations in the framework such as scrolling a form and searching nodes in XML.
jQuery with Examples
5/15/2012 6:21:12 PM.
This artilce tells about jQuery with examples and explanations. You can download source code also.
Querying XML Files Using XPATH in ASP.NET
7/20/2011 7:12:48 PM.
This article basically will help you to know about XPath and how to query an XML file so that we can read only certain parts of it.
Querying XML Data Using XPATH Expression and the XML DOM
7/20/2011 11:53:56 AM.
The following is an example of data in an XML file being queried using XPath with HTML as a front end.
RSS Feed Link Reader
2/26/2008 2:26:22 AM.
This article discusses the construction of a simple application that may used to view RSS feeds from the desktop.
XML Pathfinder - Sample C# Utility to Study XML Paths and XPath Queries
2/5/2008 1:02:19 AM.
This article discusses the construction of a simple utility that may be used to locate and evaluate paths within an XML document, and to test queries against those paths..
Creating MS Word Document using C#, XML and XSLT
3/21/2006 8:59:36 AM.
This simple program demostrate how to create well formatted MS Word documents using C#, XML and XSLT. Using XSLT to create Word documents requires the knowledge of RTF key words..
A Scheduled Application Launcher Service in C# and .NET
1/16/2006 6:56:34 AM.
This an article is on launching scheduled tasks. Not quite as exciting as launching a spaceship into outer space, but…hey, even astronauts have to automate some of their day to day activities.
Performance Comparison of XslTransform Inputs
1/3/2006 5:04:53 AM.
To transform XML into HTML for use on a Web site or to transform it into a document that contains only the fields required you could use the XSLTransform class (found in the System.Xml.Xsl namespace).
Sokoban Pro Game in C#
12/24/2005 6:20:33 AM.. | https://www.c-sharpcorner.com/topics/xpath | CC-MAIN-2021-39 | refinedweb | 870 | 65.83 |
Dataflow Concurrency (Scala)
Description
Akka implements Oz-style dataflow concurrency by using a special API for Futures (Scala) that allows single assignment variables and multiple lightweight (event-based) processes/threads.
Dataflow concurrency is deterministic. This means that it will always behave the same. If you run it once and it yields output 5 then it will do that every time, run it 10 million times, same result. If it on the other hand deadlocks the first time you run it, then it will deadlock every single time you run it. Also, there is no difference between sequential code and concurrent code. These properties makes it very easy to reason about concurrency. The limitation is that the code needs to be side-effect free, e.g. deterministic. You can’t use exceptions, time, random etc., but need to treat the part of your program that uses dataflow concurrency as a pure function with input and output.
The best way to learn how to program with dataflow variables is to read the fantastic book Concepts, Techniques, and Models of Computer Programming. By Peter Van Roy and Seif Haridi.
The documentation is not as complete as it should be, something we will improve shortly. For now, besides above listed resources on dataflow concurrency, I recommend you to read the documentation for the GPars implementation, which is heavily influenced by the Akka implementation:
Getting Started
Scala’s Delimited Continuations plugin is required to use the Dataflow API. To enable the plugin when using sbt, your project must inherit the AutoCompilerPlugins trait and contain a bit of configuration as is seen in this example:
autoCompilerPlugins := true, libraryDependencies <+= scalaVersion { v => compilerPlugin("org.scala-lang.plugins" % "continuations" % <scalaVersion>) }, scalacOptions += "-P:continuations:enable",
Dataflow Variables
Dataflow Variable defines four different operations:
- Define a Dataflow Variable
val x = Promise[Int]()
- Wait for Dataflow Variable to be bound (must be contained within a Future.flow block as described in the next section)
x()
- Bind Dataflow Variable (must be contained within a Future.flow block as described in the next section)
x << 3
- Bind Dataflow Variable with a Future (must be contained within a Future.flow block as described in the next section)
x << y
A Dataflow Variable can only be bound once. Subsequent attempts to bind the variable will be ignored.
Dataflow Delimiter
Dataflow is implemented in Akka using Scala’s Delimited Continuations. To use the Dataflow API the code must be contained within a Future.flow block. For example:
import Future.flow implicit val dispatcher = ... val a = Future( ... ) val b = Future( ... ) val c = Promise[Int]() flow { c << (a() + b()) } val result = Await.result(c, timeout)
The flow method also returns a Future for the result of the contained expression, so the previous example could also be written like this:
import Future.flow implicit val dispatcher = ... val a = Future( ... ) val b = Future( ... ) val c = flow { a() + b() } val result = Await.result(c, timeout)
Examples
Most of these examples are taken from the Oz wikipedia page
To run these examples:
- Start REPL
$ sbt > project akka-actor > console
Welcome to Scala version 2.9.1 (Java HotSpot(TM) 64-Bit Server VM, Java 1.6.0_25). Type in expressions to have them evaluated. Type :help for more information. scala>
2. Paste the examples (below) into the Scala REPL. Note: Do not try to run the Oz version, it is only there for reference.
- Have fun.
Simple DataFlowVariable example
This example is from Oz wikipedia page:. Sort of the “Hello World” of dataflow concurrency.
Example in Oz:
thread Z = X+Y % will wait until both X and Y are bound to a value. {Browse Z} % shows the value of Z. end thread X = 40 end thread Y = 2 end
Example in Akka:
import akka.dispatch._ import Future.flow implicit val dispatcher = ... val x, y, z = Promise[Int]() flow { z << x() + y() println("z = " + z()) } flow { x << 40 } flow { y << 2 }
Example of using DataFlowVariable with recursion
Using DataFlowVariable and recursion to calculate sum.
Example in Oz:
fun {Ints N Max} if N == Max then nil else {Delay 1000} N|{Ints N+1 Max} end end fun {Sum S Stream} case Stream of nil then S [] H|T then S|{Sum H+S T} end end local X Y in thread X = {Ints 0 1000} end thread Y = {Sum 0 X} end {Browse Y} end
Example in Akka:
import akka.dispatch._ import Future.flow implicit val dispatcher = ... def ints(n: Int, max: Int): List[Int] = { if (n == max) Nil else n :: ints(n + 1, max) } def sum(s: Int, stream: List[Int]): List[Int] = stream match { case Nil => s :: Nil case h :: t => s :: sum(h + s, t) } val x, y = Promise[List[Int]]() flow { x << ints(0, 1000) } flow { y << sum(0, x()) } flow { println("List of sums: " + y()) }
Example using concurrent Futures
Shows how to have a calculation run in another thread.
Example in Akka:
import akka.dispatch._ import Future.flow implicit val dispatcher = ... // create four 'Int' data flow variables val x, y, z, v = Promise[Int]() flow { println("Thread 'main'") x << 1 println("'x' set to: " + x()) println("Waiting for 'y' to be set...") if (x() > y()) { z << x println("'z' set to 'x': " + z()) } else { z << y println("'z' set to 'y': " + z()) } } flow { y << Future { println("Thread 'setY', sleeping") Thread.sleep(2000) 2 } println("'y' set to: " + y()) } flow { println("Thread 'setV'") v << y println("'v' set to 'y': " + v()) }
Contents | http://doc.akka.io/docs/akka/2.0.2/scala/dataflow.html | CC-MAIN-2015-11 | refinedweb | 905 | 64.91 |
Want to see the full-length video right now for free?Sign In with GitHub for Free Access
Nearly everything in Vim can be configured and customized to match your preferences. Now that you have an understanding of core Vim and the power it has, we can dive into discussing how to go about configuring it to match your preferences and workflows.
Vim reads in configuration from a specific file,
~/.vimrc, on startup. This
file must be be located and named as such, but thankfully we don't have
to let this limit us.
Our recommendation is to store the actual file in a git repository somewhere else on your system, and then use a "symlink" (symbolic link) to simulate the file living in your home directory.
Assuming you have a file you want to use as your vimrc in a git repo on your
system (we're using
~/code/dotfiles/vimrc for our example, but yours can be
anywhere).
# Move to your home directory (~ means home dir) $ cd ~ # Create the symlink to the existing vimrc file $ ln -s ~/code/dotfiles/vim/vimrc ~/.vimrc
This lets you can track changes to your vimrc over time using git, and replicate those changes across machines, but without having to store your entire home directory in a repo!
Vim provides a special variable,
$MYVIMRC that points to your vimrc file
and allows for quick editing with:
:e $MYVIMRC<cr>
All configurations in Vim use the identical syntax when run either at the Vim command line or read in from the vimrc config file. This means that it is very easy to test out configuration commands before committing them to your vimrc. This means that running the command:
:nmap 0 ^<cr>
is identical to having the following line in your vimrc.
nmap 0 ^
Note The
<cr> above is how Vim refers to the return key, so when typing
you would hit return, not literally type "<cr>".
Vim allows you to map any key sequence you'd like. Each mapping is scoped to a mode, e.g. normal mode or insert mode. All mappings follow the same structure:
nmapis a normal mode map,
imapfor insert, etc.
" map-cmd lhs rhs nmap 0 $
You can use mappings to trigger Vim commands like
:w[rite]<cr> by prefixing
the
rhs with
<cr> to represent hitting return. Note,
this is exactly what you would type to run the command directly. For example:
:, and ending with
" Map Ctrl-s to write the file nmap <C-s> :w<cr>
Since Vim makes such terrific use of the available keys in normal mode, there is unfortunately not much left for us to work with. Luckily, Vim has a feature known as the "leader key" which is intended to be used to prefix all your custom commands, essentially providing a safe namespace for your custom mappings.
By default the leader is mapped to
\, but this is not ideal since the
\key is a bit of a stretch for your poor pinky. Instead, we can use the following to set the leader to the space bar, a sizeable and easy-to-reach target:
" Use the space key as our leader. Put this near the top of your vimrc let mapleader = "\<Space>"
When using the leader to prefix our mappings, use the literal string
<leader> to prefix the left hand side of the map:
" Split edit your vimrc. Type space, v, r in sequence to trigger nmap <leader>vr :sp $MYVIMRC<cr> " Source (reload) your vimrc. Type space, s, o in sequence to trigger nmap <leader>so :source $MYVIMRC<cr>
For each of these mappings
<leader> will be replaced by whatever
mapleader is currently set to. Again, by default this is
\, but since we've configured space as our mapleader, our mappings will be configured with space.
The mappings below provide the ability to rapidly tweak and reload your vimrc configuration without having to leave your editor. We recommend adding these to your vimrc, and using them to regularly add new leader mappings, try out settings, etc, all on the fly.
nmap <leader>vr :sp $MYVIMRC<cr> nmap <leader>so :source $MYVIMRC<cr>
As discussed above, Vim allows you to map key sequences in any of the modes, not just normal mode. As an example, the following creates mappings to escape from insert mode:
imap jk <esc> imap kj <esc>
With this in place, type
j then
k (or
k then
j) and Vim will instead
treat it as if you typed
<esc> and will exit insert mode.
Similarly, the following mapping both exits insert mode and saves the buffer:
imap <C-s> <esc>:w<cr>
Note Since these are
imaps (insert mode mappings), they will not affect
any other mode. Typing
jk in normal mode will still perform the expected
navigation.
Most keys can be entered literally in mappings, e.g.
j will be treated as
if you pressed the j key. Some keys and key sequences are special and need to
be entered using a specific sequence to work as expected in a mapping. The
following is a partial list of special keys and characters:
See
:h :map-special-keys and
:h :map-special-chars for a complete
listing.
Vim has an extensive collection of options which you can configure using the
set command. One example would be instructing Vim to display line numbers.
You can do this by running the command
:set number at the command line, or by
adding the following to your vimrc:
set number
Here is a small sample of some options to give you an idea of what is available.
set number " Display line numbers beside buffer set nocompatible " Don't maintain compatibilty with Vi. set hidden " Allow buffer change w/o saving set lazyredraw " Don't update while executing macros set backspace=indent,eol,start " Sane backspace behavior set history=1000 " Remember last 1000 commands set scrolloff=4 " Keep at least 4 lines below cursor
There are hundreds of options that you can set, so we recommend against trying to tweak too many at once. Instead, look them up as you hit pain points or borrow from other's configurations and try one or two at a time.
Vim has a somewhat-staggering list of options so you likely don't need to
know all or even most of them, but if you do want to get an overview, you can
run
:browse set<cr> to see a list of all the options, grouped by type.
While in this option window you can navigate to the help for a specific
option by pressing
<C-]> with your cursor on the setting name
<cr>while on the word
setto toggle a specific option value.
<C-]>while on the option.
Note - This is not the common place you will interact with or learn about Vim's options, but does provide a good introduction.
Autocommands allow you to hook into Vim's event system. This lets you run any command based on events that Vim triggers. As an example:
" Bind `q` to close the buffer for help files autocmd Filetype help nnoremap <buffer> q :q<CR>
The above configuration will map
q to quit whenever you open a help file in
Vim. (Note,
<buffer> is a special mapping argument that instructs Vim to
only register the mapping for the current buffer).
In addition to the
Filetype event we've seen, Vim provides an array of
other events that you can tap into:
The above is a subset, see
:h autocmd-events for the full list.
" Pre-populate a split command with the current directory nmap <leader>v :vnew <C-r>=escape(expand("%:p:h"), ' ') . '/'<cr> " Edit your vimrc in a new tab nmap <leader>vi :tabedit ~/.vimrc<cr> " Copy the entire buffer into the system register nmap <leader>co ggVG*y " Edit the db/schema.rb Rails file in a split nmap <leader>sc :split db/schema.rb<cr> " Move up and down by visible lines if current line is wrapped nmap j gj nmap k gk " Command aliases for typoed commands (accidentally holding shift too long) command! Q q " Bind :Q to :q command! Qall qall command! QA qall command! E e
Custom commands are defined by providing a name for the command and then another command to run when the new command is triggered. For example:
command! Q q
The above creates a command
Q that can be run with the sequence
:Q<cr> in
normal mode.
Custom commands are useful for paving over rough edges (holding down shift for too long when trying to quit), or combining multiple steps into a single command.
Don't be afraid to borrow from others' dotfiles. Here are a few samples to get you started:
Building up your dotfiles should be a slow process, and will likely be ongoing for as long as you use Vim and similar tools. As such, don't worry about building the perfect configuration, but instead try to improve your configuration a little each week.
Pay attention to the commands and key sequences you use regularly and consider creating a leader mapping or a custom command. Time spent smoothing out those rough edges and optimizing your workflow will be time well spent. | https://thoughtbot.com/upcase/videos/onramp-to-vim-configuration | CC-MAIN-2022-21 | refinedweb | 1,536 | 67.18 |
FAQ's answered
What third-party sites does MetaCPAN use?
- CPAN is where all the Perl modules live. MetaCPAN 'just' indexes those files.
- CPAN Testers collect test reports of the CPAN modules. MetaCPAN show the number of test reports and links to the tests.
- CPANTS provide Kwalitee metrics for CPAN modules. MetaCPAN links to the respective pages on the CPANTS site.
- RT is an installation of Request Tracker that provides a default bug~ and issue-tracking system for every CPAN distribution. Unless the author of the module configured it otherwise MetaCPAN will link the respective RT Queue of every distribution.
- GitHub is the most popular public version control system among Perl module developers. Many distributions indicate it as their public VCS. Some of them even mark GitHub as their preferred issue tracking system. MetaCPAN links to the GitHub repository and bug tracking system of each distributions if the author has included the information in the META files.
How to list all the Plack Middleware?
In general, how to list all the modules in a name-space?
Type in module: and the namespace such as Catalyst::Plugin, Dancer::Plugin, Mojolicious::Plugin, or Perl::Critic::Policy.
A non-comprehensive list of special search expressions:
These search-terms can be combined with each other and regular search term.
- module: filter by part of a module name ( e.g. module:Plugin )
- distribution: search in the files of the specific distribution ( e.g. distribution:Dancer auth )
- author: search in the modules releases by the given author ( e.g. author:SONGMU Redis )
- version: limit the search to modules with the given version number ( e.g. version:1.00 )
Wildcards: ? matches a single character, * matches any number of characters ( e.g. version:1.* and version:1.? )
Why can't I find a specific module?
See our missing module page.
How can I get involved / who is involved?
Where can I find the API docs?
The API docs can be found by visiting fastapi.metacpan.org. API requests need to be sent to fastapi.metacpan.org.
How can I try the API? is an easy way to try sending queries to the back-end.
Why can't I link my PAUSE account?
Is your PAUSE email set up?
If you are a module author you can link your PAUSE account to your MetaCPAN account. But you must configure the email address forwarding in your PAUSE account for this to work.
Connecting one identity disconnects another?
If you can only connect your account to GitHub or PAUSE (e.g. connecting to one disconnects the other), it is usually because you have (probably accidentally) created two accounts.
To fix this:
- Log in with one of them
- Go to identities and disconnect that account
- Log in with the other and connect to the first
Trying to connect PAUSE just gives you JSON and doesn't work?
It is possible to get your account into an inconsistent state where it won't connect to PAUSE - particularly if you've connected via multiple identities, and/or using multiple browsers.
To fix this:
- Disconnect all identities
- Remove all cookies from
metacpan.organd
fastapi.metacpan.org
- Reconnect via one identity
- Connect to PAUSE
Make sure that you use the same browser for all of the steps - including opening the link in the email from MetaCPAN.
Favorites not displaying on author page?
Please see this discussion.
Oops! I made a mistake. Can you delete my module?
Requests to have modules removed from the CPAN should be directed at the PAUSE admins. Keep in mind that, if a module contains sensitive information, just deleting it from your CPAN directory is not enough, as it will still reside in the BackPAN.
If the PAUSE admins approve your request, have them CC noc@metacpan.org so that we can push the right buttons to have your work removed from MetaCPAN as well.
Can I automatically redirect links pointing at search.cpan.org to metacpan.org?
As announced by the Perl NOC, all traffic will be redirected to from search.cpan.org to MetaCPAN.org as of 25th of June 2018.
What is the relation of MetaCPAN to author-*.json and the data in a PAUSE account?
Every CPAN module author has an account on PAUSE. That account has some profile data in it (full name, ascii name, e-mail, and homepage). Authors can edit those at Edit Account Info. This information is collected and distributed by PAUSE via the 00whois.xml file.
In addition PAUSE users can upload a file called author.json or author-1.0.json to the root of their PAUSE account with other information.
When someone asks MetaCPAN for information about an author (a PAUSE account), MetaCPAN will provide the data from the MetaCPAN account that was associated with the given PAUSE account. If no such association exists then MetaCPAN will default to the data found in the PAUSE account of the user (via the 00whois.xml file), and to the content of the latest author-*.json file found in the PAUSE account of that user. (If there is such a file.)
Once a PAUSE account is connected to a MetaCPAN account, the information in the MetaCPAN account is initialized from those sources (00whois.xml and author-*.json) and from that point MetaCPAN disregards any changes made to those files.
If you, as a PAUSE author would like to keep them in sync, you can always export your MetaCPAN account information in json format by accessing (replacing the word PAUSEID by your own PAUSEID). Then you can upload the result as author-*.json with a higher version number than the last one you uploaded. The PAUSE account information need to be updated manually via Edit Account Info. | http://web-stage.metacpan.org/about/faq | CC-MAIN-2019-18 | refinedweb | 952 | 67.86 |
[solved] QTimer in console application
Hello,
can i use QTimer in a console application without QObject , Signal/ Slot overhead ?
I assume i need Signal Slot mechanism to get the timeout event directed to a function (Slot),
but I 'm not sure if there isn 't a simple solution.
thx wally
In short : No, you can't use a slot without using a slot :)
If you want to invoke some action after some time then you either need to sleep the thread (blocking) or wait for some time in a loop(non-blocking). Qt has both - thread support and an event loop. A connection from a QTimer is a form of using the second method so there's pretty little you can do in any other way, neither using standard facilities nor 3rd party libs.
Direct connections in a single threaded app are almost as cheap as plain function calls so the runtime overhead is next to none. What is your concern exactly?
Thanks for reply.
bq. What is your concern exactly?
nothing special, just wnated a confirmation for my assumption above.
("i can not use QTimer efficiently in a single main.cpp without additional classfiles")
Actually i' m learning about QTimer and i think its a good class for playing around with QThread in next chapter. In the past i often met a much simplier solution as
my own approach after talking in forum. That's all
Oh, I thought you meant runtime efficiency not lines of code count.
bq. i can not use QTimer efficiently in a single main.cpp without additional classfiles
Sure you can. This app for example waits for 5s, does stuff, and then quits:
@
#include <QApplication>
#include <QTimer>
int main(int argc, char *argv[]) {
QApplication a(argc, argv);
QTimer t; QObject::connect(&t, &QTimer::timeout, [&](){ //do stuff a.exit(); }); t.start(5000); return a.exec();
}
@
bq. Actually i’ m learning about QTimer and i think its a good class for playing around with QThread in next chapter.
QTimer is more of a single threaded construct. The timeout is handled(usually) in the thread the timer lives in. You can handle it in a worker thread of course but there's little point to it. If you want to wait for some time in a worker thread it's better to just sleep.
Actually starting with Qt 5.4 (yay, finally!) you can even shorten that to just:
@
#include <QApplication>
#include <QTimer>
int main(int argc, char *argv[]) {
QApplication a(argc, argv);
QTimer::singleShot(5000, [&](){ //do stuff a.exit(); }); return a.exec();
}@
Even shorter: (couldn't resist nagging):
@
...
QTimer::singleShot(5000, [&]{
...
@
You don't need any parenthesis when lambda has no arguments, "learned that": from JKSH the other day :-)
Hello Chris,
that's what i was looking for, but i have still problems with it.
I'm on :
Qt Creator 3.3.0 (opensource)
Based on Qt 5.4.0 (GCC 4.6.1, 32 bit)
@//CK// #include <QApplication>
#include <QCoreApplication>
#include <QTimer>
#include <QDebug>
int main(int argc, char *argv[])
{
//CK// QApplication a(argc, argv);
QCoreApplication a(argc, argv);
QTimer::singleShot(5000, [&](){ //do stuff qDebug() << "bingo"; a.exit(); }); return a.exec();
}
@
erro message:
@.../main.cpp:25: error: no matching function for call to 'QTimer::singleShot(int, main(int, char**)::__lambda0)'
});
^@
@wally123: As I said that's a Qt 5.4 feature. Which Qt version are you using (not which version Qt Creator was build with) and which compiler? If you're not sure type QT_VERSION_STR in your code and press F2 to find out.
For gcc you need to add @CONFIG += c++11@ in your .pro file to have lambdas (but the error mentions lambda so you probably have that already).
@hskoglund: nice hint! on to the search/replace in my codebase... :)
Chris,
bq. not which version Qt Creator was build with
sure , sorry
@
#define QT_VERSION_STR "5.4.0"@
Options/ Buile&Run: Kits, QT-versions reporting also 5.4.0
Yes gcc and adding to .pro file
@CONFIG += c++11@
made it work. Also thanks to hskoglund
Even it's a short code, it contains some interesting new stuff for me
to learn more about. especially this part:
thx wally
The following is what i primarly intended to ask for :)
@#include <QCoreApplication>
#include <QTimer>
#include <QDebug>
void timer1_expired() {
qDebug() << "timer1 expired";
}
void timer2_expired() {
qDebug() << "timer2 expired";
}
int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);
QTimer::singleShot(4000, timer1_expired); QTimer::singleShot(8000, timer2_expired); qDebug() << "main"; return a.exec();
}@
[quote author="hskoglund" date="1423561353"]You don't need any parenthesis when lambda has no arguments, "learned that": from JKSH the other day :-)[/quote]Pay it forward! ;-)
not sure it makes sense to add to an already solved topic (?) author="wally123" date="1423669903"]not sure it makes sense to add to an already solved topic (?)[/quote]That's perfectly ok if you are continuing to discuss the same topic.
[quote author="wally123" date="1423669903"]That instructions tells your compiler to enable "C++11": features.
The QTimer code that Chris posted uses a lambda expression, which was introduced in C++11; that's why you need that command.
thx
needless to say which expression is now in center of interest :)
λ
[quote author="wally123" date="1423671202"]thx
needless to say which expression is now in center of interest :)
λ [/quote]You're welcome! It's a very nice toy indeed. Once you learn how to use it, I'm sure you'll be using it lots. ;)
Lambda expressions make it much easier to write event-driven code in Qt. If your slot is only used in one place, you can define it as a lambda right in the "connect" statement. No need to create a separate function in your class anymore. See "Making Connections to Lambda Expressions":.
Happy coding!
The doc pretty much says everything there is to say about it but I'll try to expand.
As you may or may not know C++ goes through revisions and different compilers have varying support for the latest standard.
In case of GCC the default is c++03 and to enable the latest c++11 you need a compiler param -std=c++11. To make this portable across compilers qmake exposes this as the above CONFIG switch and does the right thing for the given compiler to enable c++11 support.
Lambdas (or captures or anonymous functions as they are also known) are new part of c++11 standard.
"Here": is a comprehensive table listing all the new features of c++11 and which gcc version supports what.
Oh, the next revision of c++ has been already voted in last year so expect something like CONFIG+=c++14 available pretty soon.
As for which c++11/14 features are supported/used by Qt you can travel the net, e.g. "here": or "here":
This forum is really incredible efficient for learning !
btw.: does anybody pay you for your time and sharing knowhow ?
Don't know about others but I pretty much operate on a "beerware": based rules.
[quote author="wally123" date="1423672274"]This forum is really incredible efficient for learning ![/quote]It is. :) We hope that one day, when you're a Qt veteran, you'll come back and help newcomers too!
[quote author="wally123" date="1423672274"]btw.: does anybody pay you for your time and sharing knowhow ?[/quote]I suppose I get paid in pats-on-the-back, satisfaction, reputation, and knowledge + experience.
I often learn new things while doing research to answer a question. In turn, that helps me produce better code, which makes my customers happy, so they keep paying me.
BTW, it's not limited to this forum; the hacker community is full of volunteers, e.g. "StackOverflow":
:) | https://forum.qt.io/topic/51010/solved-qtimer-in-console-application | CC-MAIN-2017-43 | refinedweb | 1,284 | 73.68 |
User talk:Sonje/7
From Uncyclopedia, the content-free encyclopedia
Rape!
Sorry for being this late. Also, welcome:30, 23 June 2010
- Viking! ~ Jun 2010 ~ 00:59 (UTC)
Sonje!
How has Africa:24, 4 August 2010
- It is much better now that I have access to the interweb. I missed you guys ^_^ How has Belgium been? --Dame
00:26, August 4, 2010 (UTC)
- Still no new August 2010
- At least you still have good beer. --Dame
01:18, August 4, 2010 (UTC)
- belgium does beer? i thought its main exports were chocolate and french/dutch conflicts. --nachlader 02:42, August 4, 2010 (UTC)
- You'd better believe Belgium does beer! Why, they just purchased Budweiser.
pillow talk 17:06, August 4, 2010 (UTC)
- wb btw sonje. i presume you saw the world cup? --nachlader 02:43, August 4, 2010 (UTC)
- Great to see you back Sonje! --:48, August 4, 2010 (UTC)
- Mornin' lass. How:10, Aug 4
- Hello everybody!! Ah, I did miss you all so very much! I've been well thanx, World Cup was awesome! Expected to see more violent tragedies but hey ho. Anyway, does anyone need any chops, I'm a bit rusty but I'm all nostalgic now. --Dame
14:27, August 4, 2010 (UTC)
- You know where to find the requests - if Meep hasn't dealt with them all! Did you have anything to do with any vuvuzelas at any time in the last couple of:32, Aug 4
- I have a vuvuzela yes, but I have only used it in the standard way... nothing controversial or anything O_o --Dame
14:52, August 4, 2010 (UTC)
- I wasn't suggesting you had. Your mind works in some strange ways, young lady. Mind you, using it the standard way is bad enough. I think I'll go ban... oh, let's say Socky as punishment. Let that be a lesson:56, Aug 4
- Also, HALLO GRAMPIDILLO!! -Dame
15:09, August 4, 2010 (UTC)
- Yeah.:26, Aug 4
- The possibilities are endless. -Dame
17:48, August 4, 2010 (UTC)
- Actually, you say "anyone want any chops?" Yeah, I'd like one please... I'm writing something with Mordillo, so it doesn't have to be any time soon (we tend to take our time on collabs), but it's UnBooks:Conversations With My Father. I'd like a book cover please, with that title, and one father with a patronising idiot grin on his face and an annoyed-looking baby boy - the idea is that the kid is getting annoyed with his father misunderstanding every noise he makes. If you feel this is the thing to ease you back in, I'd esteem it a service. If not, I'll try to hack something together myself eventually, although it won't be as:51, Aug 6
- Coming right up! ^_^ --Dame
09:56, August 6, 2010 (UTC)
-
- Would this work? -Dame
12:48, August 6, 2010 (UTC)
- Sonje, you are as talented as I'm sure you are beautiful. That's fantastic, thanks! -:55, Aug 6
- Always a pleasure UU :) -Dame
12:57, August 6, 2010 (UTC)
- Now we just have to finish the flippin' article - given that this is me and 'Dillo, expect it some time in Jan:02, Aug 6
- No seriously Sonja, I'd have your babies were I anatomically able. Also, UU, I believe it is your turn to post a chapter. ~
13:06, August 9, 2010 (UTC)
So
I assume you are still my loyal follower, correct? It's Magically Fucking Delicious!!!
02:47,4August,2010
- I am as much your loyal follower as ever Cheds. That is to say - not. --Dame
14:53, August 4, 2010 (UTC)
- Yeah, I knew you were. Good to have you back. It's Magically Fucking Delicious!!!
17:18,4August,2010
- Thanx. Glad to see you're still semi-delusional. --Dame
17:49, August 4, 2010 (UTC)
- Oh, by the way, while you were gone, I became POTM. Your absence has effectively lowered the expectations of all of Uncyc. It's Magically Fucking Delicious!!!
03:47,10August,2010
- Congratulations Cheese boy! I'm sure it was well deserved. Did you get any features in my absence? -Dame
12:03, August 10, 2010 (UTC)
- Yea---no. None at all. It's Magically Fucking Delicious!!!
12:16,10August,2010
Sonje!
You're back again! Welcome. Why don't you post a mugshot? Saberwolf116 15:22, August 8, 2010 (UTC)
- Hello Saber! Thanx for the welcome. I shall consider this mugshot concept and see if I feel inclined. --Dame
21:49, August 8, 2010 (UTC)
Image request
Hey Sonje. I've got a request for you involving a recently salvaged article, 28 Gays Later. Aleister saved it from VFD, and I was wondering if you would mind 'chopping the leadoff image:
If you could turn "D" into "G", and give the image a general air of fruitiness, that'd be great. Cheers! Saberwolf116 21:16, August 8, 2010 (UTC)
- Sure thing. As this version already has that I am assuming you would prefer a bit higher rez. And perhaps we can make the background graphic a bit gay-er. -Dame
21:52, August 8, 2010 (UTC)
How's this? --Dame
00:01, August 9, 2010 (UTC)
- Oh, girl, das FABULOUS! <3 Saberwolf116 01:32, August 9, 2010 (UTC)
Hello Sonje!
Thanks so much for steppin in - hope I don't make you regret it. You do wonderful, wonderful pictures! How do you DO that?! How long do I have to be here before I can have one, please? But first things first: The partial 'scribble cube' thing in my article- I'd really like to get rid of that (don't know how) but I think I know why it's incomplete, I was trying to get a picture in that wasn't on that jpg. thingy list. I think it was a bpmp. or something. What I'd really like to do is get the Image:Flagon picture in (it is a jpg.) I've looked around lots of places and written down what different people have said to do, I do it, but it doesn't work. I'm obviously leaving out some vital step. Apologies for being such an irritatingly complete beginner, I am operating on such a low level of know-nothing, you'd probably find it hard to believe. Your help is very much appreciated, I want to do this so much.--Ohnogodnotagain 12:45, August 9, 2010 (UTC)
- Don't worry about it, I was pretty confused when I started out here too. Still am most of the time :P I'll try to explain to you and just lemme know if there is a bit you still don't understand. I'm not exactly an expert but I'll give it my best shot.
- Basically when you upload an image to uncyclopedia, it kind of gets its own page and when you want the image to show in your article you have to link to that page. So after you upload a pic, your browser will go to your pic's new page and at the top left you will see your image's name (the name you need to use to make your article link to it. You have to use the whole name, including the extention.
- You can use any extention - jpg, bmp, gif, png. It doesnt matter, as long as the whole name of the image is listed in your article accurately (ie - Flagon.jpg NOT just Flagon}
- To put an image in your article you need to do the following:
-
is the caption you want to add to it.
- So if we apply that to the picture you have been trying to use:
- "File:Flagon.jpg|200px|thumb|scribble cube" (thumbs automatically align right so you only have to specify alignment if you want it somewhere else on the page)
- Your <imagename> is Flagon.jpg
- The <size> will be 200px
- And the <caption> will be "scribble cube"
- So if you want another caption just replace the bit that says "scribble cube".
UnReviews logo
That looks excellent! Thank you very much, now the logo doesn't have a gaping nothing in the middle of it. -- 13:07 EST 9 Aug, 2010
- No problem. Let me know if you need any other images. -Dame
17:16, August 9, 2010 (UTC)
- actually, I need something to go on the UnReview template once I get around to making it. Something a little like the HowTo template is what I had in mind. At any rate, I was thinking an image incorporating a fountain pen and an inkblot (maybe a page or piece of paper too) would do nicely. -- 15:18 EST 9 Aug, 2010
- Ooh, a template! The "How To" one is the one with the monkey rite? If so, I suggest something basic cause it's very small so it shouldn't be too busy. I'll see what I can throw together. --Dame
20:24, August 9, 2010 (UTC)
- Thanks! -- 18:47 EST 9 Aug, 2010
Oh Dear
Stupid woman still struggling, Sonje... I do understand what you said, but I think I'm failing in two areas (but there may be more):
1) I don't know how to access my pictures. I see the special page they're given (like you said) directly after they're downloaded; but can't find the special page where they are again (hence the multiple piccies every time I try again)
2)I understand that I must link the syntax in my article with the page with the picture on, but don't know how.
Say you're in my article, have pressed 'edit', typed in File:Flagon.jpg/thumb/200px/Flagon that (allegedly) felled Robert Fairfax - what exactly would you do next, please? Thank you so much
Oo, and there's a strange thing - look, it's turned red and lost all it's brackets! It does that in my article. Why does it do that?--Ohnogodnotagain 05:27, August 10, 2010 (UTC)
- Ok, firstly to access your pictures, look in the left column, towords the bottom there is a section called "toolbox" and in that is a link called "user contributions". That link will take you to the special page that shows all the contributions you've made to Ucyc, which can be a lot. So to filter them just use the box at the top called "namespace" and set it to "File" instead of "All".
- Next - the reason you're pictures aren't working is because you are using the wrong dividers:
- You typed - Image:Flagon.jpg/thumb/200px/Flagon that (allegedly) felled Robert Fairfax
- Instead of Image:Flagon.jpg|thumb|200px|Flagon that (allegedly) felled Robert Fairfax
- It's not supposed to be a forward slash, you can find the solid line thingy on your keyboard by pressing SHIFT + BACKSLASH.
- I think, I'm in South Africa our keyboards are different sometimes. Just look for it though, its gotta be there somewhere.
- Now if I put brackets around your pic detials:
Et voila!
It's so beautiful... It's Magically Fucking Delicious!!!
12:00,10August,2010
Er...I'm trying to teach here, Please ignore the Cheesy one's interuption, he gets turned on by his own name. --Dame
12:09, August 10, 2010 (UTC)
- YES, YES, YES, GODDAMMIT, YEEEESSS! What can I say? Many, many, grateful noobie thanks, Sonje! x --Ohnogodnotagain 16:40, August 10, 2010 (UTC)
- Glad to be of service. Let me know if you need help with anyting else and if you have an image request I'd be happy to help with that too. Uncyc also has a lovely Image Request service that you can use as well. Good luck with the article. --Dame
17:16, August 10, 2010 (UTC)
A cake for you, Sonje x
--Ohnogodnotagain 17:49, August 10, 2010 (UTC)
Oh!
Sonje - my badge.... I got a badge! It's my very first one. You did it, really, though and shall be accorded the proper credit. Very many humble noobie thanks. Can I put it on my user page? If so, how do I do that, please? The article is almost finished and I've asked for a Pee Review from Black Flamingo, as advised by the Chief. Hope he's gentle with me! --Ohnogodnotagain 06:52, August 11, 2010 (UTC)
- You deserved it. If you want to place it on your userpage, just copy it from your talkpage and paste it onto your userpage. A ninjastar is a template so you only have to copy the template itself, meaning the brackets and everything inbetween. Your userpage is yours to decorate however you want. Have a look at some userpages that you like and adapt it to your own. You could get some userboxes to make it pretty. Messing around with your userpage can be useful for learning how things work around here. Again, I'm here if you need some help. --Dame
11:09, August 11, 2010 (UTC)
- I think You know everything about everything. Thanks so much for your support, I truly value it. I'll go and have a try now.--Ohnogodnotagain 11:40, August 11, 2010 (UTC)
Stuck!
Again! Please help! I'm trying to mess around with my userpage like you said, and clicked into the lovely 'userboxes' link you left me (thank you) for the empty black and white template one, but I can't get it to stick to my page, I tried copy and pasting everything, but I'm up the creek again......how do I do it please Sonje? Thank you x--Ohnogodnotagain 12:22, August 11, 2010 (UTC)
- Don't panic, you'll get it eventually. Userboxes are templates, like the one Chief already gave you and like the ninjastar. So depending on the one you pick it will be the name of the userbox between the squiggly brackets. Tell me the name of the userbox you want and I will try to figure out what's going wrong. -Dame
12:33, August 11, 2010 (UTC)
- Well, I'd kinda like to make my own; I was trying to copy and paste
and thought I could replace the text and piccie with my own, but if that's too ambitious, I do like the Template:User Shiny one! Thanks, Sonje--Ohnogodnotagain 14:05, August 11, 2010 (UTC)
Well, whaddaya know! I copied it! Oh, I see, I have to include the {{ brackets, don't I? This IS a journey of self-discovery, ha ha. What's the grey thingy box then? Did I do that? --Ohnogodnotagain 14:05, August 11, 2010 (UTC)
- I think the grey bit is cause user boxes mid-dialogue are bad. Let us not get sidetracked. Your own userbox is not that ambitious but a bit trickier. You have to make a page for your template and then link to it on your userpage. Explain to me what you want it to look like and we can see if it is possible. Oh lawdy, soon you'll be wanting a custom sig too. -Dame
14:15, August 11, 2010 (UTC)
- OOOO... custom sig - yummy! But for now, I'd just be happy to have a template with a picture of a badge, and the text 'This user is a Badge Whore and will do anything for a BADGE' Is that possible, please?--Ohnogodnotagain 14:22, August 11, 2010 (UTC)
- Ok, I created a page User:Ohnogodnotagain/Template:Badge Whore, so its your very own template. Now you can put this on your userpage:
--Dame
14:31, August 11, 2010 (UTC)
- Oh, that's just.....beautiful! How do you DO that? You're so clever! Thank you sooooooo much, lovely Sonje. Wow, all your quality BADGES! and you put my cake in too. Enjoy! x--Ohnogodnotagain 14:49, August 11, 2010 (UTC)
- Oh I'm not really clever at all, the trick is stealing the stuff other clever users have made and just editing it to make it your own. You'll get the hang of it soon enough. You should also consider becoming more involved in stuff round the wiki like voting on VFH. That way you can see what the other folk round here are writing and one day one of your own articles may be considered for a feature which will get you very pretty badges. You'll soon discover that we vote on pretty much everything round here. --Dame
16:28, August 11, 2010 (UTC)
A letter from Filmmakers for Lens Flare
Thanks for supporting Lens flare!
Sir MacMania GUN—[20:02 11 Aug 2010]
- PS The FLF rep tells me that while your potatochopping work is superb, you should use more lens flare in future potatochops. I say put him on the potatochopping block.
Sir MacMania GUN—[20:02 11 Aug 2010]
Right back at youEXTERMINATE!
Thanks for voting for Dalek!
Sir MacMania GUN—[20:14 11 Aug 2010]
UnTunes:Can't Be Blamed (For My Shitty Music)
I thought you'd like to know I just finished with the lyrics. Are you up for another Miley Cyrus recording? Again, feel free to make any changes you feel necessary. :43, 12 August 2010
- You parodize Miley with alarming speed Socky. It looks quite good. Unfortunately I have a massive dissertation to write this week so I'll only get recording time when I am done, or my lecturer will have my head. I look forward to it though (recording I mean, not having my head removed). --Dame
13:40, August 12, 2010 (UTC)
- So you write stuff too, huh? Good luck with that dissertation, Son, 12 August 2010
And we're back with an ありがとうございます
Thanks for the vote!
Sir MacMania GUN—[00:02 18 Aug 2010]
A very special lady
Also made an image as well as voted so double thanks there on my Propaganda article. I'll go get my stir fry with some crazy dictator shades on now:-)
--Sycamore (Talk) 15:58, August 21, 2010 (UTC)
you rock
Talibanland and the Thomas Pynchon book cover gave me smile muscle spasms -you witch. Thanks again for the Decorator-Settlers Book Cover.Did you get a chance to read the article ?-- ⦿⨦⨀ Phrage (talk) 09:15, August 28, 2010 (UTC)
- Thanks! It was a pleasure, feel free to drop by whenever you need pics though I may not always be as quick to respond. Good luck with the article, lemme know when it's done and I'll have another look. --Dame
12:08, August 28, 2010 (UTC):51, August 29, 2010 (UTC)
Avast me hearties!
Thanks!
-- 11:00, September 7, 2010 (UTC)
Little Piccies, Big Piccies
Morning, Sonje! Hello again - I wonder if you would kindly bend your expertise in my direction once more please? I'm trying to get bigger pictures into my article, the existing ones are too small. I've got one (it's entitled Field of Cloth of Gold) in the article, it says it's 918 x 678, it was absolutely massive in google images but when it's in my article it just stays tiny. I've put 900px in the [[ ]] thingy box but it won't go any bigger. Could you tell what I'm doing wrong, please? When you have a minute, I know how busy you are. Thank you! (10:35 28/09/2010) (userohnogod--notagaintalk)
- Hi Ongna :) Soz for the delay in respone, I was elsewhere. I see a bunch of the files you recently uploaded are very small. Could you give me a link to one of the pics you want to use. From google images not the ones you've already uploaded. I think that you are saving the files wrong before you upload cause the resolution is tiny. But I'll be able to explain better with a link. --Dame
13:12, October 8, 2010 (UTC)
You have aided in the fight against the manholes...
You have been rewarded with a hug. ~010 - 23:32 (UTC)
BFF
You could have checked the "previous winners" list and found my name there before nomming... I don't think I deserve it a second time. Naughty Sonje! :( --) 16:05, 24 Oct
- I'm a firm believer in multiple awards :) And last time u won it was ages ago and I didn't get to vote. But if u really don't want to win it again and I'll change it to a spiritual nom. -Dame
16:13, October 24, 2010 (UTC)
Adopt me before it's too late
It is I, the unnamed one, Till's Tower, and so on and so forth. No, I haven't read anything you told me to read, but I will. I'm finally here, aren't I? Time to email/message/telepathically construct instructions of things to do/not to do/to eat.
No, no, adopt me!
Thanks for your vote on Dreaming. I didn't mention this previously, but that vote will assure you a lifetime of good dreams! Your nights will be filled with wonder and gloriful things! Thanks again, appreciated. Aleister 16:24 27 10
Sincere thanks
*pokes Sonje*
I was wondering if you still wanted to record this untune. There's no hurry, of course. I'm a very patient sock. :41, 12 November 2010
- I do I do! Your patience is admirable seeing as I promised to do it like 3 years ago. I'll be finished with my dissertation in 2 weeks then I'll devote all my time to your lyrical conquest :P --Dame
22:46, November 12, 2010 (UTC) | http://uncyclopedia.wikia.com/wiki/User_talk:Sonje/7 | CC-MAIN-2016-18 | refinedweb | 3,616 | 83.05 |
Tornado is a Python web framework and asynchronous networking library. You can write Tornado web apps on PythonAnywhere, but you won't be able to use all of Tornado's features.
PythonAnywhere web applications are connected to clients (ie. users' web browsers) using a protocol called WSGI. WSGI is designed for traditional web apps, where the client makes a request to the server for a specific resource, and is given the resource. Each request for a new page (or image, or other file) is made in a different request, and there is no way for the server to push data to the client.
Tornado, however, is optimised for asynchronous communication with client web browsers -- that is, a client opens a connection, but then the connection is kept open and the server can push data back to the client. This doesn't work with WSGI, so it doesn't work on PythonAnywhere.
However, if you're using Tornado as a web framework and don't care about the asynchronous stuff, you can use it on PythonAnywhere. Here's a step-by-step guide:
- Go to the "Web" tab
- Create a new web app, using the "Manual configuration" option.
- Edit the WSGI file (there should be a link when you get the "All done" message on the web tab)
- Replace the code in the WSGI file with this:
import tornado.web import tornado.wsgi class MainHandler(tornado.web.RequestHandler): def get(self): self.write("Hello from Tornado") application = tornado.wsgi.WSGIApplication([ (r"/", MainHandler), ])
Visit your app, and you should get the results you expect.
For more information about Tornado and WSGI, check out this page in the Tornado docs. One thing to keep an eye out for -- in their example, they create a WSGI server to serve up the Tornado app:
server = wsgiref.simple_server.make_server('', 8888, application) server.serve_forever()
Don't do that on PythonAnywhere -- it will break your web app completely. | https://help.pythonanywhere.com/pages/UsingTornado/ | CC-MAIN-2018-30 | refinedweb | 320 | 64.81 |
Comment Re:Good (Score 1) 74
Seen John Carmack's recent tweet?
With Minecraft out the door, I think my next VR software fantasy would be Nintendo letting me take a swing at porting a GC
/Wii/3DS Mario./Wii/3DS Mario.
Seen John Carmack's recent tweet?
With Minecraft out the door, I think my next VR software fantasy would be Nintendo letting me take a swing at porting a GC
/Wii/3DS Mario./Wii/3DS Mario.
Did Youtube demand money from her in exchange for fire, theft, and kneecap insurance?
Yes, that's one of the main points of her open letter. Youtube has a system in place, Content ID, to stop piracy and it works quite well. The crux is that they only allow it's use to musicians who have agreed to license their content to them or at least that's assumed, as they don't publish any rules. Everybody else gets left in the dust and isn't allowed into Content ID and thus their content can be shared on Youtube without permission. Which according to her argument violates the requirements for "Safe Harbor" protection and makes Youtube guilty of mass copyright infringement, as that "Safe Harbor" law requires technical measures to be made available to everybody.
I think before we see any large social changes we will see a lot of laws and regulation put into action against such technology. Social networks for example can lock away access to peoples photos behind a login and when logins are only given out to people who have verified their identity spidering becomes much harder. That's not even far future, many services already require a mobile phone number for id and some countries don't give you a mobile phone number anonymously. Collecting the data will still happen, but it will be much more troublesome and could be made illegal on top. So whenever somebody would offer a public search service, they could be shutdown relatively fast (unless Bitcoin and Tor make it commercially viable to put in the effort).
Given the advances in computer graphics I could also imagine that social networks will get flooded with lots of fake data. Face swap yourself into all kinds of photos and it will become much harder to find who you really are, since lots of information about you online will be fake. So maybe we end up with a general distrust about data we found online about a person.
I'd blame the OS instead. Giving each process full access to the system just isn't a good way to do things and constantly leads to problems like this. Python can stop some those problems, but it provides by no means a secure sandbox. If you access the filesystem in Python, you still have full access to the filesystem. In cases such as this the process should be limited to exactly the data it needs to get the job done, meaning an input image, an output location and a bunch of configuration parameter.
The lack of a packaging format for third party apps has been one of the biggest and most persistent problems in the Linux landscape for ages. I have no idea of the quality of the work Ubuntu is doing here and it does seem to duplicate the work going on with xdg-app, but I really wouldn't mind getting rid of tarballs and shelf extracting shell scripts. The monolithic dependency trees that package managers require at the moment just don't scale and never provided a good way for third party apps to plug into them (just adding random third party repos is inherently fragile and insecure).
I have done that, but the update didn't carry over the applications from Windows7 for some reason, it presented a mostly blank install. The only two application it did carry over where some old copies of Word and Excel, both of which failed to run in Windows10. The rollback to Windows7 however seems to have worked. Given how aggressively Microsoft is pushing Windows10 update I would have expected a better tested upgrade routine.
Yep, that is my experience as well. When you click the "download and install later" option, that's it, the update will now be carried out and you have no way to cancel it. The dialog box that is presented to you before the final update does not have a cancel button or a close button or any other means to not carry the installation out, you can delay the installation by some days, but you have to set a date for the install, there is no "ask me later". tend to have direct player control instead of the fly-by-wire you have in Assassins Creed where the character walks on his own and player input is just a lose suggestion for where he should go.
Price per GB has resumed dropping [cbsistatic.com] since the effect of the Thailand flooding and HDD consolidation in 2011-2012.
The most frustrating part isn't so much the price per gigabyte, as that is back to pre-flood levels, but that you only get that good GB/$ rate in the $100 price range, while you used to get that in the $50 range. If you only need 1 or 2TB you are still paying quite a bit more then five years ago, it's only with 3TB-8TB drives that you get a slightly better rate then pre-flood.
Back in 2011 I could get a 1.5TB drive for 45€, now five years later the best I can get is 3TB for 90€. Double the storage for double the price. If I just want to spend 50€ I only get 1TB. It's nice that we now have 6TB and 8TB drives, but they aren't cheap and so far haven't really lowered the price of the smaller drives and given how long this has already taken I am not even sure if HDDs will ever get cheap again before SSDs will take that space.
Pebble uses an e-paper display, not an e-ink display, and e-paper is a polarisier-free LCD.
Graphic memory doesn't just survive logouts, it survives soft-reboots as well (e.g. the login screen in Linux likes to show garbage from the previous boot). To clear the memory you have to switch of the computer completely.
I'm running 14.04 happily with a bunch of PPAs. I have gcc5 PPA, I have the libreoffice fresh PPA and one or two others. It works perfectly fine and there is no wrecking of the monolithic dependency tree, and regular updated happen just fine.
How cute. You have three PPAs and call that proof that the system works? Try that again at the scale of the Apple or Android stores where you have to deal with a million apps from third parties.
PPAs plug into the monolithic dependency tree, there is absolutely zero tooling in place to ensure that they don't break things. The only reason why things don't break often is because people work very hard behind the scenes to keep things running. The monolithic dependency tree is essentially the Linux version of Window's "DLL Hell".
It's not trivial, no, but it's by no means impossible and not even that hard. I have compilers installed from 10.04, 12.04, 14.04 and the gcc5 PPA installed on this machine, all using apt. The former two are in two different chroot environments. That is good practice.
Yes, because your OS is garbage. Chroots and virtual machines are a workaround for crappy OSs that are incapable of giving you reproducible and verifiable behavior.
No, because the system allows and heck even encourages such things.
Yes, in much the same way as a broken car encourages repair.
This is why it's not a walled garden.
There is one monolithic dependency tree. Your distri controls it.
Take a simple everyday example: You want to install software "foobar", so you do "apt-get install foobar". Awesome, takes three seconds and you are done. That's how it should be. But now "foobar" release a brand new version and you want to use it right now, but distri won't have it for another release for six month. So what do you do now? Wait for somebody to build a PPA? Grab the sources of the
The AMD Open Source Driver on Linux do the same thing. It's not really a new or spectacular bug, graphics cards and drivers have done that stuff for quite a long while. Once there was also a fun bug that would make large texts in Firefox 'bleed' into the desktop background image, so it wasn't just showing old content, but actively manipulating content of another application.
You can add new repositories from other people (PPAs) you can create your own repositories (and share them with others), you can make your own dpkgs inside the main tree OR to install dependency free in
Yes I can and in doing so I will wreak havoc to the monolithic dependency tree. There is no way to do a simple task such as installing two different version of the same package via apt. The system isn't build with that flexibility in mind.
I have build scripts which create temporary chroot ubuntu installs of various versions (with caching!) so I can get fully automatic repeatable builds of a package I distribute.
Yes and that is the problem. You had to literally abandon your main OS and reinstall a new one to get dependable behavior. That is a failure of the OS, not a feature.
Or grab the source, and configure && make && make install in a sandbox/VM,
Again, you are working around the system. The ability to completely by pass the package manager and doing things the manual way is not an argument for the package manager being good, it's the very reason why it's crap.
Oh. Today I learned apt-add-repository and the AUR don't exist.
Those fuck around with the monolithic dependency tree and cause trouble all the time. The package management system has no means to keep third party apps in a separate namespace.
Doubt is not a pleasant condition, but certainty is absurd. - Voltaire | https://slashdot.org/~grumbel/firehose | CC-MAIN-2016-40 | refinedweb | 1,734 | 69.82 |
Man Page
Manual Section... (2) - page: access
NAMEaccess - check real user's permissions for a file
SYNOPSIS
#include <unistd.h> int access(const char *pathname, int mode);. This allows set-user-ID programs to easily determine the invoking user's authority.
If the calling process is privileged (i.e., its real UID is zero), then an X_OK check is successful for a regular file if execute permission is enabled for any of the file owner, group, or other.
RETURN VALUEOn success (all requested permissions granted), zero is returned. On error (at least one bit in mode asked for a permission that is denied, or some other error occurred), -1 is returned, and errno is set appropriately.
ERRORSaccess() file system..
CONFORMING TOSVr4, 4.3BSD, POSIX.1-2001.
NOTES
Warning: Using access() to check if a user is authorized to, for example, open a file before actually doing so using open(2) creates a security hole, because the user might exploit the short time interval between checking and opening the file to manipulate it. For this reason, the use of this system call should be avoided.
access() returns an error if any of the access types in mode is denied, even if some of the other access types in mode are permitted.
If the calling process has appropriate privileges (i.e., is superuser), POSIX.1-2001 permits implementation to indicate success for an X_OK check even if none of the execute file permission bits are set. Linux does not do this.
A file is only accessible.
access() may not work correctly on NFS file systems with UID mapping enabled, because UID mapping is done on the server and hidden from the client, which checks permissions.), | http://linux.co.uk/documentation/man-pages/system-calls-2/man-page/?section=2&page=access | CC-MAIN-2014-10 | refinedweb | 283 | 57.06 |
iSprite2DUVAnimationFrame Struct Reference
[Mesh plugins]
This is a single frame in a UV animation. More...
#include <imesh/sprite2d.h>
Inheritance diagram for iSprite2DUVAnimationFrame:
Detailed Description
This is a single frame in a UV animation.
So its not much more than a set of (u.v) coordinates and a duration time.
Definition at line 60 of file sprite2d.h.
Member Function Documentation
Return the duration of this frame.
Return the name of this frame.
Get all u,v coordinates.
Get the u,v coordinates of the idx'th vertex.
Get the number of (u,v) coordinates.
Remove the idx'th coordinate.
Set the duration of this frame.
Set all (u,v) coordinates and the name and duration.
Give this frame a name.
Set the (u,v) coordinate of idx'th coordinate.
Set idx to -1 to append it.
The documentation for this struct was generated from the following file:
- imesh/sprite2d.h
Generated for Crystal Space 2.0 by doxygen 1.6.1 | http://www.crystalspace3d.org/docs/online/api-2.0/structiSprite2DUVAnimationFrame.html | CC-MAIN-2016-07 | refinedweb | 162 | 55.3 |
Apr 27, 2006 03:31 PM|fsflier|LINK
A C# ASP.NET program under development (VS 2005) works fine in the development box, using the virtual localhost server.
Once I tried to "Publish" the site, pressing the [Build->Publish Web Site] menu option, it compiles and gives the following error:
"Data at the root level is invalid. Line 1, position 1."
The compilation fails at line 1, the line containing the [xml version="1.0" encoding="utf-8"] declaration.
The simplied web.config file is shown below. As you can see it has nothing out of the ordinary.
<?xml version="1.0" encoding="utf-8"?>
<configuration xmlns="">
<connectionStrings>
blah blah...
</connectionStrings>
<appSettings>
blah blah...
</appSettings>
blah blah...
blah blah...
</configuration>
I have googled and found a few entries on this error, most of them talking about SOAP and web services (not what I'm doing here), and none of them have helped.
I tried to recompile taking out the encoding=utf-8 section and also taking out the xmlns definition buit I still get the same error.
Any ideas to try next?
TIA
Member
10 Points
Apr 27, 2006 05:47 PM|James Steele|LINK
Hi fsflier,
A few ideas:
James Steele
Apr 27, 2006 06:26 PM|fsflier|LINK
Thanks James but that has been tested. It is well formed. It opens fine in IE and it works fine in VS2005 and when testing the app in localhost.
There is no blank space before the first statement. One of the things I have tried is to see if there was anything starnge in Line 1, Position 1. When adding a top blank line the compiler complained that the XML line was not the first line. There is nothing wrong with the line per se.
I did not suspect a security/access problem but it is something to try. Unfortunately that is not the case either.
Thanks for the ideas. Still looking.
Apr 28, 2006 01:29 PM|fsflier|LINK
jbat1:
I don't understand your post. I'm not sure what path are we talking about as I'm not trying to run or open at this stage. All I'm doing is compiling/publishing to My Documents
These are the exact steps:
Thanks for the insight.
Apr 28, 2006 02:46 PM|fsflier|LINK
More info:
When I double-click on the error it opens another file (tab) also called web.config with the following exact contents:
vti_encoding:SR|utf8-nl
vti_timelastmodified:TR|22 Mar 2006 13:48:12 -0000
vti_extenderversion:SR|4.0.2.7802
vti_cacheddtm:TX|22 Mar 2006 13:48:12 -0000
vti_filesize:IR|6249
I do not know what this info means or where it points to and why it mentions a 22 March date. I went to a co-developer and we created the project in his VS2005 (in his PC) and pointed to my existing app in the development server. He got the exact same error, thereby certifying that it is not my local PC and/or my copy of VS2005 but something wrong with the source.
Still stuck. :(
May 01, 2006 01:49 PM|fsflier|LINK
Found the problem!
I checked the path to the file it was complaining about: [myProject]\_vti_cnf\web.config and saw that it was not a well-formed XML file. As it is called web.config it was confusing. I deleted the file and the problem was solved. Wonder why it was created
to begin with. It shows I'm starting with ASP.NET, doesn't it. <bg>
Member
10 Points
Sep 01, 2006 04:44 PM|jnc|LINK
Good one
thanks for the solution
I suspect the rogue file was left over from an upgrade from 2003
None
0 Points
Oct 06, 2006 01:09 AM|James_Hippolite|LINK
Mar 29, 2007 08:48 PM|Jbenisek|LINK
I just started getting this. Didn't do anything I know of. I have verified this file is there and works. Looked in side of it.
Wss 3.0 has been running great until 11:00am today, didn't change anything.
Line 1, position 1 looks like this in the document
<browsers>
<browser id="Safari2" parentID="Safari1Plus">
<controlAdapters>
<adapter controlType="System.Web.UI.WebControls.Menu"
adapterType="" />
What am I missing here? Please Help
Version Information: Microsoft .NET Framework Version:2.0.50727.42; ASP.NET Version:2.0.50727.210
[HttpParseException]: Data at the root level is invalid. Line 1, position 1.
at System.Web.Configuration.BrowserCapabilitiesCodeGenerator.ProcessBrowserFiles(Boolean useVirtualPath, String virtualDir)
at System.Web.Compilation.ApplicationBrowserCapabilitiesCodeGenerator.GenerateCode(AssemblyBuilder assemblyBuilder)
at System.Web.Compilation.ApplicationBrowserCapabilitiesBuildProvider.GenerateCode(AssemblyBuilder assemblyBuilder)
at System.Web.Compilation.AssemblyBuilder.AddBuildProvider(BuildProvider buildProvider)
[HttpParseException]: Data at the root level is invalid. Line 1, position 1.
at System.Web.Compilation.AssemblyBuilder.AddBuildProvider(BuildProvider buildProvider)
at System.Web.Compilation.BuildProvidersCompiler.ProcessBuildProviders()
at System.Web.Compilation.BuildProvidersCompiler.PerformBuild()
at System.Web.Compilation.BrowserCapabilitiesCompiler.GetBrowserCapabilitiesType()
at System.Web.Compilation.BuildManager.EnsureTopLevelFilesCompiled()
[HttpException]: Data at the root level is invalid. Line 1, position 1.)
[HttpException]: Data at the root level is invalid. Line 1, position 1.
at System.Web.HttpRuntime.FirstRequestInit(HttpContext context)
at System.Web.HttpRuntime.EnsureFirstRequestInit(HttpContext context)
at System.Web.HttpRuntime.ProcessRequestInternal(HttpWorkerRequest wr)
Also getting this
Event Type: Failure Audit
Event Source: Security
Event Category: Object Access
Event ID: 560
Date: 3/29/2007
Time: 1:00:03 PM
User: *****\wss3pooldemo
Computer: *****Description:
Object Open:
Object Server: SC Manager
Object Type: SERVICE OBJECT
Object Name: WinHttpAutoProxySvc
Handle ID: -
Operation ID: {0,19961704}
Process ID: 840
Image File Name: C:\WINDOWS\system32\services.exe
Primary User Name: BLYSERVER$
Primary Domain: *****
Primary Logon ID: (0x0,0x3E7)
Client User Name: wss3pooldemo
Client Domain: *****
Client Logon ID: (0x0,0x12E8C23)
Accesses: Query status of service
Start the service
Query information from service
Privileges: -
Restricted Sid Count: 0
Access Mask: 0x94
For more information, see Help and Support Center at.
and this one
Event Type: Warning
Event Source: ASP.NET 2.0.50727.0
Event Category: Web Event
Event ID: 1310
Date: 3/29/2007
Time: 1:06:42 PM
User: N/A
Computer: *****
Description:
Event code: 3006
Event message: A parser error has occurred.
Event time: 3/29/2007 1:06:42 PM
Event time (UTC): 3/29/2007 7:06:42 PM
Event ID: 45e791819dd04c249a7e269ddc530641
Event sequence: 1
Event occurrence: 1
Event detail code: 0
Application information:
Application domain: /LM/W3SVC/1032202749/Root-7-128196688021727606
Trust level: WSS_Minimal
Application Virtual Path: /
Application Path: C:\Inetpub\wwwroot\wss\VirtualDirectories\80\
Machine name: *****
Process information:
Process ID: 3804
Process name: w3wp.exe
Account name: *****\dealer
Exception information:
Exception type: HttpException
Exception message: Data at the root level is invalid. Line 1, position 1.
Request information:
Request URL: http://*****/it/_vti_bin/lists.asmx
Request path: /it/_vti_bin/lists.asmx
User host address: 172.16.1.98
User:
Is authenticated: False
Authentication Type:
Thread account name: *****\dealer
Thread information:
Thread ID: 1
Thread account name: *****\dealer.
Event Type: Error
Event Source: DCOM
Event Category: None
Event ID: 10016
Date: 3/29/2007
Time: 1:00:02 PM
User: *****\wss3pooldemo
Computer: *****
Description:
The application-specific permission settings do not grant Local Activation permission for the COM Server application with CLSID
{61738644-F196-11D0-9953-00C04FD919C1}
to the user BLYTHEDESIGN\wss3pooldemo SID (S-1-5-21-4239727938-222710763-1804924817-1486). This security permission can be modified using the Component Services administrative tool.
For more information, see Help and Support Center at.
Solution
I would like to meet the person that made this part of the system work as it does. I fixed this error I would think many people might have this over time.
Idea of what could be the issues was only found here.
In doing some editting on the intranet site which is WSS v3 I openned a file called web.config from the c:\inetpub\wwwroot\wss\virutaldirectories\80
ok so no big deal didn't edit the file or change anything. I openned the file with SharePoint Designer after I did this I remembered I needed to work in these files in Virtual web designer and not sharepoint designer ok my bad didn't save anything seems stupid but I didn't give it a thought.
Just openning the file seems to be enough to have the system create a sub folder called _vti_pvt or something like that. In trouble shoot this error I openned a few files and it created this folder and made a copy of each file I openned and put it in a sub folder with the same name I found 6 of these folders all new. I guess this file is not a true xml file and made the whole site crash for 2 hours.
I deleted these directories and everything worked right away.
The person that set this up should be shot.
Jul 25, 2007 08:43 PM|pelegk2|LINK
great!
Xml.LoadXml(). solved me the problem thanks
but where is the diffrence?
Participant
1566 Points
Dec 28, 2007 08:51 PM|guenavan|LINK
In order to investigate performance problems I downloaded the website from remote hosting.
ASP.NET2.0+MSSQL2005 in both remote and local site.
I could not compile it locally having
"Data at the root level is invalid. Line 1, position 1" error
until I deleted all _vti* files and folders (_vti_cnf\, _vti_pvt\, _vti_script\, etc.).
Internet search shows that it is created by FPE (FrontPage Extensions) tells:
"ignore them, but do not remove them from your local site."
Hummm, I am confused - where are they created and for what?
And what about deleting them on server?
None
0 Points
Apr 01, 2008 11:33 AM|mehul.bhuva|LINK
Go to C:\Inetpub\wwwroot\wss\VirtualDirectories\ find your WSS Web Application (represented by a port number), then delete an unknown folder created by sharepoint, namely vti_cnf from all the folders and sub-folders in your web application, the error disappears.
It may come because we have tried to edit the WSS web application having Form based authentication, atleast in my case it got resolved by deleting this junk folder...
May 14, 2008 08:57 AM|Plowking|LINK
I found that if the first line of web.config does not have a space before the closing ?, I get the "data at the root level is invalid. Line 1, position 1." error. In your example you are also missing the extra space.
<?xml version="1.0" encoding="utf-8"?> (CAUSES ERROR)
<?xml version="1.0" encoding="utf-8" ?> (WORKS LIKE A DREAM)
regards
Ian
Jun 15, 2008 02:05 AM|Vistabug|LINK
Thanks Jbenisek for that post.
I had the same problem, I only open my sharepoint web site with Sharepoint Designer 2007 without saving anything , and voila, everything exploded. It had nothing to do with any permissions with ASP or changes to any web.config files, I did a hard drive seach and all the date stamp on all the web.config were untouched. I must say that all theses stupid events are pushing us to the wrong side of the problem. I saw these folders created by SD 2007 when i compared with yesterday's set of backups, but I didn't care, they were only inoffensive folders... When i read your post, I removed all the scrap left by SD 2007 and everything went back to normal.
The only lesson i had in this is to only work with copies when working with SD 2007, and basics are often the best way to go.
Again, thanks Jbenisek, and like you said, this guy who set up this should be shot !!!
Jul 08, 2008 10:38 AM|Sam.Dev|LINK
mehul.bhuva), then delete an unknown folder created by sharepoint, namely vti_cnf from all the folders and sub-folders in your web application, the error disappears.
thnks worked for me
None
0 Points
May 05, 2009 12:21 PM|sudheer123|LINK
Hi Jbenisek,
I am also facing the same error. The error description is as follows:Description: An error occurred during the parsing of a resource required to service this request. Please review the following specific parse error details and modify your source file appropriately.
Version Information: Microsoft .NET Framework Version:2.0.50727.42; ASP.NET Version:2.0.50727.42
When i open the file Compat.browser i m getting the following piece of info
vti_encoding:SR|utf8-nl
vti_timelastmodified:TR|13 Oct 2006 23:58:44 -0000
vti_extenderversion:SR|12.0.0.4518
vti_cacheddtm:TX|13 Oct 2006 23:58:44 -0000
vti_filesize:IR|22237
vti_backlinkinfo:VX|
I have no clue abt the above info .
There are no files or directories in the _vti_pvt folder there are no sub folders or any new directories in it .
Please help me
Jul 01, 2009 09:42 AM|VijayJadhav|LINK
Hi,
I had a same problem while calling SP (below) :
ALTER PROCEDURE dbo.[usp ATI SearchStudent V1]
@AcademicDetails NVARCHAR(20),
@FirstName NVARCHAR(20),
@MiddleName NVARCHAR(20),
@LastName NVARCHAR(20),
@Result XML OUTPUT
AS
BEGIN
DECLARE @sSQL VARCHAR(8000)
DECLARE @sCondition NVARCHAR(20)
SET @sCondition = ' WHERE '
SET @sSQL = '(SELECT StudentID,
AcademicDetails,
FirstName as "PersonalDetails/FirstName",
MiddleName as "PersonalDetails/MiddleName",
LastName as "PersonalDetails/LastName" FROM tb_StudentInfo'
IF(@AcademicDetails <> '')
BEGIN
SET @sSQL = @sSQL + @sCondition + ' AcademicDetails = ''' + @AcademicDetails + ''''
SET @sCondition = ' AND '
END
IF(@FirstName <> '')
BEGIN
SET @sSQL = @sSQL + @sCondition + ' FirstName = ''' + @FirstName + ''''
SET @sCondition = ' AND '
END
IF(@MiddleName <> '')
BEGIN
SET @sSQL = @sSQL + @sCondition + ' MiddleName = ''' + @MiddleName + ''''
SET @sCondition = ' AND '
END
IF(@LastName <> '')
BEGIN
SET @sSQL = @sSQL + @sCondition + ' LastName = ''' + @LastName + ''''
SET @sCondition = ' AND '
END
SET @sSQL = @sSQL + ' FOR XML PATH(''Student''), ROOT(''Sis''), ELEMENTS XSINIL);'
SET @Result = @sSQL
--EXEC SP_EXECUTESQL @Result
END
Still I am looking for solution.
Jul 01, 2009 09:42 AM|VijayJadhav|LINK
Hi Experts,
Any solution? Please help ASAP.
Thanks.
Jul 07, 2009 02:12 PM|VijayJadhav|LINK
OK Experts,
Here is my new Thread :.
Where I have my complete problem definition.
Please reply at above post.
Thanks.
Jul 09, 2009 07:59 PM|aparnak|LINK
Hi,
Thankyou so much for this solution.
My website has many folders like images and icons etc.
Under each there was _vti_cnf folder and each of them had the malicious web.config file.
Once I deleted all of them, I could publish my website without any problem.
I have a doubt whether the _vti_cnf folder is required at all in the first place for the website to run
Jul 24, 2009 04:02 PM|VijayJadhav|LINK
Hi All,
Finally got it!
Please check it :
Thanks.
Aug 24, 2009 09:32 AM|VijayJadhav|LINK
Hi dgman,
Thanks for reply.
Please check it out :
Thanks.
Sep 02, 2009 03:50 PM|alienux4|LINK
Thank you! This worked beautifully, even though we run MOSS, not WSS.
it was actually the %webroot%\App_Browsers\_vti_cnf folder that needed to be deleted, but it immediately fixed the problem we'd been having for the past 3 hours or so
Member
19 Points
Oct 16, 2012 11:01 AM|zen_026|LINK
Hi,
I am working on Windows phone App dev and getting similar error msg in Visual Studio. But when i double click on the error it navigates to first line first poisition of .xaml.cs file which is:
using System;
using System.IO;
.
.
namespace xyz
{
}
Tried opening .xaml file in web and it complains:
System.Windows.Markup.XamlParseException: The tag 'PhoneApplicationPage' does not exist in XML namespace 'clr-namespace:Microsoft.Phone.Controls;assembly=Microsoft.Phone'. Line '2' Position '2'.
.xaml contents:
<phone:PhoneApplicationPage
x:Class="sdkMicrophoneCS.MainPage"
xmlns=""
xmlns:x=""
xmlns:phone="clr-namespace:Microsoft.Phone.Controls;assembly=Microsoft.Phone"
xmlns:shell="clr-namespace:Microsoft.Phone.Shell;assembly=Microsoft.Phone"
...
</phone:PhoneApplicationPage>
I dont see any extra spaces in the .xaml
This error popped up out of nowhere and i am unable to resolve.
TIA.
33 replies
Last post Oct 16, 2012 11:01 AM by zen_026 | http://forums.asp.net/p/985790/1271049.aspx?Re+Data+at+the+root+level+is+invalid+Line+1+position+1 | CC-MAIN-2015-14 | refinedweb | 2,628 | 57.27 |
81338/how-to-create-a-user-in-django
I'm trying to create a new User in a Django project by the following code, but the highlighted line fires an exception.
def createUser(request):
userName = request.REQUEST.get('username', None)
userPass = request.REQUEST.get('password', None)
userMail = request.REQUEST.get('email', None)
# TODO: check if already existed
**user = User.objects.create_user(userName, userMail, userPass)**
user.save()
return render_to_response('home.html', context_instance=RequestContext(request))
Any help?
Hello @kartik,
The correct way to create a user in Django is to use the create_user function. This will handle the hashing of the password, etc..
from django.contrib.auth.models import User
user = User.objects.create_user(username='Niraj',
password='glass onion')
Hope it helps!!
Thank you!
Hi, there is a very simple solution ...READ MORE
The uuid module, in Python 2.5 and ...READ MORE
This is very easy. have a look ...READ MORE
Hello @kartik,
The easiest way is to use shutil.make_archive. ...READ MORE
Hi, there is only that way and ...READ MORE
Hi all, with regard to the above ...READ MORE
Hello @kartik,
To turn off foreign key constraint ...READ MORE
Hello @kartik,
Let's say you have this important ...READ MORE
Hello @kartik,
Basically, a field declared as a FileField, ...READ MORE
Hello @kartik,
In your profile model provide related_name
user ...READ MORE
OR
At least 1 upper-case and 1 lower-case letter
Minimum 8 characters and Maximum 50 characters
Already have an account? Sign in. | https://www.edureka.co/community/81338/how-to-create-a-user-in-django | CC-MAIN-2021-39 | refinedweb | 247 | 54.18 |
Full Build Automation For Java Application Using Docker Containers
Reduce the time and it takes to create a Java application by deploying it from Docker containers with the help of Jenkins automation.
Join the DZone community and get the full member experience.Join For Free
In this pipeline implementation, we will be using Dockers containers for building our Java application. We will run Jenkins inside a Docker container, start Maven containers from the Jenkins container to build our code, run test cases in another Maven container, generate the artifact (jar in this case), then build a Docker image inside the Jenkins container itself and push that to the Docker Hub at the end from Jenkins Container.
For this Pipeline, we will be using 2 Github repositories.
1. Jenkins-complete: This is the main repository. This repo contains configuration files for starting Jenkins Container.
2. Simple-java-maven-app: This is our sample Java application created using Maven.
We need to understand both repos before building this automation.
Understanding Jenkins-complete
This is the core repository as this will contain all the necessary files that build our Jenkins image. Jenkins officially provides a Docker image by which we can start the container. Once the container is started, we need to perform many activities, such as installing plugins, creating a user, and more.
Once these are created, we need them to create credentials for Github to check our sample Java application, and a Docker credential for pushing the created Docker image to Dockerhub. Finally, we have to create the pipeline job in Jenkins for building our application.
This is a long process; our goal is to completely automate all these things. This repo contains files and configuration details which will be used while creating the image. Once the image is created and run, we have:
- User admin/admin created
- Plugins installed
- Credentials for Github and Docker are created
- Pipeline job with name sample-maven-job is created.
If we check out the source code and do a tree, we can see the below structure,
jagadishmanchala@Jagadish-Local:/Volumes/Work$ tree jenkins-complete/ jenkins-complete/ ├── Dockerfile ├── README.md ├── credentials.xml ├── default-user.groovy ├── executors.groovy ├── install-plugins.sh ├── sample-maven-job_config.xml ├── create-credential.groovy └── trigger-job.sh
Let's see what each file talks about
default-user.groovy - this is the file that creates the default user admin/admin.
executors.groovy - this is the Groovy script that sets the executors in the Jenkins server with value 5. A Jenkins executor can be treated as a single process which allow a Jenkins job to run on a respective slave/agent machine.
create-credential.groovy - Groovy script for creating credentials in the Jenkins global store. This file can be used to create any credential in the Jenkins global store. This file is used to create Docker hub credentials. We need to change the username and secret entries in the file by adding our Docker hub username and password. This file will be copied to the image and ran when the server starts up
credentials.xml - this is the XML file which will contain our credentials. This file contains credentials for both Github and Docker. The credential looks like this:
<com.cloudbees.plugins.credentials.impl.UsernamePasswordCredentialsImpl> <scope>GLOBAL</scope> <id>github</id> <description>github</description> <username>jagadish***</username> <password>{AQAAABAAAAAQoj3DDFSH1******</password> </com.cloudbees.plugins.credentials.impl.UsernamePasswordCredentialsImpl>
If you see the above snippet, we have the id as “github,” username and encrypted password. The id is very important as we will be using this in the pipeline job that we create.
How Can I Get the Encrypted Values for My Password?
In order to get encrypted content for your password, go to a running Jenkins server -> Manage Jenkins -> Script console. In the text field, it provides the option enter the code,
import hudson.util.Secret def secret = Secret.fromString("password") println(secret.getEncryptedValue())
In the place of a password, enter your password which, when run, gives you the encrypted password. You can paste the content in the credentials.xml file.
The same thing is used to generate the DockerHub password, too.
sample-maven-job_config.xml - this is the XML file which contains our pipeline job details. This will be used by the Jenkins to create a job by the name “sample-maven-job” in the Jenkins console. This job will be configured with the details defined in this XML file.
The configuration is simple, Jenkins will read this file to create a job “sample-maven-job” pipeline job, sets the SCM pointing to the Github location. This will also be configured with the credential set to “github” id. This looks something like this,
Once the scm is set, it also set the job with a Token for triggering the job remotely. For this, we have to enable the “Trigger builds remotely” option and provide a token over there. This is available under the “Build Triggers” section in the pipeline job. I have given the token as “MY-TOKEN” which will be used in our shell script to trigger the job.
trigger-job.sh - This is a simple shell script which contains a curl command for running the job.
Though we create the entire Jenkins Server inside a container, and create a job, we need a way to trigger that job in order to make that whole build automated. I preferred a way of:
- Creating the Jenkins Docker container with all necessary things like job creation, credentials, users, etc.
- Trigger the job once the container is up and running.
I have written this simple shell script to trigger the job once the container is up and running. The shell script is a simple curl command sending a post request to the Jenkins server. The content looks something like this.
Install-plugins.sh - This is the script that we will use to install the necessary plugins. We will copy this script to the Jenkins images passing the plugin names as arguments. Once the container is started, the script is ran taking the plugins as arguments and are installed.
Dockerfile - The most important file in this automation. We will use the Docker file to build the whole Jenkins server with all configurations. Understanding this file is very important if you want to write your own build automations.
FROM jenkins/jenkins:lts ARG HOST_DOCKER_GROUP_ID # Installing the plugins we need using the in-built install-plugins.sh script RUN install-plugins.sh pipeline-graph-analysis:1.9 \ cloudbees-folder:6.7 \ docker-commons:1.14 \ jdk-tool:1.2 \ script-security:1.56 \ pipeline-rest-api:2.10 \ command-launcher:1.3 \ docker-workflow:1.18 \ docker-plugin:1.1.6 # Setting up environment variables for Jenkins admin user ENV JENKINS_USER admin ENV JENKINS_PASS admin # Skip the initial setup wizard ENV JAVA_OPTS -Djenkins.install.runSetupWizard=false #/ # Add the custom configs to the container #COPY ${job_name_1}_config.xml "$JENKINS_HOME"/jobs/${job_name_1}/config.xml #ENTRYPOINT ["/bin/sh -c /var/jenkins_home/trigger-job.sh"]
FROM jenkins/jenkins:lts - We will be using the Jenkins image provided officially.
ARG HOST_DOCKER_GROUP_ID - One important thing to keep in mind is that, though we create Docker containers from the Jenkins Docker container, we are not actually creating containers inside Jenkins. Rather, we are creating them on the host machine itself. This means we tell the Docker tool installed inside the Jenkins Docker container to delegate the request of creating the Maven container to the host machine. In order for the delegation to happen, we need to have the same groups configured on the Jenkins Docker container and on the host machine.
To allow access for a non-privileged user like Jenkins, we need to add the Jenkins user to the Docker group. In order to make things works, we must ensure that the Docker group inside the container has the same GID as the group on the host machine. The group id can be obtained using the command
getent group Docker .
Now the
HOST_DOCKER_GROUP_ID is set as build argument which means we need to send the group ID for Docker on the host machine to the image file while building this. We will be sending this value as an argument which builds that.
# Installing the plugins we need using the in-built install-plugins.sh script RUN install-plugins.sh pipeline-graph-analysis:1.9 \ cloudbees-folder:6.7 \ docker-commons:1.14 \
The next instruction is to run the “install-plugins.sh” script, passing the plugins to be installed as arguments. The script is provided by default or we can copy from our host machine.
Setting up Environment Variables for Jenkins Admin User
ENV JENKINS_USER admin ENV JENKINS_PASS admin
We set the
JENKINS_USER and
JENKINS_PASS environment variables. These variables are passed to the default-user.groovy script for creating user admin with password admin.
# Skip the initial setup wizard ENV JAVA_OPTS -Djenkins.install.runSetupWizard=false
This lets Jenkins be installed in silent mode
#/
The above scripts as we discussed will set the executors to 5 and create a default user admin/admin.
One important thing to remember here is, if we check the Jenkins official Docker image we will see a VOLUME set to /var/jenkins_home. This means this is the home directory for our Jenkins server similar to /var/lib/jenkins when we install on physical machine.
But once a volume is attached, the only root user has the capability to edit and add files over there. In order to let non-privileged user “jenkins” copy content to this location, copy everything to the location /usr/share/Jenkins/ref/. Once the container is started, the Jenkins will take care of copying the content from this location to the /var/jenkins_home as Jenkins users.
Similarly, scripts copied to /usr/share/jenkins/ref/init.groovy.d/ will be executed when the server gets started/
In the above case, I am setting my job name as “sample-maven-job” and creating the directories and copying the files.
RUN mkdir -p "$JENKINS_HOME"/jobs/${job_name_1}/latest/ RUN mkdir -p "$JENKINS_HOME"/jobs/${job_name_1}/builds/1/
These instructions are very important, as they create a jobs directory in the Jenkins home where we need to copy the job configuration file. The
latest/ and
builds/1 also need to be created in the job location for that specific job.
Once these are created, we are copying our “sample-maven-job_config.xml” file to the /var/share/jenkins/ref and asking Jenkins to copy the file to the /var/jenkins_home/jobs/ as sample-maven-job.
Finally, we are also copying the credentials.xml and trigger-job.sh files to the /usr/share/jenkins/ref. Once the container is started, all content available in this location will be moved to /var/jenkins_home as Jenkins user.
The next instructions are executed as the root user. Under the root instructions, we are creating the Docker group with the same group ID as the host machine passed as an argument. Then we are modifying the Jenkins user by adding that to the Docker group. By this, we can create a container from the Jenkins user. This is very important as a Docker container can only be created by the root user. In order to create them with Jenkins, we need to add the Jenkins user to the Docker group.
In the next instructions, we are installing the docker-ce and docker-compose tools. We are also setting the permissions on the Docker-compose tool. Finally, we are also adding the Jenkins to the sudoers file to give certain permissions to the root user.
RUN newgrp docker
This instruction is very important. Whenever we modify the groups of a user, we need to log out and login to reflect the changes. In order to bypass the logout and login we use this
newgrp docker instruction to reflect the changes. Finally, we change back to the Jenkins user.
Build the Image
Once we are good with the Docker file, to create an image from this we need to run,
docker build --build-arg HOST_DOCKER_GROUP_ID="`getent group docker | cut -d':' -f3`" -t jenkins1 .
From the location where we have our Dockerfile, run the above Docker build instruction. In the above command, we are passing the build-arg with the value of the group ID for the Docker user. This value will be passed to the “HOST_DOCKER_GROUP_ID” which will be used to create the same group ID in the Jenkins Docker container. The image build will take some time since it needs to download and install the plugins for Jenkins servers.
Running the Image
Once the image is built, we need to run the container as
docker run -itd -v /var/run/docker.sock:/var/run/docker.sock -v $(which docker):/usr/bin/docker -p 8880:8080 -p 50000:50000 jenkins1
Two important things in here are that volumes that we are mounting. We are mounting the Docker command line utility to the container, so that if another container needs to be created from the container, this can be used.
The most important one is the /var/run/Docker.sock mount. Docker.sock is a UNIX socket that Docker daemon is listening to. This is the main entrypoint for the Docker API. This can also be a TCP socket but by default, for security reasons, it is a UNIX socket.
Docker uses this socket to execute the Docker command by default. The reason why we mount this to a Docker container is to launch new containers from the container. This can also be used for auto service discovery and logging purpose. This increases attack surface so we need to be very careful mounting this.
Once the command is run, we will get the Jenkins container up and running. Use the URL “<ip address>:8880” to see the Jenkins console. Once the console is up, login using “admin/admin.” We will see our sample-maven-job created with SCM, Token and credentials But not ran yet
Running the Job
In order to run the job, all we have to do is to take the containerID and run the trigger-job.sh job as below,
docker exec <Jenkins Container ID> /bin/sh -C /var/jenkins_home/trigger-job.sh
Once you run the command we can see the building the pipeline job get started.
Understanding the Simple Java Maven App
As we already said,this repo contains our Java application. The application is created using Maven artifacts. The repo contains a Dockerfile, a Jenkinsfile and source code. The source code is quite similar to other Maven-based applications.
Jenkinsfile - The Jenkins file is the core file that will be run when the sample-maven-job is started. The pipeline job downloads the source code from the GitHub location using the GitHub credential.
The most important thing in the Jenkinsfile is the agent definition. We will be using “agent any” for building our Java code from any available agents. But we will define agents when we go to specific stages to run the stage.
stage("build"){ agent { docker { image 'maven:3-alpine' args '-v /root/.m2:/root/.m2' } } steps { sh 'mvn -B -DskipTests clean package' stash includes: 'target/*.jar', name: 'targetfiles' }
If you see the above stage, we are setting the agent as Docker with image file “maven:3-alpine.” So Jenkins will trigger a Docker run maven:3-alpine container and run the command defined in the steps as
mvn -B -DskipTests clean package .
Similarly, the test cases are also run in the same way. It triggers a
docker run with the Maven image and then runs
mvn test on the source code.
environment { registry = "docker.io/<user name>/<image Name>" registryCredential = 'dockerhub' dockerImage = '' }
The other important element this is the environment definition. I have defined the registry name as “docker.io/jagadesh1982/sample” which means when we create an image with the final artifact (jar), the image name will be “docker.io/jagadesh1982/sample:<version>. This is very important if you want to push the images to the Dockerhub. Dockerhub expects to have the image name with “docker.io/<user Name>/<Image Name>” in order to upload.
Once the building of the image is done, it is then uploaded to the DockerHub and then removed from the Jenkins Docker container.
Dockerfile - This repo also contains a Dockerfile which will be used to create a Docker image with the final artifact. This means it copies the my-app-1.0-SNAPSHOT.jar to the Docker image. It also run the container from image. The contents looks like this:
FROM alpine:3.2 RUN apk --update add openjdk7-jre CMD ["/usr/bin/java", "-version"] COPY /target/my-app-1.0-SNAPSHOT.jar / CMD /usr/bin/java -jar /my-app-1.0-SNAPSHOT.jar
Opinions expressed by DZone contributors are their own. | https://dzone.com/articles/full-build-automation-for-java-application-using-d | CC-MAIN-2022-33 | refinedweb | 2,795 | 56.25 |
Truffle Tricks for Ethereum Development: Dispelling 8 Myths & First Impressions
If you haven’t heard of Truffle, go get it. It’s a tool that makes developing Ethereum projects much easier. When people first interact with Truffle, they think they’re confined to fitting into the structure first provided, having a very rare scope that supports only specific types of projects. I’m here to dispel that myth — and many others — and show you some Truffle tricks you didn’t know were possible.
Myth #1: You must use the folders provided to you in the `app` directory
When you run `truffle init` and you’re given an app directory with “javascripts”, “stylesheets” and “images” within it, you might think you have to use those directories to take advantage of Truffle’s build process. You don’t. You can delete those folders, add new ones, or rename them to your heart’s content. Here’s an example build configuration where files have been renamed (notice no images directory):
Directory structure:
/app
— pages
— controls
— vendor
App configuration:
{
“build”: {
"app.js": [
"vendor/react.js", // structure is up to you
"controls/button.js",
"pages/page_one.jsx",
"pages/page_two.jsx"
]
},
// ...
}
Myth #2: Dependencies must live in the app directory
Paths are relative to the app directory, but that doesn’t mean dependencies have to live there. Here’s an example where the build process refers to dependencies that exist outside of “app”, allowing you to take advantage of package managers like npm:
{
“build”: {
"app.js": [
"../node_modules/jquery/dist/jquery.min.js",
// ...
]
},
// ...
}
Myth #3: Truffle can only build web apps
False. Here’s a great example of Truffle building a library, creating both a distributable and minified version.
Myth #4: Truffle can’t have multiple dependent build targets
Oh but it can. Taken from the same example as Myth #3, you can use build targets as they’re created, since each build target within app.json is created in order:
{
“build”: {
// The main library file.
“hooked-web3-provider.js”: “hooked-web3-provider.es6”,
// Note, the first one will be processed before this one,
// so we can refer to the built file.
“hooked-web3-provider.min.js”: {
“files”: [
“../build/hooked-web3-provider.js”
],
“post-process”: [
“uglify”
]
}
},
// ...
}
Myth #5: Like it or not, you must use Truffle’s build process
Nope — this is perhaps the biggest myth. Just delete the “build” configuration from your app.json if you need something more complex (or don’t want a build process at all). You can still use Truffle for contract compilation, testing and deployment.
Myth #6: Contract code requires lots of copy pasta
This isn’t so much a myth it is a lesser-known feature we added to Truffle. Solidity’s import statement leaves much to be desired, so we wrote our own. If you want to include one contract as a dependency of another, simply import it in the order you want it included; Truffle will take care of the rest.
import "Permissioned"; // Looks for ./contracts/Permissioned.sol
contract MyContract is Permissioned {
// ..
}
You can even import nested contract files:
import "tools/Hammer"; // Looks for ./contracts/tools/Hammer.sol
And viola! Mangeable, maintainable code separation, sans pasta.
Myth #7: Truffle doesn’t support different blockchains like development vs. staging vs. production, or a testnet vs. Olympic vs. Frontier)
Au contraire. Truffle has the concept of environments — pulled from Rails — that you can use to configure different blockchains and contracts deployed to those blockchains. By default you’re given development, staging, production and test, but they’re not required. If you don’t need one, just delete it and Truffle will respond accordingly. If you want to make your environments more tailored to you, then rename them. Here’s an example file structure with environment names tailored to the context the app will be deployed to:
Directory structure:
/config
— development
— consensys-testnet
— ethereum-mainnet
- app.json
Each of the directories within `config` should contain a `config.json` file that at minimum defines the network they connect to. You can also use this config file to overwrite the default configuration of any value within `app.json`:
{
"rpc": {
"host": "xx.xx.xx.xx",
"port": "1234"
}
}
Once in place, you can build your application as well as compile and deploy your contracts to use the environments you’ve specified:
// Both compile and deploy will write a contracts.json file to the
// environment specified:
$ truffle compile -e consensys-testnet
$ truffle deploy -e consensys-testnet
// Building will hook up the contracts in the specified environment
// to the frontend for use. If you keep the production environment,
// `truffle dist` will create a `dist` folder you can commit to
// your respository.
$ truffle build -e consensys-testnet
$ truffle dist
Myth #8: Truffle doesn’t support complex deployment processes
Truffle hasn’t taken a stance on the ideal contract deployment process, so you won’t see any advanced deployment options if you take a deep dive into the code. But complex deployment processes are possible, and can easily be scripted with `truffle exec`. Truffle’s `exec` command lets you run a Node script within the environment you specify (details below), interacting with your contracts the same way you would when writing your frontend or your tests.
Here’s an example script that can be run after `truffle deploy` that hooks up an AppStore contract with an AppFactory:
File Name: register_factories.js
-----------------------------------------------------
var store = AppStore.at(AppStore.deployed_address);
store.registerFactory(“app”, AppFactory.deployed_address)
.then(function(tx) {
console.log(“Registered AppFactory successfully.”);
process.exit(0)
}).catch(function(e) {
console.log(e);
process.exit(1);
});
To run this script, simply run the following. In this example, `truffle exec` will use the contracts that were already deployed to the “consensys-testnet” environment created above:
$ truffle exec ./register_factories.js -e consensys-testnet
Fin.
Truffle is still being actively developed, and has a ways to go before it solves all development and deployment problems in the young Ethereum Frontier. However, through the tricks above we hope you can get one step closer to a manageable, maintainable project. Your feedback is most welcome, and feel free to express any issues, feedback and feature requests in our Gitter as well as the Github issue tracker. Cheers, and happy developing! | https://medium.com/@timothyjcoulter/truffle-tricks-for-ethereum-development-dispelling-8-myths-first-impressions-880f66bf3320 | CC-MAIN-2019-26 | refinedweb | 1,032 | 54.93 |
Recommended Python version (plotting issues on 3.8.5)
Perhaps a stupid question, but I've ran into several issues with plotting with my default setup - Win 10, Python 3.8.5 32-bit, BT 1.9.76.123, Matplotlib 3.3.3 (tried 3.3.0, 3.3.1 earlier as well with the same results). Pretty sure it's something on my end but for the life of me I can't figure out.
Issue 1 (solvable) - when plotting, bt\plot\locator.py craps out on line 39 complaining about the module 'warnings' not being found:
from matplotlib.dates import (HOURS_PER_DAY, MIN_PER_HOUR, SEC_PER_MIN, MONTHS_PER_YEAR, DAYS_PER_WEEK, SEC_PER_HOUR, SEC_PER_DAY, num2date, rrulewrapper, YearLocator, MicrosecondLocator, warnings)
...solution: remove 'warnings' from the list, without (seemingly) any ill effects.
Issue 2 (NOT able to solve so far) - if I configure Cerebro like this:
cerebro = bt.Cerebro()
...or like this (note that .Trades is the culprit here):
cerebro = bt.Cerebro(stdstats=False) cerebro.addobserver(bt.observers.Trades)
... I get the following when doing 'cerebro.plot()' later:
... File "...\Python38\site-packages\matplotlib\dates.py", line 1748, in tick_values ticks = self._wrapped_locator.tick_values(nmin, nmax) File "...\Python38\site-packages\matplotlib\ticker.py", line 2009, in tick_values locs = vmin - step + np.arange(n + 3) * step ValueError: Maximum allowed size exceeded
...which I was able to trace to the fact that the last line is getting some insanely high values as inputs for vmin and vmax (just added a debug 'print()' in place here)
print(vmax, vmin, n) locs = vmin - step + np.arange(n + 3) * step >>> 91152000000.0 81648000000.0 9504000000.0
So, the question is -- what am I doing wrong AND/OR is there a different, recommended Python version (and or Matplotlib version, perhaps) that the community is using to run Backtrader? The docs say testing is done up to Python 3.5, but even 3.5.10 is end of life as of Sep 2020 (there's not even a Windows installer available for download anymore). So whats the recommendation here?
Would appreciate any help.
One more note - I can somewhat successfully plot if I disable the default Observers and then re-add these back -
cerebro.addobserver(bt.observers.BuySell) cerebro.addobserver(bt.observers.Broker) cerebro.addobserver(bt.observers.DrawDown)
...with two weird side effects -
- There are no date labels on the bottom
- If I plot datas/lines for multiple symbols (multi-equity portfolio) only the first one shows any Buy/Sell indicators
...so while I kind of able to make it work, I'm still hoping there's a better solution here.
It seems that the integration with Matplotlib is the culprit here. I'm using Matplotlib 3.2.2 and it works fine.
There's PR to fix this in
@amf Excellent, thank you. 3.2.2 solved both issues.
As a side note (it seem like several people ran into it already), the previously suspect 'observer.Trades' is, in fact, the root case here.?
...and one last time on the topic of Trades observer --
The reason it doesn't add any trade events to its internal pnlplus and pnlminus lines (which produces a zero-length X axis, yadda, yadda) is, in my case, because I'm using exclusively self.order_target_percent() for position adjustment..
@frontline said in Recommended Python version (plotting issues on 3.8.5):?
Good to know. Thanks a lot.
- rajanprabu last edited by
@frontline Thats a good point. Accidentally I stumbled upon this yesterday while I was writing code for something else. If my understanding is right, BT store sends signal [using oref] to broker only if trade is complete, meaning if all intended position is bought or sold.
how would you @frontline envision this is to be ? One idea would be to split the orderid with suffixes ? If order ID is 100 and 10 quantities buy order then sub order id can be 100.1, 100.2 .... to 100.10 and if 5 qty is complete then send cancel 10.6 to 10.10 and keep 10.1 to 10.5 ? Just an small idea if @vladisld wants to take it forward. I will also look at it.
@frontline said in Recommended Python version (plotting issues on 3.8.5):.
You can try this approach to open multiple trades in the same ticker -
Otherwise
Definition of a trade:
A Trade is open when the a position in a instrument goes from 0 to a size X which may positive/negative for long/short positions)
A Trade is closed when a position goes from X to 0.
@ab_trader Thanks, soundslike a good idea, but I'm possibly missing some mechanics to make it work. Strategy init:
class TestStrategy(bt.Strategy): def __init__(self): self.trade_id = datetime.now().microsecond # because why not? unique enough
...then in timer-triggered portfolio re-balancing:
def notify_timer(self, timer, when, *args, **kwargs): for data in self.datas: self.trade_id += 1 print(f'Trade id: {self.trade_id}') # looks like it prints unique values for all trades kwargs = {'tradeid': self.trade_id} # inject it into order_target_percent, which sends it down to order_target_value, then (eventually) to the buy/sell methods self.order_target_percent(data, target=self.perctarget, **kwargs)
...and still the Trades observer subplot is empty. Feeling I'm close, but something is missing... | https://community.backtrader.com/topic/3310/recommended-python-version-plotting-issues-on-3-8-5 | CC-MAIN-2021-04 | refinedweb | 872 | 68.36 |
Helper class for rendering a cartesian chart. More...
#include <Wt/Chart/WChart2DRenderer>
Helper class for rendering a cartesian chart.
This class is used by WCartesianChart during rendering, and normally, you will not need to use this class directly. You may want to specialize this class if you want to override particular aspects of how the chart is renderered. In that case, you will want to instantiate the specialized class in WCartesianChart::createRenderer().
To simplify the simulatenous handling of Horizontal and Vertical charts, the renderer makes abstraction of the orientation of the chart: regardless of the chart orientation, the width() corresponds to the length along the X axis, and height() corresponds to the length along the Y axis. Similarly, calcChartArea() and chartArea() return a rectangle where the bottom side corresponds to the lowest displayed Y values, and the left side corresponds to the lowest displayed X values. To map these "chart coordinates" to painter coordinates, use one of the hv() methods.
Note, this class is part of the internal charting API, and may be subject of changes and refactorings.
Enumeration that specifies a property of the axes.
Creates a renderer.
Creates a renderer for the cartesian chart chart, for rendering in the specified rectangle of the painter.
Calculates the main plotting area rectangle.
This method calculates the main plotting area, and stores it in the member chartArea_. The default implementation simply removes the plot area padding from the entire painting rectangle.
Returns the main plotting area rectangle.
This area is calculated and cached by calcChartArea().
Returns the segment area for a combination of X and Y segments.
This segment area is used for clipping when rendering in a particular segment.
Conversion between chart and painter coordinates.
Converts from chart coordinates to painter coordinates, taking into account the chart orientation.
Conversion between chart and painter coordinates.
Converts from chart coordinates to painter coordinates, taking into account the chart orientation.
Conversion between chart and painter coordinates.
Converts from chart coordinates to painter coordinates, taking into account the chart orientation.
Initializes the layout.
This computes the chart plotting area dimensions, and intializes the axes so that they provide a suitable mapping from logical coordinates to device coordinates.
Maps a (X, Y) point to chart coordinates.
This method maps the point with given (xValue, yValue) to chart coordinates. The y value is mapped by one of the Y axes indicated by axis.
Note that chart coordinates may not be the same as painter coordinates, because of the chart orientation. To map from chart coordinates to painter coordinates, use hv().
The currentXSegment and currentYSegment specify the axis segments in which you wish to map the point.
Prepares the axes for rendering.
Computes axis properties such as the range (if not manually specified), label interval (if not manually specified) and axis locations. These properties are stored within the axes (we may want to change that later to allow for reentrant rendering by multiple renderers ?).
Renders the chart.
This method renders the chart. The default implementation does the following:
You may want to reimplement this method to change the sequence of steps for rendering the chart.
Renders properties of one axis.
Utility function for rendering text.
This method renders text on the chart position pos, with a particular alignment flags. These are both specified in chart coordinates. The position is converted to painter coordinates using hv(), and the alignment flags are changed accordingly. The rotation, indicated by angle is specified in painter coordinates and thus an angle of 0 always indicates horizontal text, regardless of the chart orientation.
Returns the segment margin.
This is the separation between segments, and defaults to 40 pixels.
The computed axis locations. | http://webtoolkit.eu/wt/doc/reference/html/classWt_1_1Chart_1_1WChart2DRenderer.html | CC-MAIN-2014-42 | refinedweb | 609 | 50.23 |
: February403 *Basketball Seven Rivers' Cory Ludwick goes for his 2,000th point. PAGE lB CI TR u - ~-0 u NTY FORECAST: Cloudy, with a chance of showers. Clearer and colder tonight. PAGE 2A 74!-? -P 70 43 4 White House seeks big budget cuts Proposals giving some lawmakers election headaches Associated Press WASHINGTON President Bush sent his GOP allies in Congress an austere budget for next year that is filled with political land mines and flush ~ ith difficult choices. The document unveiled Monday clamps down on domestic programs favored by lawmakers and calls for politically perilous curbs to Medicare that promise to bog down in a Congress already poisoned b.% elec- tion-year politics. "It's a heavy lift," said Senate Budget Committee Chairman Judd Gregg. R-N.H. "There's no question it's going to be a challenge." Despite the sacrifices called for in education, Amtrak, community devel- opment and local law enforcement grants, health research and many other programs frozen or cut under his plan. Bush's $2.77 trillion blue- print per- cent increase in foreign aid. His proposal projects $70 billion in new funds to execute the war in Iraq through the end of September, which will come in a detailed request later this month and bring total war fund- ing for 2006 to $120 billion. Another $50 billion is allocated for next year. "'My administration has focused the nation's resources on our highest pri- ority protecting our citizens and our homeland," Bush said in his budg- et message. The White House also said that it will request another $18 billion or so in hurricane relief in the next few days. At the same time. Bush proposes to kill or dramatically slash 141 pro- grams for savings of almost $15 bil- lion. Congress is likely to reject many of the cuts, such as a proposal to kill the Comnmodity Supplemental Food Program. which provides food aid to the very poor Please see 0.iiDGTf/Page 5A County cool to land swap request terrywitt@ chronicleonline.com GChron icle A proposal to trade county- owned land in Homosassa tor a strip of state forest around the landfill is raising the hack- les of a woman who fears it could impact the future of Bluebird Springs Park. The proposal would give the / county a long-term lease on 56 acres of Withlacoochee State Forest land surrounding the Citrus County Landfill for long-term monitoring of methane gas and chemicals that -could be leaching from - the facility. In exchange. the county would grant the Division of Forestry 30 1 2 acres of land in Homosassa. some of it near Bluebird Springs Park, to become part of the Homosassa Tract of the Withlacoochee State Forest Buit Homosassa resident Georgeanna Phelps said the land the county w\,ants to trade Swas donated for future expan- sion of Bluebird Springs Park. and she opposes the county giving it away She said Edward and Joan Pliss of Cocoa Beach donated the land on Dec. 29, 1977, for the expansion ofthe park She said Stormy Johnson donated, an additional five lots. " 'I don't know whether the state will listen or not, but I want to get my barbs in," Phelps. "I know we don't want those lots given to the state." Solid Waste Director Susie Metcalfe said the county is Please see :.." "/Page 5A Blazing a new trail in Citrus County MATTHEW BECKiC h-r,,r, le Crum Services employee David Pease balances himself atop a fallen tree Monday morning at Fort Cooper State Park in Inverness. He and a work crew are remov- ing trees along a path that will soon be linked to the Withalcoochee State Trail. New walkway will link local attractions For Cooper and Withlacoochee State Trail dpieklik@chronicleonline.com Chronicle" With work continuing this week to build a trail connecting Fort Cooper State Park to the Withlacoochee State Trail, it seems a plan that stemmed from improving drainage in the area wasn't just a pipe, dream. SSince the end of January, workers from Dolphin Constructors in Tampa have been preparing an almost half- .mile path through the forest for its conversion to a multi-purpose trail. Once completed, the 2,297-foot trail will connect the popular state bike trail to the 710-acre park. "It's been on the wish list for years and years and years to have it done," Park Manager Harry Mitchell said. "'Tlis is something that people are going to use." The trail first appeared on Mitchell's wish list about a decade ago, he said. when the state Department of Transportation first started looking to collect storm water along U.S. 41. Ultimately, the DOT looked at an easement along the trail to install underground pipes for a drainage system to handle runoff. At the time. Mitchell said the state park wanted to connect to the Withlacoochee State Trail for more accessibility, but funding was an issue. So the park, which used to operate the 46-mile paved rail trail before control sw itched to the Office of Greenways & Trails, agreed to sell land next to the bike trail to the DOT In return, the DOT agreed to supply funding that the park could use toward a project. DOT spokeswoman Kayleen Mueller; who was the project manag- er, said the plan of buying the ease- ment was the "least disruptive" lor residents and trail users. When a reporter told her the money was used to build the trail extension, she said it was wonderful because park staflT had been talking about it fora while "The community there is so neat," Please see '/Page 5A Hollins family details its vision Jim H4'uP-Jmir jhunter@chronicleonline.com Chronicle Some day Citrus County may see a vibrant industrial port center on the Cross Florida Barge Canal. It would be complete with a public marina w\ ith wet slips and a high and dry storage facili- ty, restaurants, a resort hotel, recreational and commercial fishing opportunities and retail shopping. The Hollins family, which would develop the HOLLINS HISTORY The HolIhns family began its interests in northwest Citrus in 1942. In the 1960s. the federal government took the canal lands from the family and built the western term nus of the canal, slicing through Hollinswood. The canal, however, met with environmental opposition and was decor missioned. It was never finished. The feder al government eventually gave the canal to the state, which created the Cross Florida Greenway, a linear park and trail across the state on the canal right of way. center, said it would be called "The Port District" . The concept is part of the long-range vision \statement in \hat's called an "overlay district," for'the 'amiKl's 2.4-square-mile property along the northwest shore of the canal. An overlay plan is done to outline the goals, objectives and Please see HO. .. tt/Page 4A Mawhinney remembered for hard-working, charitable spirit KHUONG PHAN kphan@chronicleonline.com Chronicle Thomas Andrew Mawhinney was a soldier, an athlete, a shrewd businessman, but more importantly to those who knew him, he was a philanthropist, a family man and a dear friend. On Saturday, Mawhinney succumbed to cancer, dying at his home in Inverness. He was 86 years old. "It was a hard day Saturday when we got word," said Hospice of Citrus also served as presi- County director Ton.m dent for five years. Palumbo. "It was a "For a time, he was shock that Tom was the backbone, if not the officially gone." formidable infrastruc- During the 25 years ture of the organiza- Mawhinney lived in tion," Palumbo said. Citrus: County he gave "He was also someone earnestly of himself to Andrew whenever had an agen- area. charities and Mawhinney da except what was organizations that he best for Hospice. A lot believed'served a great benefit of things you see in the county to the community. Notably, he that are coming to fruition now was a highly influential board were because of Tom." member with Hospice of Citrus County for 14 years, where he Please see SPIRIT/Page 4A Annie's Mailbox . 8C Movies .... . . . 9C Comics ........ 9C Crossword . . . 8C Editornal . . . 12A Horoscope . . 9C Obituaries ....... 6A Stocks . . ...10A Three Sections Actor into multitasking Freddie Prinize J brings amrrily values to the set and scrits,.:t Freddie. 2A Woman shows new face The Frenchwoman who received the world's first partial .face trans- plant showed off her new features Monday, and her scar./14A If the shoe fits Shopping for shoes can be a sole-ful experience, but take caution to buy styles that not only look good, but fit your feet well./1C Taking It to the limit * Fossett to try for aviation record./3A * Homosassa man arrested in bat- tery case./3A * Utility pressed for answers on new wells, mainte- nance./3A r'-'^ ,,'^- ", . -. :" " I X. Z 6 91013313M 2A TUESDAY. FEBRUARY 7. 2006 ENTERTAINMENT Cimus Couivn' (FL) CHRONICLE LOTTERIES Actor brings family values to 'Freddie' Here are the winning numbers selected Monday in l the Florida Lottery: CASH 3 3-7-4 PLAY 4 5 0-1-2 FANTASY 5 5 -18 27 30 32 SUNDAY, FEBRUARY 5 'Cash'3:0 6 0 Play 4:0 7 -1 7 Fantasy 5:2 10 11 13 21 5-of-5 3 winners $64,317.97 4-of-5 396 $78.50 3-of-5 10,715 $8 SATURDAY, FEBRUARY 4 Cash 3: 3- 3- 6 Play 4: 0-5-0-5 Fantasy 5:7 19 21 -31 -35 5-of-5 2 winners $139,711.57 4-of-5 348 $129.50 3-of-5 12,759 $9.50 , Lotto: 7 20 21 33 39 51 6-of-6 No winner 5-of-6 73 $6,041 4-of-6 4,564 $78.50 3-of-6 93,445 $5 FRIDAY, FEBRUARY 3 Cash 3:1 8 3 Play 4:1 2 5- 5 Fantasy 5: 2- 8 23 34 35 5-of-5 No winner 4.-of-5 276 $1087 50 3-of-5 9645 $12 Mega Money: 13 32 35 41 Mega Ball: 14 4-of-4 MB N 4-of-4 7 3-of-4 MB 5 3-of-4 1 2-of-4 MB 1 2-of-4 36 1-of-4 MB 11 No winner 9 ,152 ,621 6 024 5 528 $1,571 50 5408 50 $62 $30 50 $2 $3 THURSDAY, FEBRUARY 2 Cash 3: 5 3- 2 Play 4: 4 6 3 7 Fantasy 5:2 12 28 33 36 5-of-5 2 winners $117 908.50 4-of-5 286 $13250 3-of-5 9,026 $11 50 WEDNESDAY, FEBRUARY 1 Cash 3:3 7 5 Play 4: 1 6 4 8 Fantasy 5: 4 8 11 30 31 5-of-5 2 winners $124,059 98 4-of-5 339 $118 3-of-5 10.449 $1050 Lotto: 15 27 32 33- 34 45 INSIDE THE NUMBERS To verify the accuracy of winning lottery numbers, players should double-check' the numbers printed above''* with numbers officially .posted by the Florida'Lottery. On the Web, go to wwwiflalottery .com; by telephone, call (850) 487-7777. Associated Press BURBANK, Calif. -- Freddie Prinze Jr., is surrounded by a group of giggling pubes- cent girls. But a fan attack it's not; merely a scene for his sitcom, "Freddie," shooting on a Warner Bros. sound- stage. Prinze, 29, still looks as cute as a teen idol should be, but in this episode, his character, Freddie Moreno, is trying to fulfill surrogate dad duties, chiding niece Zoey and her friends for behaving inappro- ] privately. Moreno, a successful chef plan- Fret ning to enjoy the bachelor high-life Prinz with rich pal Chris, has been drawn star back into family responsibilities, co-eve For various reasons, his sister and, for "Fr her young daughter, his grandma, and his widowed sister-in-law have all moved in with him, re-enveloping him in the women's world in which he grew up after his father abandoned the family. Besides being the title star, Prinze also is co-creator, co-writer and co-executive pro- ducer of the ABC sitcom, which airs Wednesday at 8:30 p m., and he takes his multitasking duties very seriously. "It's a lot of responsibility, but I wouldn't have it any other way... this is what I need," he says. "There are things that I've done that people are so quick to take credit for and there's really not a lot I can do about that because of the perception of actors. So in order to protect myself, I needed everyone to understand that this is something that I love and this is something that I watch Idie over and I protect on a daily basis." :e Jr. Nevertheless, he immediately and dishes out thanks to his cast, crew, rything and co-creators. Bruce Helford eddie. and Bruce Rasmussen. because, "I don't delude myself that I care any more than they do." F, amous for horror and comedy movies popular with young audiences ("I. Know What You Did Last Summer," "Scooby Doo"), Prinze knew the TV industry would expect his sitcom character to be "that per- fect guy that everyone wants to take their daughter to the prom... but that's not excit- ing," he says. So he gave Moreno many flaws. "He's a touch too arrogant. He's sort of been raised a little prince, to be perfect, and he believes a bit of that, and that gets him into trouble. That's the flaw we play up the most," says Prinze, who also describes his character as "not as book smart as your average bear" Writer-producer Conrad Jackson, who. helped create the show and who is partly the inspiration for Freddie's best buddy, Chris, met Prinze when they were kids in .Albuquerque, N.M. He says the show is "very much Freddie's life," although Freddie, married since 2002 to actress Sarah Michelle 'Gellar, ]ias never been "the player Freddie is-so that aspect is more a fantasy, but as far as the way he deals with kids and has women constantly influencing his life, I think that's pretty much how it is in real life." Associated Press MOORPARK. Calif. - Feznick. an aspiring celebrity kangaroo, underwent lip sur- gery corpo- rateAmsel said. Surgery on Sunday turned Feznick's muzzle back into a fuzzy, made-for-TV' face. Tenor goes soprano NEW YORK The Three Tenors won't make it to a fifth straight World Cup and will be replaced by two tenors and a soprano. A news con- ference was scheduled for P Tuesday at the Metropolitan a Opera House to a ounce that Placido Domingo will be joined by P lcid- tenor Rolando Do.ini-go Villazon and soprano Anna Netrebko at a concert in Berlin on July 7, tweo days before the World Cup final. On the final weekend of the last four World Cups, Domingo sang with Luciano Pavarotti and Jose Carreras in concerts where the trio was dubbed "The Three Tenors." Those performances took place in Rome (1990), Los Angeles (1994). Paris (1998) and Yoko- hama., Japan (2002). According to Domingo's Web site, there have been a total of34 "Three Tenors" concerts in which the trio sang, the last on Sept. 28, 2003. at Columbus, Ohio. Rocker keeps focus BOMBAY, India Bryan Adams is writing a new album, Scott Reisfeld, a grand-nephew of Swedish-born actress " Greta Gabo, poses in front of a photograph of his aunt, taken by Clarence Sinclair Bull in 1931, and shown Monday at the Filmmuseum in Frankfurt, Germany. The museum is present- ing 90 photos from Greta Garbo's private collection in an exhibition that will run until May 7. but of the 30 songs he's writers must have. already come up with.f "It's a really difficult he loves just three. process," he said. "You "There's a saying, have to be methodical 'It's easy to write songs, and Focused." but very difficult to He released his first write great songs.'" I'm albun ii 1980, but it going through that wasn't until -his third right now," Adams told "Cuts Like a Knife" in reporters Friday while Arani 1983 that the hits began on his fourth tour to ~ to roll in India. Adams has since won Adams spoke of the disci- 10 Grammys and scored 12 pline and objectivity that song- platinum discs worldwide. Today in HISTORY Today is Tuesday, Feb. 7, the 38th day of 2006. There are 327 days left in the year. Today's Highlight in History: On Feb. 7, 1812,'author Charles Dickens was bom in Portsmouth, England. On this date: In 1904, a fire began in Balti- more that raged for about 30 hours and destroyed more than 1,500 buildings. In 1906, 100 years ago, Pu Yi, the last emperor of China, was* bom in Beijing. In 1936, President Roosevelt authorized a flag for the office of the vice president. In 1944, during World War II, the Germans launched a counteroffer sive astro- nauts Bruce McCandless II and Robert L. Stewart went on the first' untethered space walk. In 1986, the Philippines held a presidential election marred by charges of fraud against the incumbent, Ferdinand E. Marcos. In 1986, Haitian President-for- Life Jean-Claude Duvalier fled his country, ending 28 years of his family's rule. Ten years ago: During a Central America tour, Pope John Paul II received a warm welcome in Nicaragua, his first visit there since 1983. Five years ago: The Senate voted to release $582 million in dues owed the United Nations. One year ago: President Bush proposed a $2.57 trillion budget f that would erase scores of pro- grams but still worsen federal *1 deficits by $42 billion during the next five years. Today's Birthdays: Country singer Wilma Lee Cooper is 85. Author Gay Talese is 74. Actor Miguel Ferrer is 51. Reggae musi-A cian Brian Travers (UB40) is 47. 1 Actor James Spader is 46. Country singer Garth Brooks is 44. Rock musician David Bryan (Bon Jovi) is 44. Comedian Eddie Izzard is 44. Actor-comedian Chris Rock is 41. Actor Jason Gedrick is 39. Actor. , Ashton Kutcher is 28. Thought for Today: "Hurii "' beings are the only creatures who are able to behave irrationally in the name of reason." -Ashley Montagu, English anthropologist (1905-1999). The weather REPORTY -- --..-. .. .......... f^ M C 4 r C b B % B - .^+ .....,. ^ ^.. ^ ., .. - .-..--^ .. ..- -. . ,.., ,- ..._ ,.^ ^, ; CITRUS COUNTY WEATHER FOUR DAY OUTLOOK TODAY Exclus;e d dly lorcasl rb High: 70 Low: 43 Partly cloudy with a slight chance of showers. WEDNESDAY High: 64 Low: 42 Mostly sunny skies with breezy and cooler conditions. THURSDAY High: 63 Low: 40 Partly cloudy and seasonably cool. FRIDAY High: 64 Low: 43 Mostly sunny skies and continued cool. City H L F'cast City H L F'cast Daytona Bch. 69 42 shwrs Miami 77 59 ptcldy Ft. Lauderdale 77 57 ptcldy Ocala 68 39 shwrs Fort Myers 75 50 ptcldy Orlando 71 44 ptcldy Gainesville 68 37 shwrs Pensacola 59 34 sunny Homestead 77 57 ptcldy Sarasota 70 48 ptcldy Jacksonville 65 38 shwrs Tallahassee 62 32 shwrs Key West 75 62 ptcldy Tampa 68 45 ptcldy Lakeland 70 44 ptcldy Vero Beach 74 .49 ptcldy Melbourne 73 48 ptcldy W. Palm Bch; 77 54 ptcldy Southwest winds from 5 to 10 knots. Seas Gulf water 2 to 3. Bay and inland waters a light chop. temperature Partly cloudy skies with a slight chance of showers. 630 Taken at Egmont Key Location Sun. Mon. Full Withlacoochee at Holder 30.37 30.53 35.52 Tsala Apopka-Hernando 38.44 38.43 39.25 Tsala Apopka-lnverness 39.69 39.68 40.60 Tsala Apopka-Floral City 41.31 41.31oglcal Data Section at (352) 796-7211. city Chassahowitzka Crystal River Withlacoochee Homosassa Tide times are for the mouths of the rivers. Tuesday Wednesday High/Low High/Low High/Low High/Low 3:31 p/9:35 a ---/8:12 p 12:40 a/10:54 a 4:32 p/9:57 p 1:52 p/6:57 a 11:01 p/5:34 p 2:53 p/8:16 a ---/7:19 p 11:39 a/4:45 a 8:48 p/3:22 p 12:40 p/6:04 a 10:08 p/5:07 p 2:43 p/8:34 a 11:52 p/7:11 p 3:44 p/9:53 a ---/8:56 p TEMPERATURE* Monday Record Normal Mean temp. Departure from mean PRECIPITATION* Monday Total for the month Total for the year Normal for the year 72/36 86/23 49/72 54 -6 0.00 in. 2.85 in. 3.75 in. 3.93 in. *As of 6 p.m.from Hemando County Airport UV INDEX: 5 0-2 minimal, 3-4 low, 5-6 moder- ate, 7-9 high, 10+ very high BAROMETRIC PRESSURE Ul -t 7' 4 -s' 1312 f1.21 HR.27 MACH iB Monday at 3 p.m. 30.15 in. DEW POINT Monday at 3 p.m. 37 HUMIDITY Monday at 3 p.m. 29%' POLLEN COUNT** Trees were heavy, grasses were moderate and weeds were light. "Light o .nl Ir me.m i allergic : wul norcw "yrp- toms, moderate most allergic will experience symptoms, heavy all allergic will experience symptoms. AIR QUALITY Monday was good wih pollul- ants mainly particulales. SUNSET TONIGHT.:....................... 6:14 P.M. SUNRISE TOMORROW.....................7:14 A.M. MOONRISE TODAY....................... 1:20 P.M. MOONSET TODAY ................... 3:10 A.M. DATE DAY MINOR MAJOR MINOR MAJOR (MORNING) (AFTERNOON) 2/7 TUESDAY 1.2:50 7:04 1:17 7:30 2/8 WEDNESDAY 1:39 7:52 2-05 8:19 Today's Fire Danger Rating is: LOW For more infornati n call Florida Division'of Forestry at, (352) 754-6777. For more information on drought conditions, please visit the Division of Forestry's Web site:, httpi/flame.fl-dof.com/fire_weather/kbdi The current lawn watering restriction for the. FORECAST FOR 3:00 P.M. TUESDAY Monday Tuesday City Albany Albuquerque Anchorage Asheville Atlanta Atlantic City Austin . Baltimore Billings Birmingham Boise Boston Brownsville Buffalo Burlington, VTI H L Pcp. Fcst H L 36 30, 48 29 41 30 .29 44 24 41 331.85 43 33 66,5g 46 30 39 26 43 353.42 44 27, 39 34 80 62 30 23 34 27 61 34 40 26 47 28 36 20, 39 22 29 24 42 32 .10 35 26 38 28 .01 76 60 57 41 45 17 37 12 33 24 57 33 41 19 40 32 40 33 79 66 67 57 36 18 68 44 .15 42 20 60 40 48 37 .07 81 47 40 22 48 38 .01 33 18 27 9 74 45 64 32 .22 47 29 ptcldy 34 15 sunny 56 29 snow 21 15 sunny 46 20 shwrs 46 31 sunny 44 22 sunny 68 36 sunny 44 24 ptcldy 44 22 sunny 50 28 .;ur,rv 45 26 :.iclav 40 22 sunny 75 51 snow 27 1,6 flurry 25 10 shwrs 53 33 ptcldy 41 18 ptcldy 50 25 ptcldy 33 21 ptcldy 38 19 snow 31 18 shwrs 51 29 pteldy 36 21 ptcldy 31 12 sunny 69 46 sunny 66 41 ptcldy 53 22 ptcldy 33 20 cldy 31 18 sunny 64 36 ptcldy 43 24 sunny 40 23 ptcldy 38 17 sunny 80 68 sunny 64 38 ptcldy .38 21 sunny 54 29 ptcldy 42 23 sunny 67 42 . ptcldy 53 31 sunny 82 51 ptcldy 42 22 ptcldy 50 32' ptcldy 32 20 ptcldy 26 10 sunny 59 32 sunny 54 30 ptcldy 45 26 Monday Tuesday City H L Pcp. Fcst H L New Orleans 76 53 .06 sunry 57 38 New York City 39 34 ,unr.y 41 26 Norfolk 50 33 piclay .46 29' Oklahoma City 48 31 ptcldy 58 31 Omaha 40, 14 cldy : 34'17 Palm Springs 79 50 sunny 81 55 Philadelphia 42 32' sunny 42-25} Phoenix 76 47 sunny 77 48 Pittsburgh 33 24 .01 ptcldy 32 18 Portland, ME 39 32 ptcldy 34 16 Porianr,. Ore 55 36 sunny 54; ,36 Pro..,dene,: 41 35 ptcldy 41 21, Raleigh 52 25 shwrs' 5"2' .' Rapid City 39 28 cldy 37. 1491 Reno 53 22 sunny 58 264" Rochester 31 25 snshr 29 13 . Sacramento 62 40 sunny 68 44" St. Louis 40 20 ptcldy 42 23 St. Ste. Marie 25 18 .10 snshr 20 4 Salt Lake City 42 22 sunny 42 23 San Antonio 69 52 sunny 69 399 San Diego 77 52 sunny 72, 52 San Francisco 65 50 sunny 68 47 Savannah 61 29 shwrs 54 32' Seattle 52 39. sunny 53 37 Spokane 40 28 sunny 41 27 Syracuse 31 27 .01 snshr 28 16 Topeka 43 22 ptcldy 43 23 Washington' 47 29 sunny 45 26V YESTERDAY'S NATIONAL HIGH & LOW HIGH 89 San Juan Canyon, Calif. LOW -20 Int'l Falls, Minn. TUESDAY CITY H/L/SKY Acapulco 88/67/s Amsterdam 36/26/sn Athens 44/31/sh Beijing 25/13/pc Berlin 36/24/sn Bermuda 68/55/pc Cairo 68/44/pc Calgary 39/34/pc Havana 76/60/pc Hong Kong 67/54/pc Jerusalem 65/48/pc Lisbon London Madrid Mexico City Montreal Moscow Paris Rio Rome Sydney Tokyo Toronto, Warsaw 56/42/s 39.26/pc 51/36/s 73/43/pc 21/7/sf 3/-15/c 39/27/pc 87/75/ts 46/35/s 75/61/pc -43'33.rn 27/14,s 29,,17'::n ' KEY TO CONDITIONS: c=cloudy; dr=drizzle; f=fair; h=hazy; pc=partly cloudy; r=raln; : rs=rain/snow mix; s=sunny; sh=showers; sn=snow; ts=thunderstorms; w=wlndy. @2006 Weather Central, Madison, W. Spotlight on PERSONALITIES --- ------ ^...- |- --- - Aspiring actor gets Greta Garbo exhibit cosmetic surgery THE NATION M-51 M, at b N, 0 1,11, ilill .1 'a ;,Ilk, oli i r, 21, ., 1; Oft 17M 2 A TuEsDAY, REBRuARY 7, 2006 CiTRus CoUNT'Y (FL) CHRoNicLE, ExxEirrAxNmENT d z r; Ier re {ca.c 3A TUESDAY FEBRUARY 7, 2006 Fosset ready to set new record Take off presents major danger Associated ress SCAPE CANAVERAL Speeding halfway down a 15,000-foot runway, avi- ation adventurer Steve Fossett will have to make a quick decision: stop or continue with his attempt to take off in an experimental airplane to break the flight distance record. The .wrong choice today could send the plane into a ditch at the end of the Kennedy Space Center runway, or worse, create a fiery end for an aircraft in whiqh fuel makes up 85 percent of the weight. "There is a risk in the takeoff. There is a risk during the flight of running out of fuel or other mechanical failure in ..TERRY Wrr . terrywitt@ . chronicleonline.com ,. Chrnoniche The Florida Governmental Utility Autholity faces millions of dollars' in repairs and upgrades, to the water and wastewater systems it pur- chased two years ago in Citrus County, a county government report has concluded. In the report, County En- gineering; Director Al McLaurin said FGUA is not ignoring the problems and has made an.. effort to bring the facilities,:, ito compliance by budgeting for the.repairs and upgrades,.in its five-year con- struction plan. FGUA complet- ed 48 percent oft lie.work it had plamed to. db-i29005. "it is. just that there are so many problems, especially at the wastewater treatment plants, that they cannot correct all of the problems at once," McLaurin said in a report for the Citrus County Water and Wastewater, Authority (WWA). "This is a result of current growth that is. affecting all facilities throughout Florida." McLaurin's report was made public Monday as part of WWA's monthly meeting. It surfaced as FGUA Director of Operations Charles Sweat was pressed for answers about when the gov- ernment utility plans to build new water, wells for Citrus Springs and Pine Ridge. McLaurin's' report said FGUA needs to build: new water wells for Citrus Springs. Gospel Island and Pine Ridge. FGUA inherited the mainte- nance problems from Florida Water Services Corp. when it bought the systems in December 2003. None of the problems identified in McLaurin's report pose an KHUONG PHAN kphan@chronicleonline.com Chronicle According to the Citrus County Sheriff's Office, a Homosassa man left a Super Bowl party and got into a phys- ical altercation with a woman. Harold Buskirk IH, 27, was arrested at 1:40 a.m. Monday. on charges tampering with a victim/informant and domestic battery. No bond was set. According to the arrest report, deputies talked to a woman who stated that she and Buskirk had attended a Super Bowl party Sunday night at which Buskirk had several Alcoholic drinks. The pair then Associated Press LAKELAND Publix cus- tomers in Miami, Orlando and Tampa will soon be able to get treatment for minor injuries and ailments at walk-in med- ical clinics opening inside an experimental aircraft," Fossett said private sector has taken off from the Monday at a news conference accompa- nied by Richard Branson, whose compa- ny, Virgin Atlantic, is sponsoring the flight 1 "I'm not confident of success because of confidl what I'm trying to do ... success We calculate that I will Success be able to complete the of what I' flight and have a suc- cess, but it will be very to do. close." Fossett was set to take off from the Ste 'Kennedy Space Center will be tryir in Florida early today on the 27,012-mile non- stop trip around the world, and then on to London. in a spindly experimental. airplane that helped him break a dif- ferent record last year: It's the first time an experimental airplane built by the immediate health hazard to FGUA's customers, said Utilities Regulatory Director Robert Knight. As part of the purchase. FGLUA took ownership of the water and/or sewer systems in Apache Shores. Citrus Springs, Golden Terrace, Gospel Island. Lakeside Cotmtry Club. Oak ForestL Pine Ridge, Point 0' Woods. Rose- montLRolling 'Green, Spring Gardens and Sugarmill Woods. Donald Cox, a WWA board member: said records show the water systems in Citrus Springs and Pine Ridge are ap- proaching capacity. He wanted to know if FGUA was prepared to add water-pumping capacity. Charles Sweat, FGUA's director..of operations, said a. test well has already beeiltug in Citrus Spiings. and construc- tion of a production well at the same location will take place this year: He said FGUA does- n't low yet if it will add one or two more wells in the Citrus Springs-Pine Ridge area. In other business: The board voted 5-0 to have FGUA investigate a com- plaint by Michael Castricone that Citrus Springs water line near his home passes tLirough a drainage retention pond. Castricone said if the water pipe were to break it could be contaminated with stormwater: Castricone has also com- plained for two years that Florida Water Services allowed diesel fuel to spill on the 'ground near water well three. He is concerned it may contaminate the water. He mentioned the problem again. but W WA took no action. WWA instructed Knight to draft a proposed policy on how, residents would be charged for water lost when water pipes break. Utilities handle the mat- ter in different ways. got into an argument in the car as they were leaving the festiv- ities. Reportedly, Buskirk punched the car's windshield and backhanded the woman across the face., Upon arriving at his home, Buskirk reportedly grabbed a cordless telephone so the woman could not contact law enforcement. She was able to retrieve another phone, but she contends that Buskirk hit her in the face. Reportedly, Buskirk then put the woman over his shoulder as he tried to wrestle the phone from her hands. The woman told deputies that she bit Buskirk on the head at this time in an attempt to get free. Buskirk then dropped the woman, grabbed some of the stores later this year, the chain said Monday. Lakeland-based Publix said it has signed an agreement with The Little Clinic, based in Louisville, Ky., to open clinics in some stores by midyear. Publix spokeswoman Maria _NASA center. Last March. Fossett became the first person to fly solo nonstop,- 'm not without refueling, around the globe in 67 ent of hours in the Virgin Atlantic Global Flyer because experimental plane, mt flnd which has 18,000 I trying pounds of fuel at take- off. During the trip, he lost 3,100 pounds of fuel from a leak but still ve Fosset landed with a reserve ig to beat a flight of 1,500 pounds of fuel., record. The amount of fuel reserve left over made Fossett realize that the plane hadn't flown to its full capacity and wasn't ready for retirement to the Smithsonian ,National. Air and ,Space Museum. "We have designed this flight to use the full capability of this airplane, to fly further than any plane has ever flown." Fossett said. . If Fossett completes. this 3 1/2-day trip, he will surpass the previous air- plane record of 24,987 miles set in 1986, as wqll as a balloon record of 25,361 miles'set in 1999. The trip requires permission. from: nations around the globe. Libya was the first nation to grant permission, but Fossett's team is still waiting for approval from China and Iran. Fossett said he expects China's permission and has an alternate route if Iran doesn't agree to the flight path. Not only will Fossett have to over- come fuel concerns and sleep depriva- tion aided only by five-minuite naps dur- ing the flight, but his plane will be buf- feted by the jietstream in which he needs to fly to get the maximum dis- tance. -- ~ _ i 1 ^ M l *-.?H. w ,, ^w ^-^yf* MATTHEW BECK/Chronicle Leonard Powell Inc. employee Eugene Trofin smoothes out wet cement Monday afternoon near the corner of U.S. 41 and Eden Drive in Inverness. He and a crew of five other men from the company poured and finished sidewalks and curbing as part of the highway-widening project. both phones so she could not contact authorities, packed his belongings and left. Deptities noted that the woman's face was red and beginniiig to sw-ell and they also reported a cut on her hip, from being dropped to the' ground. When questioned by deputies, Buskirk was report- edly intoxicated and claimed he had done nothing wrong. Buskirk contended that the woman had hit and bit him: Deputies could not discern any facial injuries on Buskirk's face to corroborate his account of the altercation. Deputies, did, however, note that Buskirk had a small cut on his head from the bite. Brous said it hasn't been deter- mined how many clinics will be opened initially nor whether the concept will be expanded beyond the three cities. The Little Clinic health care centers will be staffed by nurse practitioners. Audubon meeting to focus on herons Chronicle The Citrus County Audubon Society's meeting Monday, Feb. 20, will focus on herons and' egrets, some of the most beau- tiful and recognizable bird species in the state. Ann Paul, with Audubon's' Florida Coastal Islands San- ctuaries, will introduce atten- dees to the birds and present details concerning their biolo- gy, behavior and population status, as well as the conserva- tion initiatives to protect them. The listed heron species. snowy egret, little blue heron, tricolored heron and reddish egret will be highlighted. . The society's last meeting, featuring a talk on bats, was deemed a hit with members. Thanks .to Lowe's donations, two local residents, Bob Silvia of Crystal River and Leonard Saunders of Citrus Springs, now have new bird feeders and bat houses to encourage more wildlife to frequent their yards. The group welcomes all who The listed heron species snowy egret, little blue heron, tricolored heron and reddish egret will be highlighted. are interested in the environ- ment in general or birds in par- ticular. The meeting will be in the Jerome Multipurpose Room at the Lecanto campus of Central Florida Community College at 3800 S. Lecanto Highway, (County Road 491). Meetings begin at 7 p.m. In addition to the program, there will be a report on a bird and bird-friendly plant of the month, as well as a raffle. For information about future programs and bird walks, call Ginger Privat at 249-4495. ! I P SA news note on Page IC of Saturday's edition contained an error. David and Rusty, gospel ventriloquist team, minister Sunday, Feb. 12, at The Gathering Place in Golden Eagle Plaza, 3277 S. Suncoast Blvd., Homosassa Springs. Call 628-2355. FGUA pressed for answers Homosassa man faces charges Publix stores to have med clinics mamma Nx= County B"IEFS Browne-Waite to visit Iraq U.S. Rep. Ginny Brown- Waite, R-Crystal River, will travel this week to Iraq as part of a Congres- sional delega- . tion to see firsthand the conditions on - the ground and to meet . with military Rep. Ginny and political Browne- leaders. Waite This is Brown-Waite's second trip to Iraq. Republican House members Chris Shays (Connecticut), John Doolittle California) and Katherine Harris (Florida) will join Brown-Waite on the trip. Senator to add to Code of Ethics bill State Sen. Mike Fasano, R- New Port Richey, will file legisla- tion that requires all statewide public office holders to place their financial investments in , either a mutual fund or a blind trust, according'to a press release. The legislation will also explicitly prohibit the official from attempting to influence or exer- cise control over decisions regarding the management of assets in a blind trust. Fasano said he hopes this new law will prevent actions by. state officials that could poten- tially violate the public trust. Fasano plans to add the new language to Senate Bill 880, which is titled Code of Ethics/Public Officers. SB 880 was filed by Fasano so that employees at quasi-governmen- tal entities, such as Citizens Property Insurance Corporation, will be required to follow the same "revolving door" laws that apply to state employees. SB 880 is currently working its way through the Senate committee process. More manatees in new count .Staff from the Crystal River National Wildlife Refuge count- ed 438 manatees during an aer- ial survey on Monday.. Today's count: King's Bay 235 adults and 24 calves. Crystal River- One adult. Power Plant Discharge Canal 35 adults and four calves. Homosassa River (Blue Waters) 112 adults and 12 calves. Lower Homosassa River 12 adults and three calves. This is a new record count for the 2005-06 season. The previ- ous record was 430 recorded on Dec. 21, 2004. -From staff reports Corrections SA news note that ran in the Feb. 3 edition needs correction. The Nature Coast Corvair Club's third annual Car & Truck Show is Sunday, Feb. 12, at Adventureland, U.S. 41 South, Floral City, (4 miles south of Inverness).'The event benefits the Florida Sheriffs' Caruth Youth Ranch. Due to photographer error, Citrus County Commission ... Chairman Gary Bartell ; was misidenti- fled in a photo - caption appearing on . Page 8A of the Feb. 6 edition Gary of the Bartell Chronicle. AlA FFI RTiT r 7 -2nnCC Sheriff's office issues awards Special to the Chronicle The Citrus County Sheriff's Office honored its officers and community members Jan. 30 during its 2005-06 Annual Awards Ceremony at the Citrus Springs Community Center. Sgt. Phil Royal, Deputy Nancy Suto and Deputy Chuck Kanehl received the Unit Citation of Excellence award for their efforts in researching, developing and implementing the most progressive, realistic law enforcement training avail- able. John Plevell received a 25-year service award. Also receiving service awards were John Bud- denbohm, Joseph Eckstein, Donald Lestinsky and James Martone, for 20 years' service; Susan Ayers, Karen Cairns, Dennis Devoe, Mickey Dixon, Ron Frink, Portia Guinn, Macy Henman, Kathy Lockhart, Kevin Purinton, Kathy Settles, Jannette Spencer, Gail Tierney, Sharon Walker, Carl Whitton, Dave, Wyllie and Donna Young for 15 years' service; Thomas Beagan, Rodney Bloomer, Dave Cannaday, Lori Cronshaw, Phil Gaffney, Dale Johnson, Millie King, Annette Ludwig, Tim O'Melian, Claudette Stahl, and Michele Stens for 10 years' service; Clint Adams, Charlie Beetow, Kris Bentz, Jody Bloomer, Chris Cornell, Brian Fagan, Misty Floyd, Ryan Glaze; Robert' Greatrex, Troy Hess, Phil Special to the Chronicle The Citrus County Sheriff's Office honored its officers and community members Jan. 30 during its 2005-06 Annual Awards Ceremony at the Citrus Springs Community Center. From left are: Sgt. Phil Royal, Deputy Nancy Suto and Deputy Chuck Kanehl, who received the Unit Citation of Excellence award for their efforts in researching, developing and imple- menting the most- progressive, realistic law enforcement training available. Martin, Jon Payne, Marcial Rodriguez and Steven Smith, for five years' serv- ice. Phil Gaffney, Gregory Varn, Jonathan LaBelle and Kenny Wear received the Ribbon of Commendation. Ryan Glaze and K-9 Kane received the Canine Com- mendation Award. Cindy Russo received the Think- ing Out of the Box Award. Michele Stens received the Certificate of Commenda- tion. Dave Cannaday, Patty Chatkiewicz, Dan Holder, Brian Spiddle, Tim Martin and Dave Strickland also received Special Com- mendation Awards. Community representa- tives G. Alan Bell, ERA Suncoast Realty; James and Geraldine Boone; Sandy Ferrara, Ferrara's Deli; Mike and Kautia Hampton; Greg Rodrick, ERA Suncoast Realty; Eddie Stoermer; and Dave Williams received recogni- tion for their partnership with the sheriff's office. Sheriff Dawsy also acknowledged all of the offi- cers from various agencies that played, a significant role in the Jessica Lunsford case. The Citizens' Academy Alumni Association provid- ed dinner and the students of the WTI Culinary Arts Program prepared the meals. SPIRIT' Continued from Page 1A If his considerable dedication to Hospice wasn't enough, Maw- hinney served on the executive boards of the Citrus United Basket (CUB), Citrus Abuse Shelter Association (CASA) and was president of Citrus County Learn to Read for two years. "What he meant to me per- sonally was the world," said Citrus United Basket director Nola Gravius said. "He's helped CUB financially, but more importantly, with his heart and his mind. He helped us grow and he's the one who helped get us here today. Gravius recalled meeting Mawhinney' for the first time a decade ago. When Mawhinney showed up to see if he could volunteer, Gravius was in quite a bind due to a lack of food donations. "Sure enough a check came from Tom Mawhinney," Gravius said, "He just knew what need- ed to be done. He was such a kind and generous man. I've never met a man like him." Mawhinney was born May 23, 1919, in Maple Shade, N.J., to Mary Teresa Kenny and Thomas Andrew Hammersley Mawhin- ney In 1940, Mawhinney earned- his Bachelor of Arts degree from Swarthmore College in Pennsylvania. While at Swarth- more, Mawhinney played foot- ball and was the captain of the swim team. Mawhinney furthered his studies with graduate school- Work at the famed Wharton School at the University of Pennsylvania and at the University of Toronto. He also served in the U.S. Army Field Artillery from 1941 to 1943, retiring from service as a Second Lieutenant. Professionally. Mawhinney had a 36-year career with Philadelphia Quartz Company - later named PQ Corp. a corporation known as a global leader in silicate chemistry and technology. During his time with PQ Corp., Mawhinney was a buyer, before becoming a sta- ple of the company's wholly owned subsidiary, National Silicates Ltd., in Toronto, Canada. He was a corporate secretary as well the manager of operations and purchasing. In 1981, Mawhinney retired to Inverness, a place he had been visiting annually since 1947. During the quarter-century he lived here, Mawhinney man- aged to touch many people with his compassion and genuine willingness to lend, a hand. "I met him because he was interested in being a board member, and even though there was a big age difference between me and him, he was really a friend," CASA director Diana McIntosh said. McIntosh recalled that despite losing his eyesight in the last two years, Mawhinney never missed a meeting and was always trying his best to contribute what he could. "I used to take him chocolate shakes when I went to go visit him and I would always drive him home after meetings," an emotional Mcliitosh said. "It'll be hard not to see him. I feel like something's missing if I can't take him home afterwards." Jean Grant. Citrus County Fair manager and CUB board member, recalled that Maw-' hinney never minced words and always spoke his mind. and said that his presence was one that commanded respect "I called him Silver Tongue." she said. "He was one who could calm people with just a few words. He believed that hostilities were counterpro- ductive he didn't put up with any ofthat." HOLLINS Continued from Page 1A policies that will form a devel- opment In the "Vision Statement" in that overlay plan released Monday, the family said of the future development: "We see it as a vibrant economic base appealing to tourists, but, pro- viding a unique local place to ,access the Gull' relieving ,pressure on nearby rivers and supportingg boating, fishing and eco-tourism." .Today the property is part of a mining and timber operation owned by Citrus Mining & Timber-, and run by Dixie Hollins, who for many years ran the sprawling Hollinswood Ranch, located west of U.S. 19 in the northwest corner of Citrus. Hollins has referred to the plan before, and it's part of the family's long-range intent, to convert the mining and timber property into a mix of residen- tial commercial and industrial uses when the mining opera- tions are finished, probably in 25 or 30 years. Outbdck Steakhouse '2225 Hwy. 44 W. Inverness Mon. Feb. 13 @ 2:30 p.r Mon. Feb. 20 @ 2:30 p.r Tups. Mar. 7 @ 2:30 p.i Tues. Mar. 14 @ 2:30 p.i The tract is about 1,500 acres, and the county and state require more extensive plan- ning for developments of that size. Hollins is even doing the kind of planning normally used for even larger tracts. Natural advantage? In an executive summary of "Part One, Current Circum- stances," of the :overlay pl an is the. following statement regard- ing the use of the canal: "It is expected that the number of boats and the demand for water access.will only increase in the future. Most other water- ways in Citrus County are con- strained by natural features and habitat, private docks lin- ing both sides of the river and exiting boat traffic. The Cross Florida Barge Canal has none of these constraints." The Hollins' long range plan summary also stated, that the family is working on a deal 'with the state in which they would release the mineral rights on land where the state wants to put a very large boat ramp facility on the canal, directly to the east of the fami- ly's property. It would be part of the overall development rights agreement. For the RECORD-- - Citrus County Sheriff Domestic battery a Issac Luna Jr., 41, Inverness, at 6:24 pim. on a charge of domes- tic battery. No bond was set. According the arrest report, Luna got into an argument with a woman, which escalated into him shoving her and striking her in the face. No bond was set. Arrest Matthew Damien Johnson, 21, at 2:30 a.m. Monday on a charge of marijuana possession. He was released on his own recognizance. Topics: h Growth and Fixed Income Investments . Alternative Investments & Tax Free Income b Financial Planning b Stock and Bond Trading A IRA and Rollover Rules 9 Juliette's Restaurant Rainbow Springs Country Club 19330 SW 83rd Place Dunnellon m. Fri. Mar. 3 @ 5:00 p.m. m. Tues. Mar. 21 @ 4:00 p.m. m. m. In addition, the summary said there are some limited. environmental features that the mining will unavoidably impact, though it said that the impacts were small and there were' multiple mitigation opportunities available on other properties the family has options.on. That, too, would be part of the overall develop- ,ment permits for the overlay plan. The vision statement said that though it was 'too soon to say'wh, .kind of industriall activity would be located on the property, whatever it was would ensure that future gen- erations would have jobs' to allow them to stay and work in Citrus County The statement also said the family expects to have general commercial interests along U.S. 19 with businesses and retail providing services and goods for years to come. When the mining is finally done, according to the vision statement, it is reasonable to expect people to still be discov- ering Citrus County and the beauty of the, Hollinswo q a r a. : .. ... .. . .. : 'A home at Hollinswood will provide a unique opportunity to appreciate wildlife, water and more," the vision state- ment said. Miracle Ear introduces the ME900 Open, a revolutionary advancement in hearing technology. Open yourself to a world of better hearing.* The ME900 Open gives you all the features'you want in a hearing aid and more including: * So discreet, no one will know you're wearing it. 1 So comfortable, you'll forget it's there. * So advanced, you'll hear your own voice more naturally. * So revolutionary, whistling is eliminated. * So intelligent, it adjusts to different sound levels automatically. Come in and try the ME900 Open for yourself first absolutely FREE! Now through February 28, 2006 appointments are limited, call today! tli64i:l {*,11 Jd;: 9 *6118 L i ,I f I o .iUe oa 3s IiF [HeaII I PREMIUMZINCMIR slBATIERI| F Hearing Test PREMUMNCBARIE IHearing Aid RepairsI Bi I IIr I Use Your Sears I R 'CIeaning I FR ElE Card Today IE 'Battery 1 H SE Replacement P I l E_ ... ... laB .aB ._ I _L _Va BC/BS Provider Inside Sears - Crystal River Mall ET SEA I 795-1484 Hearing Aid Centers Paddock Mall (352) 237-1665 '5j CHRONIC LE ' '. '.n w *.u e : "* 1,11. ,,- .*PlIus6% Florida sales tax SForontlne.com I want to send Information to the Chronicle: MAIL IT TO US The Chronicle, P.O. Box 1899, Inverness, FL 34451 FAX IT TO US Advertising- 563-5665, Newsroom 563-3280 E-MAIL IT TO US Advertising: aidvertising@chronicleonline.comr Newsroom: newsdesk@chronicleonline.com e r Where to find us: Meadowcrest office Inverness office N 4 o -SL- m 1624 N. Meadowcrest Blvd. 106 W la.n St Crystal River, FL 34429 Inverness, FL 34450 Beverly Hlllsoffice: Visltor -A i ' W 106 W. MAIN ST., INVERNESS, FL 34450 I S_ PERIODICAL POSTAGE PAID AT INVERNESS, FL SECOND CLASS PERMIT #114280 rtcal oodBlnds- Suttrs- Cysal la BLINDS WE'LL MEET OR BEATANY COMPETITORS PRICE' FAST DELIVERY PROFESSIONAL STAFF mcrrnr In Home Consulting FREE Valances F E **Installationn LECANTO -TREETOPS PLAZA 1657W GULFTO LAKE HWY HOuHS MON .Fhi 9t...f I U m llf d\ 1'J TOLL FREE 1-877-746.0017 Evenngs and Weekds byppo ent I s .... !a s ucessful Retirement Planning & Money Management Seminar Presented by: Neal Smalbach, CFP with GunnAllen Financial Complimentary meal will be served. Seating is limited, so please make your reservations now by calling toll-free (877)NEALCFP (632-5237) GuinmllenFinancial Cal ad mnton.hi.adfo a riat dfjgL -1-UESDAY, kEBRLARY /, .4UL)O And though a forthright speaker, Mawhinney wasn't one to rub anyone the wrong way "He was very interested in what was going on around him and what people around were doing," Grant said. "He was the kind of person that you could talk to about anything. I just found him to be a great person to be around. He made you feel good about yourself." While he had no qualms about opening his wallet to support his causes, Mawhinney was really known for devoting time to his causes and was revered for his astuteness and overwhelming intellect. "The guy was a wealth of knowledge, and that kind of wisdom is hard to come by," Palumbo said. "Many of us came to really love him." To talk to those who knew him is to know that Mawhinney was a man who left his mark on all he met, and he's the kind of person that won't be forgotten any time soon. "He'll be missed," McIntosh said. "To know him was to love him. I'm sure everyone who knew him has nice things to say about him." Mawhinney was preceded in death by his wife. Norma Lofquist Mawhinney. Survivors include, his daughter: Janice: his son. Tom Jr:: and his grandsons, Michael and Eric Dineen. A service celebrating his life will be at 7 p.m. Thursday at Chas. E. Davis Flineral Home, Inverness. with recently retired Associate Pastor Harvey Dunn of the Inverness Church of God presiding. Memorial donations in Maw- hinney's name can be made to Citrus United Basket, 210 N. Apopka, Inverness: Citrus Abuse Shelter Association, 112 N. Pine Ave., Inverness; .or Hospice of . Citrus County, 3350 W Audubon Park Path. Lecanto. CiTRus CouNTY (FL) CHRoNicLE TUESDAY, FEBRUARY 7, 2006 5A CAITRUS COUNTYII(PL) CRNIL BUDGET Continued from Page 1A Moderate Republicans such as' Sen. Arlen Specter of Pennsylvania and Olympia 'Snowe of Maine recoiled at tuts to social programs, while 'farm state conservatives blast- ed cuts in crop payments. Specter said proposals for edu- cation and health spending were "scandalous.". Major initiatives like making Bush's landmark tax cuts per- manent arid' providing $52 bil- lion in health care tax breaks through 2011 face challenges of their own. Every year, Bush has called.for making his 2001 and 2003 tax cuts permanent. Congress has yet to do so. Most of Bush's tax cuts expire in 2010. Extending them ,would cost $120 billion in 2011 arind $1.2 trillion from 2012- 2016.' The White House credits Bush's tax cuts for fueling eco- 8m.inth o, growth and surging rev- enues'despite high fuel prices, last year's devastating hurri- canes and the recession and terrorist attacks of 2001. "Those tax cuts are essefitial. toward sustaining the good 'economic g growth we have now," said White House Budget Director Joshua Bolten. "The most important thing we can do with our federal budget is keep a good, strong. growing econo-' my that's generating jobs." The budget plan projects deficits on a dowviiward trajec- tory, especially wlien meas- ured against the size of the economy and meets, at least on paper, Bush's 2004 promise to cut the deficit in half. Thlatyear Bush projected a $521 billion deficit and promised to cuftthat 12007 FEDERAL BUDGET| Agency expenditures under Bush's plan Change What each agency would spend next year under President from Bush's budget proposal, compared with this year: 2006 9 2 495.8 -8.7 I' 491 3 7.5 Other agencies 149.5 0.2 Agriculture 96.4 10.4 Veterans 77.7 4 9 Transportation 67.7 -28.5 Educaiin 63 4 5.5 Labor 54.1 -29.9 Housing and Urban Development 33.5 13.1 State 330 9.8 U Homeland, Securiry 31.0 -06 Jusltce 22.5 S1.8 Energy 20 7 1 | NASA 16 8 -2.4 I Interior 9.1 -4.9 EPA 72 8.1 | Judiciary 6.5 -2.2 | Commerce 6.3 -41.3 I Corps of Engineers 4 4.8 10 9 I Legislative Branch 4.7 NOTE Alil irure- arr ;iirrmairiE includes entitlement programs such as Social Secunry, Meaicard-ana spending rrom highway trust funds; does not include allowances,' undistributed offsetting receipts or Small Business Administration SOURCE: Office of, Management and Budget AP in half by 2009. Bush projects a 2009 deficit of $208 billion, but that depends on Congress accept- ing all of his spending cut pro- posals. His budget also leaves out the long-term costs of occu- pying Iraq and MAfghanistan. which are impossible to pre- dict with certainty. With the increases for the Pentagon, this year's Iraq and AfMhanistani war costs. aidnew per- manently fixing the alternative minimum so it doesn't hit more middle-class families. "It explodes deficits, but. then conceals them by provid- ing only five years of numbers and leaving out large costs," said Sen. Kent Conrad of Notlh Dakota, 'senior Democrat on the Senate Budget Comm itlee. "The result will be inore debt Associated Press Copies of President Bush's proposed 2007 budget arrive Monday on Capitol Hill. bipartisaii Medicare ad\i-' -, I TRAIL ' Continued from Page 1A Mueller said. "I'm glad they're able to add ithe trail) to tilhe area." 'Mitchell said without the DOT funding, the trail plan Should never have come true. "I never, dreamed it would 4m''.'' SW caught bi fy two sta The, F Environs which li Lw'ants the tenn mo edge of t land' .to escaping cals; Respol request, Forestry donate 1 exchange lease. T county p direct ac the Hon Withlaco But C Richard has no Homosas he lost Homosas other cou plat maps of the lai Springs. Wesch interest i land it Withlaco a long-te Division Find SWit- Keepi an ey the w th< i happen because of the costs involved," he said: Mitchell now hopes linking two area attractions will gener- .ate more visitors. With such features as a swimming and picnic area, a primitive camp- ground and nature trails, con- necting Fort Cooper to the bike trail will give people more, options, Mitchell said. Tammy Roberts, the park's "I have no board authoriza- A *:" .. :tion whatsoever to talk about Si :swapping land around Continued from Page. A,. Bluebird Springs," Wesch said. S.. "We did not agree to that. We etwee tnyingyi to satis- did not put that land on ,the ite agencies. table." lorida Department, of Wesch said hle told Phelps he mental Protection,' was ,not supporting such a licenses thle landfill, swap. Phelps said Wesch told countym to install long- her to write the state in oppo- nitoriniig wells at the sition to the trade, but she is he landfill on forestry worried the swap could take monitor. for signs of place in spite of Wesch's state- methane and chemi- ment. Inactive subdivision ding to the county's f Keith Mlousel. resource the Division of .administrator for the Division asked the county to of Forestry in Brooksville, said and in Homosassa in the property he wants is part of for granting the sub- an inactive subdivision- called he agency said the Homosassa Villa. He said the property, would give it 301/2 acres is scattered around *cess from U.S. 19 to Homosassa. Some of it is in Old nosassa..Tract of the Homosassa ahd some of it is ochee State Forest. near Bluebird Springs Park, county Administrator but he said it comes as news to Wesch said the county him that the laid was set aside interest in the for the future expansion of the ssa land swap. He said park interest in -the Homosassa Villa is a subdivi- ,sa trade when he and sion that was largely undevel- unty staffers looked at hoped. Many of the lots reverted s and disco\ ered some to county ownership when the nd was near Bluebird taxes, were not paid. Some of those lots would give the said the county's main agency direct access from U.S. s in trading 50 acres of 19 to. the Homosassa Tract, owns inside the Mousel said. ochee State Forest for If access is the issue, Wesch' rm sublease with the said the county would be will- of Forestry. ing to work with the Division of: I Peace . .l.... nggour bodh.i healthL is pression or gratitude to hole cosmos the trees, " e clouds, everqthin&,. Discover " -r H.M. God of Love" THI(-H NI'J :T HW rH- ., Building Beautiful Homes, ...and Lastinq Relationships! l I1 I administrative assistant, .agrees, saying a family would now be able to come to the park to eat lunch, and then bike on the ti-ail. S"We're kind of hoping," Roberts said, "some of the peo- ple I ho never really lkiew \ we were here, or took the time to ever come into this park, will jump off the bike trail and see what's in the park." Forestry on providing an ease- ment to the Homosassa Tract, but ihe said lie doesn't believe the lots near,Bluebird Springs Would' ever bL part of 'lie deal. "We didn't open the discus- siOn, about that arid e didn't H.- The new trailhead for the park, which will be located less than a half-mile south of the Citrus County Speedway \ill include an information sign and a marker. Mitchell also said there will be an "iron ranger," or an honor system box, where people will pay a $1-per-person entrance fee to the park '.Mitchell noted visitors com- put it on the table," Wesch said. "'Quite frankly it would be hard to convey those, lots, some of which 'are environmentally sensitive. Asloiig'i they arein county ownership. w\e know what is going on with them." sory panel, but the cuts 'nonetheless generated howls of outrage from Democrats and industry groups. I com- munIities \reserve." Congress already rejected many of Bush budget cut pro- posals when it sent him a $39 billion deficit cut package last week, but they showed up again in his 2007 blueprint. For example. Bush again asked for a 5 percent.cut in crop pay- ing to the park in a car pay a $2 fee at the main entrance. The new trail \I ill be paved with asphalt, will be 10 feet wide,; he said, and will lead through forest that includes oak, pigie trees and other vege- tation. It will also connect to the pa rk's existing nature' trails,.parts of which ruiln paral- lel to the park's Lake Holathlikaha. ments to farmers and tighter eligibility for food stamps. The president may find more success in tamping down domes- tic agency operating budgets that take up about one-sixth of the federal pie. Last year, Bush suc- cessfully forced Congress to nar- , rowly cut such spending afid his 2007 plan proposes a more than ,1 percentcut in domestic agency operating budgets. Those cuts are magnified since the budget proposes $3 billion in new fees next year to finance new spending else- where. Once again, better-off veterans are again being asked to make higher co-payments for prescription drugs and pay a new $250 annual enrollment fee for their medical care. Congress has rejected both three years in a row. Work on the trail extension is expected to finish by mid- April. For Mitchell, seeing the trail get completed will be almost unbelievable. The park's vol- unteer group Friends of Fort Cooper has been trying for years, he said, to get the money to build the trail. Added Mitchell, "It's really a dream come true for them." VERTICAL BLIND OUTLET 649 E Gulf To Lake Lecanto FL 1a'-w , 637-1991 -dr- 1-877-202-1991 ALL TYPES OF BLINDSl sImll ft "If my needs change, the loan can change. It's THE LAST LOAN I'll ever need." YOUR KIND OF EQUITY Home Equity Line of Credit Prime minus 1/2%' for the life of any transactions that post to your account in the first 30 days. Home Equity Line of Credit Rates as low as Prime minus 1/4%' on any transactions that post to your account after the first 30 days. $100 Cash Back' for a limited time only, when you open a Home Equity Line of Credit LOANS Open a Honje Equity Line of Credit that you can use whenever you need'it. You can even convert all or a portion of your balance to a fixed rate and term. CHANCE TO WIN * $1,000,000 You're automatically entered when you open an EQUIITY account' Or a $10,000 prize winner eery week for 15 weeks All weekly $10,000 winners will also WIN a trip to Orlando, Florida AIMSOUnH'*BANK THE RELATIONSHIP PEOPLE" 1-888-IN-A-SNAP I amsouth.com I Or visit any branch ',2006 AmSouth ank Member FDIC Ohers ana rates are subject to tnange without notice Sublict to credit approval 'Variable rate of Prime minus I '2'. (currently 7 000. Annual Percentage Rate (APR) of 2 1 t.'i ,s aaiiable for transactionss that Dost to our homrre equity Ine ol credit lor the first 30 day, the account s.t open unless your account becomes 61 days past due at which point the promotional rate of Prime minus 1 2%'i will reier to the standard rate calculated as described below Also Prime minus 1, 2I. ofler is available only for loan to value ranos under 90 a. On transac,.on. that boost after the first 3(i day the vaviable APt at 80', loan to i.alue and first IEn Doillion .s 5s low a& Puime minus 1;'4%. current $ 25%- APR aG o1 2. 1 6 I" "standard rate"). 'our APR will be based on s-eeral factors including your credit history loan amount and home value and may De higher than the raie 'set out above A higrhe loan co value ratio will result in a higher APR The ma'irnum APR is 18 eceot in Ir.ioria wnere it is 1 7 Closing costs are estimated to range between $150 and $1500, depending on the amount ol tour home equity line, and ar? 'waied lor Ines up to 100.000. If you terminate your .ne vilnh.n 90 day:f rom the opening date. closing costs Daid by AmSouth will be charged back to your line Properry insurance will be reQuired. The annual fee of $5fi is halvedd a' long as you mal'e at least one advance per year on your account II you cloe your Credit Line Account during the hfirs three years after the opening dare lor an treasor, other than ihE iale of ,our property. a preraoiTent pnalry will b e imposed as follows 5300 in the nfir year. $200 in the second year. and 1100 in the rh.rd year exceptt in Louis-ana) Offer available ior a limited time only Your cash bonus will be paid to you by either cah'.er i check or a credit to your home equity line account after the rescission period ends Contact your AmSouth banker for details. 'Subject to i set up lee and other restriction, 'NO PURCHASE NECESSARY. A PURCHASE WILL NOT INCREASE YOUR CHANCES OF WINNING. Sweepsalkes open only to legal residents ofAL, FL, GA. LA. MS, TN and VA who are 18 years of age or older .or 19 or older. if Alabama resident) at time of entry Void where prohibited taxed or restricred Sweepstakes runs 1 'Q,06 through 4 24 06 You will be automatically entered when you open a new checking or equlr> accounL or to enter without opening a new account mail a 3" x 5" card to Million Dollar Your Kind of Bank Sweepstakes PO Box 2015. MascouLah. IL o2258 0215. 15 Weekly Prizes $10 uu00 and the option tO receive a trip to Florida and the chance to win the 51.000.000 Grand Prize (in lieu of the 510.00) Weekly Prize) Weekly Pri;.e Winner i must be ore'ent al the BIG EVENT to be eligible to win the Grand Prize Odds of winning each Weekliy Drawing depend on tne total number of eligible entries received Odds of winrnng Grand Pr.ze 1 1 1i00 Subject to Official Rules available at www amsouth com. The approximate retail value (ARV) of all Prizes including travel 51.160 250 Sponsor AmmScuth Bancorporation Birnmingham AL ,,5'1 v OF, . J..kaw ,IT ,p, v,,,T17 CARY 7 CUT L20) C-- 6A TUESDAY, FEBRU Charles Bullock, 29 BEVERLY HILLS Charles John Bullock, 29, Beverly Hills, died Sunday, Feb. 5, 2006, at his home. He was born May 17, 1976', in Leesburg to Barbara (Woods) and Gibson Bullock and moved to Beverly Hills from Cocoa seven. years ago. Mr. Bullock was. the vice president of operations at Aqua Scape Pools & Spa. His sister, Angie .Marie Bullock, preceded him in death in 1995. , Survivors, include his father and stepmother, Gibson and Lesa Bullock of Dunnellon; his mother, Barbara Thomashef- sky of Daytona Beach; one daughter, Dakota Alexis Coutts of Homosassa; paternal grand- parents, Charles and Betty Bullock of Dunnellon; paternal great-grandmother, Essie Mae Higginbotham; one brother, Clinton Bullock of Dunnellon; three aunts, Freddie Bullock of Dunnellon, Cynthia Hickman of Bushnell and Phyllis Johnson of Bushnell, one uncle, David Buillock of Dun- nellon; and several cousins. Brown Funeral Home and Crematory, Crystal River. Carole Calef, 68 CRYSTAL RIVER Carole L. Calef, 68, Crystal. River, died Friday, Feb. 3, 2006, at Seven Rivers Regional Medical Center in Crystal River. She was born Oct. 6, 1937, in Lynn, Mass., to Horace and Gertrude Rossi. Mrs. Calef, along with her husband and mother, moved to Crystal River in 1999 from there. She was a teachers' aide assistant for Thorpe Elemen- tary School of Danvers,- Mass., of 16 years and Lynn, Mass.,: Schools for nine years. She was a Eucharistic minis- ter and usher of Holy Family Church in Lynn and a member of the Altar and Rosary Society of St Benedict Catholic Church in Crystal River. She was preceded in death by her husband of 44 years, Richard Calef, June 21, 2002, and her mother, Gertrude Rossi, June 20, 2005. Survivors include two sons, Dennis Calef of Farmersville, Ohio, and David Calef of Clermont: one daughter, Dorene Calef of New ,Port Riche.v; and six grandchildren. Strickland Funeral Home. Crystal River. Frances Cannon, 61 HOMOSASSA Frances Jane Cannon, 61, Homosassa, died Friday, Feb. 3, 2006, in Homosassa. Born Dec. 14, 1944, ih Flolala, Ala., daughter to Master Sgt. Henry Vernon and Martha Lovette (Nobles) Can- non, she moved here in 1994 from Houston, Texas. She was an "Air Force Brat." Her family lineage in the United States predates the Revolutionary A- U War period. She graduated from Bay County High School, Panama City, and received her bache- lor's degree in marketing at the University of South Florida, Tampa. Prior to becoming disabled, she was employed as a land analyst with Vision and Elkins Company, Houston, Texas. She enjoyed her extensive time on the Internet, where she was known by the name of Monk, and she established worldwide friends through the Internet and was known for her card playing on the Internet She was known by her family as a "cutthroat card player" and for her great sense of humor. She was a world traveler who especially enjoyed cruises. She was an accomplished artist of various forms of needlework, including tatting. I She was a life member of the Order of Eastern Star and she was Baptist. Survivors include two broth- ers, James Cannon of Los' Angeles, Calif., and 'Fred Cannon of Jacksonville Beach; three nephews, Jamie Cannon and Patrick Cannon both of Jacksonville Beach and Robert Cannon of Los Angeles, Calif.; and one niece, Camille Cannon of Savannah, Ga. Fero Funeral Home, Beverly Hills. Kathleen 'Kate' Dcwoccc, 67 CRYSTAL RIVER Kathleen A. "Kate" Deweese, 67, Crystal River, died Sunday, Feb. 5, 2006, at Cypress Cove Care Center, Crystal River. She was born Aug. 21, 1938, in Detroit, Mich,; to Kenneth and Evelyn Bennett and moved to this area one year ago from, Taylor, Mich. She was a homemaker and enjoyed arts and crafts. She was Catholic. Survivors include two sons, Mitchell Deweese of Inglis and Keith Deweese of Chicago, Ill.; brother, Kenneth Bennett Jr. of Taylor, Mich.; sister, 'Sharon Sosnowski of Brighton, Mich.;. and one grandson, Ty Jacob Dewdese. Private cremation arrange- ments under the direction of Strickland Funeral Home, Crystal River. Robert Gitzke Sr., 74 SHAZELHURS T, IL L:. SRobert F. Gitzke Sr., 74, Hazelhurst, Ill., died Thursday, Feb: 2,2006, in Inverness. Mr. Gitzke was born May 19, 1931, in Cary, Ill., to Mary (Bejcek) and Edward' Carl Gitzke. He was a carpenter and an Army veter- an. He is sur- vived by his daughter, Karen Parrish, of Cary, Ill. Hooper Funeral Home, Inverness. Thomas Mawhinney, 86 INVERNESS Thomas Andrew Maw hi nney. 86, Inverness, died Saturday, Feb. 4, 2006, at his home. Mr. Mawhinney was born' May 23,. 1919, in Maple Shade, N.J., to Thomas and Mary (Kenny) Mawhinney and moved here in 1981 from Bervwyn, Pa. He was a retired purchasing agent and corporate officer for the Philadelphia Quartz Company and served in :the U.S. Army Field Artillery 'dur-, ing World War II. Mr. Mawhinney was a member and served on the board ofdirec- tors for Citrus Abuse Shelter Association and Citrus United Basket He was also a member and served as past president of Hospice of Citrus County. He was Protestant. His wife, Norma Lofquist Mawhinney, preceded him in: death April 29,1990. Survivors include his daugh- ter, Janice Mawhinney of Toronto, Oritario, Canada; his son, Thomas A Mawhinney Jr. of Kingston, Ontario, Canada; and two grandsons, Michael and Eric Dineen. Chas. E. Davis Funeral Home with Crematory, Inverness. Mickey Smith, 59 MORRISTON Mickey Dale Smith, 59,, Morriston, died Thursday, Feb. 2, 200,6, at his home under the,' care of his wife and Hospice. Born June 1,. 1946, in. Indianapolis, Ind., he moved here 16 years ago from 'St. Petersburg. Mr. Smith was a tax account- ant He was a graduate of St. Petersburg Junior College, a' member of the Presidential Honor. Rqll Society, Phi Beta- Kappa and Who's Who of St. Petersburg Junior College. * He served in the U.S. Navy from 1963 to 1967. 2.. Caring for Citrus County agi fle }for over 50 years t FUNERAL HOMES 'i. & CREMATORY Lowell & Ruth Hooper Beverly Hills ~ Inverness Homosassa (352) 7262271 ' Primary Care Specialist ' Dr. B.K. Patel, MD, IM Norman Lucier, ARNP Preventative Care... S B* DiBETI: CcOJ t:.'L Board CerTlified In internal Medicine GEsi.m OFi:E BEVERL HIL MM CENTER MIkrI:7 N', PgEDI.IFE GEE; F L P N .'.: TICE Active staff at Citrus Memorial & Seven Rivers Hospital CH,:LEI'TER[L S' ,gEEi iC.G Participating itith | PpF SrIE; Medicare Blue Cross Blue Stieldc Health Option StPE.: TETiIG PPO Humana All Malor Insurance ,i Beverly Hills 3,745 11 Lecanto Hl y Inverness s w.. Higniand Bi.o. After a diving accident in St. Petersburg, leaving him "phys- ically challenged," he went back to Indianapolis for reha- bilitation and rest, where he and another pa- tient would visit four major hos- pitals inP Indianapolis to give spinal patients hope and encourage- ment. Mickey appeared on a IVMickey cable TV show Smith in St. Peters- burg to give hope to others in wheelchairs. While working as a greeter at the Dunnellon Wal-Mart, he brightened.many lives with his smile and cheerful greeting. Before moving from St. Petersburg, he was a musician, and still played the guitar and. dobo (slide guitar). His stepson, Carl H. Edge- mon, preceded him in death.. Survivors include his wife, Wendy L. Edgemon Smith of. Morriston; stepson, Eric J. Edgemon of Morriston; sister, Donna Meboer of Indianapolis, Ind.; and several nieces and nephews.. Wilder Funeral Home,. Homosassa Springs. Karl Unglaub, 84 CRYSTAL RIVER Karl T. Unglaub, 84, Crystal River, died Saturday, Feb. 4, 2006. A native of Germany, he movecl here in 1984 from. Milwaukee, Wis., where he retired after 30 years as a machinist for Pratt Company. SHe served in World War II as a fighter pilot with the Geirman Air Force. In Germany he enjoyed flying gliders. Mr. :Unglaub moved to Milwaukee in. 1954 from Ger- many and became a United States citizen in 1964. He enjoyed fishing and was "a family man." He was a member of St. Benedict Catholic Church, Crystal River. Survivors include his wife ofr 55 years; Eva Unglaub of Crystal River; two sons, Ewald Unglaub of Crystal River and Walter Unglaub and wife Jill of Oak Creek, Wis.; three sisters, Luise Baier, Erika Ploss and Rosalinda Langheinrich i,,and,, husband, .Siegfried, all I inie i Germany; nine nieces and two nephews. Fero Funeral Home, Beverly Hills. I I ~ Edward VanDerVliet Jr., 70 HOMOSASSA Edward VanDerVliet Jr., 70, Homosassa, died Saturday, Feb. 4, 2006, at Seven Rivers Regional Medical Center in- Crystal River. He was bom rn June 2, 1935, in Paterson, N.J., to Edward and Elsie VanDer- VIiet Sr., and moved to this area two years ago from Myakka City. Mr. VanDerVliet retired, as foreman for the City of Sarasota Vehicle Maintenance. He was a U.S. Army veteran serving in the Korean War. He was a member of the Loyal Order of The Moose in Arcadia and a past member of the Fraternal Order of Eagles in Sarasota. He was Methodist. Survivors include his wife of `43 years, Felicia VanDerVliet of Homosassa; three sons, Edward VanDerVliet III of Ithaca, N.Y, Kenneth 'G. VanDerVliet of Bushkill, Pa.,.:and Timothy J. VanDerVliet of Palmetto; two daughters, Karen Amadore of Belvedere, N.J., and Patricia J. Sarson of Palmetto; two sisters. Clair Pruksinas of Brick, N.J., and Dorothy : VanLaera of Clifton, N.J.: six grandchildren; and two gieat-grandchildren. Strickland Funeral Home, Crystal River. Charles Weber, 84 'DUNNELLON Charles 'H. Webei 84, Dunnellon, died Monday, Feb. 6, 2006, at Seven Rivers Regional Medical..Center in Crystal Rivenr. C a atii 'T is CIe n -H eI \\m e i C ... C ,,, Dan Nestor Funeral: Tues., 10 am S t. l...r.J,.l ,-_I:.. l ,'-. l ,d,:, l-hlr,.h Vinceint Sla ik Carole Anne Schneeberger *View:'-' i . ,Mass: -A'.W *li', 2 .m r L.J,, of Fatima Margaret Leetch , Private Cremation Arrangements Thomas Mawhinniey Service: Thursday, 7 pm- Chapel Kaithrn McKone Private Cremation Arrangements Robert Post ,Service: Friday, 4pm- Chapel. Gay Grimeds 'j -:" Service: Thursday, 10 am Chapel"- Burial:, Hills of Rest Cemetery. 726-8323 We do not know the words to adequately describe the depths to which we miss you. We Feel your absence every moment of every dad/''j We love you Kyle, Mom, Dad, Brady and Family L.r i i ".i'.. ja I~~~~~~~ fii rw1br ty1%Ill a4 A'i~i l Faeb "A `19~ i~htbr VATr hiniel"tai~I 1,s'B t ho i. ii0 smart interiors Nvww.smartinteriorsfurn.comi 97 W. Gulf to Lake Hwy., Lecanto 352-527-4406 5141 Mariner Blvd., Spring Hill 352-688-4633 Open Mon.-Fri. 9:30-5:00; Sat. 10:00-4:00 * ali, di ,, i ,v(Iiun iiii t so. + ", il'lui l toiiirdi iipbnI ,i'i sit01 iillo Sti ri ," u .i i .",im i lli 'nt ,ardt. , .-NW-INE (352) 746-1515 iJ Xr Cmus CouN7-Y (FL) CHRoNicLE OBITLTARIES -7 ?006 }l*^ A native of Merrill,:Wis., he moved here 15 years ago (in 1991) from Orlando. Mr. Weber graduated from Clayton High School, St. Louis, Mo., in 1940 and served with the U.S. Navy as a B-24 Li- berator tail gunner in the Pacific during World War II. He married Ruth Schmidt- berger in 1948. He worked for McDonnell Aircraft Company in St. Louis, Mo., for 34 years, until relocat- ing to Orlando in 1979, where he worked for Litton Industries until his retirement in 1988. f The Webers moved .to Dunnellon in 1991. His wife, Ruth, died in 2002.. Mr. Weber was an avid St. Louis Cardinals fan and enjoyed gardening and golf; He was a retired basketball coach. He was a member of the Dun- nellon Presbyterian. Church. Survivors include, one daughter, Anne Heitmani 4nd husband Robert of Mobile, Ala.; one son, Mark Weber ofSt: Louis, Mo.; grandson. Thomas Weber of Mobile Ala.: and' friend/significant other, Rita DeRenzo. The family suggests memori- al contributions be made. to the Memorial Garden Find of the Dunnellon Presbyterian Church or Romeo Elementary School Media Center. Fero Funeral Home, Dunnellon. Please see .'/Page7A In Loving Memory of Kyle Steven Pratt 10/15/82 2/7/04 Royal Caribbean orders largest passenger ship Associated Press MIAMI Royal Caribbean International on Monday ordered the world's largest and most expensive cruise ship, a .$1.24 billion vessel that will hold up to 6,400 passengers. It's the latest step in the industry trend of .supersizing ships, which delight many passengers but are too crowded for other guests. The ship, dubbed Project Genesis, will be 220,000 gross registered tons when it is deliv- ered to the world's second- largest cruise operator in fall 2009 by Oslo, Norway-based shipbuilder Aker Yards. Gross registered tons is a standard way to measure a ship's size and is a unit of volume equal to about 100 cubic feet' The ship: will weigh about 100,000 tons based on displace- ment a Nimitz-class aircraft carrier comes in at about 97,000 tons. Aker said its contract price of 900 million euros about $1 billion would be "the most valuable ship ever ordered in the history of commercial ship- building." The $1.24 billion fig- ure includes all expenses for 7 the ship, "from forks and knives and sheets to artwork, and everything else," said Harri.'Kulovaara, the Miami- based cruise line's executive vice president of maritime operations. I Aker said the contract is con- tingent on final approval of DEATHS Continued from Page 6A Kathleen Yanek, 77 BEVERLY HILLS Kathleen L. Yanek, 77, Beverly Hills, died Wednesday, Feb. 1, 2006, in Lecanto. Born Sept:;. 30, 1928, in Detroit;Mich., to George W and Catherine (Siller) Ruth, she moved to this area in 1989 from Clearxvater: I Mrs. Yanek was a homemak- er. She was a charter member of the Faith Lutheran Church, Lecanto. i t Survivors include her hus- band of 57 years, Harlan Yanek of Beverly Hills; son, Michael Yanek of Old Town; daughter, Linda Gillis of Davison, Mich.; four grandchildren; and six great-grandchildren. Friends who wish may send memorial donations to the American Cancer Society, PO. Box 1902, Inverness, FL 34451 or Hospice of Citrus County, :PQ Box 641270, Beverly Hills, FL 34464. Hooper Funeral Home, Homosassa. * Click on-, cleonline.com to view archived local obituaries. Funeral NOTICES Charles John Bullock. Memorial services for Charles. John Bullock, 29, Beverly Hills, will be conducted at 11' a.m. Thursday, Feb. 9, 2006, at the 4.50% -. L -.ne ... . . .. - ..- .. .. ... S" .-. . . .. . .. , Associated Press In this undated handout image from Royal Caribbean International, Freedom of the Seas, the world's largest and most expensive cruise ship, is seen. Royal Caribbean International has ordered a new cruise ship that will hold up to 6,400 passengers, Europe's largest shipbuilder, Aker Yards ASA, said Monday.is- ers and help us draw in new ones," Richard Fain, the par- ent company's chairman and CEO, said in a statement The announcement also steals some of the spotlight from rival Carnival Corp., the world's largest cruise operator. Carnival has studied building a 'ship about the same size, but its' Pinnacle project is "on the back burner" because of its prohibi- tively 'high price, spokesman Tim Gallagher said.. Kulovaara said in a phone interview that the new ship Brown Funeral Home in Crystal River with Pastor Randy Wilkerson of the Red Level Baptist Church officiat- ing. Private cremation will take place under the direction of Brown Funeral Home and Crematory. Inurnment will be in Daytona Beach at a later date. , Carole L Calef. The memori- al Mass for Carole L. Calef, 68, Crystal River, will be celebrat- ed at 10 a.m. Wednesday, Feb. 8, 2006, at St. Benedict Catholic' Church. Private cremation arrangements are under the will be more fuel efficient than current vessels, but he declined to give a specific fig- ure. He said. plans for the types of onboard amenities were being finalized. Royal Caribbean has been an innova- tor in featuring ice skating rinks, rock climbing walls and surfing pools. Royal Caribbean's ships are typically more upscale than the bargain Carnival Cruise Lines' vessels, but they aren't as tradi- tional as those of luxury carri- ers. Ray Weiller, an owner of dis- count online travel agency direction of the Strn Funeral Home ot Crystal Frances Jane CE Memorial services for F Jane Cannon, 61, forme analyst, Homosassa, will 1 ducted at 11 a.m.. Wedr Feb. 8, 2006, at Fero F Home, Beverly, Hills C with 'Chaplain Jonathan officiating. Cremation ar ments under the care o Funeral Home with Crer 5955 N. Lecanto Hii Beverly.Hills.. Thomas Andrew Ma ney. A celebration o ckland River: annon. dances r land be con- nesday, urieral .hapel, Beard Cruisequickcom, said many of his clients are drawn to the ever-growing size and number of amenities of ships, but oth- ers tire of waiting in long lines to get on and off the vessels. Many complain about the large ships overwhelming some ports of call with too many peo- ple trying to visit, he said. Royal Caribbean still offers a variety of ship sizes, so cus,- tomers who don't like larger vessels \ ill have other options, Kulovaara said. The ship will sail in the Caribbean, where many ports already handle megaships, but pqrts will need some infrastructure improve- ments to handle it, he said. Carnival Corp.'s Cunard Line currently has the world's largest cruise ship the Queen Mary 2 at 151,400 gross registered tons. But Royal Caribbean is scheduled memorial service will be con- ducted at 7 p.m. Thursday, Feb. 9, 2006, from the Chas. E. Davis. Funeral Home of Inverness with the Rev. Harvey Dunn offi- ciating. Inurnment \vill follow at a later date. There w ill be no viewing hours at the funeral home. In lieu of flowers, memo- Aker Yards to create largest cruise ship Royal Caribbean International has ordered the world's largest and most expensive cruise ship, Project Genesis, from Aker Yards for about $1 billion. Project Queen Freedom Genesis Mary.2 of the Seas Company Royal Carnival Royal Caribbean Corp. Caribbean Passengers 6,400 2,620 4,370 Length 1,181 ft. 1,132ft. 1,112 ft. SOURCE: Royal Caribbean International; Carnival Corp.; Aker Yards ASA AP to get an even bigger ship in June, the 160,000-ton Freedom of the Seas. It will carry 3,600 passengers double occupancy and 4,370 maximum. Both will be .eclipsed by Project Genesis. %which will be 1,180 feet long, 1.54 teet wide at water level and 240 feet high. Aker Yards employs about rials are suggested to Hospice of Citrus County, CULB or C.-SA. Karl T. Unglaub. Funeral services for Mr. Karl T. Unglaub, 84, former medical supply manufacturing machin- ist, will be conducted at 2 p.m. Thursday, Feb. 9, 2006, at Fero Funeral Home, Beverly Hills 13,000 people at 13 shipyards in Norw ay, Finland, Germany, Romania and Brazil. Shares of Royal Caribbean rose 9 cents to close at $44.39 Monday on the New York Stock Exchange. The shipbuilder's shares closed up 5.8 percent at 346.50 kroner ($51.91).1 on the Oslo stock exchange. Chapel. Entombment will fol- low at Fero Memorial Gardens Cemetery, Beverly Hills, under the direction or Fero Funeral Home \with Crematory, 5955 N. Lecanto Highway. Beverly Hills. Visitation will be from noon until 2 p.m. service time on Thursday, Feb. 9. range- f Fero r ghway, I'mWe ig.- "The Qualitone CIC gives you better hearing awhin-, for about 1 2 the price of others 'ou've heard f life of. I'm~earng one! Come & try one for yourself. I'll give you a 30 DAY TRIAL. NOOBLIGATION. on Quahione CIC David Ditchfield TRI-COUN1Y AUDIOLOGY Audiopro shologi s & HEARING AID SERVICES Inverness 726"2004 Beverly Hills 746-1133 t. Sn I. V V' ,- --t-it8B5S -"4wew#N ," .- .aP,..et-- s .. -O * S Certificate of D\poit, 5- i.' 50 Advantage Money MParketAccount 3UAPY**. 1.1, r 7 1. ,~ 1-800-STEEMERq schedule online at stanleysteemer.com 1W & LIVING BRINGS IT IN. WE TAKE IT OUT H"uG"Kms --------c.Fc--- ------------ --^---- ------ - -- - - ccc C.C- C. CCC ANY FOUR ONE SOFA (UP TO ANYTWO ; ONE SOFA (UPTO ROOMS 7 FTI AND ONE ROOMS & ONE 7 FT) AND ONE A CHAIR CLEANED HALL CLEANED LOVESEAT CLEANED And Supershleld Prol con Appiled Ar.d Supershleld Proteciron Applied CLEANED M o To Just Cleaned Upholstery To Eposed Arej Of CarpEL. ON9900 ONL0995 ONLY99.00 ONLY 95.00 STANLEY STEEMER. STANLEY STEEMER. STANLEY STEEMER. STANLEY STEEMER. I. .....l '.'I '. I ..J ... . ..... .". .I I L 1 -"1, l .. h r, F L I J l,,, rl 11111 1 1 I h~ lFi ,, E c, r J , I,' [7 0' 0' V r V a' I I "a i I .4 .4 -.4 'I .1 -1 .6 ,6~ Lj I 4 4, '('I I t 657143 .4.. '~ '-trY ~ '-U-- ---t-5,. N- ~-'-S~.fl.,tt.r.tSsWfl., C~OLONLAL BN wimrolnh~ban~on -Membe~r FDIC Your balance $0-14,999 $15,000 to $25,000 to $100,000 t 25000 to $500,000 to , $24,999 $99,999 $249,9990 $4999,5 to$999,999 $,000,000+ Your rate 0.10% APY 3,50% APY 3350% APY 350%APY 3,50% APY 3Ia0% APY 3.50%APY Ay The rates youwant. The options you. need. ............ T'(-)r rnorc, information, Visit or c-a.H (8771).502-2265 I .. ........ M TUEsDAY, FEBRu,&Ry 7, 2006 7A CiTRus CouN7y (FL) CHRONICLE 657143 i 8A TUESDAY FEBRUARY 7, 2006 Get to the heart of event Cardiology thefocus Special to the Chronicle The Citrus County Center Theatre for the Performing Arts Foundation and the Healing and Health Now Foundation are joining forces for an exciting presentation from 5:30 to 10:30 Saturday at the Sugarmill Woods Golf and Country Club. The public is invited to attend. Dr. Lingappa Amarchand, former chief of staff at Brooksville and Spring Hill Regional Hospitals, member of the American Medical Association, the Fellowship of Cardiology and Cardiac Nuclear Imaging, and a graduate of the American College of Cardiology, will be the guest speaker at the "Loving Things of the Heart" event He will pass along information about healthier hearts, phys- ically and emotionally. Following dinner, great music will, be provided by Take Two entertainers, with popular soloist Pat Taylor, for lis- tening and dancing. This festive health learning opportu- nity will also provide an opportunity for those wearing red and white to win a special prize. In addition, a diamond bracelet will be awarded. Tickets are $30 per person. Seating is. limited. Call (352) 382-1929 for a reser- vation. It has been said that life is a classroom. Last week, I was asked to give the invocation at a "Let's Do Lunch" PEO lunch- eon held at the Sugarmill Woods Golf and Country Club. It was an excel- lent learning expe- rience. I learned that PEO is a Ruth Levins AROUND THE COMMUNITY "Philanthropic Educational Organization," and that there are four chapters in Citrus County. The H-L chapter host- ed the event and popular Backintymers Frank and Mary Lee Sweet entertained with songs and stories from the Civil War era. Mary Lee, a former media specialist and elemen-. tary school teacher who is skilled in percussion, including bones, tam- bourine bodhran and a dancing frog, brought history to life along with husband Frank W Sweet- a his- torian,I former com- puter scientist and accomplished banjo and guitar artist Dressed in authen- tic costumes of the era, they kept us in awe of their mastery of that period of history. The rhythm bones instrument was from Ireland. They spoke at length of the colorful steam- boat days when highways were at a premium. The crowd enthusiastically applauded the "Glen D. Burke Steamboat Song," written by Stephen Foster, and soon we were invit- ed to join in for the chorus. There were many tall tales that were told with convincing amusement, including one about a squirrel, a live oak tree, a cypress knee and a cotton- mouth water moccasin snake, a 15-pound bass and St. Augustine Hot Pepper Sauce. Florida's first railroad song was written about Moses Levy, who owned, 60,000 acres and later was an Atlantic Coast Line baron. Levy County was named for him. David Levy of Cedar Key was the first territo- rial representative for Florida. Railroads depended upon three things: land grants, civil engineers (Joe Finnegan) and money (New York investors). The first railroad was complet- ed on March 1, 1861, and war began the following day. There was a continual struggle to keep the tracks in place, with differing factions pulling them up and others replacing them through the years, but the roadbed is still there. Robert E. Lee was the inspi- ration for a popular tune of the day: "There Is a Tavern in the Town," which we were invited to sing along to. We learned that U.S. Grant had borrowed $5 from his best friend for a wedding ring, and "Loraine" was an 1860 love song written by a preacher. My favorite song of the day was "When You and I Were Young, Maggie," written by a Canadian school teacher in 1865. There were stories of the Florida feuds between the Southern Barbour clan and the Northern Mizelle Republican clan, when judges also served as county sheriffs, cattle rustlers held shootouts and Florida cow hunters lived on hogs, hominy and whiskey and cattle barons complained about the Republican taxes being the cause of much blood- shed. This. was the setting for Stephen Foster's famous "Camptown Races" song. Marian Sandlas, president, told us that PEO has con- tributed more than $147 mil- lion in scholarships to more than 73,000 women, including grants and low interest loans. To engage the Backintyme for an event, call (386) 446-4909. Ruth Levins participates in a variety ofprojects around the community. Let her know about your group's upcoming activities by writing to P. 0.' Box 803, Crystal River FL 34423. Veterans give recognition Special to the Chronicle On behalf of the CFCC Foundation, board members Citrus County Supervisor of Elections Susan Gill and Avis Craig recently accepted a $500 check for the Aaron A. Weaver Chapter 776 Military Order of the Purple Heart Endowed Scholarship. From left are: Sr. Vice Commander J.B. Haskins, Avis Craig, Susan Gill and Jr. Vice Commander Donald Guard. Special to the Chronicle The January workshop for the Creative Quilters of Citrus County was Jan. 25. The group includes Mattie Bliss, Kathy Boggess, Rose O'Toole, Pati Sargeant, Gloria Clewett, Ruth Hampson, Joan DeLuca, Sue Reisner, Donna Werthmuller, Roxanne Bames, BJ Smith, Sue Lynn Storey, Gladys Murphy, Addie Atkinson, Joyce Johnston and Edie Wehner. Special to the Chronicle 2-year-old Abbey and 2 1/2- year-old Max are Yorkshire terriers that live with Joanne and Eddy Duhaime in Hemando. S. .BRIAN LaPETER/Chronicle The Citrus County Veterans foundation recently presented a plaque and certificates of appreciation to the tax collector's office in recognition for raising money for the veteran's group. From left are: Curt Ebitz, Carlton J. McLeod, Janice Warren, Ellen Croft, Cindy Chlodo, Neville Anderson and Sheri Walley. Learning takes place in life's classroom Donation to Chapter 776 News NOTES NAMI meets today in Hernando The Citrus Chapter of the National Alliance on Mental Illness, NAMI-Citrus, will meet at 6:30 p.m. today at Good Shepherd Lutheran Church, .County Road 486, Citrus Hills, Hemando. The speaker will be Casey *Gelston, R.N., nurse manager of The Oaks psychiatric facility at. Seven Rivers Regional Medical Center, Crystal River. She will discuss the programs available there .and pointers for early identification of mental health problems. Debbie Lattin will provide an update about the upcoming NAMI Walk. All those persons with an interest in mental health issues are welcome. Homeless coalition to meet at church The Hunger and Homeless Coalition of Citrus County Inc. will meet at 9 a.m. at St. Margaret's Episcopal Church, 114 N. Osceola, Inverness. There are many new pro- grams coming to Citrus County. Join us and be part of making a difference in another's life. Sip soup at Soup-a-Thon Mark your calendar on Saturday for the Soup-a-Thon, from 11 a.m. to 2 p.m. at the Yankeetown-lnglis Woman's Club, 5 56th St., Yankeetown. As many as 20 to 30 pots of dif- ferent soups will vie for your vote as the best soup of the year. Try as many as you can hold, it's all you can eat for a $4 1 donation. Baked goods will also be sold. The Soup-a-Thon is one of the club's annual fundraisers. This year, the event is being run by Elizabeth Weimer. Polish Club's volunteers party The Polish-American Social; Club's volunteers are preparing for their annual party. It will be at noon Thursday at The Old World Restaurant, 8370 S. Florida Ave.,, Floral City. Call Hank Jazwinski at (352) 873-0928. Democrats meet second Saturday The Central Citrus Demo- cratic Club meets on the second Saturday monthly at the Central Ridge Library, 425 W. Roosevelt Blvd., Beverly Hills. This month's meeting will be at 12:30 p.m. Tickets for the Unity Dinner will be available. Call 527-7162. Black History Month celebration slated The Old Courthouse Heritage Museum will celebrate Black History Month from 10 a.m. to 4 p.m. Saturday, Feb. 11, on the square in downtown Inverness with a street fair. Activities will include a visit from Highwaymen artist Robert L. Lewis Jr..Lewis will demon- strate his painting techniques. Paintings will be on sale, and Lewis will be autographing. SThose persons interested in participating in the event, call Laurie Diestler at (352) 341- 6429 for a registration form. SCall Alida Langley at (352) - 726-1989, Lucille Tompkins at (352) 489-6355 or Kathy Turner Thompson at (352) 341-6436. Pet SPOTLIGHT Yorkies RTI US OUNTY ( ) C C FL CHRONICa Tampa Bay hotels face worker shortage 'DAVE SiMANOFF The Tampa Tribune TAMPA Gregg Nicklaus isn't looking, for a few good employees. He's looking for alot of them. Nicklaus, whose family owns the Sirata Beach Resort Hotel & Conference Center in St. Pete Beach, has seen his staff grow quickly from 150 work- ers in 2003 to 265 this year - but it's not quick enough. He still has 40 open positions. "We're woefully under- staffed," he said. "It's horri- ble." Nicklaus' peers share his frustration and their trou- blesp-sell problems for one of the biggest engines in the Tampa Bay area economy. Hotel owners and managers on both sides of the bay say they are experiencing labor shortages, finding it increas- ingly more difficult to compete against other companies for workers in a painfully tight labor market. 'Just placing an ad, you used to get 10O applicants for a job," said Katie Doherty, manager of the Radisson i Hotel & Conference Center in St.. Petersburg. "Now you're lucky if you get 10. It's very challenging." To meet the demand, many hotels are reaching abroad for labor, but industry experts say foreign staffers are a short-term solution to a long-term problem. They say the industry must do a better job) promoting itself and its careers to job seekers. Although many businesses in the Tampa Bay area are expe- riencing worker shortages, the problem is, particularly bitter for the hospitality industry. First, hotel operators have few options for filling positions when job applicants are in short supply. After all. a house- keepirig job, unlike a call cen-, ter job, can't be outsourced to India or Indiana. Second. the hospitality indus- try is a cornerstone of the local and state economy. Employers in the leisure and hospitality fields accounted for 112,300 8.6 per- cert' o6f feli'3mill.ion"jobs im tl,. Tampa-St Petersburg- Clearwater metropolitan area in December,. according to the Bureau bof.. Labor Statistics. Tourists spent $50 billion in Florida in 2003, according to Enterprise Florida. Hotel officials are quick to point out that .the labor: short- age hasn't hindered their abili- ty to serve guests yet but they also. are worried about what might happen if the prob- lem gets worse. If a hotel can't provide clean and timely service to its guests, "that is a fundamental failure in our business," Nicklaus said. Many'. hotels are forced to 'look overseas to fill staff open- ings, turning to contract staffing services that bring in workers from around the world. For example, Doherty's Radisson hotel gets 15 percent .to 20 percent of its staff from Eastern, European countries. The Don Cesar Beach Resort, in St. Pete Beach, brings in 50 to 60 workers from Jamaica. each year about 10 percent of its'575 staffers. "It's been a' very successful program for us," said John Marks; the Don Cesar's general manager. However, "We would prefer to have the opportunity to identify and hire more indi- viduals on a local basis than we would to rely on a third-party source to get through the course of a busy time period." JMI Staffing, based in Lutz , provides workers for five Tampa hotels, including the Mainsail Suites Tampa Hotel and Conference Center near Tampa International Airport. Estrella Coto, a JMI employ- .ee for two years, said that she enjoys working in the United States and that the staff at Mainsail is "como una familiar" like a family Co-worker Juana Ines has worked for JMI at Mainsail for !four months. She said jobs in the United States pay better than those in her native Dominican Republic. "Es bueno," she said. "It's really nice to work here." JMI Staffing President Marty she applied for a front desk Davenport said his company position at a Marriott hotel 18 originally specialized in find- years ago, ing industrial workers but real- Now, after numerous promo- ized several years ago that tions, she's the guest service there was a growing need for manager at Mainsail Suites. foreign workers in the hospi- She said she would recom- tality industry. He relies on mend a career in the hospitali- churches, nonprofit organiza- ty industry to anyone. Hotel tions and word-of-mouth to jobs pay well and provide find workers. opportunities for advancement, Some JMI employees are and "your co-workers become U.S. citizens, and others are family members," she said. foreigners with visas. Nearly Collier said it is important all of them are from Latin for young people to know about America.. the breadth of careers avail- "We don't close our doors to able in the hospitality industry. anybody," Daveriport said. Each hotel needs people to Foreign workers can fill handle marketing, sales, food open positions in a pinch, but and beverage service, house- they're not a long-term solution keeping, maintenance and the to the hospitality industry's front desk. Finding them labor shortage. means looking far and wide., Immigration lawyer Rebekah "No matter what you do, Poston, a partner at Squire, there are certain jobs that have Sanders & Dempsey in Miami, to be done," he said. "You've said demand outweighs supply got to get creative." for nonimmigrant work visas. She said obtaining visas for for- eign workers is expensive and can take up to six months. *M Companies seeking visas have local workers are unavailable a for the job and that wages will be on par with those for similar The government issues only m 66,000 noninmigrant visas Denure plants. each year for skilled. nonpro- Dentures* Iplants* Crow fessional workers, and hotels Hygiene* Bridges/Partials* Root aren't the only companies clamoring for those employees. Poston said. Agricultural firms. DENTURE LAB horse farms. fisheries. PREMISES foresters even sports teams also rely on nonimmnigrant No CHARGE FOR INIT, workers CONSULTATION OR SEC "This is vital to industries, , big and small." she said. "What OPINION. is an employer to do?" FEEFORNECESSARY X.-RA\S Hospitality industry leaders say part of the solution to the C. N. Christian labor shortage lies with Con- gress. They say lawmakers need to allow more foreign workers cITRU. into the countity, and allow D those workers to stay longer A noniinmigranjit worker visa O allows a person to stay in the Located in the Hampto United States,for one yeai; but it can be renewed for tip to i(,-,, .....: :: (352) 52 thirb *years. "Aftei the visa I ex hIr % he.-.'wrker -has to ',. return 'lhoile for at least six months before returning to the United States. More foreign labor is just ' Industry leaders also need 'to C ,address other conditions, such as. housing costs and trans- portation, that hurt their abili- ty to attract qualified workers. What about just raising wages to. attract more applicants? Entry-level jobs in the hotel industry pay about $7 an: hour . what about boosting that fig- ure to $8, $10 or even $15? "That's a short-term solution. to a long-term problem," said Keith Overton, vice president , and general manager at the Tradewinds. Island Resorts in St. Pete Beach. If one hotel raises wages, other hotels will follow suit, __ " resulting in higher operating Sl costs for the hotels but the same degree of competition for OI Ia workers. he said. lP2V1_ %_-2 Joe Collier; general manager -I of Mainsail Suites in Tampa and yo the new president of the de0 Hillsborough County Hotel and W" ma MotelAssociation, said the long- max term solution to the hospitality 4.41% APY industry's labor problems is to All we ask is that you let people know that hotels are a good careerehoice.., from a financial instill Collier doesn't need to look to a World branch t( far to find proof that hotel jobs can lead to meaningful careers. Goldie Fink said she wasn't looking for a career - she just needed a job when AIRPORT TAXI I 746-2929 SAnnual Percentage Yield (APY) is effective a S must come from a financial institution other th. All About Baths World Savings and the world symbol are regis l^H^^HHH~f?9f.Dll'Tr Migrant labor panel pushes for housing, safety monitoring Associated Press TALLAHASSEE Florida should spend $20 million to create affordable housing for farm workers, increase inspec- tions of field safety conditions and pass a law requiring seat belts in vans that carry workers to the fields, a special migrant worker committee recom- mended Monday. But broader recommenda-: tions on providing access to government benefits for illegal immigrants may not be includ- ed in the final proposal from the Joint Legislative Com- mission on Migrant and Seasonal Labor. A panel co- chairman has objected to those issues because of their politi- cal sensitivity Sen. J.D. Alexander, a citrus grower, said he believes many, of the difficulties the migrant. farm workers face such as an inability to access health Sweeter in 2006 ns Canals . DN OND III, D.DS., PA. S HILLS ITAL n Square at Citrus Hills 27-1614 w care and social services - would disappear if it weren't the case that so many are in the VU.S. illegally. And many Floridians simply .won't support using tax dollars to help illegal immigrants, said Alexander, R-Winter Haven. "On a human level, these folks are our brothers and sis- ters," Alexander said. "But politically, I'm sure a large part of my district would not approve of benefits for illegal immigrants.". The commission did agree to support a number of changes that, worker advocates have been pushing, including endorsement of a bill spon- sored by Alexander that would require seat belts in vans that carry farm workers to the fields. An Associated Press review last year found transportation- related accidents to be the leading cause of work-related deaths for Florida's farm work- ers. The panel also endorsed increased safety and sanitation inspections of farm fields and farmworker ,housing, and adding 10 new positions in the Department of Agriculture for more pesticide inspections. "On the whole, we're very pleased." said Karen Woodall, an advocate for migrant work- ers who has pushed for many of the changes. She said that even if the Legislature only deals with pesticide issues, housing and seat belts, it would be a big step forward for a group of peo- ple who often don't get much attention.' "It's 25, 30 years of coming here, and for the first time I'm feeling really good," .said Margarita Romo, a farmworker activist from Pasco County. , ' Happy 40th I To our "Mom", to our "Daughter", to our "Sister", to our "Aunt", .b to our "Niece", i to our "Friend" also to my "Wife". Vle eo of ,d my Kt' ^ < lt 'eJ =11 NO C F "I G N WPSF Visit Us at .... Convenient Sunday Hours Healthoare r 1.,, '.' i h i ,: i :. lri i' r ,in ,, l I. I,,:, I H ill' i :. .I I.:,," ',b T , Two separate practices: Pediatrics & Internal Medicine i ii ,l ..': i I.l l .I T Da e i St ar i.,. AP20Rgia olyad FORMS AVAILABLE * The Chronicle has forms available for wedding and engagement announce ments, anniversaries, birth announcements and first birthdays. * Call Linda Johnson at 563-5660 for copies. )n, get a great rate. short term. Great rate. Don't wait. )pen World' 4-Month Certificate of - 'eposit (CD) and enjoy a great rate while Institution Term APY u wait for an even greater rate. Your WORLD 4 Months 4.41% )osit is FDIC insured to the legal WORLD 4 Months 4.41% amum, and our competition-crushing SunTrust 3 Months 2.009% ,is guaranteed for four full months. iU raELLA Wachovia 3 Months 2.20%o ir deposit of $25,000 or more come :ution other than World. So get going AmSouth 3 Months 2.25% today. WORLD SAVINGS How may we help you? as of date of publication and may change thereafter. Penalty for early withdrawal. $250,000 minimum deposit; $250,000 maximum per household. Funds an World. Personal accounts only. **APY comparisons based on independent shopping survey of other institutions 'term accounts' APYs as of 1/31/06. tered marks of GWFC. @ 2006 World Savings N4483-35FW, TuEsDAY, FEi3RuARY 71 2006 9A STATE I n P-- ., -7 ?00Aa' STOCKS 3L UATuSUAY, F3RUARY 7, ui ZU.' U,3 TH AKE NREIW MOST ACTIVE (S1 OR MORE) Name Vol (00) Last Chg Lucent 453031 2.70 +.04 TimeWam 425534 18.57 +.17 Motorola 381391 20.53 -.64, GenElec 230928 32.75 -.10 Pfizer 211028 25.09 -.19 GAINERS ($2 OR MORE) Name Last Chg %Chg LafargeNA 82.14 +17.89 +27.8 PortglTel 11.55 +1173 +17.6 AREst 37.90 +3.93. +11.6 ChinaLfe 43.55 +3.50 +8.7 GlobTAp 4.60 +.35 +8.2 LOSERS ($2 OR MORE) Name Last Chg %Chg ChicB& slf 22.33 -6.67 '-23.0 StarGas 2.41 -.35 -12.7 BlueUnx 14.76 -1.64 -10.0 Huntsmn 21.05 -1.90 -8.3 DanaCorp 4.24 -.30 -6.6 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Volume 1,995q 1,325 143 3,463 141 33 2.111 714.090 MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg SPDR 427487 126.60 +.33 iShRs2000s243940 72.42 +.64 SPEngy 218803 56.30 +1.08 SemiHTr 109296 37.78' +.69 OilSvHT 90690 153.69 +4.12 GAINERS ($2 OR MORE) Name Last Chg %Chg EnNth g 2.86 +.61 +27.1 CabeTrrel. 4.16 +.66 +18.9 Bodisenn 17.00 +2.00' +13.3 Dyadicn 2.77 +.32 +13.1 iMergent f 5.86 +.66 +12.7 LOSERS (52 OR MORE) Name Last Chg %Chg HooperH 2.86 -.50 -14.9 CGIHId nh 2.09 -.18 -7.9 Xfone n 3.55 -.29 -7.6 Hyperdyn n 2.85 -.22 -7.2 Jinpan 8.84 -.56 -6.0 DIARY Ard jance ,i Declined Unchanged Total issues New Highs Ile. LOw-: Volume 421 95 1,042 '43 12' 2.9 II 46.6 MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg Intel 659894 20.61 -.13 Oracle 603234 12.25 +.04 Microsoft 598330 27.17 -.37 AppleCs 584775 67.30 -4.55 Nasd100Tr 566034' 40.81 -.11Jil[Gr 23.57 +4.37 +22.8 LOSERS ($2 OR MORE) Name Last Chg %Chg BluCoat 24.74 -15.59 -38.7 ChinaTDev 6.28 -3.36 -34.9 AmDntfs 13.66 -2.75 -16.8 HghwyH 4.30 -.70 -14.0 Amtech 8.44 -1.20 -12.4 DIARY Advanr.:..j Declined Unchanged Total issues. New Highs elL LowA: VOlumer I 50.68 .1,459 157 3,184 145 3ij I 1 2 .'0r l31 Here are the 825 most active stocks on the New Yoik Stock Exchange, 765 most actve on the Nasdaq National Market and 116 mosl active on the American Stock Exchange Slocks in bold are worth at least $5 and changed 5 percent of more in price underfiinng lor 50 mosI active on NYSE and Nasdaq and 25 most active on Amex. Tables show name, price and net change, and one to two addinonal fields rotated through the week, as follows Div: Current annual dividend rale paid on stock, based on latest quarterly or semiannual declaration, unless otherwise footnoled Name: Siocks appear alphabetically by tme company's lull name (not its abbreviahion) Names consisting of initials appear at the beginning of eacri letter's list. Last: Price stock was trading at when ex:tiange closed 1.r tihe Oay Chg: Loss or gain fur the day No change indicated by . AA.. L.A Chg A 1t LO 21 Stock Footnotes. cc- PE gre.31l thir. : rid 1. a ira.i lrbor, c.ailed tor i ivionprof. t 1 0c iwmpaaly .1 .-1New.S5?.a did e 94- La-,' 1r, Iaon17 -:0ir~ L C,,rip rVormarwhia'l;d 6 U USt F, 0 1.1 cor. Me r,-s,~rcan E.Lranpvr. Em.-gn~mg Cc.-rpan ~i Mslvlluiac ir -Den. ank-. -,,.I r.* ,rs in C.rhaesr, dollar It i arp.:.rvry v.,wr4 hior 1102404 ..,phi ai r~d z.,jiluG iniiq EIRTIallitnri 41 x. io.-P %%sa ri~ew ou:jainii SF ilastYE 3rr ha o %&Sd iin t-.%tjue ria1AC-t i+cly loin 01g .~innir'j ot iadr6pi Pivlmd ire.1 v ,zulea o .F' rac pr HOIIdEr .im-5insialrrid Ania t pr:arC.U;price q- Ci.-'derd mndru~al ,.2' ,roPE aul '9 ri mqmichl buy ,E-;Uii r Y at P"JI'td1Price 3a- Sldckrr, r.liftybi t ie833121) erce r-t Ia within It-oamt yexim yr Oacte will bo eFRasd Wirer, Lhe 610--V iS sw10 ad V Plrl 6i 1' OCtL' I 1, rinir~ie.1 At Warrant, allowing a puiC1anaE Orf idia '00u- rimm, 2-wio-?ihi-yr un- Uit r? . i ccludinir9 m tnai l di O ii;cirj '11 .cN-lP-ny In sb.0r'Hopk.'y i C, lecerEM pI"IDxbeing1~ , radri,rgnla~d ordripr Le t2anrulirpiqlawi Appairsist,..in hu rnt Ly henero Dividend FcoolntOS3-Es a.jby dai-da-mwjilipaird tSialrareant nuair, lo 5-.Annal ~raalo plus at.:.rl'--. Liqiuidaing3 .1,iclrid a Amcart delre.0.d ci paid in sabt 2 mac~i. I - Co'rer.1 anrinualre. v Wich awas Oli~mzvd'aby n,:*l rio,.'rvden~ijad Son.umnsSLmli~i Oolo at aiiloandripail vilster pi. april, n,,regular raiela i -SuiT,-Y.161pnl~d!r paid lrin tyear M.:.ai q c r,1,jhii,'idovad as cmrhaulT or delvprred d I.Patrw .or paiod is yv3oa u i C uInivIF Z 3, -CEcas,2-88118 I-b0,111 0e4ih anisr iin aiirvaw rn -Curreni avontielrate which wdcivd mraeci Ly molt .-3 "1"1" & rerant avder~ad srnnouncement p Ina rim-andulo arnnialirateno r,1rc.vr., yield not S.','WO. s De Ocieared rr paid In preceding 12 Mv,l~h ipIUi 'L1.lC dT%, ideridI -Paid In vto0 'cic Source: The Associated Press. Sales figures are unofficial. YTD YTD" Name Div Yid PE Last Chg %Chg Name Div YId PE Last. Chg %Chg AT&T Inc 1.33 AmSouth 1.04' B,:,fAm 2.00 BellSouth 1.16 C .ipCtyBk s.65 Cigrp 1.96 On:..ey .27 ti-idak .50 E ..*onMbl 1.28 FPL Gp s.1.42 FiaRocks .60 FordM .40 GeniElec 1.00 G.'.1.:lIr 2.00 Ho.rmeoDp .60 Irilel .40 IBM .80 +.26 +10.5 +.10 +3.0 +.28 -6.0 -.09 +8.5 +.21 +2.3 +.11 -6.9 -.05 +4.1 +.12 +3.5 +.58 +10.3 +.57 -1.6 +2.99 +16.5 -.15 -+5.1 -.10 -6.6 +.19.+20.2 - .4. -2.4 -.13 .. 4 -.46 -3.3 LowesCos .24 McDnlds .67 Microsoft .36 Motorola .16 Penney .50 ProgrssEn 2.42 SearsHldgs ... SprintNex .10 TimeWarn .20 UniFirst .15 VerizonCm1.62 Wachovia 2.04 Waf.il n ..60 .Walgrn .26 .4 19 1.9 18 1.3 23 .8 11 .9 17 5.6 14 ...':27 .4 18 1.1 '30 .4 16 5.1 12 3.8' .13 1.3 18 .68 28 -.60 -5.6 t.16 +7.1 -.371 +3.9 -.64 -9.1 -.46 +.17 -2.0 -1.79 +1.8 -.33 -3.2 +.17 +6.5' -.02 +9.6 -.06 +4.77 +.22 +2.3 -.41 -3.7: +.10 -1.1 INEE 52-Week Hiah Low 10,000.46 3,348.36 339.65 6,902.51 1,391.73 1,889.83 1,136.15 570.03 11 95 t : 11,047.76 4,376.41 438.74 8,130.19 1,860.83 2,332.92 1,294.90 736.45 1 0 l.1 6 Net "% YTIU :52WK. Last 1 Chg Chg % Chg %,Chga Name Dow Jones Industrials -,- Dow Jones Transportation Dow Jones Utilities NYSE Composite Amex Index Nasdaq Composite S&P 500 Russell 2000 .1 W.I! iri. 5000i 10,798.27 4;290.49 407.58 8,019.87 1,864.05, 2,258.80 1,265.02 727.89 i28l:: 1i. +4.65 +26.93. +2.21 +18.47' - i : -" -3"8 ,+.99 +3.67 19 79 +.75 .":+:77 .,225 .i i1 ,l .158i5 +3.43 +11.37 +5:97 +26.90 -+2.42 4'9 +1.34 "*5 27 +8.12 +14,34. . ": i 1-.8 0 7 NEWYRKSTOKECANG Div Name Last Chg .. ABB Ld 10.89 -.05 .92 ACE Ltd 5422 +.14 .66 ACM Ino 8.36 -.01 .. AESCoip 17.24 -.08 .521 AFLAC 46.80 -.36 .. AGCO 19.00' +.50 1.48 AGLRes 35.87 +.28 ... AKSteel 11.43 +.54 1.92 AMU Rs 37.92 +.06 ... AMR 22.64 -.10 .90e ASALtd 68.17 +122 1.33f AT&Tlnc u27.05 +.26 1.75 AT&T 2041 25.41 +.05 .38r AU Optron 15.51 +.50 .79e AXA 33.28 ,+.14 1.10 AbtLab 42.42 -.07 .70 AberFite 69.64 -.86 .30e Accenture 31.99 +.52 .86e AdamsEx 12.87 +.02, .30 Adesa, 26.11 +.02 .. AMD 4122 +1.68 .04f Aetnas 97.60 -.72 .. AffCmpS 62.72 +.20 .. Agerers -13.20 -.06 Agilent 34.74 +.41 .03 Agnlcog gu25.97 +1.19 A.. id ld 8.03 +.10 1.28 AirProd 62.89 +2.07 .24 Airgas 38.47.+1.38 .. AirTran 16.74 -.01 .46 AlbertoCul 43.49 -.53 .76 Albertsn 25.10 +.14 .60 Alcan u49.78 +1.72 .. Alcatel 13.94 +.05 .60 Alcoa 32.03+1.45 .99e Alcon 122.70 -2.55 ...AlgEngy 34.60 +.01 .40f AllegTch u53.73 +2.75 .40 Allergan 111.10 -1.88 1.45f Allete 44.15" -.31 3.Q0e AlliCap 59.90 +29 ... AlliGamlf u16.08 +27 .89 AlIWrld2 12.60 +.05 .. AldWaste u9.49 +.13 1128 Allsfate 52.64 +.63 1.54 Afltel 59.74 +.19 .. AlphaNRsn 22.30 +.13 .18 Alpharma 33.23 +.36 3.20 AMla 71.38 -.32 ..Amdocs 32.60 -.37 1.20 AmHess 148.89 +4.14 2.54 Ameren 50.28 +.10 .631 AMovlLs 32.60 -.35 .60 AmAle d17.38 -.54 1.48 AEP 36.22 +.12 .48b 'AmExp 52.22 -.11 .60 AmlntGp 866.01 ,*6 A .1 3 1 ig8 i ,i 7 .T r.',IF'j 66" *.'j AraTuer 31:' *51 ' `:4 Airen,:l .11 .d21 44 Aiw-r.r.n 43 3 *. :1 li.Ii A .v,',-,, 1 9 4 11 ,72 Anadrk 105.59 +1 6i' .24a AnalogDev 40.18. +.41 .56e AnglogldA 61.08 +1.81 1.08 Anheusr 40.75 ,-18 ... AnnTaylr 35.42 +.52 1.04e .Analy .12.06 -.15 .60 AonCorp 33.54 -;16' .40 Apache 74.10 +.70 .17 ApplBio 28.05 +.51 ... Apria 24.03 -.24 .431 AquaAms 28.16 +.58 Aquila 3.65' +.04 1.97e Aracruz u42.63 +2.63 .281 Aramark 28.18 -.05 .32 ArchCoal 85.97 +.96 .401 ArchDan 29.84 -.16 1.74f ArchstnSm 45,86 +.11 .40 ArvMerit 16.80 .-., 1.10 Ashlandn 64.22 +.14 .68 AsdEstat 10.27 *. 1.26f ATMOS 26.10 -:i ... AutoNatn 22.35 .:'A .74 AutoData 44.06 +,06 ... Avaya 10.26 -.16 ... Aiall 35.70 +.20 .. Avnet 24.97 +.38 .70f Avon 27.10 -.08 1.52 BB&TCp 38.58 -.05 .56e BHPBilILt 38.78 +.63 .20 BJ Svcs s 37.77 +.97 ... B,.: r ., 071 -.32 ... BM,: -n ;1 -.43 ,2.09e BPPLC 69.97 +.83 2.08f BRT 25:20 .52 BakrHu 75.92 +1.99 .40 BallCp 39.75 .I .82e BcoBrad s 37.89 ii .44e Bncoltaus 30.00 +.86 2 '.:i bsl': T, :t" i .L i4 BWll. ?. :i - .72 Banta 49.37 -.33- .52- Bard 61.00 -.92 .60 BamesNbl 41.29 +.06 ... BanrPlim 67.50 +.52 .22 BarrickG 30.31 +.71 .52 BauschL f 67.48+1.16 .58e Baxter 35.45 -.57 1.121 BearSt u128.94 +1.69 ... BearingPlf 8.79 -.03 .40 BeazrHms 67.64-1.73 .86 BectDck 63.07 -.20 1.16 BellSouth 29.40 -.09 .761' Bemals. 30.49 +.24 .32 BestBuys .48.85 +.26 ... Beverly 12.28 +.02 .50p Blovail 23.73 +.61 1.12 BlackD 83.56 -.16 1.32f BIkHICp 35.40 +.44 .75a BlkFL08 15.39 +.01 .50 BlockHRs 23.77 -.14 ... Blockbstr 4.01 +.03 .57e BlueChpl 6.07 -.05 .50 BlueLinx 14.76 -1.64 1.201 Boeing 71.14 +.27 .40f Borders 24.30 -.05 B.:'.li.eer 25.23 +.04 2...':- 8.,.:I.p 78.63 +.41 ... BostonSd 21.62 -.18 1.12 BrMySo 22.37 +.11 ri., .'u,',.. .,: ." - .' E U.,S 'LI il -I 1 ii' Eu,lrj:F "'9i60 *5 4-.l ul :':.: i',f A . 1, ,"t I.: ?'" n6 1 16 h3 ",.iC., il i;" '-?04 16 CnE A:I 1 18e CM? Eng 14.17 -.09 40 CNFinc 62..- 251 4-6 l"i'.1."h1: 8. 1 . 52f CS'I' '* 52.55 +.70 1rl CviCp: 28.69 -.54 ... CablvsnNY 25.00 -.12 .91e CadbyS 39.51 -.41 .28 CallGolf u15.90 +.14 .321 Camecog 72.78 +2.78 .72 CampSp 29.60 -.11 .24 CdnNRsgsu64.34 +2.02 .11 CapOne 83.30 +.03 1.26 CapMpfB 12.70 +.10 .24 CardnlHith 69.77 -1.58 ... CaremkRx 49.72 -.80 CarMax 29.60 -.56 I..i Carnival 51.71 .'-.40 1.00 Caterpils 68.70 +.57 a- l.> l.l.n'.. Il .. I' o,,'r "1,-il .H i L M !. l',l .16 Centex 67.64 -1.02 .24 CntryTel 34.34 +.31 ... Ceridian 25.11 +.06 ChmpE 14.06 +.28 .01 Checkpnt 27.14 +.29 .20 Chemtura 11.27 -.34 .20 ChesEng 33.80 +.19 1.80, Chevron 58.84 +1.34 .12 ChlcB&Isff 22.33 -6.67 ... Chicos 43.20 +.05 .39e ChlYuc .9.18 +.56 S. ChoicePt 43.24 +.24 1.72 Chubb 94.50 -.46 1.48e ChungTel 18,25 -.10 .16 Cimarex 45.07 +.42 ... CindciBell 3.58 -.04 1.92 CINergy 43.22 +.19 .07 CircCity 24.00 +.40 .72 .CiadlBr 12.00 .+.04 I l Ct'. ,IT. '" I'" +.11 Ini L,." ':....TT 1: :1 -.02 ', i Cr,.i'e"r "'- -.13 ci .,:r a.. A.., I -.01 I 1 '. 6.... i61:. -.08 Coach s 36.69 +.50 .16 CocaCE 19.34 +.11 1.12 CocaCI 40.94 +.06 ... Coeur 5.25 +.11 1.16 ColgPal 54.15 -.39 .65a Colintln 8.24 -.07 -.48f CmcBNJs 33.31 +.04 .401 CmcdMts u49.08 +1.32 CmtyHIt 36.44' +.64 1.13e CVRD 49.60 +.75 .83e CVRDpf 43.19 +.74 CompSci 50.14 -.29 1.09 ConAgra 20.89 -.26 1.24 ConocPhis 62.76 +.26 .56 ConsolEgy 70.83 +1.77 .2.301 ConEd 46.13 +.03 1.51f ConstellEn 57.46 +.80 ... CtlAirB 20.26 -d4 .. Cnvrgys 16.62 IA CoopCams 46.72 . .42 CooperTire 14.53 II '-.Ominq 24.01 ,., 'rO .:.:.,u:C, 12.99 -,:,- :. C '.r, l",', : : C IT r W C l'..:.,l'rrH1d I" "7 4" I ;li C ,JiTi,,n,.'" IIl:l; ln1 ,i il -e lrJ: 1,1':1 I,., l 1.14 I1 L'1o C L -'2 4 . d4,i L'HA:.rri, 'i -.55 I'" :iAile:r. 49 1.1 +.01 DSTSys 56.92 -.16 2.06 DTE d42.03 +.86 1.93e DaimlC 57.27 +.36 .04m DanaCorp 4.24 -.30 .08 Danaher 55.88 +.39 .40 Darden 41.14 -.20 ... DaVlta u57.20 3.51 1.56f Deere 74.92 +.41 .80e DeutTel d15.43 -.25 .30 DevonE 65.66 +1.31 .50a DiaOffs 83,84 +1.76 .82 Diebold 39.17 +.30 ... DirecTV .13.53 +.03 .271 Disney 24.96 -05 .18 DollarG 17.19.-.01 2.761 DornRes 75.17' +.12 :':., DoralRinIf 11.56 +.10 i:14 DowChm 41.04 -.26 ,,:, DowJns 39.15 +.45 1.48 DuPont 38.88 -.02 1.24 DukeEgy 28.11 +.05 1.88a DukeRlty 35.15 +.19 2.10 Duq pfA 34.75 -.60 1.00 Duqight 17.69 +.06 Dyn.qv 569 +69 ET-1 .jA -V. 1 Er.1, l:C. i4 1 i, .24f EOGRess 80.25 +1.14 1.76 EastChm 47.74 +.04 .50 EKodak 24.23 +.12 1.08f Edisonint 43.07 ,+.04 ... EdwLfSci 44.67 -1.53- .16 ':Ji- .:,'.: 13.26 +.18 -... : 14.85 -.42 .20 EDS 24.99 -.40 1.78f ,EmrsnEl 7687 -.48 1.28 EmpDist 22.25 +.24 ... Emulex 17.83 -.18 3.70 EnbrEPls 45.69 -.15 .30 EnCanas 47.65 +.87 .91e Endesa 29.35 .-.50 ... EngyTEqn 22.76 +.11 .48 "Eng[Cp 40.25 -.11 ... EnPro 29.80 -.33 .10 ENSCO 50.12 +1.20 2.16 Entergy 69.83 +.82 .68 Eqtyinn 15.81- +.05 2.00 EqOifPT 30.80 -.11 1.771 EqlyRsd 43.12 +.32 '.40. EsteeLdr 36.77 +.907 1.60 Exelon 56.05 +.08 1.28f ExxonMbl 61.97 +.58 .. FMCTch 49.50 +.32 1.42 FPLGps 40.91 +.57 .. FairchldS 18.84 +.14 .12 Fairmntg 44.36 +.18 .421 FamDIr 23.45 -.29 1.04 FannieMIf 56,00 +.04 .32 FedExCp 98.59 +.10 24 FedSignl 17.62 -.04 100 FedrDS 68.09 -.94 "i Ferrellgs 21.90 +.07 er Ferrolf 20.30 +.29 i .1s FidlNFns 38.24 -.11 :' RdNInfo 38.67 -.28 .4 RstData 44.44 -.21 4.i2e' FiFr.,F. 16.06 +.02 1.60 FiT,F,.] -.04 F;:hS.,; '6 87 n HIr,. l~n', Ii I I' 6 44 FMl,:., ,i;'. 51 ." f ,i.l.| 1 I IS ,,. l FdiCCrli 4010 *li F .i.: iI _a r. i 4 ': l " ... ForestOil 52.63 +1.68 1.44 FortuneBr 79.61 +1.72 .20 FdinCoal 46.47 +1.11 .481 FrankRas 96.90 +.83 1,88f FredMac 65.81 +.05 ,1.251. FMCG 62.60 +.94 ., Freescale 26.28. +.78, .. FreescB 26.30 +.84 .80m FdedBR 11.10 -.29 .16a FrontOils 45.57 +.27 .841 GATX 38.95 +.35 .76a GabelliET 8.39 -.03 .. GameStp 43.10 +.53 1.16 Gannett 60.87 -1.44 .18 Gap 18.74 +.11 .. Gateway 252 +10 .. Genentch 87.72 +.42 1.001 GenElec. 32.75 -.10 1.64 GnGrthPrp 50.66 -.06 1.361 GenMills 47.50 -.06 2.00 GnMotr 23.34 +.19 1.31 GMdb32B 18.60 +.06 .30 Genworth 32.84 +.07 ,32 GaGulf 29.71 +.81 .83e Gerdaus 21.65 +.93 .. Gettylm 80.57 +.76 ... Glamis 31.59 +.84 1.53e -ii..i:,i-'.,. 50.50 5' .08 i.:t.fa, 49.30. 4 .901 GlobalSFe 60.45 +2.12 .11e GoldFLtd 23.83 +1.43 .18a Goldcrpg 26.75 +.29 .32. GoIdWFn 69.19 -.26 1.00 GoldmanSul42.82 +.08 .80 Goodrich 40.87 +.18 .. Goodyear, 15.27 +.06 ... Grace u12.77 -.73 .40 GraniteC.'u42.40 +2.41 .. GrantPrde u51.15 +2.02 1.66 GtPlainEn -28.18 +.04 1.00 GMP 30.15 -.06 ... Griffon 23.46 +.17 .34 Gtech 33.29 -.16 .71e GuangRy u20.45 +:36 .40 Guidant .73.70 -.27 .681 HCAInc 49.11 +1.75 .50 Hallibtn 77.45 +.05 1.03e HanJS 14.20 .55 HanPtDiv 8.65 .68 HanPtDv2 11.24 -.10 .. Hanover u17.06 +.62 Hanoverlns 46.10 1.74e Hanson 58.08 -01 .72f HarteyD 1.56 -.89 ... HarmonyG 18.71 +.92 1.45 HarrahE 72.41 -.27 '1.20f HartfdFn 79.95 -.80 .36 Hasbro 20.62 -.13 1.24 HawaiiEl 26.01 -.01 H.. eadwatrs 37.35 -.15 2.48 HltCrREIT 36.38 +.18 .24 .HIIMgt 21.25 +.15 2.64 HlthcrRIty 35.60 +.38 .. HqalthNet 47.31 -.73 ... Hiir,.: n d21.70 -.28 , l... 1r.1 5.34 +.19 1.20 Heinz .33.70 -.20 ... HellnTel 11.20 i- .33 HelmPaiy 78.70 .+?' H.,.iui. 11.60 -.36 *1 HeMli..,, ,i i'. 4" 11A iriA ,: : '. I " '.,'ii. ,:';237 '3 .601 V,:.7,C'i, 4' -.33 .911 -,:.r.,iii. l 'i 3 41 :'. 2.92 -li;.,FT 4 14 .48f HostMarr 20.15 14 36 H.,.t.sup t46r? *l " HijsrT ..iri 5aj : .1 II Hunismn 2105 -1 90 .39e ICICItBk 31.49 +1.13 .08 IMS.HIh 25,04 +.40 .58e IShBrazil 40.71 +1.09 .06e iShJapan 1386 -.03 .26e iShKor 46.76 +1.11 .29e iShMalasia 7.33 +.04 .14e iShTaiwan 13.18 +.20 2.14e iShSPS00 126.78 +.30 2.81e iShREsts 68.17 +.17 .50e iShSPSmls 62.21 +.32 2.93 iStar 36.20 +.07 I.. TEd u63.02 +1.17 1.20 Idacorp 30,98 +.07 1.32 ITW 84.90 +.22 .48 Imaion .44.17 +.11 .80m ImpacMtg d8.24 -.30 .40 INCO 50.89 +.87, .. Infineon 9.37 +.17 .64 IngerRd s 39.37 -.21 .. IngrmM 19.72 ... .. IntentlExn 55.71 +.20 .80 B15r.1 : -I . ... ic..[lCe. l"14 . .50 IntlGame 36.09 +.26 1.00 IntPap 32.73 +.23 .. IntRect 36.99 +.69 .. Interpublic 9.90 +.04 .64f Ipscog 94.00 +2.13 IronMtn 4260 -.11 .02 JLG u56.50 +3.13 1.36 JPMorgCh 39.44 -.09 ... Jabil 38.46 +.08 .04 .ji'uj:': 'i i +.61 S...' .,:.. 2 'ij'" -.22 I: ji i .,r ,,. 4r.' - i. 1.00f KBHomes 70.39 -1.46 1.46e KTCorp 20.97 +.25 .48 Kaydon 33.40 +.26 1.11 Kellogg 43.09 -.20 .64 .Kellwood 24.30 +.02 .20 KerrMcG 106.32 +1.93 1.38f Keycorp 35.46 +.12 1.86f KeySpan 35.79 -.05 1.80 KImbClk 57.35 +.05' 1.32 Kimcos 34.49 +.14 3.20f KindME 48.06 +.20 .. KIngPhrm 18.84 -.19 .. Kinrossgl 11.09 +.13 Kohls 44.33 -.91 .56e KoreaElc 20.87 -.42 .92 Krnft 28.77 -.31 ... KspKrmlf 6.64 +.06 ...Kroger 18.86 +.23 .27e .LERy L2.71 +.02. . ... .-i: L,:. 873 -.15 1.44 ...T, T' Y ':.f7 +.17 .44 LaZBoy ,ui' +.26: ... LabCp 55.40 -1.45 .: LaBr.'r.r 12.41 +.30 1,401 u.Li-le 32.04. +.02 .96 LalargisAu682i4.1789 . ... L '.,ar,.,: 4 4:% :;1 iii, Lear,..,T. ii', A.-i .4i LenrrA r0'I 7 Lexmark ; 1z ., 44 9i.; LbtyASG i 6 -" Lr.r,rILt b -i'i 1,60f LlllI. *;' 4 .J-1 ..' LuTii,.- 23.11 -.05 I 5 i u.., lial 52.67 -.19 L u..1,,iav 25.72 +1.06 ..Linens 27.56 -.12 ... UonsGtg 9.15 +.12 1,20 LockhdM, u70.02 +1.10 .601 LaPac 28.97 +.37 .24 LqwesCos 62.92 -.60 .. Lucent 2.70 +.04 .90 Lyondell 23.50 +.06 1.80 M&TBk 106.45 -37 1.12 MBIA 60.17 +.45 .76 MDURes 35.56 +.61 ... MEMC If u30.92 +1.50 .50 MCR 8.62 +.02 1.00f MGIC 62.99 -1.24 .. MGMMirs 36.72 +.04 .03e Madeco 8.06 +.15 1.52 Magnalg 72.52 -.08 .49. MgdHi 6.04 +.02' 1.20 Manulifg' 61.30 +.25 1.32 Marathon 73.17+1.56 .42 MarlntA 66.80 +.75 ,68 MarshM 30.20 -.08 .. MStewrt 17.60 -.11 .92 MaitMM u92.30 +3.30 .80. Masco 29.76 +.15 .16 MasseyEn 40.12 +.83 .. MaterialSci 13.45 +.07 :50f Mattel 16.41 +.31 l. MavTube 47.79 +1.49 .. Maxtor 8.84 -.17 .36 Maytag 17.46 -.05 .67f t,t.,i i, il ,: .731 lf ....'ii-: .i i -r .24 r i s .i -i .- ' ... McAfee 22,35 -.32 ... MedcoHilh ':,, -,69 .39 Metrnic ':"i -.59 .80 ,MellonFnc 34.67 +.17 1.52 MP-.. i 33.83 -.56 ... Mni. i 4.80 +.11 1.001 MerrilLyn 74.57 +.64 .52f MetLife 49.11 +.19 .40 Michaels 32.73 -.22 ... MIcronT u16.01 +1.12 2.38 MidAApt 52.05 ,. Midas 19.26 +.02 ... Milacron 1.41 . Milipore 67.62 -:42 '1 MlihCp 40,08 +.20 .. Mirantn 27.34 -.12 .08e MitsuUFJ 13.86 -.32 .40 MittalStl 35.65 +.27 1.02e MobileTel '36.72 +.38 .801 Monsnto 83.41 -.58. .281 Moodyss 64.00 +.11 1.08 MorgSlan 61.73 +.29 1.40e MSEmMkt 25.68 +.52 ... M ,:, ,' 16.50 +.18 16 ,.'.:.r.r.'.i 20.53 -.64 I.61 Ml2',al, l'.j r. 10.90 -.01 .45 MurphOs 52.70 -.68 .24 MylanLab 21.56 +.24 NCRCp 37.66 -.67 NRGEgy 48.03 7 .. Nabors 81,20 .1i3a 4, NatlCity 33.54 +.08 i ,. NatFuGas .'! -i'5 227' NatGrid -, 1'i -i rloiraJ ,.: '-. a i1J Oil '" I rJl eT,. "8. : ), 4' ' .u', Jj ll,, -,',! .21a r 02. ;' - ' 6.80f rJvC',,',F,, J 41m +.54 1.44 ruA... a- .) +.83 1.00 NYCmtyB 16.64 +.21 .66 NYTimes 27.95 14 NewlExps 50.63 .i .40 NewmtM' 60.48 +86 NwpkRs 8.71 +.04 .12e NewsCpA 15.86 +.21 .10e NewsCpB 16.69 +.16 .92 NiSource 20.27 +.39 1.86 Nicor 40.89 -.01 1.24f NikeB 84.15 +.46 .16f NobleCorp 79.03 +3.28 .20 NobleEns 44.73 +.23 .45e NokiaCp 17.92 -.23 .34 Nordstrms 41.35 -.85 .64f NorilkSo u49.75 +.51 r .11..' 1 .i 'Ill I u01 rJ,:,FIll,. 5.a C .09 .70 NoestUt 19.44 -.17 3.20 NoBordr 43.55 +.20 1.04 NorthropG 63.24 +.55 .40 NQvaChem 34.46 'A .86e Novartis 54.70 -1i ': 1.21f NSTARs 28.72' +,30 .60a Nucor u87.81 IS 18 .79 NvFL 14.65 ,l .85 NvIMO r: -.03 1.33 OGEEngy :-. '+,25 OM Group 21.63 +1.10 1.441 OcdPet .. OffcDpt .3i :15 OilStates 39.75 +1.05 .80 Olin 20.90 +.37 .09 Omncre 52.01 -.24 1.001 Omnicom 83.21 -.19 1.12 :ONEOK 26.89 -.03 .. OreSt U41i4'i, ., Iw.Y .401 Oshkshs Lu,." 1ii .52 OutbkStk 45.89 +.21 ... Owenslul 18.74 -.41l 1.32f PG&ECp 37.00 +.21 2.00 PNC 63.25 -.73 .80 PNM Res 23.97 -.38 .48e POSCO 'u59.29 +1.40 1.88' PPG 57.37 -.11 1.00 PPLCps 30.65 +.19 ... ParkDdr 11.96 +.39 .92 ParkHan u77.27 +.94 PaylShoe 22.89 -.62. .481 PeabdyEsu103.77 +1.41 '3.00 Pengrthg 24.64 +.47 2.801 PenVaRs 61.12 +1.50 .50 Penney 55.59 -.46 .27 PepBoy 15.45 1.04 PepsiCo 56.77 -.57 .34 PepsiAmer 24.30 1.38e Prmian 16.20 +.32' .40 PetroCgs u51.08 +1.68 2.36e PetrbrsA 83.45 +3.47 2.36e Petrobrs 91.56 +2.81 .96f Plzer 25.09 -.19 1.50a PhelpD .165.19 +6.70 .92 PedNG.. 2391, -.03' .40 Pier1 I I,4 .*24 .09f' i,,nT,'F, : 's,' - .89 P X ....:t.,iar 1.65 - .241 PloNtrl 52.79 '+": 1.28f PitnyBv 43.00 ', :4 .10 ,,:PlacerD : 9. '. ., ...,,PairissEx ": ,:' ,1 1.52,-,PlumCrk 3 :, j * 4e PonriglTrel IS .173 I 0 : 4 1:)r u .': ',.I &. .,1i. ri, 95.35"+12,'" .60 PoltIch 53.00: + i' 1.001 Praxair 51.94 +.89, .12 PrecCasts 51.39 +1,04 .. Pridelnl u36.66 +1.37 .651 PdnFncl 46.81 +.28- 1.12 ProctGam 59.79 +.11" 2.421., ProgrssEn 43.05' +A17 .12 ProgCp 103.24 -1.42 .26 ProsStHiln 3.10 +.05 1.44 ProvETg 11.06 +.16 .78f Prudent 75.25 +.63 2.281 PSEG 67.93 +.18 .4.08 "PSEGpfA 81.00 +2.05 1.00 PugetEngy 21.00 +.05 .16 PulteHs 37.94 -.42 .38a PHYM 6.85 +.02 .49a PIGM 9.66 -.03 .36a PPrlT 6.12 -r1i ,62 Quanex 62.68 i.. ... QuantaSvc 12.62 -.o/ QtrnDSS 3.49 +.16 mf 'tDi'gq 5n i18 -' i 1. 1. ', : 0 .1 .: r I I" .' 1' ,4 Al i. 1 11 .t.,: ',: Rol.'..'T. :, 1 " -' illlr I .I' T.- .': i "1 I': . " 1.88f Rayoniers 12.i i. . .88 Raytheon 42.12 +.69 +1.40 Rltylnco 22.85 +.10 1,401 RegionsFn 33.29 +.16" .. ReliantEn 10.47 +.33 ... RemOG IJ.-T ."' ,65e 3'.o-:.i -" :. .I i ,56 iecji, ijii. 5 . .. Revlon * ... RiteAid )is 11 'i .:..nHo ll '.:.,r " ., R .,.;H ll ul i,- ] .; j.' ,i H.:..-' ,-.i ui :,Oi. .9) i i. h.:.HiaH a r iV '. .25e RoWan u4S 51 +2.67 .60 RylCarb "4 +.09 2.23 RoyDShAn .iv .nr 1.61e Royce .. "' i i .05 RubyTues i :. - .64 Ryder Ii i,'. A i. .48f Ryland .'.9 -I i 1.56 SCANA Q31 -.11. I i ,-:.i Ti T i js *., +.25' S;LI.r.liC., 55.95 .+.23 1:.. '.1:,:, 17.91 -a .40f SabreHold 24.21 .20 Safeway :' *, ' .64 SUtj e t : ..StJude r1 '. ,r. .92 StPaulTrav 44.13 -.66 Saks 18.77 -:18. ,. Salisforce 39.18 .95 1.04 SalEMlnc2 13.30 , .12e, SirnSBF, 1.5.34 & -,, 4.1', - 'l"" l i5. rih i i. i J '. ' '. , ristwn t :. ' 2:24 Shtgeard ,':.1 i : ,4.97e SiderNac 12 .. SierrPac 13.24' 3.04f SimonProp, 81.84 a SiRlags uti o * ..64 SmithAO u44.75 .2.90 .24 Smithints i4:.o- , ... SmithIF :,. -r,; .. Solectm 3.74 -.03' 1.49 'SouthnCo 33.45 +.03 7.87e SthnCopp u91.15 +2.93. .02 ':*:. ,ia, 1f54 11 :.,rrL .'rS' 1:,2 1': .24 .:j'..sy.i'kr *. : .10 .' i-,.rrJ' I .:, .16 it .:. :' -41 .84 Standex 30.31 i ... .StarGas 2.41 35 .84 StarwdHtl 59.75 .i .76f ilai.-r 60.30 IT100 .ulr.:i 64.85 -84 i lO. ..: 25.55 i sTGold 56.72 - il Stynker 46.85 -A.' SturmR 69 -": 2 ''. :.. ', .. .' :: Eu,.:.oi 33.33 -.24 :. Suncorg 80.75 +2.43 - i-':,1 Sunocos 85.24 n- Suntechn 42.33 *' 2.20 SunTrst 70.56 , ,.65 Supvalu 31.41 *, .02 SymbrT i'.: .63f Sysco. :",), -. i .92f TrFFr.,,1 -4- .88 Tr.L',:,r. : - .76 TE,'.:. If '.4 +n5 :1 T I ;'- 16I .4i -' K Tait'i, T ,, i :. ' '.. T..r :.1 '. 4 - 14 Til.:.TE .) . 1 .I I T i,]l .6' l4 .83 T-i y 38.97 +.74 1.40r Tiie..,L 17.56 +.268 ??le TelcNZ 31.10 -.28 ,m,, TelMexLs 23.02 -.09 X.1 TelDta41lf 25.10 -.07 .4e TelspCel 5.07 +.08 ,''II Templelns .46.23 +.44 .. TempurP 12.13 -.03 TenetIth d7,06 2.70 Teppco 36.80 +.20 ... Teradyn 17.36 +.51 ... Tern 84 -16 ,{*^ T.:nir:,Tr, (' : , ... T.:Ir=]T : u .i.) -;. .12 T .I.:I ,ii' .4 ".. Tr,.-r, ,.,i 43 +I : ..i r,,,,',i, i4 li, "i ... Tr,,T.B.i *J r7 I, 1te ..l1... : ,7 : ST'tidwir. 57.50 -0" STiffany 36.21 -it. A, Ti.-,T. \If -V ,T'l aT. j V I1: r.unMil s u,78.96 ..52 I ,: T,.I,, C.. i: 1 t- i IT.:1, : : 0 .. ' TdadH 40.82 +.63 THiii m, lq6 41"n 0 'l 1ir np...l I I. - .6 T,:,UGCo 21.31 .24 T,8 ,,or.',-, u2 .3 .24 .68 UGI Corps 21.31 -.24 2.88 UILHold '4.: +.57' .vUSG 91.20 -517 . 1 UUnias. 80.93 -f.39,. i UniFirst 3410 -.02 1 UnionPacI 8570 +.03' Li,';,. -' 66/.i +.21 1l:, UID:.TR +.10 i .' Uillr.i:,,: l +.02 l'i: Uiu" 73.49 +.43 I u E iricrp 29.41 +.1.1 ' 40l SSili 6157 .3 65 '. 1: .11 L "iii 1 : .i i i I i.: ,u.- ,.irn 49.70r+1.03 .30 UnomProv 21138 +.26 v., .icoli '41 Am i 16 VulcanM a89..i.5.9,h2 1 Uiv ll u,:o. 6 J'4l -i 12.11 VAllari 4 i) 13 WWston-h 31.75 -.31 *atahintns 4501 Z216 W0. Iw-.r i"d n * .6 6a AIN I I0 ,d-... M~git -.-22.8.8 -1 *mo-,rrr, 15-1o' WIT.1:..W., J'4 1... vc-r.miit.w ifi."'A' V-i 64, 46 -. .51 h 6r, E,.-L IrA'6 -*1 .53z Zweig'll 4.81., +01: IA E IA N S OC5 C ANG Div tlsme Last Chg .42 Awk.SA.. E2 i I 1')t .-Aorsas 725 S58 .67f ~ inAdr-R 14') '+ A.-a.OrA,'r. S.1--A a.*., 55.31 -gr, 09 u-4i I Bociasen n1700 .2W "1':* L r1 :'Fp I'' T/ I)'l ,:, Li r ',a, 6. : -,,? LI .:,,ut,'.: I tl.l- CrybiIj 6 iS c iS.'t ri., r. 0.4 : - . J-. C OJnIA ', l. :,,, .-1 CoI s. 'iA 4 ii II .l 51.-t',", I% -' -l llt ii..lr, 1: ii F ,'Li I'I. 14.1 .14 ''1 i"Il.'Tl i i v : Fi.r.iru.t u) 1 .1 G'amLkg 1575 I.12 GarE n u5 50 40 U... Adi *. As ir,. ''i. i .,lr. 1J,'s Ai a H.: 2. I-fw 1'i A10 A~b.. '" .0.3 uia ':0.11 i2AN.lu I 100 i'1.r.i'14..vl..5' am- .'r.iUvC.i-i.0'u.,r IllS -ru.,: .INI liii .u'i iOu.,.' lesi . ilyHi 0. Al' 1.11 lola. t.l.:i.aii,.' a ii2 A I'S rl.mI,.:.Hin. lit u.i, il l I..-i..11) I...r. hI- IS P ,:.r,,l 1 ,1 1.1' i, n 1i 73 I ,i S'..in'. I. I .. ) H i]:.l,:i.II nil A I. ' :' A -ItaI'HT Ii *5'* Ii RELMn uld.. '7- A '.. r 'r."H I -* I "_". ,-,ihTr :1 -" *: ,|, Ir, rr a t i l : itt 5 -IOi 14:2."' P Fii1P ...! Id, : 12 6 1.I 5 LI,', ',9 Ac10 t,-! 1JL.~i11 Pl..''~. 0 TraEncus F,34-i 523 i,...,,.E ,r. ,4451 .:6 -VaalaeE u7or0 38 H i.- a oI-., A " I3.N AS AQ AT O A M RK T . Dlv Name Lasl Chg ... ACMoore 14.70 -.17 .. ADCTelrs 26.35 +.50 .. AMIS Hid 8.41 +.09 .. ASMLHId 22.40 +,13 ATITech 17.75 +.20 ATMl Inc 33.93 +.38 .. ATSMed 2.66 -.02 .., AVIBio 8.56 +.15 .. Aaslrom 2.11 +.05 ... Abgaenix 22.01 -.07 AcadiaPh 13.81 -.52 .. AcfionSmn 8.61 +.16 .. Activlsns 14.36 +.28 .. Actuate 3.63 -.07 .20 Acdom 24.11 +.31 .. AdamsResn39.83-1.32 ... Adaptec 5.74 +.03 ... AdobeSys 39.52 +.32 .36 Adtran 28.37 -.04 .. AdvOigInf 10.43 +.13 .. AdvEnld 15.14 +.60 .45 Advanta 3122 -.55 .54 AdvanB 33.30 -.85 .. Aerotlex 11.47 -.20 .. Affymet 36.51 -.79 ... AirMeth u21.97"+2.36 .. AirspanNet 5.80 -.10 .. AkamaiT 21.95 +.12 1.52e 'Akzo 47.48 -.79 .60a Aldila 29.89 +.52 .90 AlexBId 49.30 -.74 .. Alexion 30.10 -.54 .. AlignTech 8.08 +.17 Alkerm 23.04 -.09 .. Allscripts 17.05 -.01 .. AlnylamP 12.95 +.19 AltairNano 3.50 -.01 ... AleraCp 19.21 +.20 .. Altds 17.45 -.64 .. Alvarion 10.18 -.25 .. Amazon 37.95 -.38 .. Amedisy 41.84 +.04 AmerBk) .93 -.08 ...AmrBiowt .20 3.16f AmCapSIr 35.80 +.66 .30 AEagleOs 26.04 -.04 ... AmrMeds 21.90 +.28 .40 APwC n 20.31 +.23 .. ASdE 71.14 +3.15 .. Amgen 73.50 -1.12 .. AmkorT 5.77 +.22 .. Amylin 38.31 -1.06 Anadlgc 620 -.54 .40f Anlogic 55.42 +.19 ... Analysts 2.71 -.07 .. AnlySurh 1.50 -.01 .. Andrew 13.43 +.13 .. AndrxGp 17.25 +.05 .. Angiotchg 15.68 +.23 .82e AngloAm 38.07 -.11 ... Antlgncs 5.63 +.60 .ApoloG 56.20 -.10' ... AppeCs 67.30-4.55 .20f Applebees 23.65 +.15 .. ApIdInov 3.70 .12 AiidMal '1908 +40 .. AMCC 3.51 -.03 Appllx 5.90 -.54 '... aQuantive 24.27 -.59 ArenaPhm 15.85 -.15 AdadP 6.09 +.03 '. Aibalnc 9.32 +.07 .60 ArkBest 42.92 +.94 .04e ArmHId 7.39 +.02 .. rotech .58 +.08' .. Arris 11.03 ..ArTech u2.98 +.17 .. Artesyn 10.88 +.06 Aslalnfo 4.41 +.12 .. AspenTc u8.58 -.36 ... Asprevagnu26.85 +.01 .. AssetAcc d17.87 -.35 1.08 AssodBanc 33,20 ... AsysftTch u8.50 +.63 IH.-.I 4 _.- u- A.. A'a. .88 +.03 ... iC.'..: 16:98 ... ... ,r.-,:.:. 19.29 +.49 .. 4Ari..i ijs S 1 ... Audible i': - ... Aldvox 146,; * .. Autodesk A :,'i "5 ..' Avanex 1.15 +.01 ... AvidTch 48.05 +.63 AvoctlCp 34.06 +.22 Aware 4.91 +.21 ... A celis 6.09. ... ... BEAero 23.25 +.11 .. BEASys 10.97 -.16 .. Baidun d45.63 -.49 .. BallardPw 5.44 +.18 .. BeaconP 1.92 -.03 .25 BeasleyB 13.84 +.13 .16 BebeStnss 20.15 -.25 ... BedBath 36.57 -.08 .. BellMic d6.06 +.01 .. Biocryst 19.82 +.13 .. Bioenvisn 8.02 -.13 .. Biogenldc 44.24 -.68 '.04 BoLase 7.23 -.27 .25e Biomet 35.26 -.26 ... Biomira 1.50 .... .. Biopurers .82 .20 Blckbaud 17.69 +.20 ... BIkboard 32.24 +2.38 ... BluCoat 24.74-15.59 .48 BobEva 27.17 +.10 .. Bookham 7.78 +.39 .: BrigExp 11.74 +,24 .... Bightpnts 22.11 +.22 .. Brdcom 7022 +2.64 .. Broadwing u10.06 +.14 .. BrodeCm '4.71 -.09 .. BrooksAul 16.99 +.46 .. BusnObj 38.11 -.17 .. C-COR 7.22 +.05 .52 CBRLGrp- 43.97 +.06 CDCCpA 4.27 -.20 .43f CDWCorp 55.47 +.51 .52 CHRobns 40.42 +.81 -.. CMGI 1.40 +.02 ... CNET 13.85 -.15 CSGSys 22.68 -.12 .. CVThera 24.21 +.05 .. Cadence' 16.80 -.10 ' .. CalDives 41.38 +1.64 .36f CalmsAst 33.99 +1.49 ... CalMicr 6.36 -.15 ... CalPizza 31.72 +.17 ... CancerVax 2.48 +.50 ... Candela 19.04 +1.01 .65f CapCtyBks 35.09 +.21 ... CpstnTrb 3.59 +.01 ... CareerEd 33.79 -.11 .18 Caseys 24.69 +.14 ..: CasualMal 8.51 -.10 .. Cekjene 70.00 +.11 .. CellThera d1.84 -.03 .. CentlFrght 2.03 -.01 ... CentAl u38.10 +2.36 .. Cephin 73.64 -125 .. Ceradyne 58.35 +1.39 .. Comers 45.00 +.89 .04 ChrlsClvds 13.20 -.23 S.. ChariRsse 16.60 -.01 ChrmSh 12.59 +.11 ... ChartCm 1.20 +.01 .. ChkPoint 21.14 +.22. .. ChkFree 51.33 +1.74 ... Checkers 14.98 -.15 .. ChiidPIc 45.73 -.44 .. ChinAuto 9.90 -.08 ... ChinaESvn 7.94 +.09 ... ChinaMedn 39.31 +.67 ... ChlnaNRes 16.55 -1.95 ... ChlnaTDev 6.28 -3.36 ... ChipMOS 6.93 +.43 Chiron 45.60 -.06 ... Chordnt 3.09 +.06 .50 ChrchllD 39.38 -.81 ClenaCp 396 +06 11 C,'.'.i-- 44 i :I .i i .35f Cintas 40.42 -.17 ... Cirrus .8.28 -.03 ... ; rri.' : .1 1 - .. CleanH 25.74 +.28 ... ClickCm u30.92 +2.18 .. CogTech 50.80 +.17 Cognosg 38.07 +.44 .24 Cohu 22.15 -.36 ... Coinstar 24.72 -.48 SCklwtrCrs 19.56 -.38 .. Comrc 12.00 -.09 .. Comcast 26.94 -.14 ... Comrcs 26.94 -.13 .96b CmcBMO 49.93 -.20 .30 CmrdCapB 14.93 -.25 ... CompCrd 39.85 +.55 .. Compuwre 8.26 +.01 .. ComtchGr u9.94 +.44 ... Comtechs 28.49 -1.88 ... Covers 26.48 -.32 ... ConcurTch u16.96 +.21 ... ConcCm 2.25 -.12 ... Conexant 3.36 +.07 .. Conmed 23.72 +.17 ... Connetts 15.03 +.02- . ... Corillian 3.33 +.02 ... CointhC 12.98 -.03 .. CostPlus 18.23 -.39 .46 Costco 49.27 -.18 .. Craylnc 2.38 +.04 ... CredSys 8.72 +.05 .. Creeinc 26.65 +.35 ... CubislPh 20.93 -.11 ... CumMed 12.98 +.28 .. CuraGen' 4.45 +.44 .. Curis d2.51 -.06 ... Cutera 31.00 +1.25 .. Cyberonic 28.50 -.84 .. Cymer 47.50 -.02 Cytogen 2.83 -.02 .Cytyc 28.97 +.09 .. DOVPh 17.35 +.30 ... DRDGOLD 1.63 DUSA 8.00 -.24 .12 DadeBehs 40.22 -.10 ., Danka 1.60 +.02 ... Dellinc 29.32 +.06 ... Dndreon 4.81 -.02 ... Dennysn 4.19 +.09 .28 Dentsply 52.58 -.20 .. DigRiver 35.10 -.02 Digteas 13.10 +.08 ... Diodes s 37.35 +1.47 .. DiscHldAn .14.55 -.02 .. DistEnSy 10.08 -.01 ... DobsonCm 7.39 +.16 ... DIIrTree 26.99 -.21 ... DressBn 45.28 +.10 .. drugstore 3.01 +.05 .80 DryShips 11.24 -.23 .10 DynMatIs 35.54 -1.14 ... eBays 40.77 +19 ... ECITel 8.42 -.01 ... EFJInc u11.99 +.19 ... eResrch 17.22 -.47 ... ESS Tech 3.92 +.05 ... EZEM 19.62 -.28 ... ErthUnk 11.21 -.03 .. EchoStar 27.41 -.01 .,. EdgrOnI 2.81 +.22 EdgePet 32.35 +.30 ... eDiets.com' 7.22 +.20 .. EducMgt 32.07 +.34 .20f EduDv 8.04 -.21 ... 8x8Inc 1.87 -.03 ... EleclSci u25.64 +.30 ... Eclrgis 4.46 -.04 .. ElectAts 54.22 +1.08 ... EFII 28.06 +.30 .. EIIzArden 22.50 +1.23 Emncore 8.81 +.04 .. Emdeon 9.28 -.02 .. eMrgeInt .39 -.03 .ET,,T,,': 18 14 i . ... EmplreRst 5.89 -.37 .. EncrMed 5.52 +.12 : EncorW '28.67 +1.03 ... EncysiveP 9.47 -.03 EndoPhrm 26.11 +.03 ... EngyConv 47.456 -24 Entegris 10.05 +.07 ... EntreMd 2.25 -.04 ... Entrust 4.01 +.03 .. EpicorSIt 12.39 +.19 .36e EricsnTI 35.12 -.33 Euronel 33.76 -.03 .. EvrgrSIr 14.82 +51 ... ExaclScI 2.41 -.21 .. Exar. 13,24 -.17 ... EddeTc 2.96 -.16 .. Expedian 25.52 +.05 .30 Expdlntl 73.75 +.71 ... Explor u11.11 +.22 .. ExpScr1pts 89.76 -2.14 .. ExtNetw 4.92 -.01 ... F5Netw 63.69 +.66 ... FEICo u24.51 -.73 ., FLIRSys 24.90 +.84 ... FSIInt u5.74 +.37 ... FXEner 5.69 +.07 .401 Fastenal s 39.61 -.02 1.52 FdthThird 36.53 -.14 ... ReNeth 26.38 -.27 ... Finisar 2.65 +.05 ... FrstHrzn 17.34 +.13 .44f FstNiagara 13.75 .. 1.12 FstMerit 24.75 -.14 ... Fise 43.00 +.52 ... extrnm 10.10 +.08 ... ForgntNtw 1.75 FormFac 35.64 -.90 ... Forward 8.85 -.66 .. Fossil Inc 17.35 -.03 .. FostrWhwlBu2.97 -.12 FosterWhnu50.68 -1.32 .... Foundry 14.54 -.08 Foxh-ollw 29.38 -.63 .08 Fredsinc 14.17 -.02 .. FrrAir 6.68 -.14 ... FuelTch u11.30 +.97 .. FuelCell 9.95 -.08 .58 FultonFns 17.54 -.18 ... FRrmdiah .24 ... GSICmmrc' 15.10 -.52 .. GTCBio 2.21 +.08 .50 Garmin 62.68 -1.31 Gemstar 3.21 +.10 S... Genaera' 1.51 +.11 ... GenBiotc 135 +11 .. GenesMcr 19.15 +.07 ... Genta 3.17 +11 .36 Gentexs 17.30 +.25 ... Genzyme 71.75 +.45 ... GeoPharm 4.12 -.17 ... GeronCp 8.22 +.48 ... GigaMed 4.53 -.21 ... GileadSci 60.02 -.68 ... Globlnd 13.50 +.18 ... GlycoGen .16 +.04 GoldKist d14.61 +.17 Gooale 385.10 +3.55 ... GuitarC 55.05 +.30 ... Gymbree 22.68 +.69 .. H&EEqn 23.40 +.44 .96 HMN Fn 32.03 -.08 ... HMSHId 8.20 +.23 ... HainCelest 23.99 +.37 ... Hansens 80.59 -6.42 1.101 HarbrFL 38.66 -.20 ... Harmonic 6.02 +.17 ... Harrisint 5.33 +.06 ... HSchains 46.45 +.18 ... HercOffshnu33.65 -1.15 ... HITcPhms 24.10 -1.51 .. HollisEden 6.39 +.11 ... Hologica u52.25 +2.45 HomeStore 5.79 -.04 ... HotTopic 13.84 +.05 ""1 Hi-'': .1, I" .2 . HumGen 11.42 +.13 .32f HunUBs 23.65 .- I 1.001 HuntBnk 22.74 i ... HutchT 27.34 +.35 ... Hydri 79.81 +2.64 Hydrgos 4.11 +.03 HyperSols 34.70 +.47 ... i2Techn 16.02 -.56 ... IAC Inters 27.72 -.11 .. ICOS 24.94 +.20 ... iPass 7.35 -.08 .. iced 1.82 +.02 Idenix u8.17 +.02 :. Illumina 22.10 -.56 ... ImaxCp 8.29 ... Imclone 36.34 +,10 ... Immucor 29.49 -.46 .. Incyte 5.43 +.06 1.08 IndpCmly 40.91 .. InfoSpce 23.47 +.13 Informat .14.70 +.01 -.29e. Infosys 75.47 +.66 ... Insmed 2.15 -.18 ... IlgDv 14.12 +.10 ISSI 6.30 +.04 .401 Intel d20.61 -.13 ... Intellisync 5.20 -.01 ... InterDIg 24.93 -.31 ... Intgph 38.35 -.26 ... Inlrmag u43.81 +1.46 .. InterMune 18.28 +.21 .. IntlDisWk 6.38 +.06 .06 IntlSpdw 46.40 +,05 ... IntemlCap 9.53 +.07 ...InelCmce u3.54 +.44 ... InbntlnitJ 10.93 +.20 ... IntnlSec 22.20 +.14 .20f Intersil u29.89 +1.18 ... Intuit 51.53 +.43 ... IntSurg 106.69 -8.00 .091 InvFnSv 44.76 -.20 .. Invitrogn 67.73 -.24 .. Ionatron 9.89 +.14 ... Isis u5.89 +.30 ... IvanhoeEn 2.59 +.14 ... Village 7.15 -.20 ... Ixia 12.20, -.37 .. j2GIob 44.08 -.55 .. JDSUnilh 298 +03 .22f JackHenry 21.89 -.05 ... JetBlues d11.07 -.68 ... JJIIIGr u23.57 +4.37 .301 JoyGIbIs u56.84 +3.63 .. JnprNlw 18.66 +.29 .48 KLATnc 52.71 +.86 ... KnghtCap u11.86 +.15 ... Komag 47.92 +1.18 .. KopinCp 4.88 +.14 .. KosPhr 45.91 +.51 .. Kronos 39.75 -.15 .. Kulicke u11.76 +.46 .. Kyphon 39.95 +.03 .. LJInt 3.80 +.07 LKQCps 21.25 -.05 .48 LSIInds 13.94 +.28 .. LTX 5.28 -.02 ... Ladish u26.25 +1.11 ..LamRsch 46.85 +.62 .. LamarAdv 47.14 +.36 .10 Landstar 43.62 -.45 .... Lasrscp 25.05 -.20 ,. Lattice 4.68 +.17 .. LawsnSft 7.72 +.11 LeveB 3.64 -.06 ... LexarMd 6.67 -.60 ... UbGlobAs d20.26 -.04 ... UbGlobCn d19.12 -.23 ..Li Ufecell 22.63 +.50 .. UfePIH 29.96 -.43 ... Uncare 40.53 -.87 .60f UnearTch, 35.88 +.22 .. LodgEnI 13.14 -.12 .. LookSmtrs 4.54 -.13 ... Loudeye 64 +07 M-SysFD 27.10 -.76 SMDCPr g 8.28 -.09 ... MGIPhr 16.45 -.18' MIPSTech 8.99 +.48 ... r .T, 2.75 +.05 .40 .IT' 35.85 -.15 Macrvsn 18.62 -.20 ... Magma 8.98 -.03 MannKd 17.16 -.55 .. 1. ....i 1.96. +.04 S ... I 28.56 +.40 MarvellT 68.01 +1.60 ... Mattson 11.74 +.78 .50 Maxim 40.18' +.44 ... MaxwlT 18.31 -.49 McDataA 4.43 -.02 ... Medlmun 33.05 +.55 ... Medarex 13.28 -.36 ... MedAct 22.16 +.37 MentGr 11.47 +.15 1.01 MercBkshs 37.44 -.14 .. MesaAir 12.15 +.07 .30 MetalMg 27.38 +.70 Micrel 14.30 +.05 .76f M'rochp 37.06 +.44 Mcromse 9.96 +.01 MicrosSys 45.79 +.17 MicroSemi 31.31 +.24 .36f Microsoft 27.17 -.37 Mcrotune 5.60 -.05 Mikohn 7.75 +.34 MillCell 1.50 +,02 MillPhar 10.26 +.01 Mindspeed 3.73 +.11 Misonix 5.54 -.21 MnstrWw 46.77 -.73 .. MoscwCbleu8.14 +.94 MovieGal d3.85 -.18 Myogen 36.80 +71 NABI Bio 3.98 +01 NETgear 17.93 -.03 .NGASRs 11.68 +.18 NIIHdgs 48.12 -.30 NMS Cm 3.87 +.01 ... NMTMed 23.34-1.22 .. NPSPhm 14.09 +.10 .. Npster 3.74 +.15 ,14e Nasdl00Tr 40.81 -.11 .57e Nasdaq 42.43 +2.41 Nastech 18.55 -.43 .. NatAflH 11.63 SNektarTh 19.74 +.26 .. NeoPharm 11.00 -.07 .. NeoseT 2.79 +.26 .. Neoware 25.44 -.28 .. Net1UEPS nu33,32+1.31 .08 NetBank d7.64 +.26 .. Net2Phn 2.05 +.02 .. NetlQ 12.00 -.10 .. NetLogid 35.60 +.26 Netease 72.24 +1.40 Netfli 26.28 +.17 .85c nelguru ..30 -.02 .. NetSolTch 2.22 +.21 .. NetwkAp 30.83 -.31 Neurcrine 60.29 +.86 Newport 18.29 -.20 .. NextlPrt 27.97 +.02 ... Nnetowns 6.21 -.49 NitroMed 12.7.4 -.13 NobltyH 26.65 +.20 .84 NorTrst 52.08 +.32 .. Novmrg 40.73 -1,22 .. NvlWrls '10.82 -'20 .. Novavax 4.19 -.05 .. Novell 9.63 +.10 Novlus 28.81 +.39 NuHoriz 9.65 +,37 .. NuanceCm 8.08 -.26 .. NutriSys 42.11 -.70 Nufilrion21 1.22 -.13 .,, Nuvelo 16.24 -.31 ... Nvidia 45.26 +1.24 OSIPhrm 28.58 +.21 OccuLogix 3.86 -.24 OmniVisn 25.19 +.43 Cl'. ; i I ', - I OnSmcnd 6.96 +.10 OnyxPh 27.14 -.98 OpnwvSy 21.31 +.78, Opsware 7,20 +.01 .16 optXprs 29.74 +.78 .. Oracle 12.25 +.04 OraSure 11.00 -.32 OrcktCm s 25.33 -2.28 rr. 43,68 +.77 1.12 i'n, Ti.l iA .5 -.06 .... Overstk .. -1.11 PDLBio 28.97 -.35 ,. PETCO 20.72 -.21 .. PFChng 50.30 -.11 PMCSra 10.17 401 .. PRG SchIlz .51 +.01 .30 PW Eagle 22.21 +.72 1.00a Paccar 87.98 -.58 .. PacEthann 18.93 +.03 .. PacSunwr 24.52 -.28 ... Packetr 11.95 -.03 .. PalnTher 9,26 -.30 .. Palm Inc 39.84 +1.59 .. PalmrM 37.50 -.52 .. PanASIv 24.91 +.88 .. Panacos 8.69 +.03 .. Pantry 56.20 +1.87 .. PapaJohns 33.39 -.24 .. ParPet 19.89 -.21 .. ParmTo 6.51 +.25 .. Patterson 33.66 -.21 .16 PattUTI 36.75 +1.04 .64 Paychex. 36.39 -.06 .. PnnNGm.s 32.10 -.25 .. PrSeTch 24.00 -.40 .. Pererine 1.45 -.25 ,17f Perrigo 15.80 -.03 .. Petrohawk u16.04 +.22 .. PetDev 42.62 +.29 .12 PetsMarl 24.84 +.80 ... PhnxTc 7.16 +.67 .. Photrln 18.26 +.20 .. Pixars 56.88 -.18 .. Pxlwrks 4.71 +.28 .. PlanarSy 14.07 +.09 .. Plexus 28.57 +.34 PlugPower 5.44 -.02 Polycom 19.30 +.29 PortlPlay 27.81 -.86 .. Powrintg 26.80 +1.22 .. Power-One 5.95 -.11 .. Powrwav 14.40 +.31 .. Prestek 10.95 -.03 1.12f PriceTR 76.30 -.14 ... priceline 21.49 -.22 .. PrimusT .76 -.02 .. ProgPh 26.71 -.78 PsycSols 32.96 +.01 QLT 6.13 +.18 .... QlaoXIng 6.63 -.38 .. Qlogic '39.89 +.31 .36 Qualcom 4593 -15 ....QuanFuel 4.51 -.08 .. QuestSftw 15.67 -.13 .. Quidel 9.52 -.34 .. RFMicD. 7.33 +.05 ... RSASec 14.68 -.24 ... RackSysn 34.97 -1.80 ... Radcom u4.41 -.10 .. RadiSys 17.62 -.61 .. ROneD 10.34 -.05 ... Rambus 29.16 +1.98 ... Randgold 18.61 +.53 RealNwk 7.74 -.25. ... RedHat 28.20 -.12 ... Redback 17.54 -.13 ... RdIf.cm u28.35 +5.13 Regenm 15.89 -.30 .. RemotDy .27 +.01 RentACt 20.57 +.07 ... Replgn u4.99 +.10 .44b RepBcp 12.24 +.15 ... RschMotn 70.67 -.02 ResConns 26.83 -.17 HS 3..... i I S... RightNow 16.43 +.68 24. RossStrs 27.15 -.03 .221 RoyGld 37.35 +1.05 ... Rudolph 16.88 +.62 ... RuthChrisn 22.25 -.07 ... Ryanair 52.11 -1.46 .. SBACorh 20,96 +.41 .. SFBCInt 24.95 -.40 1.00 Safeco 50.67 -.30 SafeNet 27.00 -.75 .. SalixPhm. 17.43 +.54 .48 SanderFm 27.37 -256 ... SanDisk 62.40 -1.65 ... Sanmina 4.15 +.03 .. Sapient 6.10 -.09 .07 Schnitzer 33.63 +1.05 .10 Schwab 1467 +.10 .. SciClone 2.45 +.02 ... SciGarnmes 32.18 +.14 ... SeaChng 9,26 +:06 .. SearsHldgs 117.65 -1.79 .. SecureCmp 13,54 +.25 ... SelCmfit u35.81 +1.02 .88 Selctin 54.54 -.78 ., Semlech 19,54 +.02 .,. Sepracor 57.09 -1.17 ... Shanda 16.00 +.35 ..Shrplmn 9.88 +.37 .17e Shire 48.42 -.65 .. ShufflMst 23.40 -.80 ... SiRFTch 36.28 -.43 SierraWr 12.85 +.11 .... Sly u13.33 +2.55 SigmDg 16.56 +.42 S.,' SigmaTel 11.01 -.20 ... Silicnlmg 11.75 -.01 SilcnLab. 48.31 -1.09 ,. SST 4.67 +.02 .12r Slcnware 6.96 -.02 .. SiNlStdg 17.67 +.11 ... Sina 22.67 +.31 .40f Sinclair 8.14 -.01 ... Sirenza 7.73 +.28 ... SidusS 5,49 +.16 ,. SimaThera 4.63 -.07 .921 SkyFncI 26.21 +.68 .12 SkyWest 29.29 +.03 SkywksSol 5.16 -.02 SmartMe n 8.50 -.04 ... SmurfStne 12.71 -.03 .. Sohu.cm 19.30 -.35 ... SncWall 8.17 -.11 .. Sonus 4.46 -.04 ..36 SouMoBc 14.48 -.02 .. SpansionAn 13.06 -.59 .17 Stapless 23.22 +.08 ... Starbuckss 3449 +61 .40 StIDyna u47.80 +3.24 ... StemCells 3.79 +.09 ... Stereotaxis 12.54 '-.33 ... Stratex 4.43 +.19 ... SunMicro 4.36 -.07 ... SunOpla 7.20 +.11 ... SunPowern 37.50 +1.08 ... SupTech .52 +.01 ... Suprtex 32.24 +.80 ... SupportSft 4.25 -.09 .96 SusqBnc 23.74 -.19 .. SwiftTm -22.98 -.09 ... Sycamore 4.74 -.05 ... Symantec 1674 +02 Symetric 9.63 +.09 .. Synaptics 28.60 -.39 .. Synergetcnu7.39 +1.65 ... Syneron 26.54 -1.64 ..Synopsys 22.22 -.16 ... Synos 10.38 +.12 SyntroCp 10.47 +.31 6.00e TDAmeritr 19.71 -.39 ... THQs 25.92 -.62 .. TLC Vision 5.78 -.12 .. TRMCorp 9.02 +.23 ... TakeTwo as 16.23 +.64 .16f TalxCpa 31.69 +2.53 T i -y 'e,, +l.,. ... TaroPh.' 14.66 A .,. TASER 9.15 .0 .. TechBata 40.68 ii Tegal- .61 ," ,; Tekelec 14.53 . ... TelwlstGI 23.56 -,ii .. TelikInc 18.86 ii T-_,.: ,.r i 'i I_ T.riT. ',: , .27e TevaPhrm 40.69 *' ... TexRdhsAs 15.51 Th. Shlret 8.14 "1 ThrmWv 1.58 ... Thoratc 19.19 8 .. 3Com 5.00 +.11 ibcolSft 8.12 -.07 ... TWTeleh 10.61 -.18 TiVoInc 5.77 -.04 TractSupp u63.33 +.03 ... TrdeStatn 17.02 ... TrWEnt 5.70 +.46 .. Tmsmeta 1.37 -.01 ... TmSwtc 1.68 -.03 .. TridMics 25.76.+1.16 .. TrimbleN 38.40 -.32 .. TriPathl 7.06 -.35 .. TriQuint 4.86 +.21 .64f TrstNY 12.43 +.12 .84 Trustmk 29.10 +.38 24/7RealM 8.40 -.05 ... UALn 33.90 -.70 .10 UCIHHds 17.10 +.04 US'Cnct .12.88 +.29'. .. USGIobal,tu19.91 +1.85 ... UTStrm 6.62 -.13 .. Ubiquia 9.80 +.11 .. UndArmrn 39.20 +.36 ... UtdNItF 31.07 -.17 .80 UidOnin 13.26 -.06 ... USEnr 5.60 .11f UnivFor 57.50 +2.59 ... UrbanOuts 25.80 -.14 ... VCAAnt 27.53 -.16 ... ValTech 2.20 +.20 ... ValueClick 17.67 -.12 ... VadanS 51.35 +1.23 .. Vasogeng 3.10 -.05 .. Vasomed .18 -.02 ... Veecolnst 21.85 +.13 .. Verislin 2365 +.36 .. VertxPh 34.30 -.24 .. VertdNet .67 +.02 .. ViisageTrs 18.58. +.05 .. Vimicron u12.75 +.31 VionPhm 1.99 +.06 ViroPhrm, 22.01 +.04 Vitesse 2.93 +.14 .. WebSide 15.31 -1.37 WebEx 26.38 -.77 .. webMeth 7.79 +.19 .. Websense 65.03 -1.78 .16 WemerEnt 20.97 +.21 ... WetSeal 5.36 +.17 ..Wheelt 16.62 +.19 .60a WholeFds 71.95 +1.11 .. WildOate u15.11 +1.04 .. WindRvr 13.80 +.14 W.. tnSys 22.74 +.04 ... WorldAlrIf 9.80 +.73 .. Wynn 61.96 -.86 XMSat d23.55 -.79 .. XOMA 1.64 -.02 .28 Xilinx 27.37 +.10 YRCWwde 48.25 +.24 Yahoo 32.92 -.62 .. ZebraT 43.35 +.60 ZhoneTch 2.18 1.44 ZionBcp 78,51 -.25 Zoltek 14.94 +.64 .. Zoran u22.48 +2.26 .. ZymoGen 21.38 -.49 Request stOCKS or mutual funds by ruling Ihe Chronicle, Attn: Stock Requests 1624 N. Meadowcrest Bilv Crystal River. FL 34429, or phoning 563-5660. For stocks, include the name ol Ihe SIOCk, its market and its ticker symlaoi For mutual funds, list Ihe parent company and Ihe exact name oft he lund. Yesterday Pvs Day Zuiftralia 1 3483 1 3353 Brail 2 1825 2 21 10 Biii r. 1 74-4 1 "613 r ar n 1 146iii 1 .1446 Cr..na 8\4 60611 C rr, 8 O'. 8 0611 Euro A358 6318 H.:.nq Kjonr 7 7581 7 7571 Hur.3lary 2f9i ;35 208 50 Irnia 44 130 44 120 Inrdiia 9200.00 9295 00 Isr.al 4 6.950 4 6970 Japr. 1 1897 11893 Jord3r, 7 0i.3 7085 Malaysia 3.7400 3.7445 Mexico 10.4450 .10.4770" Pakistan 59.86 59.86 Poland 3.20 3.18- Russia 28.2500 28.2368.:- SDR .6963 .6934 Singapore. 1.6282. 1.6346 Slovak Rep 31.23 31.07 So. Africa 6.0888 6.0606 So. Korea 962.30 1017.10 Sweden 7.7850 7.7203 a Switzerind 1.3010 1.2943 ' Taiwan 32.08 32.(00 U'.A.E. 3.6714 3.6720 British pound expressed in U.S. dollars. All others show dollar in foreign currency. Yesterday Pvs Day Prime Rate 7.50 7.25 Discount Rate 5.50 5.25: Federal Funds Rate 4.50 4.50 Treasuries 3-month 4.35 4.34 6-month 4.48 4.42 5-year 4.51 4.46 10-year 4.54 4.53 30-vegr 462 471 FUTURES Exch Contract Settle Chg Lt Sweet Crude NYMX Mar 06 65.11 -.26 Corn CBOT Mar 06 2223/4 -21/2 Wheat CBOT Mar 06 355 -11/2 Soybeans CBOT Mar 06 587 -73/4 Cattle CME Apr06 89.87 +.02 Pork Bellies CME Mar 06 75.90 -.20 Sugar (world) NYBT Mar 06 18.80 -.50 Orange Juice NYBT Mar06 131.05 +4.75 SPOT Yesterday Pvs Day Gold (troy oz., spot) $570.20 $565:80 Silver (troy oz., spot) $9.778 $9.740 Copper (pound) $2.33b5 $2.2345 NMER = New York Mercantile Exchange. CBOT=Chicago Board of Trade. CMER = Chicago Mercantile Exchange. NCSE =New York Cotton, Sugar & Cocoa Exchange. NCTN = New York Cotton Exchange. CITRUS COUNTY (FL) CHRONICLE I BUSINESS CTUS 1.rU3 LJUY (PL) CHRONlfICJY~t.LE TUESDAY, FEBRUARY 7, 2006 1.A 4-wk 4-wk Name NAV Chg %Rtn AARP Invst: CapGrr 47.96 +.04 -1.4 Consrv 12.01 +.01 -02 GNMA 14.82 ... -0.4 GIbTheme 32.66+.18 +2.3 GrowAlo 13.89 +.02 -0.4' Gthlnc 21.92 -.01 -2.4 Intl 53.35 +.05 +0.4 ShTrnBd 9.93 ... +0.2 SmCpCore2425+.18 +3.6 AIM Investments A: Agrsvp 11.60 +.06 +22 BasVaLAp 35.20 +.05 0.0 ChartAp 13.65 ... -0.7 Constp 25.65 +.02 -0.5 HYdAp 4.39 ... +0.8 IntGrow 25.01 +.06 +1.6 MUBp 8.06 .. 0.0 PremEqty 10.66 6 -0.7 SelEqtyr 19.09 +.02 +0.1 WeingAp14.46 -.01 -0.6 AIM Investments B: CapDvBt 1726 +.04 +3.7 PremEqty 9.81 -.01 -0,8 AIM Investor Cl: Energy 45.31 +.51 +5.5 SmCoGI p 14.40,+.08 +5.5 SumnitPp 12.54+.05 +05 Uilities 1429 +.06 +0.6 Advance Capital I: Balancpnl8.16 +.02 -0.6, RetInen 9.79 -.01 -0.4 Alger Funds B: SmCapGrt5.48 +.03 +4.6 AllianceBem A: AmGvlncA7.74 +.01 +0.9 BalanAp 16.82 +.05 -0,8 GlbTdhAp 61.68-.03-3.5 SmCpGrA26.91 +.10 +4.8 AllianceBern Adv: LgCpGrAd 21.96 +.02 -2.0 AlllanceBer B: AmGvlancB 7.73 ... +0.7 CorpBdBp11.89-.01 -0.1 GlbTchBt55.46 -.02 -3.6 GrowthBt26.54 +.01 -22 SCpGrB 12256 +.08 +4.7 USGvBp6:.89 '... -0.3 AlllanceBerm C: SCpGrC t262 +08 +4.7 Allianz Funds C: GwthCt 19.12 -04 -1.3 TargtCt 17.94 +.15 +3.9 Amer Century Adv: EqGrops23.84 +.02 -1.0. Amer Century Inv: Balanced n1629 +.01 -0.7 Eqlncn 7.93 +.02 -0.4 FLMuBnd n10.66 ... 0.0 Growthi l20.86 -.01 -1.6 Heritageln15.70 +11 +4.3 IncGron 30.84 +.05 -1.6 IntDiscrn 15.81 +.06 +1.9 IntlGrol a10.68 '... +0,4 LiUfeScin 5.39 -.03 -22 New 0pp r n6.49+.05 +42 OneChAg n11.85+.03 40.4 RealEstln27.17 +.11 +2.5 Selecl n 37.41 -.13 -3.8. Ulrsri, 29.87 -,01 -3.1, Ul. r. 13.65 +.03 -1.1. Vatuelnvn 7.00 ... -1.0 American Funds A: ArmcpAp 19.39 -.01 -1.0 AMutA p 26.64 +.04 -0.7 BalAp" 17.98 ... -1.3 BondAp 13.22 -.01 -02 CapWAp 18.62 -.02 -1.2 CaplBA p 54.19 ... +0.1 CapWGAp 37.88+.07 -0.5 EupacA p43.03 +.15 -0.4 FdlnvAp 37.33 +.17 +1.9 GCtrA 32.02 +.11 +02 hi TrAp 1223 ... +0.7 IncoAp 18:43 +.02 -0.1 IntBdAp.:13.40 ... -0.2 iCkApp 3', +.07 -0.5 EcoGA -4,:6, -06 -12 NPerAp 24- -(07 -0 6 NwWridA41.75 3.3 iC'0 SmCpAp37.83 +22 +2.5 T:E.9,p 1"44 ... 0.0- rW.,i ,,i 13' +.06 -1.0 American Funds B: - 6aBi '1"9 .. -1.4 Cap&eB II 0.0" GrwthBt 31.05 +.10'+0.1 IncoBt 18.34 +.02 -0.1 ICABt 31.95 +.07 -0.5 WasutB 131.14 +.05 -1.1 Arlel Mutual Fds: Apprec 173 .12 -1.5 Adel s%'5. .N +2.8 Artisan Funds: Int .. 26.57 +.03 -0.2 M;dCip 3224 .15 +1.2 M"a: ipV3i 19.i3 r2 +0.9 Baron Funds: Akt-r 569,: -0.7 0D.,lMu 139' 0 O TGMrowth 47.71 553 -+2 3.0 SmClV 24.60 -.1 44.6 BlackRock A: AuroraA'.7;3 16 .1 " HiYlnvAe .3 3 ,8 Ltegacy 1|F- -01 -:.3 Bramweil Funas: Growftp 19.65 -.02:+02 Brandy-Aine Fds: B T,',lwr,r,.--, .-5 +1.6 Brinson Funds Y:. H.icl.j i 'r 'C ... +0.9, CGM Funds: C.rCr- ,. :i a +.49 +4.8 F.er. 6A T .19 .l0*.1U6 Mutlr. '3 7 +..3 .35 Calamos Funds: ,&Gih'.A;,32lr .3 1 .14 . GrowthCt55.16 +.11 -0.3 Calvert Group: lncop 16.74 ... +0:1' SIntlEqAp 22.00 +.02 +0.1 MBCAI 1027 ... +0.1 ,Munlnt, 10.70 ... +0.1 SuoaiA p '6- 8 -.02 -1.0 .i,:p i '578 -.01 -0.3 SocEqAp 35.65 -.02 -1.5 TxFLt 10.58 ... +02 TxFLgp 16.55 ... +0.2 TxNFVT 15.65 +.01 +0.2 Causeway IntI: tnstitltnrn17.29 -.04 -12 Clipper 8" 9 -.01 -22. Conen & Steers: RNtyShrs 77.01 +.35 +1.5 Columbia Class A: Acorn t 2921 +.08 +2.9 Columbia Class Z: AcomBZ' 29.85 +.07 +2.9 AcorlntZ 36.34 +.07 +3.3 Columbia Funds: ReEsEqZ25.78 +.11 +0.7 DWS Scudder Cl A:; DrHIRA 46.08 +.06 -1.3 DWS Scudder CIS: CorPalsnc 12.68 ... -0.1 EmMknia 11.75 +.04 +1.7 EmMkGrr 24.04 +.32 +4.7 EuroEq 32.04 +.01 +2.0 GBbBdSr 9.46 -.01 -1.3 GIbOpp 41.569 -.03 +2.0 GIblThem 32.60 +.18 +2.3 Gold&Pra 22.98 +.47 +9.3 Hi~ldTx 12.85 ... +0.4 IntTxAMT11.19 ... +0.1 IntI FdS 53.37 +.05 +0.4 LgCoGro 25.73 +.02 -1.6 LatArmsrEq 53.63 +85 +8.3 MgdMuniS9.13 ... +0,3 MATFS 14.31 '... +02 PacOppsr 17.37 +.27 +1.9 ShtTmBdS 9.93 '... +0.1 Davis Funds A: .NYVenA 33.96 +.05 -1.9 Davis Funds .B: :NYVenB 32.55 +.04 -2.0 Davis Funds C &Y: NYVenY 34.34 +.05 -1.9 NYVen C 32.76 +.04 -2.0 Delaware Invest A: TrendAp 23.94 +:09 +3.8 TxUSAp 11.52 +.01 +0.2 Delawere Invest B: DelchB 3.28 ... +0.9 SelGrBt 24.13 -.07 -2.5 Dimensional Fds: lntSmVan18.99 +.03 +1.6 .USLgVan22.63 +:10 +1.0 US Micro n16.04 +.08 +4.9 USSmailn21.12 +.10 +4.5 US SmVa 28.72 +.16 +5.0 ilntlSmCon17.42 +.03 +0.9 "EmgMktn22.70 +29 +32 IntVan 19.08 ... +0.4 DFARIEn26.68 +.13 +2.0 Dodge&Cox: Balanced 82.84 -.06 -0.2 i come 12.57 ... -0.1 :InsSIk 36.75 +.01 -0.2 'Stock 140.80 -.14 -0.5 Dreyfus: Aprec 39.79 +.04 -2.5 Discp 34.30 +.04 -1.2 Dreyf 10.45 +.01 -1.3 Or500ln t 36.87 +.02 -1.5 EmgLd 44.53 +25 +3.0 FLIntr 13.04 ... -0.1 InsMutn 17.84 +.01 +0.1 StrValAr 29.36 +,07 +0.1 Dreyfus Founders: GrowthB nlO.54 -.03 -2.4 GrwthFpn11.07 -.03 -2.3 Dreyfus Premier: CoreEqAt 14.77 +.01 -2.7 CorVlvp 31.85 .+.07 -1.1 LtdHYdA p728 -.01 +0.5 TxMgGCt 15.71 +.01 -2.9 TchGroA 24.72 +.04 -2.1 Eaton Vance CI A: ChinaAp 17.00 +.24 +5.6 GrwthA 8.32 +.07 +3.6 InBosA 6.38 ... +0.9 SpEqtA 12.42 +.06 +4.4 MunBdl 10.75 +.01 +0.6 ValueBp 6.87 +.01 +0.6 Firsthand Funds: GIbTech 4.25 +.01 +3.4 Tech Val 35.77 +.35 +3.1 Frankrremp Fmk A: AGEAp 2.10 ... +0.6 AdJUSp 8.91 ... +0.2 ALTFAp 11.45 ... +0.1 AZTFAp 11,02 ... 0.0 Ballnvp 64.80 +.27 +2.8 CallnsA p12.68 +.01 +0.2 CAIntAp 11.51 ... +0.1 CalTFA p 7.28 +.01 +0.2 CapGrA 11.27 ... -2.3 COTFAp 11.98 ... +0.1 CTrFAp 11.06 ... 0.0 CvtScAp 16.60 -.01 +0.1 DblTFA 11.90 ... +0.3 DynTchA 26.55 -.01 -2.9 EqlncAp 20.67 +.05 -1.5 Fedlntp 11.39 +.01 0.0 FedTFAp12.06 ... +0.1 FLTFAp 11.88 ... +0.1 FoundAlp 12.81 +.03 -0.2 GATFAp 12.07 ... 0.0 GoldPrM A 30.40+.58 +9.6 MTALF 3D Ho T RA* TE UUA*FNITBm E Here are the 1 000 biggest mutual funds listed on Nasdaq. Tables show the fund name, sell pnce or Net Asset Value (NAV) and daily net change, as well as one lotal return figure as follows- Tues: 4-wk total return (%1 Wed: 12-mo lotal return l%) Thu: 3-yr cumulatve total return ("'%l Fri: 5-vr cumulat e total return (%) TradGvA 7.28 -.01 00 Eaton Vance Cl B: FLMBI 10.93 +.01 +0 3 HithSBt 11.95 -.01 -36 NatiMBt 11.38 +.01 +0F. Eaton Vance Cl C: GovtCp 7.28 ... 40 1 NaSMCt 11.38 +.01( +0 Evergreen A: AstAilp 14.43 +.03 +1 I Evergreen B: DvrBdBt 14.55 ... 06 MuBdBSt 7.48 +.01 +01 Evergreen C:. AstAl0Ct 14.03 +.03 +01 Evergreen I: CrBdl 10.41 -.01 -.3 SIMunil 9.93 ... +0 1 Excelsior Funds: Energy 27.23 +55 +55 HiYIeld p 4.51 ... -0 i ValRestr 48.59 +.39 +- 7 FPA Funds: Nwlnc 10.85 ... -(I Federated A: AmLdrA 23.77 +.09 ' MidGrStA36.92 +24 +3 MUSecA 10.65 ... +0 1 Federated B: StlncB 8.65 ... +0 Federated Insti: Kaufmn 5.86 +.01 +21 Fidelity Adv FooT: HtCarT 23.54. -.20 -22 NatResT 46.64:+.75 +7.8 Fidelity Advisor A: DivintlAr 22.34 ... +0.8 Fidelity Advisor I: Divlkt n 22.63 ... +0.6 EqGrdn 51.61 -12 -1.8 Eqlnln 29.18 -+.08 -0.6 IntBdin 10.81 ... -0.2 Fidelity Advisor.T: BalancT 16.41 +.05 +0.8 DMvntTp 22.13 ... +0.5 DivGrTp 12.17 -.03 -2.0 DynCATp 17.12 +.06 +0.9 EqGrTp 48.81 -.12 -1.8 EqlnT 28.81 +.08 -0.7 'GovlrnT 9.91 -.01 -0.3. GrOppT 33.18 -.12 -4.8 HilnAdT010.04 +.05 +1.9 lntBdT 10.79 -.01 -0.3 MidCpTp 24.76 +.06 +2.0 MulncTp 12.92 ... +0.1 OvrseaT 20.78 -.04 -0.6 STFfr 9.38 ... +0.1 Fidelity Freedom: FF2010n 14.27 ... -0.4 FF2020n 15.05 +.01 -0.5 * F2030n 15.43 +.02 -0.6 FF2040n 9.09 +.01 -0.5 Fidelity Invest: AggrGrrn18.86 +.03 +1.8 AMgrn 16.20 -.02 -0.9 AMgrGrn 15.24 -.02 '-1.2 AMgqdnn 13.06 +.02 +0.7 Balancn 19.43 +.05 +0.9 BlueChGrn43.43-.12 -2.6 CAMunn 12.41 ... +02 Canadan46.65 +.41 +5.3 CapAp n 26.29 +.07 +0.3 Cplncrn 8.458 ... +0.8 ChinaRg n20.38 +.19 +1,5 CngSn 401.61-1.14 -3.0 I ni. r nr 13' ... 0.0 :.>',, n .8i +.16 -0.2 S..,ri'2.- +;14 +2.9 E. Atn 14.51 +.01 --2.0. Destlln 1223 -.03 -1.1 DisEqn 28.31. +.03 -0.9 Divln n 34.43 -.01 +0.8 DivGthn 29.03 -.09 -2.0 ErmrMk n 20.54 +24 +5.2 Eq lnn 54.00 +.17 -0.8 EQII n 23.32 +.05 -0.1 ECapAp 23.75 +.06 +2.5 Europe 38.64 +.07 +1.5 Exchn '283.35 +26 -0.1 Exportn 22.07 +.04 -0.4 F,1l4,'- 32.47 -.05 -1.6 FiTy r,"L 23.55 -.01 -02 FLMur n 11.43 ... +0.1 FrlnOne n26.96 +.02 -07 GNMAn 10.82 ... -01_ Go.liy,.:r. r1uC' -u1 -02 GC.C,:. ', ,.67 W -2.0 : Graolnn 34.87 +.03'-2.1 Grolncll,n 10.37 -.01 -1.1 Highlnc r n 8.84 ,... +0,8 lndepn n 20.58 +.02 +0.9 . InlBdn 1025 ... -02 IntGovan 9.99 -.01 .-0.2 IntlDiscn 33.57 ... +0.8 IntSCp rn2.29 +.13' 2.9 nvGB n 7.35 ... -.0.1 CJawr 1r8,5 07 -1 7 Jprr.n 71".)7 +16 I' aA... r.o7, r.T'7,. 43 . evCmIrn Q77619 31 .26 E.acPr, 4.3; i 18 .24 MEID Mun rl 83 0:0 VAt.Aurir,.IIA.' .01 MIMunn 11.82 -: I rA;dC ...2.S 1B 4 r.1l: Mtr MurnI1 40 +37 I Mc.: n 11 O -0.2 Mur,.ir.n I;n +12 .041 rJi Mur r nl J 47 0.0 It Wo .1.-r r j1 i, +.1.9 tJA.M,Ir, : 3',. 3 +2.5. Ill Mur..., 1;6 +0.1 OTCn 38.56 -.13 -3.0 .OhMun n 11.63 ... +0:1 OvTsean 43.32 +.10 +0.2 PcBasn 26.87 +.17 +0.1. PAMun rnlb.78 .:. +0.1 Puritnn 19.03 +.04 -0.5 R0aEc.i 3: .3 s 11 +1.2 iltr.lfr.lu r0 1 ... 0,0 . STBFn 8.84 .. +0.1 SmCapInd n21.94+.03 +2.5 SmlICpS r n19.58+.06 +2.8 SEAsIan 22.79 +.29 +2:3 SSkSIlcn 25.30 -.02 -1.2 StratIncn 10.46 ... +0.1 Trend n 58.39 -.03 -1.1 USBI n 10.86 ... -02 Utilityn 15.44 +.04 +2.4 ValStratn32.40 +.13 +12. ' Valuen 79.14 +.33 +1.1 Wrfdwn 20.17 ... -0.7 Fidelity Selects . Arn 4226 +.30 +2.6 Auton n 33.84 +.02 -32 Banking n35.56 +.03, -2.6 Botchn. 64.76 -.25-0.1 Broken 7425. +.48 +3.1 Chem n 68.54 +.62 -0.3 Compn 36.97 -.09 -2.6 Conlndrn 25.31 -.03 -1.4 Cstlon 48.93 -.02 -02 DfAern 76.69 +.64 +2.6 DvCm n 21.59 +.01 +0.2 Electrn 47.38 +.37 +0.8 Enrgyn 53.77 +.93 +7.9 EngSvn 77.44+1.97 +0.7 Envirn 16.92 +.08. +.1 FinSvn 117.27 +.35 -1.1 Foodn 51.33 -.05 -0.5 Goldrn 38.10 +.37 +6.8 Health n 136.63 -121 -22 HomFn 51.03 -.14 -2.4 IndMtn 47.35 +86 +5.3 Insurn 67.43 -.01 -3.9 Leisr n 78.74 -.04-3.0 'MedDIn 54.13 -.44 -2.4 MdEqSys n24.42-.17 -2.6. Multmd n 47.64 -.04 -5.0 NtGasn. 43.97 +.74 +7.3 Paper n 30.41 +.25 -0.9 "Phansn 10.28 -.07 -0.1 Retail n 49.94 -08 +02 Softwrn 54.04 -.19 -3.7 Techn 65.11 -.06 -3.0 Telcmns 40.48 -.09 +0.7 Transn' 49:08 +.36 +4.6 UtlGrn 44.92 +.12 +1.6 Wireless n 7.14 .+.01 -0.3 Fidelity Spartan: Eqldxlrnvn44.82 +.04 -1.5 5001nSlnv r n87.30+.07 -1.5 GovInn 10.86 ... -0.1 !nvGrBdn10.37 -.01 -0.2 Fidelity Spart Adv: FiratrEeale: GIbIA [ 43.74 +08 +1.0 OversuesA 24.21+.05 +1.6 First Investors A BICtpAp2t.19 ... -1.7 GloblAp 7.41 +.02 -0.3 GovtAp 10.83 ... -0.3 GrolnAp 14.46 +.02 +0.1 IncoAp 3.00 ... -0.1 MATFAp 11.83 ... -0.1 MITFAp 12.32 ... +0.1 MIdCpAp 29.24 +.09 +2.0 NJTFAp 12.91 ... +0.1 NYTFAp 14.36 ... +0.1 PATFAp 12.91 ... +0.1 SpSitA p 21.61 +.07 +3,4 TxExA p 9.97 .... 0.0 TetRtAp 14.42 +.01 +0,1 GrwthAp 36.53 -.14 -2.8 HYTFAp 10.76 .. +0.2 IncomAp 2.44 +.01 +0.5 InsTFAp 12.28 ... +0.1 NYlTFp 10.90 ... 0.0 LATFAp 11.48 ... +0.1 LMGvScA 9.88 -.01 -02. MDTFAp11.72 .. +0.1 'MATFA p 11.87 0.0 MITFAp 12.23 ... +0.1 MNInsA 12.08 ... 0.0 MOTFAp 12.24 ... +0.1 NJTFAp 12,10 ... +0.1 NYInsAp 11.57 +.01 +0.1 NYTFAp 11.81 +.01 +0.2 NCTFAp 12.26 ... +0.1 Ohlol A p 12.53 ... +0.1 ORTFAp 11.83 ... +0.1 PATFAp 10.39 ... +0.1 ReEScA.p26.81 +.01 +0.6 RisDvAp 33.10 +.10 -0.8 SMCpGrA 39.55 +.09 +1.9 USGovA p 6.48 ... -0.2 ur.iLAp 11.98 +.05 -0.4 vATFAp 11.80 ... +0.1' Frank/Temp Frnk B: lncormBI p2.44 .. +0.4 IncomeB t 2.43 ... +0.4 Frank/Temp Frnk C: IncomC't 2.45 ... +0.4 Frank/Temp Mtl A&B: DIscA 27.06 +.17 +1.5 QualfdAt 20.26 +.11 +0.5 SharesA 24.37 +.04 + j3 Frank/Temp Temp A: C.r.Mtkni :46 :'- +3.0 ForgnAp 13.13 -.01 -0,7 GIBdAp 10.60 ... +0.7 GrwthA p 23.47 -.03 -1.5 IntxEM p 16.67 -.06 -0.3 SWortdAp 18.33 ... -0.8 Frank/Temp Tmp Adv: GrthAv 23.49 -.02 -1.4 Frank/Tem6 rTmp B&C: DevMktC 25.00 +.27 +2.9 Forgn p 12.96 -.01 -0.7 GEEfunS&S: S&S PM 43.94 +.02 -9 7 GMO Trust III: "EmMkr 22.50 .42 +3.0 For 16.59 0C? +02 iniGrEQ 29.98 .10 NE ilrIr.wtVI 32.14 +.02 -0 USCoreEq 14.25-.04 -1.7 GMO Trust IV: Er.I, .5 +.41 +3.0 Ir.rllrlr' i I] +.02 -0.2 Gabelli Funds: A..,o ;.4 +.07 +0.8 Gartmore Fds D: B.:.'d '' 7 .. 0.0 ,.6,D 1I0 iC -.01 1)3 GrowthD 7.21 -.01 -1.8 NafionwD'19.19 +.05 -0.8 TxFrr 10.52 -.01 +0.1 Gateway Funds: Gateway 25.30 ... +0.2 Goldman Sachs A: GrincA 26.27 +.09 -0.7 MdCVAp36.17 +.19 +0.6 SmCapA 43.81 +.24 +4.1: Guardian Funds: C lorC.,A 1t50-C?-' I P,rAA 31-. -C-9 Harbor Funds- 6ond 11.. -ul -04 CapAplr.-. 33 0T +.02 -2.6 i,, ,i ,,C' +,19 0 Hartford Fds A: A.Ir- Ap 1601 -101 -1.3 p'I:.A ,.i 'I .I8" .)I I C 'ih tr'Ab141 ) -u ' Hartford HLS IA: Bond 11.28 ... -0.2 CapApp 55.4 +.21 +0.3 Div&Gr 21.27 +.10 -0.1 Advisers 22.75 -.01 -1.2 Stock 49.99 -.06 -1.6 Hartford HLS IB: CapApp p 54.97 +.20 +0.2 Hennessy Funds: CorGrow 21.48 +.2 +6.7 CorGroIl 31.85 +.23 +3.9 HollBaiFd n15.50 -.01 -1.7 Hotchkls & Wriey: LgCpVIAp 23.91 +.05 -1 3 MidCpVal 28.94 -.02 0.0 ISI Funds: NoArm p 7,45 ... -0.1 JPMorgan A Class: " MCpValtp 23.88 +.08 +0.3" JPMorgan Select: ., IntEqn 34.06 -.13 0.0 JPMorgan Set Cis: - CoreBdn 10.57 -.01 -0.4 IntrdAmnern24.95+.04 -0.5 Janus : Balanced 22.91 +.02 -0.4 Contrarian 15.87 +.10 +1.3 CoreEq 24.96 +.10 +1.7 Enterpr 43.93 +.08 +1.7 FedTEn 6.98 ......0 Fi.Br, j,,94 '4 -0.3 Fun.d1 X. 1 )1 -1.1 GI LifeSci r n20.63-.12 +0.5 .Grechr 12.64 +.04 -0.4 Grinc 37:95 +.23 +12 Mercury 23.37 +.01 -1.6 MdCpVal 22.94 +.07 +0.5 Olympus 33.52 -.02 -1.1 Orion 8.79 +.01 +1.5 Overseas r 35.77 +.34 +5.8 ShTmBd 2.87 ... +02 Twenty 50.00 +.09 -1.7 Ventur 61.85 +.34 +4.8 WddW r 44.02 +.01 -2.1 JennlsonDryden A: BlendA 18.73 +.11 -0.4 HIYndAp 5.68 -.01 +0.3 InsuredA 10.78 .. +0.1 UItityA 14.97 +.10 +2.3 JennlsonDryden B: GrowthB 15.08 +.01--2.8 HIYIdBt 5.67 -.01 +0.2 InsuredB 10.80 ... 0.0 John Hancock A: BondAp 614.90 ... -0.2 ClassicVlp 25.03 +.06 -0.8 StrlnAp 6.86 +.01 -0.1 John Hancock B: StrlncB 6.86 +.01 -0.1 Julius Baer Funds: IntEql r 39.06 +.20 +2.2 InUtEqA 38.34 +.19 +2.1 Legg Mason: Fd OpporTrt 17.39 +.04 +1.0 Splnvp 46.00 -.02 +05 VadTrp 66.94 -.31 -i. Legg Mason Insll: . VaTrdnst 73.77 -.35 -5.8 Longlesf Partners: Partners 32.01 +.08 +0.9 Int 17.86. +.04 0.0 SmCap 27.94 +.04 +1.3 Loomis Sayles: LSBondl .13.85 +.01 +1.1 Lord Abbett A: AffiAp 14.44 -.01 -0.2 BdDebAp 7.86 ... +0.3 GlincAp 6.78 -.01 -1.7 MIdCpAp22.03 +.04 -1.6 MFS Funds A: MITA 18.77 +.02 -1.6 MIGA 12.99 -.02 -2.5 GrOpA 9.00 -.02. -2.9 HilnA 3.82 .,. +0.6 MFLA 10.11 ... +0.1 TotRA 15.48 +.01 -1.2 ValueA 23.64 +.07 -0.8 MFS Funds B: MIGB 11.86 -.02 -2.5 GvScB 9.46 ... -0.4 HilnO 3.83 .-.01 +0.2 MulnB 6.59 ... +0.1 TotRB 15.48 +.02 -1.3 MainStay Funds B: CapApB t29.37 -.04 -1.6 ConvBt 14.27 +.05 +1.2 GovtBt 8.19 ... -0.3 HYIdBBIt 6.24 ... +0.1 IntlEqB 13.33 -.03 -1.3 NSmCGBp 15.83 +.05 +3.3 TotRtBt 19.09 +.02 -0.9 Mealrs & Power: Growth 72.22 +.20 -1.7 Managers Funds: SpclEqn 91.68 +.20 +2.2 Marelco Funds: Focusap 18.48 -.09 -0.8 Merrill Lynch A: GIJA p 17.54 +.06 +0.7 HeatlhAp 6.87 -.04 -1.7 NJMunBd 10.65 ... +0.2 Merrill Lynch B: BalCapB 125.26 +.07'-0.7 BaVIBt 31.14 +.08 -0.9 BdHilnc 5.10 +.01 +1.5 CalnsMB 11.57 ... +0.2 CrBPtBt 11.53 ... -02 CprrlTBt 11.70 ... -0.1 EquityDiv 16.50 +.09 +1.5 'EuroBt 16.67 +.01 +0.1 FocValt 13.02 +.08 -0.3 FndlGBt 17.61 +.06 -1.1 FLMBIt 10.38 +0.1 GIAIBt 17.19 +.06 +0.6 HealthBt 5.07 -.03 -1.7 LatABt 41.37 t.64 +8.6 MnlnBt 7.84 ... 0. ShTUSGt 908 ... +0.1 MuShtT 9.93 ... +0.1 MulntBt 10.22 ... +0.1 MNtlBt 10.50 ... +0.1 r.rrlTi 1065 +.01 +0.3 J.r.l06l Ir'1) +.01 +0.2 NatRsTB t 53.82 +.93 +6.2 PacBt 23:94 +.21 +0.6 PAMBt 11.26 ....+0.2 vu',ai i, lp ;l ,'. +3.3 U1.6:.. Cr03 -0.3 UlT1art 12.38 +.07 +0.7 , WidlnBt 6.17 +.01 -1.0 Merrill Lynch C G rn I iL 'n .. t. +0.6 Merrill Lynch I: BalCapt 26.04 +.07 -0.7' BaVII 31.86 +.10 -0.8 BdHInc 5.09, .. +1.4 CalnsMB 11.56 ... +0.1 CrBPUIt 11.53 ... -02 C iTI 11.70 ... -0.1 [L'. g1,p 25.21 40) .' EquityDv 16.46 1I .1 i Eurolt 19.44 +.01 +0.1 FocVall 14.38 +.09 -02 FLMI 10.38 ... +0.2 GIAht 1759' +.06 +0.7 HIIar.l 7.49 -.04 -1.7 LUA .43.32 +.68 +8.7 Mninl 7.85 ... +0.1 MnShtT 9.93 ... +0.1 MulTI 10.22 ... +0.1 MNaI 10.50 ... +0.2 NatRsTrt 57.27 +.99 +62.2 Pacl .26.07. +.23 +0.7 ValueOpp 27.52 +.06 +3.3 USGovt 10.03 ... -0.2 uiri.:'" i 1241 +.07 +0.7 i.i,:l l .I7 '+.01 -0.9 SMd3as Funds: M,.li az,1 i-ji -+.06 +8.6 Monetta Funds: Monettan12.61 +.06 +1.1 Morgan Stanley A: DivGthA 33.44 ... -1.8 Morgan Stanley B: GIbDivB 14.80 -.04 -2.3 GrwthB 14.07 ... -2.6 StratB 19.28 +.01 -0.6 MorganStanley Inst: GnVaiEqAn18.11-.05 -2.2 IntlEqn 20,93 -.11 -21 Muhlenk 86.28 +.22 -- I Under Funds A: IntemtA 20.81 -.05 -5.6 Mutual Series: BeacnZ" 15.91 +.06 +0.6 DiscZ 27.32 +.18 +1.6 QualfdZ 20.36 +.10 +0.5 Shai,,-iZ 2 +0.4 tNeuberger&Berm Ir.w. Fcu- 33'" 13 +1.3 i,.rir _2 -01 +3.0 Partner 29.58 +.13 +1.5 Neuberger&BermTr: ,r.I. 51 !i 26 +2.5 Nicholas Applegale: :'.'i.,; G.-l .-, i -" ..08 + 5 Nicholas Group: Hilncin 2.13 ... -:5' Nichn 59.33 +.15 -0.4 Northernm Funds:! SmCpldxnl.38 +.06 +4.1 Technyan1.91 -.01-3.0 Nuveen Cl R: ; InMunR 10.82 +.01 +0.2 Oak Assoc Fds: WhitOkSG n32.15+.13 -5.0 Oakmark Funds I: Eqtylncrn25.04 +.01 -1.3 Global n 24.10 -.04 -1.0 Intlirn 23.76 +.02 +1.0 Oaknarkrn41.01-.05 -2.0 Selet rn 33.53 +.09 -0.1 Old Mutual Adv II: Tc&ComZnl2.88+.07 -2.0 Oppenheimer A: AMTFMu 10.11 ... +0.3 AMTFrNY 13.00 +.03 +1.7 CAMuA p 1143 .'+104 C;.ag.A p:4) ,6 '3 -1 : C lrcApli 85 -0-1 -1 8 ChlncAp 9.39 ... +0.6 DvMktAAp39.43 +.39 +2.5 Discp 47.81 +.34 +3.0 EquyA .10.79 ... -0.6 GlobAp 69.50 +.17 -0.5 GIbOppA 39.81 +.07 +2.7 Gold p 27.96 +.68+105 HiYdAp '9.39 ...-r)1. Irr.Ap 5.91 +.01 -On U.JIrTMU I .. +0.3 MnStFdA 37.91 +.03 -1.1 MIdCapA 19.08 +.08 +1.9 PAMiuniA p12.73+.01 +0.5 StrInAp 4.23 ... +0.4 USGvp 9.49 -.01 -0.1 Oppenheimer B: . AMTFMu 10.07 ... +0.3 AMTFrNY 13.00 +.03 +1.6. CplncBt 11.72 -.01 -1.9 'ChlncBt 9.38 ... +0.5 EquityB 10.35 +.01 -0.7 HIYIdBt 9.24 -.91 +0.4 StrlncBt 4.24 ... +0.4 Oppenhelm Quest: QBalA 17.75 -.04 -3.1 Oppenheimer Roch: RoMuAp18.32 +.01 +0.7 PIMCO Admln PIMS: TotRtAd 10.46 -.01 -0.4 PIMCO Instl PIMS: AIIAssei 12.85 +.01 +0.3 ComodRR 14.86 -.14 +0.5 HiYld 9.79 -.01 +0.5 LowDu 9.96 -.01 -0.1 RealRtnl 11.10 +.01 +0.4 TctRt 10.46 -.01 -0.4 PIMCO Funds A: RealRtAp 11.10 +.01 +0.3 TotRtA '10.46 -.01 -0.41 PIMCO Funds D: TRtnp 10.48 -.01 -0.4 PhoenixFunds A: BalanA 14.74 -.01 -0.3 CapGrA 15.33 -.06 -3.7 Int[A 11.95- +.01 -0.3 Pioneer Funds A: BalanAp 10.01 -.01 -1.1 BondAp 9.13 -.01 -0.4 EqlncAp 29.33 +.07 -0.9 EurSeiEqA 34.01 +.03 -0.2 GnwIAp 12.46 -.03 -3.8 IntliVailA 21.24 +.06 -0.4 MdCpGrA 15.52 +.06 +0.6 MdCVAp 23.78 +.08 -0.6 PlonFdAp 44.97 +.01 -0.9 TxFreAp 11.61 ... +0.1 ValueAp 17.85 +.09 -1.1 PIoneer Funds B: . HmYdBt 10.98 +.02 +0.8 MdCpVB 20.78 +.06 -0.7 Pioneer Funds C: HiYIdCt 11.08 +.02 +0.8 Price Funls: Balance ns0.05 +.01 -0.8 BIChlpn 33.18 -.02 -1.7 CABond 0O.99 ... +0.2 CapAppn20.51 +.05 -0.2 DivGron 23.07 +.03 -1.5 Eqlnsn 26.37 +.06 -1.0 Eqlndex n34.04 +.03 -1.5 Europe n 18.29 -.02 +1.6 FUntm n 10.76 -.01 -0.1 GNMAn 9.46 ... -0.2 Growth n 28,98 -.05 -1.1 Gr&lnn 20.89 +.04 -1.6 HithScin 26.07 -.16 +0.4 HiYieldn 6.93 ... +0.3, ForEqn 18.26 +.03 -0.2 IntlBond n 9.32 -.03 -2.5 IntDisn 44.37 +.11 +1.7 IntlStkn 15.49 +.02 -0.1 Japan n .12.01 +.07 -2.8 LatAmn -29.79 +.38 +9.2 MDShrtn 5.13 ... +0.2 MDBond n10.66 ... +0.1 MidCapri 55.87 +.17 0.0 MCapValn24.20 +.09 +1.1 N Amer n 32.42 -.02 -1.0 NAsian 12.62 +.15 +2.0 New Era n45.71 +.65 +5.7 NHorizn 33.73 +.08 +2.3 Nincn 8.93 ... -0.2 NYBondn11.32 +.01 +0.2 PSIncn 15.28 +.01 -0.3 RealEst n 20.71 +.08 +1.8 SaTecn 19.96 +.03 -3.5 ShtBd n 4.67 ... -0.1 SmCpStk n34.89 +21 +32 SmCapVal n40.04+.32 +4.8 SpecGrn 18.84 +.03 -0.2 Specinn 11.82 ... -0.4 TFIncn 9.99 +.01 +0.2 TxFrHn 11.94 ... +0.5 TFIntnn. 11.10 ... 0.0 TxFrSI n 5.33 .. -0.1 IJSTInt n I ... -0.7 USTL g. I 178 +.01' -0.5 VABond nl.63 ... +0.1 Value n 23.86 +.04 -0.6 Putnam Funds A: AmGvA p 8.89 ...,-0.3 AZTE 9.20 ... 0.0 CiscEqAp 13.37 +.01 -2.2 Conv p 18.05 +.03 +1.0 DiscGr 19.31 +.07 +1.2 DvrinAp 9.92 ... -0.1 EuEq 23.89 +.03 -0.5 FLTxA 9.15 ... +0.2 GeoApp 18.07 +.03 -1.2 GIGvAp 12.07 +.01 -1.4 GIbEqtyp 9.50 +.04 -0.4 GrInAp 19.88 +.05 -2.0 HIthAp 62.08 -.43'-32 HiYdA p 7.98 +0.4 *HYAdAp 6.01 .. +0.4 IncmAp 6.75 +.01 -0.1 i,,.u' p 27.41 +.05 -0.8 irill.i.p 14.09 +.03 -0.6 InvA p 13.74 ... -2.1 MITxp 8.99 .... +0.1 MNTxp 8.99 ... +0.1 NJTxA p 9.20 ... 0.0 NwOpAp47.04 -.06 -0.7 OTC A p 8.50 +.05 +3.8 PATE 9.10 .. +0.2 TxExAp 8.77 ... +0.1 TFInA p 14.87 ... 0.0 TFHA 12.94 W.., USGvAp 13.13 +.01 -0.2 UtilAp "- 5 +.03 -1.9 VstaAp 31 t",n .", VoyAp .6 -,.4 -.14 Putnam Funds B: CvAi -44- .-:4 -1.:1 C.:'-:E,'6lI 1: ., *02 -2.2 D.,or 177 ,6 +1.1 DvdndSt 9.84 ... 0:0. EqInct Il84 0 -1.4. EuEq -'31 ('2 -0.6 FLTxBt 9.15 ... +0.1 GeoBt 17.88 +.03 -1.2 1.",, I 01 3 .01 -14 6 6rb 6r 5%? -0 I Hiir.Bt 392 14 -l- H,Mil.3rB 7"4 r.61 HA.30 5.93 ... '+0.3 irnc, i 6.70 ... -0.3 1,,. I 13.88 +.03 -0.6 IntlNopt 13.45 +.08 +0.9 InvBt 12.63 ... -2.2 NJTxBt 9.19 ,.. -0.1 NwOpBt 42.15 -.05 -0.8 NwValp 17.80 .+.06 -2.1 NYTxB t 8.63 ... 0.0 OTCBt "49.+.04+3.7 TxExBt t7 ... -0.1 TFHYBt 12.96 ... +02 TFInBt 14.89 ... 0.0 USGvBt 13.05 ... -0.3 UfIBt 10.99 +.04 -1.9 rVitaBt 9.84 +.01 +2.1 VoyBt 15.18 -.03 -3.5 RuaerSource/AXP A: D,:.c. :i21 'n +3.8 DEI 0'25- *0 +1.5 DivrBd 4.79 ... -0.3 DvOppA 7.65 +.02 -0.4 GIblEq 7.03 +.02 +1.4 Growth 28.98.-.12 -2.5 HiYdTEA 4.38 .. +0.1 Insr 5.34 ... -0.1 Mass 5.31 ... -0.1 Mich 5.23 ... -0.1 MInn 5.26 ;.. +0.1 NwD 19.92 -.01 -1.9 NY 5.04 .,. 40.1 Ohioh 5.25 ... +0.1 HdC... 0.73 .. -0.0 RiverSourcelAXP B: EqValp 11.89 +.07 +1.6 Royce Funds: LPirFl. r l430 +.10 +4.8 M.-'..7pi 17'6' +.10 +6.8 Premlerlr 17.85 +.15 +2.8 T5c.O .r 13 283 ..06 +2.8 Russell Funds S: '.,E.-I '.A9 ..04 -0.7 QuantEqS 38.94 +.08 -1.0 Rydex Advisor: OTCn 10.64 -.045 -45 SEI Portfolios: CoreFxAn10.31 ... -0.1 IntlEqAn 13.00 +.02 -0.1 -,LCG,'Arr.",0u; -C'2 ,-1.6 ' LgL'JvuAr.i "-. ,07 -0.3 STI Classic; CpAppAp 11.80 ... -1.2 CpAppCph .10 ... -1.2 LCpVIEqA 13.30 +,06 +0.3 QuGrStkCt23.76-.01 -2.0 TxSnGrop 25.42 ... -1.9 Salomon Brothers: BalancB p 13.09 +.01 +02 Opport 52.28 +.02 -0.6 Schwab Funds: S10001diVr 3.86 +.05 -12 S&PInv 19.48 +.02 -1.5 S&PoSe 19.54 +.02 -1.5 SmCplnv 24.58 +.10 +3.4 YIdPlidI 9.66 -.01 +0.4 Scudder Funds A: FlgComA p 20.13+.03 +1.4 Scudder Funds S: GrolncS 21.89 -.01 -2.4 Selected Funds: AmShSmp 40.47 +.06 -2.0 Sellgman Group: FrontrAt 13.55 +.04 +5.0 FrontrDt 11.83 +.03 +4.9 GIbSmA 18.05 +.14 +3.4 GIbTchA 14.71 ..+0.8 HYdBAp 3.33 ... +0.6 Sentinel Group: ComS A p 30.59 +.09 -0.9 Sequoia n53.59 -.25 -2.3 Sit Funds: LrgCpGr 38.01 +.10 -0.9 Smith Barney A: AgGrAp112.55 +.57 +1.1 ApprAp 14.51 .... -1.9 FdVatAp 15.00 +.02 -0.9 HilncAt 6.79 -.01 +0.5 InAlCGA p 13.15 -.04 -1.4' LgCpGAp 22.40 -.05 -5.8 Smith Barney B&P: FValBt 14.05 +.02 -0.9 LgCpGBt21.04 -.05 -5.9 SBCplnot 17.36 +.02 +0,4 Smith Barney 1: DyvStr1 16.51 ... -1.3 Grlnc 116.07 +.04 -1.3 St FarmAssoc: Gwth 50.65 +.08 -0.7 Stratton Funds: Dividend 36.24 +.22 +2.1 Growth 48.33 +.33 +12 SmCap 47.32 +.29 +5.2 SunAmerica Funds: USGvBt 9.32 -.01 -0.3 SunAmerica Focus: FLgCpAp18.76 -.13 -3.9 TCW Galileo Fda: SelEqty 19.70 -.03 -7.5 TIAA-CREF Funds: BdPlus 10.09 ... -0.2 Eqlndex 9.16 +.02 -0.9 Groainc 13.21 +.01 -0.7 GroEq 9.73 -.01 -2.2 HildBd 9.12 ... +0.5 IntlEq 12.86 +.03 +1.4 MgdAlc 11.63 +.01 -0.2 ShtTr~d 10.31 ... 0.0 SocChEq 9.89 +.01 -0.9 TxExBd 10.71 ... -0.1 Tamarack Funds:. EntSmCp 30.23 +.10 +4.9 Value 39.07 +.10 -1.6 Templeton Inetlt: ErmMSp 20,61 +.24 +2.9 ForEqS 23.29 +.01 -0.2 Third Avenue Fds: Intir 22.13 +.04 +1.6 RIEstVI r 30.65 +.04 +1.9 Value 56.82 +.24 +1.2 Thomburg Fds: IntVulAp 24.81 +.04 +1.5 Thrlvent Fds A: HiYId 5.07 ... +0.2 Income 8.58 -.01 -0.2 Stocks finish mixed 2.-- Am M AYL& 1 S.W AM M.N :, .0 46 Alo~Y*S LgCpStk 26.65 -.01- -1.7 TA IDEX A: JanGrow p26.01-.10 -3.4 GCGlobp 26.55 ... -1.2 TrCHYBp 9.14 +.01 +0.5 TAFtnp 9.42 ... .+0.1 Turner Funds: SmlCpGr n27.98 +.09 +4.8 Tweedy Browne: GlobVal 27.40 +.05 +1.6 US Global Investors: AIIAmn 28.15 +18 +2.5 GibRs .. NA GIdShr 13.35 +30+12.9 USChina 8.60 +15 +6.7 WIdPrcMn 25.34 +.37+14.4 USAA Group: AgvGt 31.72 -.11 -1.1 CABd 11.14 +.01 +0.3 CmstStr 26.42 +.01 '-0.2 GNMA 9.56 -01 -0.3 GrTxStr 14.45 +.01 -0.7 Grwth 15.48 -.03 -1.4 "r.in,. 18.94 +.04 -02 ,',i 15.61 +.04 -' ) Inco 12.15 -.01 -0.2 Int1 24.57 -.05 +0.1 NYBd 11.98 ... +0.2 PrecMM 24.79 +.54 +8.3 SciTech '11.05 -.01 -1.2 ShfTBnd 8.82 .. +0.1 SE,T, C i.' 14 i.;, 07 +1.8 T.Ell I i E. +0.1 TxELT 14.04 ... +0.1 TxESh 10.62 ... +02 .VABd 11.60 "... +0.1 WIdGr 18.38 -.04 -1.2 Value Line Fd: LevGtn 23.74 +.18 +2.2 Van Kamp Funds A:, CATFAp 18.53 ... +0.1 CrT.:iA 17.85 -.01 -2.0 '..PAp 6.60 ... -0.1 EGAp 43.45 +.12 ,:) EqlncAp 8.75 ... -1.5 Exch 378.75+2.08 -O GrlnAp 20.69 -.01 -2.3 Hart.Ap 15i0 +.03 +1.5 HI,diA :ii ... +0.6 HrIMuAp 10 91 ... +0,3 inTFAp 18.51 +.01 +0.4 MunlAp 14.67 +.01 +0.3 PATFAp 17.33 +.01 +0.2 Stunlnc 13.7 .. +0.4 US MtgeA 13.59 ... -0.1 UtilAp 19.30 +.10 -0.2 Van'Kamp Funds B: EGBt 37.00 +.10 -0.1 EnterpBt 12.28 -.01 -1.1 EqlncBt 8.61 ... -1.5 HYMuBt 10.91 ... .4 MulB "14.63 .+.01 +0.2 PATFBt 17.28 +.01 +0.2 StrMunlno 13.26 ... +0.4 USMtge 13.53 .. -0.3 UtIB 19.25 +.11 -0.2 Vanguard Admiral: , CpOpAdln80.02+.01 +0.3 ExplAdml n74.81 +.27 +3.0 500Adml n116.64+.09 -1.5 GNMAAdn10.28 .. -0.3 HthCrn 59.75 -.26 -1.5 HiYldCpn 6.19 ... +0.6 HIYIdAdm nlO.79 ... +0.2 ITBdAdmlnlO.28 ... -0.5 ITAdmin 13.31 ... +0.1 LI1Tr4, r, IC' ;70 +0,1 MCpA,,TI',3l66. i45' 1.1 PrmCap'r n70.36+.21.-0.3 STsyAdmiln10.29-.01 -0.1 ShtTrAd n1554 ... +0.2 STlGrAd n10.50 .. +0.1 TtlBAdmln .01 ... -0.2 TStkAdm n30.71 +.04 -0.8 WellslAdm n5.32+.07 -0.6 WelltnAdt n53.39+,15 -0.1 Windsor n59.03 +.13 -1.6 WdsrllAd n56.21 +.06 -1.7 Vanguard Fds: AssetAn 25.70 +.03 -1.5 CALTn 11.70 ... +0.2 CI pT.inl 61.1 +.01 +0.3 Convrtn 14.01 ... +1.9 DivdGron12.62 +.01 -1.4 Energy n 63.62+1.03 +7.0 Eqlncn 23.18 +.04 -0.9 Explrn 80.35 +29 +3.0 FLLTn 11.62 ...+0.1 M01Md 10.28 .. -0.3 GIobEqn 20.43 +.1,1 +0.7 Grolncn 3225 +.06 -1.8 GrthEqn a10.91 +.05 0.0 HI ',:, i. 9 .. .. +0.6 HIIr,Cr+r,141 !,4 -.62 -1.5 InlaPron 12.19 +.01 +0.3 IntlExplrn 19.29 +.11 +1.8 IntlGrn 22.17 +.06 +0.1 ir,5il, n 370 +.25 +0.8 ItlGrma n9 7 ... -0.3 ITTsryn 10.84 -.01 -A0.4. UeCon n 15.67 +.01 -0.6 LlfeGro n 21.50 +.04 -0.7 Ufelncn 13.57 +.01 -0.5 LUfeMod n 18.79 +.02 -0.7 LTIGraden9.43 +.01 -0.2 LTTsryn 11.45 +.01 -0.3 MorgP n 18.25 +.04 -0.8 MuHYn 10.79 .:. +0.2 MulnsLgn12.62 ... +0.1 Mulntn 13.31 ... 0.0 MuLtdn 10.70 ... +0.1 MuLongn115.26 +.01 +0.1 MuShrtn 15.54 ... +0,2 NJLTn 11.82 ... +0.1 NYLTn 11.27 +.0'1 +0.1 OHLTTEn1.98 ... +0.2 PALTn 11.35 ... +0.1 PrecMts r n27.08+.45 +8.6 Prmcp rn 67.79 +.20 -0.3 SelValurn19.01 +.08 -1.5 STARn a20.00 +.04 -0.4 STIGrade ln10.50 .. +0.1 STFedn 10,23 -.01 -0.1 StratEqn 23.13 +.11 +1.8 USGron 18.23 +.01,-2.2 USValuen13.73 -.02 -0.9 Wellslyn 21.18 +.03 -0.6 Waelltnn 30.91 +.09 -0.1 Wndsrn 17.49 +.04 -1.6 Wndsll n 31.66 +.03 -1.7 VanguardIdx Fdas: 500n 116.63 +.10 -1.5 Balanced n20.10 +.02 -0.5 EMktn .21.07 +.37 +3.9 Europe n 29.20 +.01 -0.2 Extend n 36.22 +.16 +2.0 Growth n 27.82 -.03 -2.1 ITBndn 10.28 ... -0.5 LgCaplx n22.75 +.02 -1.4 MIdCapn 18.44 +.10 +1.1 Pacific n 11.75 +.04 -1.0 REITrn 21.10 +.10 +1.9 SmCapn 30.56.+.15 +3.4 SmlCpVIln15.47 +.08 +2.9 STBnd n 9.88 -.01 -0.2 TetBndn 10.01 ... -02 TotllntI n 15.07 +.06 +0.2 TotStkn 30Q71 +.05 -0.8 Value n 22.79 +.07 -0.7 Vanguard Instl Fds: Inatldxn 115.72 +.10 -1.5 InsPIn 115.72 +.09 -1.5 TotlBdldxn50.54 -.01 -0,2 InsTStPlus n27.65+.04 -0.8 MidCplstn18,49 +.10 +1.1 TBIstn 10.01 ... -0.2 TSInst n 30.72 +.05 -0.7 Vantagepoint Fdsa Growth 8.79 ... -2.2 Victory Funds: DvsStA 17.36 ...-1,3 Waddell & Reed Adv: CorelnvA 6.48 +.04 +2.0 Wasatch: SmCpGr 38.62 +.03 +2.7 Weltz Funda: Value 35.53 -.09 -2.1 Wells Fargo Adv: CmStkZ 22.87 +.08 +2.1 Opptylnv 46.82 +.34 +0.9 Western Asset: CorePlus 10.39 -.01 -0.1 Core 11.23 ... 0.0 William Blair N: GrOwthN 11.49 -.01 -1.0 InllGthN 26.86 +,10 +1.1 Yacktman Funds: Fund p 14.96 -.02 +0.4 Market watch Feb. 6, 2006 Dow Jones +,,65 . industrials 10,798.27 Nasdaq composite. 2,258.80 Standard & Poor's 500 1,265.02 Associated Press NEW YORK Stocks ended a listless session little changed Monday as cautious investors found few reasons to put money Into the market, even as upbeat remarks on Alcoa Inc. and General Motors Corp. helped prop up the Dow Jones indus- trials. Monday's aimless trading fol-, lowed reac- tion from traders as they try to decipher the Fed's stance on inflation and the pace of domes- tic employment growth.. For, now, however, Wall Street will be idle without much news to drive it, he said. "I think we're going through this natiral vacituum in the news cycle where we have a quiet 727.89 Name: Name of mutual fund and family. NAV: Nel asset value. Chg: Net change In price oi NAV. Total return: Percent change in NAV lor the time period shown, with dividends reinvested If period longer than 1 year, return is Ccum: Liooer. Inc. and The Associated Press Rates mixed in weekly auction of Treasury bills Associated Press \VASHINGTON Interest rates on short-term Treasury bills were mixed in Monday's auction. The Treasury Department auctioned $20 billion in three- month bills at a discount rate of 4.375 percent, unchanged from last week- Another $17 billion in six-month bills was auctioned at a discount rate of 4.500 percent, up from 4.435 percent The six-month rate was .the highest since 4.530 percent on March 5,2001. The discount rates reflect that these bill sell tor less than face value. For a $10,000 bill. the three-month price was $9.889.41 while a six-month bill sold for $9,772.50. Separately, the Federal Re- serve said Monday that the average yield for one-year Treasu ry bills, a popular index for making changes in ad- justable rate mortgages, rose to 4.60 percent last week from 4.50 percent the previous week FORGET TO PUBUCIZE? * Submit photos of successful community events to be pub- lished in the Chronicle. Call 563-5660 for details. . Bonds slipped, with the yield on the 10-year Treasury note rising to 4.54 percent from 4.53 percent late Friday, although the yield curve remained inverted as the two-year note edged up to 4.61 percent The U.S. dollar was mixed against other major currencies, while gold prices slipped. News that Iran has stopped cooperating with U.N. officials about its nuclear arms program sparked fears about disruptions from one of the world's biggest. oil suppliers and drove crude futures above $66 early in the session. However, a barrel of l eight crude slid 26 cents to settle at $65.11 on the New York Mercantile Exchange. ENROLL NOW FOR VOLUNTARY PRE-K IN YOURAREA! This message brought to you by: THE EARLY LEARNING COALITION OF THE NATURE COAST 658092 SWe Serve Citrus ITRUS &evy c T U Counties C COUNSELING W 741coholiSubstance Abuse I Family Counseling Supervised situations ..nd Erchanges Court Ordered- Probation Requirements .Substance Testing Jo L Gordon CAP-ICADC 352-447-2001 NYSE diary Advanced: 1,995 New highs Declined: 1,325 141 New lows Unchanged: 143 33 Volume: 2,195,651,173 i Nasdaq diary Advanced: 1,568 New highs 145 Declined: 1,459 New lows Unchanged :157 30 Volume: 1,812,000,231 AP economic calendar and the fourth-quartler earnings reports are slowing down." Hogan said. y,.,ror e nvy-, rn ITT) mrnrtv^f t Russell 2000 12A.('. TUJ ESDAY , FEBRUARY 7, 2006 S "Nothing is more terrible than activiOy without insight." Thomas Carlyte C TRUS COUNTY'CHRONICLE EDITORIAL BOARD SGerry Mulligan ............................ publisher Charlie Brennan ............... .......... editor Neale Brennan ......promotions/community affairs Kathie Stewart .................. circulation director Mike Arnold ........................... managing editor S PLAN COMMUNITY VISION Challenge creates unity of purpose Facing adversity together can sometimes be a cata- lyst for change and unity. Such appears to be the case in the city of Crystal River. When a developer proposed to build a huge, time-share condo- minium project on the Pete's Pier property on Kings Bay, there was a collective gasp of disbelief heard throughout the city. The image of a small fishing village that locals like to hang onto was sud- denly being replaced by visions of Clearwater and New Port Richey. Out of the debate about what the future of Pete's Pier THE I! Crystal futu OUR OF Leade welco might look like, some common purpose has been found in bet- ter planning for the community's future. It now l6ooks'k'e tilie impracti- cal proposal for Pete's Pier won't happen, but that doesn't mean another proposal isn't right around the corner. Suddenly residents and the city council all seem to agree on one premise: Instead of letting new developers determine what the future of Crystal River should look like, the people and leaders of the community should come up with the definitions. Resident Don Hess has begun Paying tax 01 Last year, there.was a -o water-shortage in Citrus County. This year the land- fill is full.The schools' classes are' going into I -portable classrooms. Gas tax went up 6 cents. Do the school buses and sher- CALL iff's cars have to pay this 5 n tax also? If so, where is .563 the profit? And yet every day, permits are issued for new housing. Duh. Incinerate trash You know, it doesn't take a rocket scientist to figure out that if we just built an incinerator at the landfill; . then all they'd have to worry about is where to get rid of the ashes. These county co mmissioners need to wake up. Changing plans Well, who do the planning board ' members and the planners that work at the county really work for? They're paid with 'taxpayer money, but they seem to be very pro-devel- opment and pro fo destroy the com- prehensive plan. If you read the list for the planning board, there's about 10 changes every week to increase density and change zoning from what was peaceful and beauti- ful to ugly and built over. And they recommend it highly to the county commissioners. The zoning was there for a reason. The -comp plan is there for a reason. Why are not the county employees standing by this comprehensive plan and enforcing it instead of ,being such pro-develop- ment? We need an investigation to see where the influence lies in the planners at the county department. Vote them out I'd like to .know if in the fall of 2006, if all five county commission- leading a response to the ques- tion and out of his journey has come the concept of the Crystal River Walk. Hess wants to pull together a public/private part- 'nership that would use grants, private contributions and pri- vate investment to create a vision for the future of Kings Bay and Crystal River. He appeared before the city council last week and said he already has $40,000 in SSUE: pledges to begin, a River's feasibility study 'of ure what that future might look like. PINION: In a city where unanimous opin- rship ions are rare, the med. city council unani- mously stood behind the concept. : Hess wants to pull together volunteers and contributions to get the process. started. With so much growthi"waithig 't our 'doorsteps, it'S important !to fig- ure out how we can ptotect the delicate environment we live in, maintain the character, )f the community and still permit some development to take place. The fact that Hess has come from outside of the political skirmish- es that have marked the commu- nity guarantees some degree of achievement. There is some momentum to get the job done and for that we should all be thankful. ers will be up for re-elec- Pip tion or if just certain ones, Which ones. I'd like to do my part in voting every L single one of them out I can; Offended vet The Vietnam vet who wrote in saying he was .057t offended by peace demon- o S i strators has every right to say so. However, I would think he would not want to see our troops involved in another pointless war. Balance books Watched the president today telling the auto companies what they needed to do to balance their books and make it right and so forth. Now there's a man who really knows how to run the checkbook. Young litterers ... How surprised I was when I was driving behind a big Lincoln on Cutler Spur Drive a while .back that had two young ladies in it. All of a sudden, swish, out goes a wrapper from the passenger side. Then bam, out goes a beer can. This was 10:30 a.m. Then swish, another wrapper goes out the window. So now I real- ize litterbugs come in all sizes, shapes and ages. They are the ones who make our Citrus County look like a trash dump. Can one of you please tell me why you do this? On my morning walks, I take along a plastic bag and pick up after you. It is really disgusting. Burn plant I've got a suggestion. Instead of the Citrus County commissioners making a $10 million thing for a transfer station, why don't they look into building a burn plant? Import garbage from other places, make energy and still make money on it. Informants provide information B oth law-enforcement and intelligence agencies fundamen- tally depend on informants; PV Informants in, foreign intel- , ligence are at best traitors to their respective coun- tries. Informants in domes- tic crime issues are. often paid, either in cash or; in deals cut on crimes they have committed. 'Alto- Charle: gether, they are a sleazy lot OTI One point many people Vo01 oppor- tun shot- gun, something any 8-year-old with a hacksaw and a vice can do. The idea was to arrest him, threaten him with a long prison sentence and then coerce him into' becoming a federal inform- *1 i y HI C ant This is a short preface to the current problem of. domestic spying. The Bush administration says it only intercepts calls from terror- ists. OK, how does the Bush administration know that somebody in Europe or the Middle East is a terrorist? Terrorists don't walk Reese around the street with little IER name tags identifying them gES and their organization. They don't call people and' say: "Hi, al-Qaida sus- pect lists are by the instances of pop stars, U.S. senators, babies and other innocent people winding up on the U.S. terrorist watch list because of bureaucratic goof-ups. Furthermore, it standsto reason that the National Security Agelncy has no way of knowing who this suspect is* calling until the call is actuially'made. NSA doesn't put wiretaps on: tele- phones. It sweeps the calls out .of the air, and then the NSA supercomputers comb the messages for certain key words. My guess is that the NSA is intercepting all the overseas calls from- Americans of Arab descent1 people, of LETTERS Burn garbage Might I add a few thoughts to the discussion about trucking garbage up to 100 miles by eight-wheel trucks? In addition to the obvious extra cost (double as quoted in the paper), the need to build a new compacting trans- fer station and the added traffic on our already busy roads, why not con- sider the alternatives? Most of the garbage could be burned when mixed with coal at our existing coal-powered power station. in Crystal River \\ ith modifications. This would save the power company fuel costs and relieve our nearly full garbage sites. Or, if it has to go out of state or wherever they choose' to send it, could not some kind of deal be made with the power company to fill their returning empty railroad wag- ons, which arrive here daily full of coal? I know this has been done in Europe with success and helps to keep spiraling electricity costs down. Another method would be to load barges at Red Level and send it by sea to another power station that, could use it, or to a new landfill site in another state. Perhaps if we stopped making so much garbage, we could also prolong the length of time we have before we fill our landfill. On a final note, why would the own- ers of Pete's Pier accept an offer from the city at about 10 percent of the developers offer? Who would run a new marina, more staff and more out in taxes? Leave it to the professionals and let them give you the taxes to spend on more useful projects. Stewart R eadman Lecanto OPINIONS INVITED The opinions expressed in Chronicle edi- trials are the opinions of -rie editorial -board of, the newspaper. Viewpoints depicted in political car- toons, columns or letters d.) n.:.t nce-.- -aiilrdy repre ient the opirirn ..,f the ed.ito rial board. Groups or individuals are invited to epre's their opinions in a letter to the editor. Persoi's wihin4r, t address the editorial board, which meets weekly, should call Linda Johnson at (352)563-5660. All letters must be signed and include a phone -umrrber and thomretivn, incil dirng letters sent via'e.mail. larres a. Cherish equality May I suggest that the person or persons who defiled the Mount Carmel Methodist Church in Floral City simply move to another country? There are plenty of countries where people hate each other every day, and you would fit right in. In America, we try to get along with everyone, and you are not a true American. Oh, you might have an American flag and spout off about high gas prices but you, and your kind, don't belong here. You have missed the : point, true Americanls think that this country is stronger because of our dif- ferences. Right here in Floral City, we cher- . ish the idea that all people are creat- ver- ify." The problem is, there are no ways the American people or their elected' representatives can verify anything President Bushsays. on the subject of national security. It's all classified. The very practice of one equal branch of the government keeping secrets from another equal branch of the gov- enunent is an unconstitutional act that, ought to be ended immediately. We will have to wait for a Congress with guts for that to happen. I fear the expansion of American government power more than I do the terrorists. They are, after all, crii i nals who might shoot us or bomb us and get killed in the process. They are, by nature, a passing threat. A secretive government that scoffs at the rule of law and the restraints of the Constitu- tion, however, is a very permanent threat to the freedom of the American people. Government power that' isn't checked will just keep on growing until one day the American people will wake up neither free nor secure. Write to CharIlev Reese atoP.O. Box 2446, Orlando. FL 32802. ed equal. You. can even go to our library and look it up. I challenge all ministers in Citrus County to speak from their pulpits this Sunday about this crime and its effect on all of us. Hopefully, we will . 'find these people and punish them. Look in the mirror, and see the true person looking back To be an, American takes 'a lot more than wav- ing the flag. Richard Schmitt ,. ... Floral City Miscarriage of justice Lawyers preach about the rule of law as the law of the land. Well, I would like to know how it applies to a mindless judge from Vermont, who gave a pedophile only 60 days in jail, so that he could get treatment Treatment? This creep molested a 6-year-old girl for four years, and all this judge was concerned about was his rehabilitation? Doesn't he realize what this little girl has to live with for the rest of her life? Sad! Pedophiles who sexually abuse a child should be incarcerated after the first,offense for the rest of their lives, regardless of what bleeding-heart psy- chologists, psychiatrists and lawyers profess, because there is no cure for pedophiles and they know it ,: We can't wait for them to kill our kids time after time, only because some psychologist said they are cured". , Our corrupt legal system takes a hallow view of this tragedy and it's wrong. So let's choose our lawmakers wisely. Our kids at risk demand it. Gaylord LaGraves. to the Editor I TUESDAY, FEBRUARY 7, 2006 13A Before You File Your 2005 Taxes Ask Yourself: Does My Tax and Financial Advisor Have My Best interest At Heart? -r .. .' . . . . . I.. . . . .. . ... .. !. .. . nI I III ln U This is an exciting and challenging time to be an investor. There arc many things going on -. around the world that could make the next few years extremely rewarding if you de- sign your investment plan to be successful. If you choose to work with an investment professional you should always ensure that your financial advisor or wealth manager is a knowledgeable and experienced fiduciary. What Is A Fiduciary? A person in a position of authority who ob- ligates himself or herself to act on behalf of another (as in managing money or property) and assumes a duty to act in good faith and with care, candor, and loyalty in fulfill- . ing the obligation. What Can You Expect From a Fiduciary? ** Your investment advisor should put in writing that he/she will act solely in your best interests! Your investment advisory firm should be independent and objective and seek to avoid material conflicts of interest. * Your tax and investment advisor should be equipped with the necessary tax knowledge and expertise to design and implement a tax-efficient investment portfolio for you. * Your investment advisor should be will- ing to place in writing their "fiduciary oath." * Your financial advisor should be willing to place in writing to you his or her ob- ligation to consider taxes when under- taking investment decisions. Because it's not what you make-it's what you keeDn after taxes! The Directors of t Joseph Flnwtial Group Steven P. Sachewicz, B.S.BiA. Michael J. Tringali, CPA*. CFP John J. Ceparano, CPA*, MST** Ron A. Rhoades, B.S., J.D., CFP * Your investment advisor should be employing the 5 Key Concepts To Investment Success: 1. Utilize Diversification Effectively to Reduce Risk 2. Dissimilar Price Movement Diversifi- cation Can Enhance Returns 3. Employ Asset Class Investing 4. Global Diversification Reduces Risk 5. Design and Implement "Tax Effi- cient" Portfolios If you are currently working with a financial advisor and are unsure if he or she is using a consultative approach or the proven methodologies we've discussed here, con- sider a second opinion. Or if you are uncertain if your advisor is ' acting in a fiduciary capacity to you with the legal obligation to act in your best inter- ests (not his or her own interest, or those of his/her firm), consider a second option.! > Call 746-4460 for a confidential initial inter- view to determine if our trusted advisory ser- vices may be beneficial to you! JOIN US FOR A FREE EDUCATIONAL WORKShO 10:30 a.m. to 12:00 p.m., Wednesday, February 8th, 2006 at the Citrus Hills Golf & Country Club (formerly Andre's) Due to space limitations, reservations are requested. Please call 746-4460 to reserve your space today. No free lunch. No product sales. Just good information I U.,S l I l S S l I ll l l I I I I I I ll I I "4. . . ,'t ,'4 ;J ,, : '. :-' SOur 'Top Five ld 'The.iv .Xey& toI Q... st. i -s You S S Advisors... -' .v,'"_ ,: ",,' -' ..... .Bi 'i ^ ..; '. , ,.:- ** ... ,!. .- ^' - easfor Saving Income Taxes 4 ItO l).i vi '1', "* ",'+ 1. ' .. + .'1' '* -- *' ; _, +, '. lnvte6tment Success $ bS d YiAt3LeAye TSIr toMa Trut ,,' should Ask Your Tax. and F ,iandi. -, 'wT f*er1 Le1 T 'Wbat Will ,.rtgrw s.,,..; S;. +. -.,-, ._. ^ , 1,,,, -'cj Ou 8p "er -J~d T" wv" 4 e-". 4 +, Com," p" y O'P'-'N ' "'*;-' n "nn mn mn L m nn .. . ... n J nr. .. .. .. ~nnl, ir n. m .... 4 4 r m n : ,n ~ m . m: m 'O Speakers; The Private Wealth Managers and Directors of Joseph & Coma.auiy Certified Public Accountants Sand Joseph Capital Management, LLC a Fee-Only Registered Invewtment Advisoiy Firm Mihsel J. Tringali. CPA*, CFP 2450so N. Citrus Bmls Blvd. Hromado, IL 34442 John J, Ccparano, 'r faanuetg Tax attin. woeath .iagh nt ItsBmtnB.t irktory B.nlten. on A, Rhoades, Steven P, $SchWe*sh CPA*, MST B.S., J.D,, CFP B.S,B.A. ii~~~~~~i ItrmrCPA 6n*IRnn mr'3'i vac~i by Ijir mtawor nflwttmA** tiS I dn v wogtm~~Mie'~Twi P e~jnwowCorr Wd Mnwtnne.I Pwon~ OTR~US, CO UN 1) C .'L HROMG.E 1"r-o r- IF ) r~nwrT 1 14A TUESDAY FEBRUARY 7, 2006:, rd -;-im m I Attorney general defends spying Nation BRIEFS Rapids Senators challenge reasons for eavesdropping Associated Press resolu- tion appro\-i ng use of m military force cov- ered the surveillance of some domestic conununications "The president does not haye a blank check," said Judiciary Chairman Arlen Specter, R-Pa., who wants the adminis- tration to ask the secretive Foreign Intelligence Surveillance Court to review the program. "You think you're right, but there a re a lot of people who think you're wrong," Specter told Gonzales. "What do you have to lose ifyou're right?" Gonzales didn't respond to Specter's proposal directly "We are continually looking at ways that we can work w ith the FISA court in being more efficient and more effective," said the former Texas judge. Under Bush's orders, the ultra-secret National Security Agency has been eavesdropping - without warrants on inter- national communications of people in the United States , whose calls and e-mails ma.\ be Go'iz- linked to Muslim extremists., ttor During the daylong commit- general tee hearing. Gonzales and the at hea senators reached as far back as eavesdropping ordered by President Washington and delved into court deci- sions surrounding presidential powers and the 1978 Foreign Intelligence Surveillance Act. Gonzales repeatedly defended the current program as lawful, rea- sonable and essential to nation- al security." He said the president's authority was strongest in a time of wai, and he called the monitoring operations an "early warning system designed for the 21st century" He said no ae, changes in la%% were needed to accommodate the monitoring. spoke "To end the program now ring. would be to afford our enemy dangerous and potential deadly new room for operation xw within our own borders." he said. Democrats pressed Gonzales for details about the program and other similar operations, almost all of which he would not provide. Muslim reactions stun Denmark ', ,-.E..:.". iae." Pr -3; Isabelle Dinoire, the woman who received the world's first partial face transplant, address- es reporters Monday at Amiens hospital, northern France. Patient: I have .a face' ' ; .- Associated Press AMIENS. .France The Frenchwoman who received the world's first partial face transplant showed off her nev. ,*' features Monday, and her scar: a fault. circular line of buckled ' skin around her nose, lips and chin. But where she once had a gaping hole caused by a dog bite, she now has a face. ''' Isabelle Dinoire, a 38-year- '' old mother of two, spoke with a heavy slur and had trouble i moving her lips at her first news conference since the sur- gery in November But said she was looking forward to resum- ing a normal life:, "Since the day of niy opera- Ition. I have a face like everyone else." Dinoire said, reading from a prepared statement. She also thanked the family of the bra in-dead temaledonori who gave her new lips, a chin and nose and distributed a heart, liver, pancreas and kid- neys to others.'. "Despite their pain and mourning, they accepted to give a second life to people in need." Dinoire said. "Thanks to them, a door to the future is opening for me and others." Before the 15-hour surgery in Amiens on Nov. 27. Dinoire's lipless gums and teeth were permanently exposed and most of her nose was missing. Food dribbled from her mouth. She wore a surgical mask in public to avoid frightening people. Dinoire, still hospitalized for physical therapy, said she was regaining sensation and was not in pain. "I can open my mouth and eat I feel my lips, my nose and my mouth," she said. While one of her surgeons was speaking, ,she drank from a plastic cup - a simple gesture that produced a flurry of camera flashes. Her mouth appeared slightly lopsided and was usually open slightly. Wen she laughed, she seemed unable to bring her lips together to form a full smile.' She also had difficulty pro- nouncing letters like "b" and' "p" that 'require -pursing the lips'- a skill her doctors said will improve with time. In terms of coloring, the match between Dinoire's own skin and the graft was remark- able, though she wore makeup. Doctors showed slides of her .progress, her scar growing fainter each week. SA,-.s cai, a Pre s Protestors climb over the gate of the Danish embassy Monday in Tehran. Police used tear gas to disperse hundreds of angry protesters who hurled stones and fire bombs at the Danish Embassy in the second attack' ona Western embassy in the Iranian capital Monday about the publication of caricatures of the Prophet Muhammad. Police had encircled the embassy building, but were unable to hold back the mob of 400 demonstrators as they pelted the building with stones and Molotov cocktails. Hundreds ofprotesters pelt Danish Embassy in Tehran with rocks Associated Press TEHLRAN, Iran Hindreds of angry protesters hurled stones and fire bombs at the Danish Embassy in the Iranian capital Monday to protest publication of carica- tures of the Prophet Muhlammad. Police used tear gas and surrounded the walled \illa to hold back the crowd. It was the second attack on a Western mission in Tehran on Monday. Earlier inii thile day 200 student demonstrators threw stones at the Austrian Embassy, breaking windows and starting small fires. The mission iwas targeted because Austria holds the presidency of the European Union Thousands more people joined violent demonstrations across the world' to protest publication of the caricatures of tuhanmmad. and the Bush administration appealed to Saudi Arabia to use its influ- ence among Arabs to help ease tensions inthe iMiddle East and Europe Afghan troops shot and killed four pro- teste rs. some as they tried to storm a U.S. military base outside Bagram the first Two trees inside the embassy compound were set on fire by the gasoline bombs. time a protest about the issue has taiget- ed the United States. A teenage boy was killed when protesters stampeded in Somalia. Thile EU issued stern reminders to 18 Arab and other Muslim countries that they are under treaty obligations to pro- tect foreign embassies. Lebanon apologized to Denmark - \where the cartoons were first published - a da.3 after protesters set fire to a build- ing housing the Danish mission in Beirut. The attack "harmed Lebanon's reputa- tion and its civilized image," Lebanese Information MinisterGhaziAridi said. In the Iranian capital. police encircled the Danish Embassy but were unable to hold back 400 demonstrators as they tossed stones and Molotov cocktails at the walled brick illa. At least nine'protesters were hurt, police said. About an hour into the protest, police fired tear gas, driving the denionstr'ators into a nearby park. Later, about 20 people returned and tried to break through police lines to enter the embassy com- pound, but were blocked by security forces. As the tear gas dissipated, most of the crowd filtered back to the embassy, where they burned Danish flags and chanted anti-Danish slogans and "God is great." 'vwo trees inside the embassy corrm- pound %were set on fire by the gasoline bombs. The embassy gate was burned, as was a police booth along the wall protect- ing the building The Danish Foreign Ministry said it was not aware of any staff inside the building, which closed for the day before the demonstration. Ambassador Claus Juul Nielsen told DR public television in Denmniark that the protesters vandalized the grotid floor of the embassy, which included the trade and the visa departments. Millions have Social Security numbers on driver's licenses Social Security numbers on license In p003, 17 states and the District of Columbia allowed drive the option of listing their Social Security numbers on license A federal law that prohibits this policy took effect in Decemb States listing Social Security numbers on licenses, 2003 -- I. . *'~ -- -- Associated Press JEFFERSON CITY, Mo. - ars Millions otf miiiotorists across the s. nation a re carry ing a round d ri- er. very's licenses containing their Social Security numbers a potential jackpot for identity S thieves. ., Privacy experts strongly 4. warn against the practice. And a recent federal law ordered states to stop issuing licenses displaying Social Secu.rit AP by the AP num- ber on it is like finding the pot of gold at the end of the rain- bow it is the most useful item for a personal identity thief," said Beth Givens, direc- tor of the San Diego-based Privacy Rights Clearinghouse. About 8.9 million U.S. adults were- victims of identity fraud in 2005, costing an estimated $57 billion, according to a sur- vey released by the ,Better Business Bureau. Kayaker Eli Pyke flies off Dillon Falls along the Des- chutes River Monday near Bend, Ore. Moussaoi'i tossed from courtroom ALEXANDRIA, Va. - Proclaiming I am al-Qaida," ter- rorist conspirator Zacarias disrupted the opening of his sentencing trial Monday and was tossed out of court as selection began for the jurors who will fZgacar as decide. "Thissaoui whether he terrorist to be lives or dies. sentenced. He disavowed his lawyers and pledged to testify on his own behalf in the trial that is to begin March 6. An often-volatile figure in his proceedings, Moussaoui was removed from the courtroom four separate times. "This trial is a circus," he declared. "I want to be heard.' Of his lawyers, he said: "These people do not rep- resent me." Study: Most voters to use new equipment Fewer voters will cast [heir ballots by punching a card or pulling a lever in this Novem- ber's elections as the country continues to turn to newer, elec- tronic machines, according to a study released Monday. While the study says old sys- tems that were prone to error are on their way out, experts also note that means many Americans will be voting on unfamiliar equipment this fall. At least four out of five regis- tered voters will use the newer generation of machines - either ATM-style touchscreen machines or ones that ask vot- ers to fill in the blanks. World rld Miss World L s-aOc.ai. PrE-.- . Miss World Unnur Bima Vilhjalmsdottir smiles Monday during a news con- ference in Warsaw, Poland. Poland will host the Miss World 2006 pageant at the end of September, organizers said Monday. The event will be Sept. 30. Mules deliver ballots for Haiti's elections GONAIVES, Haiti Mules laden with sacks of ballots were led into Haiti's countryside Monday to reach a remote vil- lage on the eve of elections aimed at putting Haiti's experi- ment with democracy back on track. Hours before polls open Tuesday, thousands of U.N. peacekeepers fanned out to guard against attacks by heavily armed gangs, some of them loyal to Jean-Bertrand Anstide. the president ousted in a rebel- lion two years ago. There are 33 candidates in the presidential election, includ- ing two former presidents, a for- mer rebel in the insurgency that forced Aristide from office, and a former army officer accused in the death of a Haitian journalist. From wire reports s No Magic Kingdom here Orlando takes on the Wizards. PAGE it TUESDAY FEBRUARY 7, 2006 h AU cr, ror,,,eo ,lnre 'c- , . ... ... Sports BRIEFS SGirardi to young i Marlins: shave HOLLYWOOD -Now that the Florida Marlins have trimmed their payroll, facial hair is next. New manager Joe Girardi wants to see no goatees, mus- taches or beards when players begin reporting for spring train- ing Feb. 18 . A former catcher with the New York Yankees, Girardi liked owner George Steinbrenner's rule that per- A 'S mitted neatly trimmed mustaches but no beards or shaggy hair. Girardi's policy of no facial hair will be even stricter, and a first for the Marlins. "You have a responsibility of what you look like," he said. "You find out which players want to be disciplined in the little things. And if you can be disci- plined in the little things, a lot of limes you can be disciplined in the big things." Super Bowl nets huge ratings NEW YORK-The : Pittsburgh Steelers' victory over the Seattle Seahawks in the Super Bowl was watched in an average of 45.85 million homes, the second-highest total in tele- vision peo- ple in the United States, ABC said, the second-highest total to view a program behind the 144.4 million who tuned to New England's victory over Carolina ..in the 2004 Super Bowl. That nuiiiber estimates the total amount of people to watch the game at any point. The estimated average of 90.7 million people or the estimated number of viewers throughout was the largest Super Bowl audience since the Steelers last played in the title game in 1996, a loss to Dallas that attracted an average of 94.1 million people watching. Hurricanes hire two assistant coaches CORAL GABLES - Longtime Wisconsin assis- tant head football coach John Palermo has accepted a job as defensive line coach at Miami' Hurricanes coach Larry Coker said Monday. Clint Hurtt, a former Miami player, was hired as assistant defensive line coach. Defensive coordina- tor Randy Shannon coach I i I I n line- backers, s. Coker _* .-" S .said. The staff changes come S after'Coker fired four assis- tants a month ago. Palermo was Wisconsin's 1 : assistant head coach for 15 . years under Barry Alvarez, \\ho stepped down as head ; coach after the 2005 season; ~. ,- Fro'Tm rie reports Associated Press CHARLOTTE, N.C. -' Shortly after Jimmie Johnson's" second failed attempt to w in the Nextel Cup; championship, car owner R ick Hendrick sum- moned his driver and crew chief There was a rumor crew chief Chad Knaus wanted out Word of his desire, to leave * popped up during the season, finale, when Johnson still had a shot at the title. Despite denials from the Hendrick camp, the talk wouldn't go away. Johnson and Knaus main-' tainied they had no idea where these tales of turmoil originat-. Ludwick reaches 2,000 Warriorssenior guard bhits points milestone in 62-32 victoy JON-MICHAEL SORACCHI jmsoracchi@chronicleonline.com Chronicle OCALA Coach Jim Ervin took a timeout at the beginning of the fourth quarter to let his Seven Rivers team know one thing- get Cory Ludwick the ball. While the strategy might have raised a few eyebrows, considering the third- seeded Warriors were up by 24 in the left in the contest, a layup gave him District 1A-6 boys basketball tourna- .points 2,000 and 2,001 For his career. ment over sixth-seeded Bishop With 22 points for the game. Ludwick McLaughlin and had the game in hand, now has 2,003 career points with at the reason was simple. least one more game left in the season. Ludwick, the Warriors' do-it-all sen- Seven Rivers will play second-seed- ior guard, was sitting seven points .. ed First Academy of Leesburg shy of 2,000 for his career. Up until " after blasting Bishop the moment Ervin gave his team j McLaughlin 62-32 Monday night the order to get Cory the ball, at St. John Lutheran in Ocala. even Ludwick didn't know he First Academy and Seven was close. Rivers split their regular season "I think once I mentioned it to meetings, each winning at home. him, he was more focused." Ervin said. Seven Rivers improved to 16-6 over- The next three shots that left all and 94 in district with the victory. Ludwick's hands would prove Ervin Bishop McLaughlin fell to 3-15 and 3-10. right; a pairof 3s pulled the guard with- After achieving such an impressive in one of the milestone and, with 5:35 individual milestone, Ludwick refused to give himself any credit. "I can't really do nimuch by myself," he said with a small laugh. "I'm a pretty slow guy" The only thing important Monday.: to Ludwick at least, was a win that kept the Warriors' playoff hopes alive. "If we had lost and I got (2.000), I wouldn't have been happy," Ludwick said. "The main focus is wiruling." Ludwick's last four points of the game showcased how far he has come since arriving on the scene as a perime- ter-based freshman guard, four years ago. The Steelers take the hard road The path less traveled becomes route to big Super Bowl win Associated Press DETROIT The Pittsburgh Steelers owned the easy road to the Super Bowl all those years they squandered home-field advantage, all those years coach Bill Cowher's teams couldn't stand iup to the pres- sure, the moment, the chal- lenge. Maybe this is what was needed to bring out the best in a team that often was among the NFLs top teams, but never played like it when it counted most: the toughest road to a Super Bowl cham- pionship. No team had won three road playoff games and then the Super Bowl, much less by beating the top three teams in its conference and the best from the opposing confer- ence. Making the challenge even greater, the Steelers had to win their final four regular-season games just to reach the playoffs. "It feels so much better to do something people say you can't do," linebacker Joey Porter said after the Steelers won their first Super Bowl in 26 years by beating the Seattle Seahawks 21-10 Sunday night. "There's no better feeling than that. We will always be remembered for the way we did it." Aftergoing from 15-1 a year ago to an uLpderachieving 11- 5 during a regular season marked by injuries quar- terback Ben Roethlisberger was out four weeks with two knee problems and a three-game losing streak, the Steelers fit a career's worth of highlights into a month's worth of playoffs. By doing so, those four AFC championship game losses and one Super Bowl defeat since January 1995 finally began to fade into the ,past, along with the percep- tion the Steelers and their' coach couldn't win the big one. Even Ten-y Bradshaw, Joe Greene, Franco Harris and Jerome Bettis holds up the Vince Lombardi trophy after defeating the Seattle Seahawks, 21-10, In Super Bowl XL. Lynn Swann, stars of the :Steelers' four Super Bowl champions of the 1970s, never put together anything like this championship run of a lifetime,. The Steelers rallied from. 10 points down to-win at: Cincinnati, helped by an early injury to Bengals star quarterback Carson Palmer They beat Super Bowl favorite Indianapolis 21-18 in a stunning upset that will be long remembered for Jerome Bettis' late-game fumble that nearly turned a certain victo- ry into a historic defeat, and the Roethlisberger tackle that made certain it didn't That victory carried them to a 34-17 AFC championship Please see STEELERS/Page 3B layup that gave him the niile- Please see 6*1RP'IOF/Page 3B dose enough Reflection will have to wait for frustrated Seattle SA'sociated Press DETROIT No apprecia- tion or consolation in Seattle for the Seahawks, at least not yet. Nope, they were still stuck in frustration. The post-Super Bowl parties went into early Monday morn- ing as the Seahawks at least tried to celebrate their season, instead of their somber Sunday. Later, coach Mike Holmgren tried to refocus the teani. mr'omentarily, on what it had done and what it still may do. a little dis- appointed this morn- said at the team's hotel in suburban Dearborn, just before the team returned to Seattle and hours after the Seahawks' mistake- filled, 21-10 loss to Pittsburgh. "But I'm ve'y,; very proud of our football team, What we accomplished this year We're going to come back firing away next year." After flying home, they went directly to a rally of a few thou- sandan- dered the NFL championship, the future isn't foremost in their minds. "It's hard, man," defensive tackle Rocky Bernard said. And he didn't mean the pulled right hamstring he sus- tained late in the Super Bowl. "I mean, if a team just goes Please see SEAHAWKS/Page 3B Floyd, Quigley take Champions Skins Game Associated Press Nicklaus and Watson won -. 1,4 1---- Ihn AMnf -A Jimmie Johnson, right, talks with crew chief Chad Kno practice session at the Dover Speedway on Sept. 23, rumor that Knaus wanted out, and both had no idea whi was coming from. By the time the meeting ended, car Hendrick was satisfied all was well with his team. WAILEA, Hawaii - Raymond Floyd and Dana Quigley won the Champions Skins Game on Monday, team- ing to win 10 skin's and a record $510,000 to :beat defending champion Jack Nicklaus and Tom Watson in the alternate- shot event- The 63-year-old Floyd holed an 8-foot birdie putt on No. 17 Associated Press for nine skins and $410,000 to )use during a seal his record sixth Skins There was a Game victory. He also made a ere such talk 10-foot birdie putt on the first r owner Rick playoff hole for another skin and $100,000. eight skins and $26zou,U, com- bined to win 561 tournaments worldwide including 49 majors and more than $100 million. Jacobsen, the youngest in the field at 51, and Quigley, the 2005 Champions Tour play- er of the year, made their first Please see SKINS/Page 2B ed. By the time the meeting was over, Hendrick was satis- fied all was well with his No. 48 team. ',Iimmie and I have never- been more committed to each other, to the team and to win-' ning a championship than we are right now," Knaus said. That commitment should make Johnson the favorite to finally break through and' claim his first NASCAR cham- pionship, He's come agonizing- ly close three times already, finishing second in the points in 2003 and 2004 and fifth last year. Please see NASCAR/Page 3B - ~ Johnson, Knaus NASCAR's team to beat .o T~r.= I EOAV b)5.KUTA.V7KX 0 /,s nisCorZ-(F) bvcu, NBA: Wizards drop Magic 94-82 Associated Press sHAwm Associaled Pres, The Mavericks face Kobe Bryant and the, Lakers once again tonight. Streaking Mavs await Kobe's return Associated Press DALLAS Before the Dallas Mavericks held their last 11 opponents under 100 points, a team-record run that coincides with their NBA-best winning streak, they couldn't stop Kobe Bryant. Before Bryant scored 81 points against Toronto two weeks ago. he had been on pace to do that against Dallas. He had 62 through three quarters, outscoring the Mavericks on his own Dec. 20, then didn't even play in the fourth quarter of the Lakers' 22-point home victory. "He probably could have had 80, or even more against us," Dirk Nowitzki said Monday "The expression on his face, he was very excited. His teammates were excited. Phil (Jackson) was kind of laughing," Jason Terry said. "It was depressing on our end." Dallas' mood has greatly improved since then, but the Mavericks are about to find out how much better their defense really is. Next up are Bryant and the Lakers. Tuesday night's game is in Dallas, where Bryant, the NBA scoring leader at 35.7 per game, put up 43 in his other matchup against the Mars this season. "The times we've played them this-year were games where I couldn't afford to sit in the pocket and wait," Bryant said. "I liad:toconie out and be assertive rightioff the bat because we'd come off a couple of tough losses." That's not good news for Dallas because Los Angeles is in that situation again. Getting ready for their sixth straight road game, the Lakers have three double- digit losses in a row. Included is a 10-point loss against Charlotte, which has the NBXs worst record. Before the Lakers practiced in Dallas on Monday, Bryant said he hadn't seen the Mavericks play since that December game and wasn't sure if he would see a more aggressive defense. "Maybe they'll wait and see if I get on a roll or something like that." Bryant said. Wait too long, and it could be too late to slow him down. Bryant. who averaged 43.4 points per game in January has been the Lakers' leading scorer in all but six games this season and 16 in a row. He leads the NBA in field goals made (11.7) and attempted (25.9) per game. After the Mavericks' 110-91 victory over Seattle on Saturday night, several players were given DVDs filled with Bryant's highlights against them and other teams. "I sure hope we're different. We seem to hate been playing more physical basket- ball on the defensive end," Mars coach Avery Johnson said. ":Again, that was just one of those special games, the guy got on fire and obviously, since that's happened, we're not the team he's.scored the most points against." While Johnson has stressed defense since becoming coach last March, and was embarrassed by %what happened against Bryant in December; he doesn't want his team to completely alter what it's been doing in recent weeks. , "It's not about us against a guy. It's about team defense and team offense," Johnson said. "We're not goingto get so emotional to the standpoint that we lose who we are ... No matter what happens, we're still moving in the.right direction," : Johnson has stressed being, physical- and smart. Those are attributes he said' were missing in the two losses to the Lakers. Dallas has lost only eight other games and is tied with San Antonio for the best record in the Western Conference (37- 10). No matter what they do defensively,: the Mavericks know Bryant is still going to score his points.. , "Obviously we don't mind him scoring 30 or 40 when he shoots the ball 30, 35. times," Nowitzki said. "The last two times, he's been very, very efficient with his scor- ing and shooting percentage. We'd like to make it harder on him, make .him take tough shots and find the other guys some.'" Their main goal, however, is to stretch the second-best winning streak in team history, behind only a 14-0 start three sea- sons ago. Detroit, which has the best record in the league, had won 11 in a row before a loss at New Jersey last week. "As long as we Win," Nowitzki said, "he can score 80." WASHINGTON Gilbert Arenas had 23 points and eight assists, Antawn Jamison 21 points and 11 rebounds, and the Wizards finally returned to .500. The Wizards took the lead early in the first quarter and didn't trail again as they hit the break-even mark for the first time since Dec. 7. They had been flirting with the .500 mark for three weeks, a quest that was starting to get somewhat tiresome. Arenas struggled from the field, making only six of 24 shots. DeShawn Stevenson scored 20 points to lead Orlando. Cavaliers 89, Bucks 86 CLEVELAND LeBron James scored 22 points, including a go-ahead layup in the final seconds, to lead the injury-depleted Cleveland Cavaliers to an 89-86 victory over the Milwaukee Bucks on Monday night. James added 12 assists and nine rebounds as he nearly completed his fourth triple-double of the season, but it was his powerful move to the basket that gave Cleveland an 87-86 lead and enabled the Cavaliers to break a two-game losing streak. Bobby Simmons scored 21 points to lead Milwaukee, which has lost five of eight including four in a row on the road. Rockets 87, 76ers 81 PHILADELPHIA Yao Ming scored 27 points, grabbed 13 rebounds and Houston held the 76ers without a field goal for more than 15 minutes in the second half. Only free throws kept the Sixers in this one after an incredible stretch of offensive inept- ness. They did not score from 4:41 in the third to 1:05 in the fourth 15:36 overall and nearly became the second team in the last week to go without a field goal in the fourth quarter after the Kings went 0-for-20 against Utah., Philadelphia made 18 free throws during that stretch that remarkably allowed them to hang on. The Sixers missed 14 straight shots in the quarter before.Iverson finally scored on a three- point play. Andre Iguodala followed with a 3 that made it 85-79, and Iverson added another bas- ket, giving the Sixers three three! in the quarter, but it was too late. Azsocialed Pr6ES Hedo Turkoglu defends Washington guard Gilbert Arenas, right, during the second quarter. of tying the franchise's longest home winning streak, set in 2002-2003 and equaled the fol- lowing season. Heat 114, Celtics 98 MIAMI (AP)- Dwyane Wade had 34 points, eight rebounds and eight assists to lead the Heat. Shaquille O'Neal added 21 points to help Miami win for the fifth time in six games. The Heat held a 77-74 lead with a 1:13 left in the third quarter, before going on a 22-6 run over the next 7 minutes to seal the victory. O'Neal capped the run with a.three-point play with 5:53 left in the game that gave Miami a 99- 80 lead. Bobcats 119, SuperSonics 106 rUAI r-TTr- M r. P.mmnnr c I ua U.n/LU I I tI, IN.'. RIaymoniU rFeltUon Nets 99, Hornets 91 scored 24 points and Melvin Ely.added 23, both EAST RUTHERFORD, N.J. Richard career highs, to lead the suddenly streaking Jefferson scored 26 points and Vince Carter Bobcats. added 21 to help New Jersey win its 11th Charlotte snapped its record 13-game losing straight at home. streak on Friday night with a shocker over the Jason Kidd, the NBA's active leader with 70 Los Angeles Lakers, then followed it with a triple-doubles, missed his 71st by one rebound decisive and dominating win over the Sonics. as he.finished with,14 points, ,11 assists and., Charlotte, led from,,the opening tip,..built a sec- nine boards. ond-half lead of 25 points, and won consecutive The Nets (25-21) moved to within two games games for the first time since Dec. 27-28. NBA SCOREBOARD New Jersey Philadelphia Boston Toronto New York Miami Washington Orlando Atlanta Charlotte Detroit Cleveland Milwaukee Indiana Chicago Dallas San Antor.io Memphis New Orleans Houston Denver Utah Minrnesola Seattle Portland Phoenix LA Clippers L A Lakers Golden Slate Sacramento EASTERN CONFERENCE Atlantic Division L Pct GB L10 21 .543 4-6.: 24 .500 2 6-4 31 .367 8% 2-8 31 .354 9 4-6 32 .304 .11 .1-9, Southeast Division L Pct GB L10 19 612 7-3 23 500 5%'. 6-4 27 413 9'.,; 5-5 32 304 14;; 4-6 36 265 17 2-8 Central Division L Pct GB L10 7 848 8-2 19 596 11M 8-2 23 511 15': 5-5 22 511 15'. 3-7 26 435 19 5-5 WESTERN CONFERENCE Southwest Division L Pct GB L10 10 787 10-0 \ 10 787 9-1 20 565 10'. 3.7 23 511 13 6-4 29 396 18'4. 6-4 Northwest Division L Pct GB L10 23 531 6-4 25 479 2!, 4-6 25 457 3'. 3-7 29 396 6'.; 4-6 29 370 71' 5-5 Pacific Division L Pct GB L10 16 660 7-2 17 622 2 8-2 23 511 7 4-6 25 457 9'A 4-6 27 426 11 4-6 Sunday's Games Houston 93 New York 89 LA Clippers 115. Toronto 113 OT Sacramento 96 Utah 78 Monday's Games Washington 94. Orlando 82 Houston 87. Philadelphia 81 Cleveland 89 Milwaukee 86 Miami 114. Boston 98 Charlotte 119 Seattle 106 New Jersey 99 New Orleans 91 Chicago at Utah 9 p m Minnesoia at Phoenix 9 p m Denver at Golden State 10 30 p m Tuesday's Games Detroit at Atlanta 7 p m L A Clippers at New York 7 30 p m Wizards 94, Magic 82 ORLANDO (82) Turkoglu 2-100-04 Howard 5-11 6-7 16 Battle 3-4 0-2 6 Stevenson 9.15 2-4 20 Francis 2-5 1-2 5 Dooling 6-11 4-4 16 Garrity 2-6 2-2 8 Morris 1-1 0-0 2. Diener 1-2 0-0 3 Kasun 1-3 0-0 2 Toiais 32-68 15-21 82 WASHINGTON (94) Buller 6-14 0-0 12 Jamison 8-194-6 21 Haywooa 1-2 3-4 5. Siorey 2-3 0-0 4, Arenas 6-24 8-9 23 Daniels 5-8 6-6 16 E Thomas 0-3 1-2 1. Taylor 4-5 2-2 10 Ruffin 1-1 0-0 2 Toials 33-79 24-29 94 Orlando 15 24 2320- 82 Washington 27 23 1826- 94 3-Point Goals-Orlando 3-10 iGarrity 2- 4 Diener 1-2, Francis 0-1. Turkoglu 0-31 Washington 4-11 (Arenas 3-8. Jamison 1- 2 Butler 0-1) Fouled Out-None Rebounds-Orlando 47 iHoward ll Washington 46 (Jamison 1li Assists- Orlando 21 (Francis 51 Washington 12 iArenas 81 Total Fouls-Orlando 22. Washington 15 Technicals-Orlando Defensive Three Second. Stevenson. Francis A-14 251 (20.1731 Home 15-6. 15-11 14-11 9-15 10-14 Home 17-6 15-9 13-11 10-14 9-15 Home 21-2 18-6 14-9 14-7 10-13 Home 18-4 21-3 15-8 15-8 6-15 Home 16.9 12-12 14-8 11-13 12-13 Home 17.7 16-7 12-8 13-13 14-11 L h Lakers at Dallas. 8 30 p m Memphis at Sacramento 10 pm Wednesday's Games San Antonio at Toronto 7 p m Portland at Indiana 7 p m Golden State at Washington. 7 p m New York at New Jersey 7 30 p m L A Clippers al Delrol. 7 30 p m Philadelphia at Charlotte. 7 30 p m Orlanao at Milwaukee 8 p m Seattle vs New Orleans at Oklahoma City 8 p m Cleveland at Minnesota 8 p m L A Lakers at Houston 8 30 p rr, Memphis at Phoenix 9 p m Chicago at Denver 9 30 p m Rockets 87, 76ers 81 HOUSTON (87) McGrady 5.19 3-4 13 Howard 5-8 0-0 10 Yao 9.21 9.9 27 Wesley 3-7 2-2 9. Alston 7.12 0-2 19 Swift 2-4 1-4A 5. Head 1-4 2-2 4 Chuck Hayes 0-0 0-0 0 Bower, 0-1 0-0 0 Totals 32-76 17-23 87 PHILADELPHIA (81) Salmons 5-7 2-2 12 Webber 8-20 2-2 18 Dalembert 0-2 5-6 5. Iguodala 4-8 2-2 11 Iverson 6-22 20-24 32 Bradley 1-4 0-0 2 Randolph 0-1 0-0 0 Korver 0-6 1-1 1 OIh.e 0-2 0-0 0 Tolals 24-72 32-37 81 Houston 20 24 2221- 87 Philadelphia 27 9 2718- 81 3-Point Goals-Houston 6-16 lAlston 5- 8. Wesley 1-2 Head 0-2 McGrady 0-41. Philadelphia 1-12 ilguodala 1-2 Bradley 0- 1 Korv-er 0-2 Webber 0-2. lierson 0-51 Fouled Out-None Rebounds--Houston 41 iYao 12). Phladelpnhia 62 (Dalembert 171 Assisis-Houston 27,,,AlsLon- 8L.. Philadelphia 11 (Salmons 5) ,Total.Fouls-- Houston 25 Philadelphia 18 ,Technicals- Wesley A-17,428 (20 444) NHL: Lecavalier's OT goal lifts Lightning Associated Press UNIONDALE, N.Y. Martin St. Louis scored the tying goal with 1:12 left in regulation and then set up Vincent Lecavalier's break- away winner in overtime that gave the Tampa Bay Lightning a 3-2 vic- tory over the New York Islanders on Monday night. With Sean Burke pulled for an extra attacker: St Louis got his stick on Dan Boyle's shot from the right point and knocked the puck past goalie Rick DiPietro, who did- n't see it. That tied the game at 2 and only set up more drama in overtime. New York nearly won it as the clock ticked down in the final minute but Mark Parrish's rebound shot was blocked in front by Darryl Sydor. Pavel Kubina moved the puck out to St. Louis, who found Lecavalier streaking alone at center ice. He came in oin DiPietro, deked him onto his back and beat him, with a shot past his glove with 54 5 seconds showing oni the clock. Tampa Bay improved to 8-1-1 in its last 10 games and beat. New, York by one goal for the third time this season. The Lightning have won six' straight against the islanders, dating to a first-round playoff victory in 2004 during the Lightning's Stanley Cup run., Mike York and Jason Blake scored for the Islanders. Fredrik Modin put the Lightning in front 1-0 just '1:22 in and Burke SKINS Continued from Page 1B appearance in the event. They are the only ones with- out a major victory and a spot in the Hall of Fame. After teams halved Nos. 9- 16, the par-4 17th was worth eight skins and $410,000, breaking Floyd's record for, the most money won on a hole $290,000 in 1995. : Floyd gently -talpped the ball, which paused onHEs worst home penalty killers but couldn't gener- ate much offense. The Lightning held only an 8-6 edge in shots through 20 minutes. They even started the second, period with a man up, but the Islanders got the better of the scor-- ing chances then, too. Only Burke, who has been in a steady goalie rotation with John Grahame, kept the Lightning in it. The Islanders failed to take advantage of Ruslan Fedotenko's double -minor for high-sticking. against former Lightning defense- man Brad Lukowich but they did tie it before the second period ended. rim, before dropping in Floyd hunched over his put- ter in amazement as Quigley and the gallery cheered. Floyd also made his birdie attempt on the playoff hole, and Irwin was unable to con- vert. As.aociiea Press Vincent Lecavalier puts the puck past Islanders goalie Rick DiPietro during overtime. The Lightning defeated the Islanders 3-2. Blake whiffed on a shot, and the puck slid to the side of the net to Miroslav Satan. He moved it to York, who was just inside the right circle, for a quick shot that deflect- ed off Blake and in. . New York took the lead when Satan made a long lead pass to Brent Sopel, who found York in the left circle. Senators 5, Penguins 2 OTTAWA- on Monday night. Christoph Schubert, Zdeno Chara and Bryan Smolinski also scored for The 7.078-yard course is built on the slopes of the dor- mnant volcano Haleakala and has views of the ocean and uninhabited Kahoolawe island from nearly every hole. - .Team Nicklaus-Watson dominated the front nine with eight straight skins worth $260,000 behind the Golden Bear's clutch put- ting. Nicklaus, the defending champion, made a 12-footer for birdie on the 192-yard eighth hole to pick up seven skins and $230,000. The sun- splashed gallery roared as Nicklaus pumped his arms in the air. Nicklaus also holed an 8- foot birdie putt that turned slightly left-to-right 'on the par-4 first that earnedthem a $30,000 skin. Irwin and Player missed three key opportunities. With four skins and $120,000 on the line, Irwin missed a 3- foot birdie putt to the left on the par-4 fifth. Player missed a 5-foot downhill birdie putt on the Ottawa, which had lost three of four, including a 2-1 shootout loss Saturday in Buffalo. " Ryan Malone and Enc Boguniecki scored for Pittsburgh, which lost 7-2 to Ottawa. front back surgery, Nicklaus won last year's event with 11 straight skins for $340,000;; the largest payday in his sto- ried career that includes 18, major wins. , Away Conf - 10-1517-10 9-13 11-15 4-20 9-18 8-16 13-15 4-18 6-19 '- Away Conf 13.13 15-9 8-14 16-13 6-16 12-16 4-18 10.17 4-21 9-21 Away Conf 18.5 19-4 10-13 19.8 10-14 18.10 9-15 12-14 10-13 14-11 Away Conf 19-6 23-7 16-7 21-4 11-12 18-10 9-15 15-12 13-14 8-17 Away Conf 10-14 14-15 11-13 11-15 7-17 13-17 8-16 8-18 5-16 7-20 Away' Conf 14-9 15-11 12-10 14-9 12-1510-15 8-12 10-16 6-16 13-14 213 TuEsDAY. FF-i3RuARY 7. 2006 Crrkus CouNTY (FL) CHRo-wcd SPORTS .r~vr .nr~v(? norrRS G rsUSAFBUR ,20 B BASKETBALL Heat 114, Celtics 98 BOSTON (98) Pierce 8-21 14-16 31, LaFrentz 7-9 2-2 18, Perkins 2-6 3-4 7, Szczerbiak 5-15 5-7 16, West 3-9 1-2 8, Olowokandi 1-3 0-0 2, Scalabrine 2-3 5-6 10, Greene 0-2 2-2 2, Alien 1-3 0-0 2, Gomes 1-2 0-0 2, Green 0- 0 0-0 0. Totals 30-73 32-39 98. MIAMI (114) Posey 3-5 0-0 8, Haslem 6-10 5-6 17, O'Neal 8-14 5-7 21, Williams 2-9 0-1 4, Wade 10-17 13-15 34, Payton 3-7 0-0 7, Walker 5-11 1-2 12, Mourning 1-2. 3-3 5, Simien 1-2 0-0 2, Anderson 1-2'0-0 2, Kapono 1-2 0-2 2. Totals 41-81 27-36 114. Boston 26 15 3324- 98 Miami 32 23 2831- 114 3-Point Goals-Boston 6-18 (LaFrentz 2-3, Scalabrine 1-2, Pierce 1-4, Szczerbiak 1-4, West 1-5), Miami 5-17 (Posey 2-4, Wade 1-1, Payton 1-4, Walker 1-4, Kapono 0-1, Williams 0-3). Fouled Out-None. Rebounds-Boston 46 (Perkins 13), Miami 53 (Wade 8). Assists-Boston 13 (Pierce, 4 West 4), Miami 24 (Wade 8). Total Fouls- Boston 27, Miami 27, Technicals-Boston Defensive Three Second, Miami Defensive Three Second 2, Walker. A-19,986. (19,600). Nets 99, Hornets 91 NEW ORLEANS (91) Snyder 2-6 0-0 5; West 5-12 4-4 14, Brown 1-3 1-1 3, Mason 6-15 3-4 15, Paul 2-12 1-2 6, Aaron.Williams 1-1 0-0 2, Claxton 8-14 7-9:23, Butler 5-9 6-6 18, Vroman 0-0 0-0 0, Smith '2-2 0-0 5, Nachbar 0-0 0-0 0. Totals 32-74 22-26 91., NEW JERSEY (99) Jefferson 6-12 13-14 26, Collins 2-2 1-2. 5, Irstic 8-11 0-0 16, Carter 7-16 5-6 21, Kidd 5-15 2-3 14, Vaughni 0-1 0-0 0, Robinson 5-10 1-1 11, Padgett 0-2 0-0 0, Wright 2-3 0-0 4, Murray 1-2 0-0 2. Totals 36-74 22-26 99. New Orleans 20 31 2020- 91 New Jersey 25 14 2931- 99 3-Point Goals-New Orleans 5-10' (Butler 2-4, Smith 1-1, Snyder 1-2; Paul 1- 3), New Jersey 5-23 (Carter 2-4, Kidd 2-9, Jefferson 1-3, Wright 0-1, Padgett 0-2, Robinson 0-4).' Fouled Out-Krstic.- Rebounds-New Orleans 40 (Mason, Paul 7), New Jersey 48 iKidd Jefferson 9). Assists-New' Orleans 22 (Paul 13), New Jersey 32 (Kidd .11). Total Fouls-New Orleans 24, New Jersey 21. A-13999 (20,098).. Cavaliers 89, Bucks 86 MILWAUKEE (86) Simmons 8-19 2-2 21 Bogut 2-7 2-26, Magloire 4-10 2-5 10, Ford 5.15 2-2 12, Redd 6-17 5-6 18, Kukoc 11 2-2 5, Bell 3- 5 0-2 8, Welsch .-3 0-0 0, J.Srmith 3-8 .0-0 6. Totals 32-85 15-21 86. CLEVELAND (89). . James 9-20 2-4 22 Gooenr, 7-13 1-1 15 llgauskas 6-9 1-1.13, Snow 1-4 0-0 2 Paylovic 6-10, 1-1, 15, Jones 3-7 0.0 Marshall 2-7 2-2 6, Varejao 3-5 3-4 9 Totals 37-75 10-13 89. Milwaukee 15 22 2623- 86 Cleveland 15 29 2223- 89 3-Point Goals--Milwaukee 7-20' '(Simmons 3-8, Bell 2-4, Kukoc 1-1, Redd 1-6, Ford 0-1i Cleveland 5.18 iPaviovic 2- 3, James 2-7 Jones 1-4 Marshall 0-41 Fouled :Out-None Rebounds- Milwaukee 53 iMagloire 11), Cleveland 45 (James 9) Assists-Milwaukee 18 (Ford 11i Cleveland 29 (James 121 Total Fouls-Milwaukee 14, Cleveland 19.. Techn.cals-MiIwaukee Defensive Three Second A-19 126 120562 ' Bobcats 119, SuperSonics 106 SEATTLE (106) " Lewis 9-2'1 3-4 22, Collison 2-2 4-6 8, SwiftO-20-050 "Ridnour6-14*5-5'18 Alien 12-22 4-4 3,1, Evans 1-32-54, Petro 3-3 02- 0 6, Murray 2-4 4-4 8, Wilkins 3-9 2-2 8, Cleaves 0-2 1-21. Totals 38-82 25-32 106 CHARLOTTE (119) Jones 9-17 2-5 23. Ely 11-16 1-1 23 Brezec 1-1 1-1 3 Knight 6-12 3-4 15 Felton 8-11 6-6 24. Rush 2-5 1-2 7. Robinson 6-12 3-4 16 Voskunl 3-5 0-0 6 Carroll 1-4 0-02 Burleson 0-0 0.0 0 Totals 47-83 17-26 119. Seattle' ,.22 32 1834- 106 Charlotte. 34 33 3022- 119 3-Poin,' Goals--Seattle 5-17 Allen 3-8 Ridrnior. '1-2. Lewis 1-5 Cleaves 0-1 Wilkins '0-11. Cnarlone 8-15 (Jones 3-7 Feltorn 2-2 Rsh 2-3 Robinsonr 1.1 Carroll '-0-21 'Fouled Oui-Jones Rebounds-Seattle 47 iEvans 91. Charlotte 49 (Jones Knight 71 Assists- Seattle 21 iRidnour 9 Charlotte 29 iKniaht Fellon 91 Total Fouls--Seartlie 29 Charlotte 30 A--13.202 119 0261 NBA Team Statistics Through Feb. 5 Team Offense Phoenix Seattle Philadeiphia Toronto Miami Dallas Washington Denver Golden State Detroit . Sacramento L.A. Lakers, Cleveland-'. L.A. Clippers. Boston Chicago New York' Milwaukee Atlanta Charlotte New Jersey '. San Antonio Oflando Indiana . NO/Okla. City Minnesota, Houston Momphis Utah Portland G Pis Avg 475020106 8 474796102.0 4747261006 484806 100 1 4834800 1000 474687 9 97 454483 996 494878 996 464564 992 464541 98.7 S. .474634 98.6 474632 98.6 464532 98.5 454421 982 484661 97.1 S 464455 96.8 464446 96.7 '464431 96.3 464401 95.7 . 484554 .,4:9 45426 3 94.8 474430 94 3 454205 93 4 454183 93.0 464226 91 9 464178 90 474222 89.8 464125 89.7 48 4303 89.6 464115. 89.5. WARRIORS. Continued from Page 1B stone was a nice drive to the hoop and the last two points of the night came off his own miss. on a 3 from the corner. 'Ludwick followed the play even as a Hurricanes player grabbed the rebound and picked off an errant pass for an easy bucket Neither of those plays would have been commonplace to see as early as two years ago. While the guard will always, be more known for his ability to , hit a 3 from anywhere in his- halfcourt (more on that later), Ludwick now drives to the bas- ket with much more frequency and the numbers prove it According'to Ervin, Ludwick has hit over 60 3s this season but. On the AIRWAVES TODAY'S SPORTS BASKETBALL 7 p.m. (ESPN) College Basketball Tennessee at Kentucky. (Live) (CC) , 7:30 p.m. (ESPN2) College Basketball St..Joseph'sat Villanova. (Live) (CC) 9 p.m. (ESPN) College: Basketball Duke at North Carolina. (Live) (CC) :, BOXING 2 a.m. (FSNFL) Boxing Sunday Night Fights. Derek-Bryant takes on Malcom Tann in a heavyweight bout. Also, Yanqui Diaz vs. Kirk Johnson. From June 9, 2005. (Taped) GOLF 11 a.m. (GOLF) Ladies European Tour Golf ANZ Masters Final Round. (Taped) HOCKEY 7 p.m. (FSNFL) NHL Hockey Florida Panthers at Washington Capitals. From MCI Center in Washington, D.C. (Live) 7:30 p.m. (SUN) NHL Hockey Tampa Bay Lightning at New Jersey Devils. From Continental Airlines Arena in East Rutherford, N.J. (Live) 9 p.m. (OUTDOOR) NHL Hockey Chicago Blackhawks at Phoenix Coyotes. From Glendale Arena in Glendale, Ariz. (Live) Prep CALENDAR TODAY'S PREP SPORTS BOYS BASKETBALL 5, 6, 7:30 p.m. District Tournament at Belleview Seven Rivers at District 1A-4 Tournament at St. John Lutheran SOFTBALLL. 7:30 p.m. Dunnellon at Forest I Te Memphis San Antonio Detro .I .' In anar, Minnesola Houston Utah NO/Okla; City. Dallas New Jersey Cleveland L A Clippers Orlando Ponland M.amni L.A. Lakers Chicago Milwaukee Washington Denver Golden' State. Sacramento Boston Charlotte Phoenix Atlanta, Phi-ladelphia .. New York Toronlo Seattle Bryant, LAL Iverson. Phi James Clev Arenas. Wa McGrady H Wade Mia Pierce Bos Anthony, De Nowitzki Di Redd, Mil. Brand LAC Allen Sea Carter NrJ Bosh Tor Richardson Hamilton D Garnen Mir Lewis, Sea., Marion Pho Bibby Sac am Defense G Pts Avg : 464002 87.0 '"- 474113 .87.5 : 464143 90.1 454096 91.0 S '..464202 91.2 474298 91.4 484446 92.6 464268 92.8 474386 93.3 454260 94.7 464380 95.2 454292 954 454305 95 7 464405 95.8 =0 484604 95.9 474572 97.3 464486 97.5 464516 98.2 454456 99.0 . 494854 99.1 464563 99.2 474674 99.4 484785 99.7 S. 484804100.1 474731100.7 464656101.2 474764101.4 464685.101.8 4864967 1035 : 4'475C0101066. NBA Leaders Through Feb.5 .' Scoring, G FG FT PTSAVG 45. 548 421 160735.7 il. 43 509 382144733.7 v 46 505 340 142831 0 sh 44 397 331 1231280 -ou 34 323 214 914269 46 425 3801235268 48 406 3501228256 an .4R 421 3651227256 all 418 291 1195254 373 275 1110252 "43 408 2641080251 4 383 177 1091248 4., 359 2661041242 48 382 3331097229 GS 42 360 144 956228 et 46 403 1721010220 nn 46 3872261007219 47 345, 237 101821 7 3e 47 413 129100921 5 47 348 194 99021 1 'FG Percentage O'Neal, Mia. Parker, S.A. .. Wallace, Char . Garnen Minn. Curry. N Y Bogut Mil Kaman. LAC ,j. Brand. LAC Gooden, Clev, " Abdur-Rahim, Sac. FGFGA PCT 230 410 561 374 682 548 183 338 .541 387 718 .539 188 350 .537 177 332 .533' i'199 377 .528 408 775 .526 190 361 .526. .199 381 .522 ., Rebounds . .: G OFFDEF TOTA,.;G Howard Orlf 45- 161 405 56612.6 B. Wallace Del '46 187"382 56912.4 Marion, Phoe.. 4 138 42.1 559 1'1.9 Duncan,.S.A. 47 128416 54411.6 Garnett, Minn. 46 106.413 519 11.3 Brarnd, CLAC .:43B 142'..302 44410.3 Jamison, Wash. 45 102 348 45010.0 Magloire Mil, 46 136 322 458 10.0 Webber, Prol 45 114 323 ,437 9 7 Kaman LAC 45 97 328 425' 9.4 Assists G AST AVG Nash, Phoe. .;'47 525 11.2 Davis, G.S. .44 409 '9.3 Billups, Det.' 46 390 8.5 over 100 two-point field goals. Compare that to the 93 3- pointers Ludwick hit as a fresh- man. 'As a freshman, he started .off as nothing but a perimeter shooter," Ervin said. "He's pol- ished his game so much since then." While Ludwick has shown more of .a commitment to defense and being a leader each year, make no mistake that the long ball is still his strongest attribute. With Bishop McLaughlin playing a box-and-1, Ludwick .was relegated to taking out- side shots for much of the first half. "That's the 16th time he's faced that this season," Ervin said. "The difference is that he's really matured as a player, especially this year, and he takes what they give him." Knight, Char. 44 366 8.3 Miller, Den. 49. 400 8 2 kidd, N.J. 45 354 7 9 Paul N O. 45 345 7 7 Iverson Phil. 43 326 76 Matbury N Y. '7 41 282 69 Wade M.a 46 314 68 NBA Today SCOREBOARD Tuesday. Feb. 7 L.A Lakers at Dallas 18 30 pm EST): The Mavericks are riding an NBA best 11- ganme winning streak STAR 'Sunday Elton Brand Ciipper,"- scored 30 points in a 115-113 overtime win at ;Toronto. - r MAKING HISTORY The Los Angeles Clippers moved 11 games over 500 for the first lime in team history after its 115-113 overtime victory at Toronto on Sunday DEBUT SPOILED Jalean Rose had 16 points and 11 assists in '-is New York debut on Sunday but the Knickst ost 93-89, to Houston Rose was acquired from .Toronto on Friday for Antonio Davis si'"" LUiMPING . Nhew Y*ork. ha.~'aropped five straightl'Brid 11 of 12 after a 93.-89 loss to Houston on Sunday. The Knicks have had losing streaks of five games or longer four times this season. , SPEAKING ";t's like whe- you smoke cigarettes. you ve got to take that nicotine patch and break Iat habit We ve got a habit of los- ing right now. We need to get like, a nico- tine winning palch We've got to break that habit of losing because it can become a habit Ron Aneit aher Sacramenlo s 98-78 win over Ulah on Sunday The Kings haven t i losi at home since Jan 8. but are 1-6 on the road during that sirelcn BASEBALL Baseball America Top 25 DURHAM N C AP, The top 25 teams in the Baseball America poll with records through Feb 5 and previous rank- ing voting by the Americal: S18 rSan Diego 19 Stanford . 20 rkanas . 21. TCU 22. LSU 23. Mississippi 24. N.C. State 25. Cal Poly staff of Baseball Record 0-0 0-0 0-0 0-0 1-0 0-0 0-3 2-1 0-3 0-0 2-1 o0-0 0-0 0-0 3-0 5-1 3-0: 3-0, '3-0:. 0-0 0-0 .0-0 0'-0 3-0, 5-1 All seven of his field goal attempts were from beyond the arc. and Ludwick hit three of those, the last of which was a gem. The Warriors had the' ball with 4.7 seconds :left and the ball under their opponents' bas- ket: There wasn't a doubt as to who would take the last shot and Ervin drew up the half's final play accordingly. "I called a double screen for Cory to get him a deep 3," Ervin said. Ludwick did get off an attempt with less than a second left from about five feet inside the halfcourt line. The shot hit nothing but net Considering the difficulty of the attempt, there wasn't much cel- ebration Ludwick smiled and got a high-five from, a teammate. Maybe it was because his team HOCKEY EASTERN CONFERENCE Atlantic Division W LOTPts GF GA N.Y. Rangers 32 15 8 72 176 137 Philadelphia 31 15 9 71 183 177 New Jersey 2821 6 62 159 158 N.Y. Islanders 2426 4 52 161 194 Pittsburgh 12 33 11 35 154 226 Northeast Division W LOTPts GF GA Ottawa 36 12 5 77 218 128 Buffalo 34 15 3 71 173 146 Toronto .' 2623 5 57 170 182 Montreal' 2522 6 56 154 173 Boston 2323 9 55 158 170 Southeast Division W LOT Pts GF GA Carolina 38 12 4 80 205 164 Tampa Bay 3021 4 64 165.153 Atlanta 24.25 6 54 189 197 Florida, 21 26 8 50 146 173' Washington .19 29 5 43 149 201 WESTERN CONFERENCE Central Division W LOTPts GF GA Detroit 36 13 5 77 193 137 Nashville 3315 6 72 174 154 Columbus 2230 2 46 133 189 Chicago 1729 7 41 136 187 St Louis 14 31 8 '36 142 201 Northwest Division W LOTPts GF GA Vancouver 31 19 5 67 185 167 Calgary 30 17 7 67 143 138 Edmonton 29 18 7 65 178 165- Coloraoo '2920 6 64 199 177 Minnesola 27.24 4 58 162 144 Pacific Division W LOTPts GF GA Dallas 36 15 3 75 175 141' Los Angeles 30 21 5 ,65 187 179 Anaheim 25 18 10 60 155 148 Phoenix 2726 3 57 165 179 San Jose 2420 8 56 158 160 Two points for a win, one point for over- lime loss or shootout loss Sunday's Games Carolina 4, Boston 3, SO Montreal 5, Philadelphia 0 Monday's Games Tampa Bay 3 N Y Islanders 2, OT Ottawa 5 Pinsburgh 2 Nashville at Dallas 8 30 p m Anaheim at Edmonton 9 pm Columbus at Vancouver, 10 p.m. Calgary at San Jose, 10:30 p.m. Tuesday's Games Florida at Washington 7 p m Buffalo at Montreal 7 30 p m Atlanta at Toronto, 7 30 pm Tampa Bay al New Jersey 7 30 p m Los Angeles al Minnesoia. 8 p.m Chicago at Phoenix 9 p m Edmonton at Colorado 9 pm Wednesday's Games Ontawa at N Y Rangers 7 p m Los Angeles at Columbus, 7 p.m. N.Y, Islanders at Philadelphia 7 p.m. Boston at Pinsburgh 7 30 pm Nashville at Derroit 7 30 p m SAriaheim at Calgary 9 p rr St. Louis at Vancouver 10 p m Chicago at San Jose, 10 30 p.m. "8 Ughtning 3, Islanders 2, OT Tampa Bay ..1t 0 1 3 N.Y. Islanders 0 1 1 0 2 First Period-1 Tampa Bay, Modin 23' (Ranger. Richardsi 1 22. Penalties- Pettinen NYI (interference) 3 18. Sopel, NYI (hooking), 7 55. Taylor TB Iholdingi 11 10, Bates, NYI (hooking. 1338. Campoii, NYI (hooking), 20:00.'. ' Second Period-2, N Y Islanders. Blake 20 (YorK, Satan), 14 14 Penalties- Fedotenko TB double minor ihigh-stick- ingi 6 56 Asham. NYI ihigh-stickingl. 11 03 ThI t 'Penod-3 N Y- Islanders' York 11 ISopel Salani, 9 19 4 Tampa Bay. St Louis 18. (Boyle Modin) 1848 Penalties-None. Overtime-5, Tampa Bay, Lecavaller 22 tSt Louis, Kubinai 405 Penalties-None Shots on goal-Tampa Bay 8-6-7-3-24 fN Y Islanders 6-14-8-2-30 Power-play Opportunities--Tampa Bay 0 of 5 N Y Islanders 0 of 3 Goalies-Tampa Bay, Burke' 10-5-3 (30 shois-28 saves). N.Y. Islanders, DiPietro 18-17-3 (24-21). . A-10 471116234) T-220 Referees-Tom Kowal Rob Shick. Linesmen-Palt Dapuzzo Brian Murphy TRANSACTIONS, BASEBALL American League' BOSTON RED SOX-Agreed to terms vwth SS Alex Gonzalez and OF Coco Crisp on one-year contracts, Designated' 1B Roberto Petagine for assignment. TORONTO BLUE JAYS-Agreed to terms with C Bengie, Molina on a one-year contract. . National League COLORADO. ROCKIES--Agreed to terms with Clint Hurdle manager, and Dan O'Dowd, general manager on one-year contract extensions through 2007. *- NEW YORK METS-Named Sandra .Van Meek director of market development. PITTrSBURGH PIRATES-Agreed to terms with INF Yurendell DeCaster on a one year contract. WASHINGTON NATIONALS-Agreed to lerms with RHP A.ndrew Good, RHP Anastacio Martinez, RHP Justin Echols, RHP David Gil and OF Mike Vento on minor-league conrIracis BASKETBALL SNational Basketball Association CHICAGO BULLS-Signed F James Thomasto a second 10-day contract. CLEVELAND CAVAIIERS-Signed, F Stephen Graham to a. expected him to hit that shot. "I've relied on him for four years and that shot didn't sur- prise me," Ervin said. Pointing to a place roughly eight feet behind the three- point line, Ervin said, "You see that spot? He's comfortable shooting out there." One more stat: Ludwick has- n't been on a losing team as a member of the Warriors. He doesn't have to worry about that this season, with his team 10 games over .500 this late in the year But he also isn't looking for- ward to the year ending any time soon. "I definitely don't want this to end," Ludwick said. "Our goal is to keep going." The Warriors play 6 p.m. tonight in the District 1A-6 semi- finals against First Academy of Leesburg. NASCAR Continued from Page 1B His 2003 run gave the team the confidence it needed to go after a title. It opened 2004 as the team to beat, winning eight races while spending most of the season atop the standings. But a late-season swoon forced Johnson to fight his way back into contention. He ultimately fell eight points shy of the title in NASCAR's closest champi- onship race. Then 2005 was supposed to be Johnson's year. He came out surging, leading in points for 17 weeks. But again his team fal- tered, and ultimately wasn't as solid as champion Tony Stewart and his Joe Gibbs Racing team. Johnson wound STEELERS Continued .from Page 1B game win at Denver. Then. after a bye week that drained some of their momentum after they won seven games in seven weeks, they shook off Roethlisberger's first poor game in two months and a slug- gish start to beat the Seahawks. "It was ;Just tell us where we're going next, just send us off to another team,"' Cowher said Monday "I think the guys thrived on that. With all due respect to Heinz Field, we just kept going off(on the road)." Cowher and his players felt something special building weeks ago, and so could Hall of Famer Greene, who now works in their personnel department When Greene had lunch with Cowher on Saturday, he looked at the coach and said, "'You guys got it, don't you?" Cowher replied the team was in a zone.It's a zone they didn't leave even during some rough times against the Seahawks : that included two interceptions thrown by Roethl isberger: "We had a chance to make history, and that motivated me a little more," center Jeff Hartings said. "You can make history by going 16-0 and win- ning the Super Bowl and we did the opposite. We made his- tory by winning as a sixth seed." They did so after Cowher recited some American history To motivate his players when they were 7-5 and the playoffs wee'ien doubt, Cowher related and here's a never-before- used coaching ploy - Christopher Columbus' jour- ney to America in 1492 and how SEAHAWKS Continued from Page 1B out and overpowers you, then you're like, 'Hey, we got beat' But I think we beat ourselves," Bernard said. So did most of his teammates and even the perspective- filled Holmngai, man," linebacker D.D. Lewis said. "I thought aboutthat last week "I'll spend the next weeks thinking about getting back here." And the Seahawks were still stinging from a few officials' calls that went against them, such as Darrell Jackson's touch- down catch that was taken away by a penalty and a disputed TD run by Pittsburgh's Ben Roethl isberger. "We knew it was going to be tough playing against the Steelers," Holmgren said. "But I didn't know we were going to have to take on the guys in the striped shirts, too." " The Seahawks have some rock-solid building blocks to pull that off: Three Pro Bowl offensive linemen leading a bal- anced con- tracts of league MVP Shaun -Alexander and guard Steve Hutchinson expiring. If the don't re-sign Alexander before March 3, he will become one of the league's most coveted free agents. Can Seattle pay both Pro Bowl players? Alexander led the league with a team-record up fifth in the standings after. blowing a tire during the finale. Who's to say things will bei different this year? Knaus, for 2 one. Knaus is widely considered- the best crew chief in the garage right now, a title that., can be both satisfying and stig- matizing. But in the midst of losing yet. another title, Knaus realized. something in him and his inherited style had to change if .he and Johnson were ever' going to make it that final step. :l "I think the worst thing that could have happened to me last year was that we led the- points so early for so long, and: I didn't want to give it up," he* said. "I tried really hard to* make sure we maintained that pace all year long and I got really tired." many told him it was an impos-, sible trip. "There's a lot of people telling you that you can't do it. but, you know v.hat, that does- n't, mean you don't. go try," Cowher said. "'Don't let your journey be defined by history, let your journey make history." Bettis took his place in NFL history by retiring as the. league's No. 5 career rusher after finally winning a Super Bowl in his 13th season, and in his hometown of Detroit. What is still to be seen is how Bettis' departure affects the team's locker room "This is the clos- est team we've ever had,"' Cowher said and this team's- future. The core components are relp actively young, which should make the Steelers contenders' for years: the 23-year-old Roethlisberger, the youngest' QB to win a Super Bowl; Willie Parker, the running back who starred for a Super Bowl cham- pion after not starting in col-, lege: Super Bowl MVP receiver Hines Ward: All-Pro guard' Alan Faneca: safety Troy Polamalu; nose tackle Casey. Hampton: linebackers Joey. Porter and James Farrior: "This will make coach Cowher even hungrier," defen-, sive end Aaron Smith said. "He- will enjoy this, but come next season he'll be even hungrier to get back here." And while Cowher cited' Columbus to inspire his team,i maybe he also should have,: quoted Robert Frost's poem "The Road Not Taken."' Frost wrote: "I took the road. less traveled. by, and that .hasr! made all the difference.".' I":, The Steelers took the road. less traveled, too, and what a difference it made. 1.880 yards rushing and a, league-record 28 touchdowns before Pittsburgh held him to95', yards and out of the end zone. He is expected to command. over $20 million in a signing' bonus alone. Agent Jim Steiner. said last week the two sides. remain so far apart in figures, he can't predict where- Alexander will be playing in 2006. * Late Sunday, Allen didn't sound worried about Alexander- leaving. - "As I said before, I am optiP mistic about that," the Microsoft ' co-founder said in: the& Seahawks' locker room. "Obviously, there will be discus- sions with his agent over the', coming weeks." Hutchinson and his, agent, Tom Condon, may aim for some- ' thing approaching the $20 mil-. lion in total bonuses Seattle, gave perennial Pro Bowl left- tackle Walter Jones last offsea-. son. Hutchinson, on his way to his third straight Pro Bowl, said last week he expected to return. The.. Seahawks have a fallback plan, they could use to keep him. - Since they have already; promised Alexander they would not use their lone franchise des-., ignation on him this offseason. as a condition to get him signed for 2005, the Seahawks could use that tag and its mandated,,, one-year contract to keep Hutchinson for 2006. Holmgren said that next sea- son offers "hope." "As far as the window of2 opportunity and where a team' is, this is a young team here,'" Holmgren said on his way out of Detroit "The key individuals" are young and have a few more - years of really good productivity "The organization is in good" hands. Things are in place. There's no reason to think that". now we've got the taste of it a lit- tle we can't continue this for a, while." But for Holmgren and his frustrated Hawks, such opti- mism will have to wait "I'm not going to look ahead for a little while," Holmgren said, still stuck on his second loss in three Super Bowls as a head coach. "I'm going to hibernate for a few days somewhere." TuEsDAir, FEBRLj,Ry 71 2006 3B: SPORTS RTIC US CODr[Y (Fl E Smworrs 9*5 UESDAYl, IS.BRUARY /, .4uV Rich history in bowling Don Rua LOCAL BOWLING Local retiree still going strong on the local lanes Have you ever heard of the Greater Citrus United States Bowling Congress Association? If you're a bowler in the area you should have. If you bowl in a sanctioned league you are a member of it whether you know it or not. It is the managing association for sanctioned bowlers and events, and every bowler who bowls in a league is required to be a member, or be certi- fied, to bowl. Most bowlers are probably aware of the group, but some newer ones may not. Newer bowlers may not be aware that when they paid a $14 annual membership fee, the fee was split between a $6 local portion and an $8 national fee. Both amounts are used for the association's operating expenses and awards. I found out about the associ- ation from its associate man- ager Bob Hacker. Hacker knows bowling; it has been a major part.of his life. He has participated in league play since he was a 16-year-old in 1945. Which means he's been bowling for 60 years stead ilyy, except for the four years he was in the U.S. Navy. Originally from St. Louis, he retired from the postal service and moved to Florida in 1988. As the result of annu- your bow no idea w involved i a league on what it take al visits to visit his mother-in- ]a%% in Inverness, Bob and his wife decided that they wanted to retire here. He currently bowls in four leagues a week and three dif- ferent "houses," in addition to being the secretary for two of the leagues. He said it's been this way for much of his life. He also was drawn behind the scenes early on as well. "I just love the game," Hacker said, "I had to get involved in the background. Most of your bowlers have no idea what all is involved in making a league work. It's fas- cinating, and'a lot of work by some dedicated people." Hacker .is amazingly hum- ble about' his .game. He has one sanctioned 300 game under his belt, and has rolled three more on the side. MIost of When asked about his per- lers have fect game, Hack er vhat all is laughed and m K g replied,. "It in main doesn't matter how many you e work. have, you still" get butterflies in the last frame. When I Bob Hacker bowled mine, s to run.a bowling my wife came league. upto me in the 10th and told me to just remember "feet slo. ... follow through.' It did the trick." He says he has held every office imaginable in bowling. He carries between a 190 and 200 average and has a high series off 772. "Any decent bowler can get in a zone and have a perfect game, but it takes real talent to roll an 800 series.," Hacker said. He has also bowled in 29 national tournaments, 18 state tournaments, and bowls in every county tournament held. He has been associated with and worked behind the scenes with the association for the 18 years he's been in Florida. Besides all of his time involved 'in bowling, Hacker is also a starter ranger at one of the Black Diamond Ranch Golf courses. All of the people involved with the association are vol- unteers. They maintain all the records of the bowlers in the county, give awards for spe- cial accomplishments and are big supporters of the youth bowling in the area. They host tournaments for charitable causes and to award scholarships to promis- ing young bowlers. They have donated over $1000 to hos- pices over the past three years, with money raised from these tournaments. Besides the entry fees, they rely on sponsors to help reach their goals. Their next big tourna- ment is coming up this month. I Don Rua. Chronicle Bowling correspondent, can be reached at donruat1gmail.comi CITRUS COUNTY (FL) CHRONICLE LOCAL BOWLING RESULTS: Manatee Bowl Cruisers Bowling League Handicap Men Denny Iverson 684 Women Nikki Sennott and Patti Otenbaker 653 Scratch Men Barry Daniels 225 Women Patti Otenbaker 184 , Sportsmen's Bowl Sunbowlers Senior League. Men Jack Edge 211, Warren Aplin 523 Women Marty Roberts 191, 499 Monday Night His and Hers league Men Chuck Utz 265, 678 Women Sandra Bryant 200, 576 . Tuesday Night Firstnighters Jeft Hiciey 238 657 Wednesday Morning Early Birds Kris Moore 197 515 Thursday Afternoon Hits and Misses Men Don Wykoff 202, Ed Powers 511 Women Sarah Adams 202 503 Thursday Night Pinbusters ichelle ,ise 255 546 Friday Afternoon Kings and Queens Men Ted Crites 193, 547 Women Phyllis Aplin 192, 463 . Friday Evening Friday Nighters Men Mike Lowe 247 630 Women Susan Healy 227. Joanne DeSomma 551 Saturday Morning Youth League Boys Ryan Fulls 193 468 Girls Kim, Wrightson 159 461 Beverly Hills Bowl Hills Gang Senior Mixed Handicap Men Norman Baumann 284, 689 Women Dot MacKenzie 253. Joy Wall 680 Senior Men's League Scratch Peter Heeschen 245 Tom Chees 676 Parkview Lanes Monday Night Specials Handicap Men Ken Goodenough 284. 728 Women Stepnanie Flory 302 766 Scratch Men Ken Gooder ough 257 Women Stephanie Flory 232 Preserve Pinbusters Handicap Men Don ArmsIrong 235 632 Women Bessie Skill 247 654 Parkview Seniors Handicap Men Tom Calverley 233 Don Ballard 621 Women Frances Secell 239 679 Ladies Classic Handicap Mar Conklin 247 703 Scratcr. Myla Wexler 209 Late Starters Handicap Men Tony Chipurn 242. Boo Pilkinton 649 Women Arlene Healon 232' 640 Wednesday Night Men Handicap George Barlow 290 Jim Randle 754 Scratch Jim Randle 259 721 Women's Trio Handicap Jane Terrell 254 704 Scratch Jane Terrell 225, 617 Holder Hotshots Handicap Men Andy Cun.s 299. 801 Women Sherry Hirt 285 748 Scratch Men Robert Hyatt 254 686 Parkview Owls Handicap Men Ray -lallenbeck 267. Rcir Lee 748 Women Jeanene Lee 264. 718'. Scraich Men Ted Rafanan 235, 664 VWomen Lon Cquera 221 - Bowlers of the Week Men And Cunrts., 141 pins over his aver- age Women Sitephanie Flory 130pn-i over ner average Parkview Lanes Weekly News SATURDAY STRIKE-A-MANIA RESULTS: The tourney winner was Los Campbell who rolled an 856 series includ- ing a 300 game Rick Rollasonr, was second with 838 also within a 300 game and Ives Cnarvez finished inird even though he had two 300 games The 8.pinr NoTap Siri.e-A- Mania is ejer, Saturday night at 6 30prn, and Ine cost is $12 per person VALENTINE'S NOTAP DOUBLES: The annual .Valentine s Day Tourney will be Sunday February 12 The celebration will begin itr, a special meal ai 1 30pm and ne bowling wil sial around 2pm There will be favors ior the ladies special music. and a lucky person wil win a free round of golf at Pine Ridge Country Club The cost is $26 per couple and reservatorn must be made by Friday Feoruary 10 RIZZO'S PIZZA GOLFBOWL DOUBLES: Saturday February 25 is the date of the Rizz, s Pizza GoitBowl Doubles The golf scramble begins al Twisted Oaks Country Club with a shotgun sian at 1 30pm then continues with three games of' pest frame bowling at Parkview Lane: The team first prize ii 1100 based on 20 teams and there are individual prizes in both golf and bowling A special drawing will determine Ike ariner of a free round of golf at Twisted Oaks Couniri Club Trhe cost is $30 per person and must be paid by Wednesday, February 22 New tourney to benefit Eric van den Hoogen SM TENNIS It is never too early 'to starl talking about the next tennis touniment. especially one that is a mLxed doubles only event The American Cancer Society Charity Benefit Tennis Tournament at Citrus Hills' Skyview Tennis Center will be held on April 8-9. The event will be mixed doubles fonnat A. B. C, & C (60+) divisions, The entry fee is $20 per person. Prizes include awa-ds for Nwinners and runners-up in each d i\ision., All proceeds go to the American Cancer Society The tournament will be held at the Skyview tennis club at Terra Vista in Citrus Hills. The dead- line for entries is Wednesday, April 5. For more information, contact tournament director Bruce Payne at 746-00. Monday Night Ladies Doubles League The standings as of last week: Brooksville Kick Butt, 43; Black Diamond, 37; Brooksville Aces, 30; Bicentennial Babes, 29; Citrus Hills Court Defenders, 27; Sugarmill Woodsies, 26; Pine Ridge Racqueteers, 26; Love Inverness, 22. Citrus County Tuesday Women Tennis Leagues The standings as of last week: Sugarmill Woods, 46; Skyview, 31; Crystal River, 27; Black Diamond, 23. This league is geared towards the 3.0 and 3.5 level players. New play- ers, regulars or subs, are always wel- come. To sign up or for information about this league, contact Char Schmoller at 527-9218 or e-mail schmoler@atlantic.net. Senior Laies Tuesday 10 League The standings as of last week: Riverhaven Ospreys, 25;Riverhaven Gators, 23; MeadowcrestAces, 22; Citrus Hills, 22; Crystal River, 20; Meadowcrest Racketts, 20; Pine. Ridge, 19; Riverview, 17; Sugarmill, 12. For information about this league, contact Myrtle Jones at 341-0970 or e-mail mbj30@netsignia.net Thursday Morning Citrus Area Doubles League The standings as of last week: Citrus Hills Swingers, 71; Citrus Hills. Aces, 57; Skyview, 52; Pine Ridge Mavericks, 50; Sugarmill Oakies, 47; Crystal River YoYo's, 41; Crystal River Racqueteers, 39;Bicentennial Babes, 36; Pine Ridge Fillies, 26; Sugarmill Sweetspots, 12. For information about this league, contact chairperson Gail Sansom at 746-4455 or bsan- som@tampabay.rr.com. Citrus County Men's League The league started on Feb. 2nd.For more information contact Rick Scholl at 382-0353 or e-mail rscholl@atlantic.net. charity The Friday Senior Ladies Doubles 3.0- 3.5 League The standings as of last week: Meadowcrest Swingers, 36: Riverhaven 25: Pine Ridge Mustangs, 23; Meadowcrest Love, 22; Pine Ridge Colts, 18: Crystal River, 18, Sugarmill Woods, 9; Citrus Hackers, 8.- wind.net Eric van den Hoogen, Chronicle tennis corespondent, can be reached at hoera@juno.com Homeowners who owe the IRS. must read this before April 15 Call J.G. Wentworth's - Annuity Purchase Program J.G.WENTWORTH. 866-FUND-549. ANNum' PURCHASE PROGRAM Itf ou owe 10.01.10 or more in past due taxes. there are four solunons. SI I You can pay it in lull This is. of course. \our best opinon. 21 'Yoil can pa.\ it otTv.ith, a credit card This i n.ot 3 good .,olurion- unless ,ou can pa) off Liour credit card in fall quickly Besides. ihe [RS charges .ou a heft) "contemelnce" fee. (3) You car borrow from a friend or relamne. You already knoLu this is not a good idea 141 You can use the equiry in your home to p3a off} our debts This is lour best option and %e hase the best program. ONE. we guarantee te lowest rate in ,'Tring We aill beat all oRfers-or ke'll pas y,ou S2i50 TWO. we "ill not increase sour raie-even it -you ha.e a low credit score We don'r let our computer tell us what tc. do We can gise you a loan when others s'y no c-en if you have a -"lo." credit -core THREE. there's jnr excellent chance .oui loan will be approved We approve 6 out of 7 applicants And many of these people hate credit scores below 620 You ba.e an 86"0 chance of gernng a loan-no mainer our sirumaon %\h} must% ou call before April 15? Because \ou don't know what the [RS ma, do after Apnl 15 The. ma\ garnish your wages. seize your car or e\en foreclose .our house There's no reason to owe the [RS if you haIe equir min ,our home We can tell Nou-free ofL harge-and o% er the phone if you quality. Open 7 Call 1-800-700-1242. et. 294 Mia cm.v Lc.!." 1: C.. ",. :Q'!j.! 0 a, -,'- aq-oe , AR FVRRTTARY 7- 2006 C TU ES DE.AY FEBRUARY 7, 2006 -, - ~ifwrt.W~ Ag shoe - 5' -' Sfits | Just don't feel the pinch Snkennedy@ chronicleonline.com Chronicle SAs anly women can attest if there's any- thine better than A;L buying a pair of shoes and that's a big if- it's busing them on sale. Shoes don't make your thighs look huge They don't shrink in the dryer: They don't ride up when you sit ;. do wn or draw attention to the roll around your mid- P die. i .You don't have to lose just |i 10 more pounds to it into them. You don't have to sit by the phone on a Fr'iday night waiting for them to call. They won't ever stand 1 you up or break your heart. And one can never have too many, especially in black "I probably have 60 pairs . of shoes four pairs of golf shoes, high heels in every color, although I never \wear heels, but I have a full set - just in case," said Inverness ' shoe lover Sandra Fikes. "I have about six or eight ai pairs of black shoes, because you need satin shoes and leather shoes and some that are dress.\ and less dressy." Of course. "There are only two kinds Torri Lilly displ ! of women in the world," said as shec '"i writes Jane Eldershaw in sd "Heart and Sole: The Shoes mi-tide tc 1 of Nlection of pi l of Mv Life" "those who sandals at love shoes and those who nd s S had thle misfortune to be Stee toeadd, born without the ability to leather; two-t( experience total bliss on day" silver finding a pair of perfectly da"r siver designedL pumpsl) in the right dressy sier size at half price printand clea iz at al eant shoes tf Then there are those for, a a pageant h whom shoes are a way o asTa pageant ii ife.' "The reaso Ao'ound Citrus Countyshoes are so makeoty that would be Torri Lilly, aeoir leg provost of Central Florida she said. o Community College's Lilly has or Lecanto campus. A forav when buying into her closet is truly a must be cute sole-ful experience for any never pays ful shoe aficionado. Where doe "Normally. I wear shoes them'.' that match my outfit," she "Zappos.con Dr. C. Joseph Bennett AMERICAN CANCER SOCIETY FDA OK given to drug The U.S. Food and Drug Administration tFDA) recently ap- proved a new "targeted" cdrug called sunitinib or Sutent for use against two types of cancer, gastroin- testinal stromal tumors, or GIST, which is a rare form of stomach cancer, and ad- vanced kidney cancers. The approval covers the use of sunitinib for GIST patients whose disease has progressed or who are unable to tolerate treatment with Gleevec, the current standard therapy. Like Gleevec, sunitinib is a tar- geted therapy that attacks only certain parts of cells. Both drugs are tyrosine kinase inhibitors, but the new agent attacks more than one target to deprive tumor cells of the blood and nutri- ents they need to grow. In an early look at study data, researchers found that sunitinib delayed the lime it. -takes for tumors or new lesions to grow in patients with GIST, according to the FDA statement. Specifically. the median time-to-tumor progression for patients treated with sunitinib w\as 27 weeks, compared to six weeks for patients w\ho Please see E.'VNF-T '/Page 7C ays some of her many pairs of shoes. She has a pair for every outfit. conducted a our of her col- iumps, boots. d stilettos. pointy toes. ens. plastic. ones. "Every - sandals and ones. leopard r plastic "pag- 'om her days 'inner in eh nit in In tlle good s look nl tv shoe - - I pric es s !" s m!" s "See these green boots? I like to wear boots with pants because that makes the longer look, and I want the pants and the boots to match, so I went ionline)' to zappos.com and put in my size and the color and how much I wanted to pay. Two pair ofgreen boots came up - and I don't think I even paid $40 for them " All hough Lil l doesn't GIVE YOUR FEET A TREAT According to the Amenrcan Orthopaedic Foot andi Ankle Society, a suree, or 356 women foundd that almost 90 percent wore sh:,e too small for their feet, and 80 perc-ent said they had fool protblerris. uch as buriiorn,. hammertoes, buni riettez, Cin-. and other dialbing foot problems. Also, women have about 90 percent of .urgeries for these foot maladies, costing the American public at least $3 5 billion lor -urger, ard 15 muillonr lost ork da.,s annually Here are some suggestiors on proper shoe ht from the AOFAS. * Don't select shoes by the size rnarked inside the shoe tr, them on and ludge the shoes .,' ho..', they ft r or th feet. is they have an exact count of the M Select a shoe that conlornms as nearly as possible to the shape longerr" shoes in her closet, she o your foot. knows where each pair is 0 Measure! i vo rules and rotates them by season. U Buy shoes near the end of the day w,,hen feet are larQest. es: They Right now the sandals are Stand and walk in the shoes; there should be 3 8. to 1 2. incr, and she in the back and the boots space for your longest toe. e. ar e in the forefront. e Make sure the ball of your foot fits comfortably into the widest he buy Not all these shoes ae part 'ball pocket) ot the shoe. I she said. "Sof they're too tight don't buy them! t he said Please see .-OE ./Page 6C i ^ . . .... .. ... ... . . . .. ... ...... .. .. . .. . j . SSA caught in middle Genes are just too simple I t seems that the government's new of the HHS. However, under the dictate : Medicare prescription drug law is of part of the Medicare Modernization, getting its enrollees, Improvement and pharmacies and insurers in Prescription Drug Act of order. These three partici- 2003 (MMA), the SSA was nbt pants were never the cause only brought in as sole of the Part D fiasco it was determiner of claim- always the underprepared :- appeals, but also as sole system itself. determiner of benefit quali- After all, the departments t ... fications fqr sonie 20 million of Health Human. Services Medicare enrollees. S (HHS) and the Center for Whoa! What does this Medicare and Medicaid exactly.mean to the people Services (CMS) had only 25 Dan'Rohan of this nation? months to organize this pro- SENIOR Let us just take the SSA gram for "we the people." ADV CATE problems: Before .MMA, a And let us not forget the ADV'C E beneficiary's Medicare already overworked, under- intermediary could handle a staffed and ill-schooled, on this particu- denied Medicare claim, and this has lar law, Social Security Administration been the process.for,40 years. Indeed, it T(SSA). u t C M P s *.. " -The SSA, unlike the CMS, is not part Please see rOHAN/Page 6C Editor's note: In part five of his Theoretically, desirable qualities can seven-part series about agriculture and be introduced into the genetically mod- health, Dr. Ed Dodge examines ified species, makingthem more useful biotechnology. to humans. It is an enticing- s biotech our hope? .-- vision, but one with deep Recognizing the damage flaws. being done to planet Many genetically engi- Earth, Robert Shapiro, then ; neered plants and animals CEO of Monsanto, said the ? have been created in practices of industrial agri- .. research labs. But corn has culture were not sustain- ', *-, i genes from soil bacteria able. fused into its genetic code to Instead, we are told, make it toxic to many biotechnology will lead us insects. Transgenic soy- into a new era of safe and Dr. Ed Dodge beans have genes to make abundant food. Genetic PASSION them resistant to Roundup. engineering, biotech's cen- FOR HEALTH Amals have been given terpiece, was developed genes to improve their during the past few decades. growth or modify their dis- It consists of grafting genes from one ease resistance. species into the genetic code of another species. Please see DOoGE/Page 6C Dr. Sunil Gandhi CA.4CER 0.13EASS Meds affect bone loss My patient, age 75, %was diagnosed with a backache. A com- plete workup revealed he had metastatic prostate can- cer to the bone. He was start- ed on Lupron injections for three months. His prostate cancer is under good control, and his PSA is less than 0.1. However, my further workup revealed that he has osteo- porosis. Bone is living and growing tissue, made mostly of colla- gen and calcium phosphate. This combination makes bones flexible, strong and able to withstand stress. Bones grow to adult size dur- ing adolescence, but they continue to change through- out the lifespan. Most people think that osteoporosis is a disease of women. This is a myth. After menopause, when estrogen levels decline in women, they are particularly prone to osteoporosis. Generally, men have larger, stronger bones than women, and they do not experience the poten- tially bone-weakening hor- monal changes that women.- Please see GAtNDHi/Page 7C 2Cl, TUESDAY, FEBRUARY /, 2006UUO ..-- C PAID ADVERTISEMENT It's a New Year- Time for a New You!! by Rita Johnson Kelly's Health Club in Crystal River was voted the best health club in the county for 2005. You would certainly expect to pay more to belong to a club that offers so much more than the average gym, but it actually costs less than the competition. And, with no obligations to sign a contract! Monthly memberships are available at just $25.00, with a special six-month membership for a short time for :.only $99.00. Best of all, there are no contracts to sign. Set amid five lush, tropical acres of paradise, it is obvious from the start that Kelly's. is not \our typical warehouse gym. Kelly's Health Club has been in business for over 20 years, but it is a totally different place since the new owners took over last year. The entire gym etthe " has been Y the remodeled Best" fi top to bottom with gor- geous facilities and state-of-the-- art equipment. '. " Kelly'sI offers an outdoor heated pool, whirlpool sauna, tanning bed, and a new upper. deck %%here you can train in the fresh air and look around this beautiful fitness report in the heart of Crystai River. Kelly's is open seven days a week for your convenience. No excuses make a commitment to get in shape! Call or stop by today and take advantage of the great rates and hew classes. rs ofth The best gym Rest ofthe at the best r Less". prices what more could you want? While you are there, remember to pick up a monthly newsletter to find out the schedule of classes and news of what is going on at the gym. Kelly's Health Club is located at 6860 W.Kelly Court (off of N. Dunkenfield Avenue) in Crystal River. Phone 352/795-3703. Find more information on the websiLe:. Example... A very large pool, with water. Kelly's has professional trainers on staff to provide safe and effective workouts, including: 2 free-weight rooms Nautilus Room Cardio room Latest technology equipment Stability ball class Kickboxing classes in the pool Indoor racquetball court Yoga Pilates Aerobics The popular "Butts & Guts" class Tennis court Lighted quarter-mile outdoor running Stand up turbo tanning bed Example... State-of-the-art facility ~, ~ 1 . Wx rsL it's a New Year Time for a New You!! All classes, pool, sauna, Jacuzzi, tennis courts and raquetball included with membership. NO CONTRACTS NEW TOKELLY'S A nutrition program, weight loss at it's finest. Lose weight safely with our help. , r ------------ 1 YEAR MEMBERSHIP $250 Nb (Plus $5 initiation fee & tax) I Membership include all classes, pool, W| sauna. jacuzzi, tennis court, racquetball e i & walking Irails Restrictions apply. Offer only applies to new members Offer expires March 1, A u 2006. Does not include tanning, L.... massage, or personal training y 4 MONTH MEMBERSHIP -1 'j,~ ~ *.-*i~. .L~ VALENTINE SPECIAL " Come inbetween I 12pm & 4pm weekdays I JUST $20.00 I (Plus S5 initiation fee & tax, 1"' month only) Restrictions apply. Offer only applies to new members. Offer expires March 1, 2006. Does not include tanning, mnq- P.nnr nprqnnqfnitinri 1 L g1l asam U ui [rL jp onL ralnilng. - [ TRY US OUT! IGET IN SHAPE! I II I JUST $99.00 JUST $25.00 (Plus $5 initiation fee & tax) : (Plus $5 initiation fee & tax, c1"' month only) Restrictions apply. Offer only Restrictions apply. Offer only S applies to new members. Offer applies to new members. Offer expires March 1, 2006. Does not expires March 1, 2006. Does not include tanning, massage, or include tanning, massage, or L.. personal training. personal training. --- -- --- ----------- - WEEKEND PASS: SPECIAL Parents It is your turn for a break, bring the I Unlimited Tanning family Saturday & Sunday. J JUST $50.00 I JUST $25.00 I (Plus $5 initiation fee & tax, I 1" month only) (Plus $5 Initiation fee & tax, Restrictions apply. Offer only applies to new i 1" month only) I members. Offer expires March 1. 2006. l;|l Does not include tanning, massage, or I Restrictions apply. Offer only personal training |?| applies to new members. Offer S. wArii- icnO nYie v t. xnires March 1. 2006. The Best Gym at the Best Pr Monday thru Friday: 6am-10pm Saturday: 7am-9pm Sunday: 9am-4pm 657974 track 7 CiTRus CouNTY (FL) CHRoNichE ItAT T'-T SCihRTItU COUNTY (.FL) bCHRONIv n.ea"CLEl ae -Pulse-light therapy: Rationale for observing renal cancers M ore than 30,000 new Is it dangerous cases of renal cell cancer (RCC) are diag- P ear Lillian, It was a pleasure to read your advice. I definitely aant to. try spa treatment for inyhair. I'd like to ask you about facial "pulse-light therapy". Can it be dangerous as any laser procedure? Do you do it in your place? I am 47 years old and wish to do something with my face before next summer- nothing radical, but more effective than using . cream. Sincerely, Lillian Natalie ASK L Dear Natalie: I'm . so happy that you enjoyed my advice about the hair spa treat- ment Your hair will love you. To. answer your question about the facial "pulse-light therapy" Wow! This is an amazing procedure that is very popular in large cities. I have been looking into it to offer at my salons. This therapy: promotes cell growth to the' skin similar to plant photosyn- thesis. This procedure is used for many treatments, such as:. wound healing and promoting human tissue growth, promot- ing collagen production, increasing circulation, increas- ing lymphatic system activity, reducing the appearance of aging and fine lines, generat- ing heat and increasing blood circulation and temporally relieving joint and muscle pain., The light therapy system is a non-invasive, painless proce- dure that requires absolutely no down-time. The average price of this procedure is about $100 for a 30-minute session, with results on the first treat- ment.. To complement the advantages of light, therapy, you can also use the ultrasonic skincare system that offers a deep cleaning method for facial pores. Hearing loss Audiologist Kenneth Booher, M.S, F-AAA, will discuss how hearing loss is assessed and the new advancements in hearing technology that can help us hear better. Booher is the audiologist fvith board-certified ENT specialist jeffrey Marcus, M.D., a member of the Citrus Memorial active medical itaff. a The program will be at 1 p.m. Wednesday in the CMH Audi- forium. The.free.program is open o the public. Registration is required by calling 344-6513. Reserved parking for the program Audiologist Dan Gardner M.S. 33 years experience This system uses ultrasonic wave motions to turn the clean- ing liquid into a vapor that emulsifies and washes away debris in the pores and easily removes aged surface skin. The benefits are 'that it: increases skins metabolism, diminishes the appearance of wrin- kles, removes aged surface skin and deeply cleans the facial pores. Your basic .skin care is very important as well. A great ingredient ,for exfoliating .the Knipp aged skin is glycolic ILLIAN acid. Many derma- tologists recom- mend this to potential skin cancer patients to remove skin that may become dangerous and cancerous. Good luck to you Natalie; I hope that I have given you some helpful information. Hair tip of the month: You might be having a little static cling in your hair with the winter weather The heaters and thicker clothing such as sweaters often cause a static feeling in the hair. The solution is to put a small amount of conditioner in your hand and blend it through your dry hair. The conditioner smoothes the hair cuticle and decreases the static feeling. Lillian Knipp is an internationally trained hair designer, makeup artist, skin-care specialist and fashion designer. A former model, modeling agency owner and Citrus County business owner, Lillian's new advice column welcomes questions from women and men of all ages who need help with hair, fashion, skin, style and creating their 'unique look will be available in the hospital's "Q" parking lot, on the opposite corner of Grace Street and Osceola Avenue. .. Healthy cooking The Community Service Department of the Seventh-day Adventist Church will sponsor a health lecture and Wellspring healthy cooking classes. Dr. Phillip Collins from Asheville, N.C., will speak about "How to Cure America's Major Killer." Collins has practiced preventive medicine for 26 years. His presen- Please see NOTES/Page 4C cY FREE CONSULTATION: Dan Gardner Inc. Audiology Clinic Inverness 726-4001 Crystal River 795-5377 L Accepling and Most - Insurances I NO OUT-.poCKET COrs * WFHH MEDICARE & SUPPLEMENT ON SCOOTERS OR POWER WHEELCHAIRS Need New Batteries? We Carry All Home S Medicare Covers Medical Equipment Them. & Supplies If You Qualify 352564 4 599 S. E. Suncoast Blvd. .6 4 .4 Behind Dillon's Inn nosed yearly in the United States. The detection of small incidental renal masses has increased in the past two decades because of the wide- spread use of body imaging modalities as generalized screening tests. As a result, nearly 40 percent of the surgical proce- dures for renal tumors are per- Ip formed on lesions - less than 4 cm in size. Standard therapy for !a suspected renal cell carcino- ma is surgical, including open and Dr. Tom laparoscopic LUROI approaches with TOI partial and total n eph re c to my options, as well as advancing newer techniques such as cryoablation, radiofrequency ablation and extracorporeal ablation technologies. How-. ever, operative treatment may not be plausible in all clinical circumstances. A recent arti- cle in the Journal of Urology examined available data on the natural history of observed solid renal masses. The clinical diagnosis of RCC is based' on radiographic findings that include ultra- sound, CT-scan and MRI. Solid lesions on ultrasound as well as those that enhance on I L & cross-sectional imaging are considered malignant until proven otherwise. The benefit of percutaneous biopsy of solid enhancing lesions is lim- ited and rarely changes clini- cal management. While surgical' therapy remains the cornerstone of treatment, some patients may be poor candidates or unwill- ing to accept the Bl risks of surgical therapy. Median age at RCC diagno- sis is about 65 years. As patients age, compelling health risks may S,^ affect overall y longevity more sig- tr e nificantly than a Stringer small or incidental OGY untreated, enhanc- lAY ing renal mass. Reports on the practice of observ- ing renal masses at significant risk for malignancy are limit- ed. With the absence ofguide- lines, both the physician and the patient assume a calculat- ed risk when the treatment choice is observation, espe- cially in the absence of patho- logical confirmation. The recent Journal of Urology review analyzed data from 1966 to present, in regards to untreated, observed, localized solid renal masses. Variables examined included initial lesion size at presentation, growth rate, duration of follow-up, patho- Do benefits outweigh risks of new med? Q. I heard about a new prescription product for treating menopaus- al symptoms that may hormone (antiandrogenic) propeilies, which may be help- ful in treating postmenopausal women with acne or excessive cause less water body or facial hair retention. What can (hirsutism) who you tell me about it? need HRT. How- A: The FDA re- : ever, An geliq can cently approved An- -'r' increase potassium geliq for the treat- levels in the blood, ment ot menopausal and this needs close sy mlptoms such as monitoring. hot flashes, night The FDA: re- sweats and vaginal quires new safety dryness. This new Richard Hoffmann information to be oral' tablet, which is a, ws included in the taken once daily, labeling of all estro- contains estradiol PH.l- tAV~- T gen and estrogen (estrogen) and dro- plus progestin prod- spirenone (progestin). Drospir- ucts based upon results from enotte is somewhat different the \Vomen s Health Initiative from other progestins used in (WHI study. This study showed hormonal replacement thera- that postmenopausal women py (HRT) because it can count- taking estrogen plus progestin er the excess water and sodium have an increased risk of heart retention sometimes caused by attack, stroke, breast cancer taking estrogen. and blood- clots. The risk of Angeliq also has anti-male dementia is increased in Carelenc.A.P. WIAlson. AE ii,,r'J ,d nertI ad lkJMedidne 3* ul3' ,1 etifcItiPd~r -F'.plsptc. Bre.,;tEvj.sm rao HRT P.6,rd -rri r~.dCart *Tr,itntra --.I ,iabi~cs. H',,pe~crti. .3i'). & W-ihrna Tr.,aawri"'niM ., H.'f'.uiNkiv.',ne Total L 3rc 'cr i- r, rafr .1 -934 N. Suncoast Blvdc. (South Square Plaza) crystal River 352-563-5070 Accepting New Patients Mon Tug-Thu Sam- b6pm Wed &Fri 8am-pm women older than 65. These products should be used only when the benefits clearly outweigh the risks, and should be used at the lowest dose and for the shortest dura- tion. It is recommended that when these medications are being used solely for vaginal dryness that topical vaginal products should be considered. Your physician can determine ifHRT is appropriate and what product is most suitable. Richard Hotffnann has prac- ticed pharmacy f'or more than 20years. Send questions to him at 1135 N. Timucuan Trail. Inverness. FL 34453. r COMPLETE MEDICAL & SURGICAL FOOT CARE Adult & Pediatric Specializing in: Wound Care & ,, L Reconstructive Foot/Ankle Surgery CITRUS4M PODIATRY CENTER, PA EDWARD J. DALY, DPM* KENNETH P. PRITCHYK, DPM* *Board Certified Podiatric Physician & Surgeon *Fellow American College of Foot and Ankle Surgeons .,e -a W 0nsV. up Ynu Cn -p Brnds You Like At Opti-Mart you save up to 50% off Typical Retail Prices Everyday Even On Name Brands! IZOD DKNY"' Calvin Klein5 Jessica McClintack Transitions Tommy HilfigerO BOSS KODAK"' Eddie Bauer Laura AshelyO Varilux0 John Lennon & More Designer frames available in our Silver & Gold Collections Prces Youil Love 2 Pair For Only: $98 Single Vision, Wear Bifocals? 2 Pair For $128 Prefer Progressives? 2 Pair For $198 Or Build Your Own Money Saving Package With Our Simple Up-front Pricing! Prices fi Bronze Collecton Frames & Standard Clear Lenses FOR YOUR CONVENIENCE WE HONOR; UMANA, WELLCARE, AETNA, MEDICARE (INCLUDING CHOICE AND UNIVERSAL) AND MANY MORE! -Health NTs S ,:s. ' 4-' ~' 0~ ti-mke... rt Brands You Like,..Prices You'll Love huh? ST J1 'fit. TuEsDAY, FEBRu-,Ry 7, 2006 3C T-]'II.A T r , r-... ....- f-T) r uvnw ... ... :if I .logical findings and progres- sion to metastatic disease. Collectively, 286 renal lesions were analyzed. Overall mean initial lesion size was 2.6 cm. Eighty-six percent of the lesions followed were less than 4 cm. Lesions were fol- lowed for a mean of 34 months and grew at a mean rate of 0.28 cm annually. Of the 286 lesions reviewed, 131 had pathologi- cal information available with 92 percent of those malignant. The, mean growth rate of pathologically confirmed RCC variants was significantly greater than lesions for which observational therapy was continued. .Progression to metastatic disease was noted in three patients representing 1 percent of the total number of lesions followed. Data did not suggest a significant corre- lation between lesion size at presentation and the growth rate. S.It is now recognized that RCC is a heterogeneous dis- ease from its inception. The heterogenicity is reflected in its, clinical course. Forces arguing. against observation are ,the relative low risk of anesthesia, expanding surgi- cal options, including nephron sparing, ablative, laparoscopic and percutaneous approach- es,: the ineffectiveness of sys- temic therapy and the uncer- tain biological potential for untreated masses. Underlying an- argument for observation, particularly in the elderly patient with comorbidities, is the slow indolent growth'rate observed in the analysis of a small cohort of patients. No definite protocol for radiographic follow-up of renal lesions exists, since it is not the gold standard of thera- py. However, the imaging modality used should be con- sistent and be performed with contrast agents to evaluate enhancement characteristics. Prior studies should be assessed by direct compari- son. More frequent imaging should be performed during the first 24 months. Once the lesion has demonstrated size stability, the follow-up interval can be cautiously extended. Given the limitations of cur- rent data, the only justifica- tion for observation should be competing health risks. However, it would appear that many small incidental lesions of the kidney have a slow nat- ural-growth rate and low, metastatic-risk potential. This allows the physician and patient to choose observation as a calculated risk for non- treatment.' Thomas F. Stringer, M.D., FACS, is president of Citrus Urologv. Associates. president of the Florida Urological Society and a, clinical professor in the Division of Urology at the University of Florida. Gainesville Page Missing or Unavailable 'Crrnrrc Cnrn~n-v (FT.) Cnpnwrrrr TIEALT** TUESDAY, FEBRUARY 7, 2006 5C PAIDADVERTISEMENT Just off the hb an th "- " Cash Carpet & Tile in 3 Rivers Commerce Park, 100 yards back rrom Route 44 in Lecanto, has been in business in the same location, since 1988, yet many first time customers .exclaim, "I never knew you were here!" What customers. are krsuprised to find is a huge I'Cselection from the three ,bnmajor carpet manufacturers:' Shaw, WtMohawk and Beaulieu; along with every b.conceivable hard surface -oproduct, including ceramics from all over I he world, hardwoods, Vilaminates., vinyls and '--area rugs. Owner, Bob Ryan, explains, "We shop as hard for the best 'products on the market as the homeowner does. The dedication shows in the product lines being presented in' the showroom. Cash Carpet- & Tile offers the latest technologies in floor coverings with. the best -selections and at a faif Tprice. Add the skilled installers and long- standing reputation for ._ervice, and you know. lam S36 oz. F 1 5 Yr. Qua I^}-'-,. installed w . ! " 4 - r I l I U why Cash Carpet & Tile has enjoyed steady growth for over 17 years. This increase in customers plus the demand for greater inventory has resulted in a recent expansion to over 6,000 square feet of warehouse space - making Cash Carpet & Tile one of the largest facilities in the county. If you have already been shopping around, don't make your decision until you have stopped by Cash Carpet & Tile. Stroll through one showroom after another and you will find exactly what you had in mind for your home. Remember when you are price shopping, that there are three parts to any new purchase: price, value and service. Value, and service are tw\o parts, to the equation that will be remembered long , after the price has been forgotten. Cash Caripet & Tile is dedicated to offering the finest products available in every line they sell; selling them at a fair price; and making sure the service continues after the sale. . Are you considering remodeling your. home?. Your floor covering certainly has 'the largest impact on the style -and. decor of your room. -Are. you drawn. to the Xarmth and seemingly endless choices; in color and styles available with carpeting? ,New carpet-. st\les and colors allow you to totally change yourt home even with the" tightest budget. -Do you love the'look of hardwoods, but want the easy care and durability of the new 1 laminates? Cash Carpet & Tile has the: newest technologies and, styles on the market that simulate hardwood or ceramics. plus many other styles, Your floor covering certainly has the largest impact on the style and decor of your room. -When nothing -less than the real thing will do, Cash. .Carpet & Tile imports the finest ceramics from all over 'the world, plus breathtaking, granites and marbles. -See the complete line of natural hardwoods that add a look, of beauty and richness to any room:. -Do you need an area rug to accent the decor or to add a spot of comfort and warmth? With sor many: i choices, you are certain to find just what you want. Stop in today and discover the reasons! that set Cash Carpet & Tile apart from the big box stores: Personal attention from start to finish puts you in control of the transaction Over 17 years of experience in the area with a solid reputation for service after the sale. Trained and knowledgeable sales professionals \%ho only deal in the area of floor coverings. S*- The qualified technicians at Cash Carpet -& Tile are fully licensed and insured. Extensive warehouse inventory on site for quick delivery and installanon. Stop in and let the sales staff assist you in making the right choice for your home. Discover why the customers agree with their slogan: "Floor covering that says . ..ELCOME HOME". TUESDAY, FEBRu& 7, 2006 isc -HEALTH d'GITRUS COUNTY (F HEALTH 'I musDCOUNTY (FL)YCHRONICLE SHOES Continued from Page 1C shoes are from the '80s and '90s, from when I was in West Virginia. "I wear them and keep hav- ing new heels put on them," she said. Lilly said her fondness for shoes stems from her child- hood in West Virginia. "I grew up poor," she said, "and I had a pair of red canvas shoes, like Mary Janes, and they were ugly Those were the only shoes that I owned." She said that one Saturday she and her mother had gone into town and the movie "Sleeping Beauty" was playing at the theater. "I wanted to see it so bad, but my red shoes were worn out," she said. "So I had to choose between getting a new pair of red shoes or going to the movie. "I knew my mom wanted me to choose the shoes; that was the right thing to do," she said. "I guess growing up like that, always wanting nicer shoes I think things that happen to you in childhood shape the way you are when you grow up." . Lilly said. she has foot prob- lems, not from wearing high heels, but from her years as a ballet dancer. Oh, my achin' feet Shoes don't cause foot prob- lems, said Inverness podiatrist Thomas Matysik, DPM. "That's a common misconception," he said. But take a bad foot, and ill- fitting shoes will make existing problems worse, he said. He called the current style of pointy, pointy toes "across the board bad," with high, high heels and platform. soles almost as detrimental. "Style shouldn't be a consid- eration when buying shoes," he said, "but ..." He said the best shoe, foot- healthwise, should have a rounded, roomy toe box and a lower heel. "If you don't do anything else, get your foot measured by someone who's qualified," he said. And fit to your largest foot He suggested that shoe shop- pers trace their feet on a piece of plain paper and take it to the store with them. "Put the shoe you want to buy on the 'foot,' he said. "If you can see the trace line, that means the shoe's too small.". DODGE., Continued from Page 1C Transgenic organisms are not confined to research labo- ratories. Many have been released to "improve" our world. In essence, we have, all become part of a gigantic experimental model, the out- come of which cannot be con- fidently predicted by anyone. Dr. Barry Commoner, senior scientist at the Critical Genetics Project at Queens College, CUNY, explained why in an article, "The Spurious Foundation of Genetic Engineering," pub- lished by Harpers Magazine in 2002. We have far too few genes to account for our com- plexity This totally under- mines the premise of genetic engineering. Genes alone ido ROHAN Continued from Page 1C is the process today. A Medicare intermediary is the private insurance company that processes and answers questions about your claim. The name, address and tele- phone number (always toll- free) of the private insurer that processes your claim and that is your first recourse for final determination of said claim is clearly indicated on all Part A and Part B Medicare Explanation of Benefits (EOB). However, your claim, or, for that matter, any claim, could' be and still can be challenged. The.HHS and the CMS do not deny it, but when a claim is challenged by a beneficiary or his or her representative (please, don't use an attorney), more than 85 percent of bene- ficiary negative claims even- tually are ruled in the favor of the beneficiary. One must be aware that if the intermedi- ary's ultimate determination is negative to the beneficiary, don't stop here. Before I go further, allow me to say the intermediary does not gain by the process of not explain the vast inherited" differences between different species. We are tinkering with complex sets of factors that scientists do not yet under- stand. Genetic engineering raises other L scientific concerns: Undesirable qualities could be moved accidentally .from one species to another. Genetic flow between plant species occurs in the wild. Roundup resistance can flow from transgenic crops to wild, plants. A few weed species already have become resistant, turn- ing the goal of weed control 'into a potential agricultural nightmare. Many other scien- tific questions remain unan- swered. Genetic engineering raises ethical concerns. When com- mercial profit drives research, what happens to scientific objectivity?. Is it ethical to denying a claim, nor should a beneficiary push a clearly unwarranted .payment of a claim. An intermediary can sometimes actually take that extra step to help you, despite recent Medicare rules ,and regulations. On the whole, intermediaries are far more knowledgeable than those at the other end of the Medicare hot line. The first point is that once denied by the intermediary, if you or your medical providers believe that the intermediary has erred in its determination, what next? Well, before MMA, you or a representative could proceed with your claim at some 140 SSA offices. This has changed, and now there are only five Medicare judicial determiner regions, and, to effectively take your claim to that next step, you will speak to a video camera! MMA also allocated addi- tional monies tor SSA to sift through some, 20 million Medicare beneficiaries to find the ones who qualified for MMA Part D subsidies. This allocated money would not affect your S.S. money, but it was to assist the SSA with its most legitimate increase irn administrative costs. patent seeds so that poor farmers become criminals.by saving harvest seeds for the next year's crop? Why does the industry exert major efforts to keep genetically modified foods from being labeled? Who knows? Yet, industrial agribusiness is leading us, like a vast army of guinea pigs, into a brave new world that nobody understands. The biotechnology industry promotes itself'as the ultimate answer for all the l)roble ims of industrial agriculture. The truth, as one careful reviewer has noted, is that far from being the solution, it is a major part of the problem. Dr. Ed Dodge is a retired Inverness physician. Visit his Web site, tiw.passionforhealth.info. SSA's administrative budg- et by $200 million in 2006. " 'The compromise is to shelve disability claim reviews! ! Keep my green. tea wdrm, and I will talk toyou next week. Send questions and comments to "SeniorAdvocate,"1624 N. Meadowerest Blvd., Crystal River FL 34429 or e-mail danrohan@atlantic.net -Sponsors W9'~$O.lor.iee Sponsor~~ 4101agin preogrmun'-.: . V27.4 Hole S'ponsor plus Feaunome- . Allhofr pjionsrbenvffls - Fomnsonie for LUrnam~nl jr. un4 rehwshmen6n,iprbsimad Tie: 11am Regtration *ll1:3fiank Lunch~ 5 -3I0p~ni Aw e Iy, wwscorecitrus~og 24 hours a day, 7 days a week full service, emergency care without long wait times. *. 8 exam rooms. 4 observation rooms. Free transport to Munroe Regional Medical Center, as necessary. Supported by dedicated, full service Imaging Center and lab. Nt Colonnades at On Top of the Worn 200 4-Dunnello Oak Run Emergency Center at TimberRIdge 9521 SW Hfwy. 200, Ocala (352) 3S1-7S00 Cnwus CouNTY (H) CHRoNicLE HEALTH Re- 'TTTTZ.'.nAV- FF.nRuARY 7. 2006 Page Missing or Unavailable SC TUESDAY, FJ5BRUARY 7, 2006 ENTERTAINMENT CITRUS Courvn' (FL) CHRONICLE TUESDAY EVENING FEBRUARY 7, W ES I19 19 19 News 674 NBC News Ent. Tonight Access Fear Factor "Freaks vs. Scrubs (N) Scrubs (N) Law & Order: Special News Tonight NBC 19 19 Hollywood Geeks" 'PG' 9484 '14' () 9561 '14' 86620 Victims Unit (N) '14' 9007 7971736 Show Wi- BBC World Business The NewsHour With Jim Nova "The Perfect Secrets of the Dead Frontline "Sex Slaves" (N) Independent Lens (N) (In PBS B 3 3 News 'G' Rpt. Lehrer tM 7262 Corpse" (N) 'PG, V 6910- "Killer Flu' 'PG' [ 9674 8 6533 Stereo) 'PQG, L,V' WuFT* 5 5 BBC News Business The NewsHour With Jim Nova "The Perfect Frontline "Sex Slaves" (N) Independent Lens (N) (In Being Tavis Smiley PBS 5 5 5 3674 Rpt. Lehrer (N) 88026 Corpse" (N) 'PG, V 60674 RE 77910 Stereo) 'PG, L,V' [l Served 81736 (WFLA 8 8 8 News 3484 NBC News Ent. Tonight Extra (N) Fear Factor "Freaks vs. Scrubs (N) Scrubs (N) Law & Order: Special News Tonight NBC 'PG'P c Geeks" (N) 'PG' 80484 '14' 54571 '14' 33552 Victims Unit (N) '14' 7177736 Show Wv News 1i ABC Wld Jeopardy! Wheel of According to Rodney (N) According to Crumbs (N) Boston Legal 'Breast in News Nightline ABC 20 20 20 20 5620 News 'G' V 8842 Fortune (N) Jim (N) 'PG 'PG, D,L' A. Jim (N) 'PG, 'PG, D,L' Show' v9 81489 1048026 37622303 (WSiP) 10 10 10 10 News 3262 CBS Wheel of Jeopardy! NCIS "Head Case" (N) (In Criminal Minds "The Love Monkey (N) (In News Late Show CBS 0 1 Evening Fortune (N) 'G' 9 3026 Stereo) 'PG' 9 86420 Popular Kids''PGq V Stereo) 90 25571 1046668 (WTVi News 9c 23262* Geraldo at The Bernie American Idol Auditions. House "Need to Know" News 9 56465 News 15674 The Bernie FOX B 13 13 Large 'PG' Mac Show (N) 'PG, LU 66842 .(N) '14, D,L,S' [ 53378 Mac Show WCJB ) News 53823 ABC Wid Ent. Tonight Inside According to Rodney (N) According to Crumbs (N) Boston Legal "Breast in News Nightline ABC News Edition Jim (N) 'PG' 'PQG, D,L' Jim (N) 'PG, 'PG, DL' Show" 9[ 27533 6083303 56078945 WCLF Richard and Lindsay Kenneth Fresh Rejoice in the Lord 'G' Life Today Bay Focus The 700 Club (N) 9D Phil Driscoll Way Of IND Ua 2 2 2 Roberts 'G' 9 9525991 Hagin Jr. Manna 6997281 'G' 3599755 9537736 6987804 Co Master (WFTS) News 22991 ABC Wid Inside The Insider According to Rodney (N). According to Crumbs (N) Boston Legal "Breast in News Nightline ABC U 11 1 News Edition 42755 Jim (N)'PG' I'PG, D,L' Jim (N)'PG, 'PG, D,L' Show" 9 10281 1626262 54298620 IIWMOR 1 Will & Grace Just Shoot Will & Grace Access Movie: *** "TomorrowNever Dies"(1997, Adventure) Fear Factor Las Vegas" Access IND 12 12 12 12'PG' Me 'PG' '14' Hollywood Pierce Brosnan, Jonathan Pryce, Michelle Yeoh. c[ 222858 'PG' c9 113200 Hollywood iWTTAD Sex and the Every- Every- Seinfeld Gilmore Girls (N) (In Supernatural "Nightmare" News Yes, Dear Seinfeld Sex and the IND A 6 6 6 6 City '14, Raymond Raymond 'PQ D' Stereo) 'PG' c 5349736 '14, V9 [] 5352200 .7810769 'PG, L' 'PG,'D' City '14, OG 4 4 The Malcolm in The Friends '14' Eve'PG, L' Girlfriends Get This Party Started (N) The King of The King of South Park South Park. ID Simpsons the Middle Simpsons c 1200 E9 7378 'PG, L' 'G' 9 44620 Queens Queens '14' 13216 '14'.98113 WYKE 16 16 16 News 86262 Marketplace County American Full Throttle 68842 CFCC iri Fresh Hope Cross. Mello-Art Most Eastern Golf FA 1 1Live Court. News Net Action I Points 99303 Wanted 73587 WOGXI 13 1 Friends '14' Friends '14' King of the .The American IdolAuditions. House "Need to Know" News (In Stereo) RD Geraldo at Home FOX 9 13 13 cS3216 9 1668 Hill'PG, L Simpsons (N) 'PG, L' 9 51754 (N) '14, D,L,S' 9 19910 29397 1 Large (N) Improvemen WACX Assembly- The 700 Club 'PG' c Bishop T.D. The Power Manna-Fest This Is Your Rod Trusty Praise the Lord c9 47281 IND 21 21 21 God 525754 Jakes of Praise 'G' 7151' Day 'G' 35910 W VE 15 15 15 15 Noticias 62 Noticiero Piel de Otofio Mujeres Contra Viento y Marea Alborada 811007 Vecinos 814194 : l oticias 62 Noticiero * UNI 1 1 840484 Univisi6n valientes 815823 824571 1844 I Univisi6n [WXPX) 17 Shop 'il1 Shop 'Til Pyramid Family Feud Sue Thomas: FB.Eye Early Edition "Wild Card" Doc "Rules of It's a Paid PAX 17 You Drop You Drop 'PG' 79397 'PG' "Skin Debe" 'PG' 68804 'PG' L 88668 Engagement" 'PG'cE Miracle 'G' [Proqram (EA 54 48 54 54 American Justice: The Cold Case Files'14'9 Street Racing: The Need Bounty Bounty Airline'PG, 'Airline PG Crossing Jordan (In Laurie Bembenek Story 712736 r Speed PC' cS Hunter 'Hunter L' 376115 L 5330%33 Stereoi 14 ;."709i (AMC 55 64 55 55 Movie: *** "Dazed and Confused" (1993) Movie: .*'* "Two Weeks Notice" (2002) Sandra Movie: *** "The Man Without a Face" (1993, 5 Jason London Wiley Wiqrirns 16652 Bullock: Hugh Graril [ 899361 Drama) Mel Gibson 6656'u0 (ANT 52 35 52 52 The Crocodile Hunter The Malost Erenme Wclt Witrin 'C \I The Mo tl E.irerie Dog Prof.es of Nature The Wolf Within G ] Diaries 'G' 934649 Biters c bGiD s 'S 9 69(6i39 tbeed.s G iL1681i303 coyote 'G 69892f.2 4698823 BRAVO 77 Queer Eye for [he The Weit Wring in the Inside the Aclois Studio Liza Minneiii Liza Minnelli Oueer Eye for 1he Project Runway 14 Ku Straight Guy 14 :'9328 Poom PG I 72458. 'PG i6312'3 Straight Guy 14 ;23858 822644 ) 27 61 27 27 Movie: "One Night at Corm- Peno 911' Daily Snow Colbert Chappelles South Park Distraction Mind of Daily Show Colbtert McCool's" lll9"..57 Preserls 141i 9194 Report MA L iNi 14 Mencia 14, Reponrt CMIT1 98 45 98 98 CMIT Muvu 476-14 Dues oi Hazzard PG Dalias Cowboys Cheerleaders Making [he Team Cowboy U Okahoma Tric My Garh 57736 60200 56007 Truck Brooks SEWTNI 96 65 96 96 Choices We A Spir;iual Daily MaIasS Our Lady of M.:ther Arigelica Live Feligious The Holy Threshold of Hope G Chilst in the Sa,:ramenits Face VWorvoIul he Angels 43981i9-' Claisic Episode;. Calalogue Rosary 4121Ci00 City G IFAM I 29 52 29 29 rh Heaven And Smaliville Velocity ilri Movie: "Two Can Play That Game" I001 Whose Whose The 700 Club PG' I Epiaton G IEi9426. '3ereoi PG v IEr.14`81 Comedyl VivicaA Fo. I160W7945 Line' Line' 946718 IFXI 30 60 30 30 iri of 1he lKng or the That 0i- Thal 70ri Movie: **, "Phone Booth"i2002 Suspensel The Shield Trophy iii The Shield Tiophy MA Hill PG, D Hill 14 L Show PG Show'PG Colin Fairell, Keter Sutherland 4212755 MA 2 120.32:2 ID 722575.1 JHGTVI 23 57 23 23 Generation Weekend CurbAppeal House Designedto Design Decorating Mission Hcuse Buy Me'G Parents Designer Penovatiorn Warriors G G Hunteri G' Sell() G Remi 'C CenisNI Orgnz Hunters G' 6561945 House Finals i1] HrISTI 51 25 51 51 Sholoui Barlecry Iraq Modern Marvels 'Paint Mail Call Mail Call Man Moment Machine Modern Marvels PG |i Modern Marvels 14 I1T ST 51 25 51 51 Pamadi PG 5357002 PG II-4290533 PG L PG L 'PG 2439.'945' 42995' 41 421i" (LiFEI 24 38 24 24 Golden Girls Golden GCils Movie: "Rough Air: Danger on Flight 534" Movie: "Fallen Angel ('19981 Ale.andra Paul Will8 Grace Will& Grace (2001) Eric Roberts I 94,620u Viasta viana IT; (DVS) 506)612 PG PC INICKI 28 36 28 28 Avatar-Lt Avaiar-Last Fairly Jimmy SpongeBob N4ed. Full House M.Jinks 'G Roseanne Roseanrne Roseanne TheCo4bv Air Air Oddparents Neulron ISch-,,,ol G 72078:. 789533 PG -171;7 PG 150587 PG 772.2 Shuow ISCIFII 31 59 31 31 Siargale SG-i-The Movie: "Sasquatch"12002 Horr:rl Lance Movie:"TheFallen Ones"i2005 HorrorlCasper Movie: *** "12 ISCIFI 3 Changeling 'PC 4036804 Henisisen Andrea Roth cI 6048939 van Dien Kristen Miller ITI 1i9303 Monkeys" 20-15i36. ISPKEI 37 43 37 37 Wold s Wildest Police CI Crime Scene CSI Crime Scene C SI Crime Scene King of Vegas INilin World's Most Amazing SPIKE 37 43 37 37 ideos PG : Inves.liation PG L V Investigation 14 V Invesligalion 14 L S V Stereol 481755 Videos 14 ED 52:085 ITBSI 49 23 49 49 Senfe'ld oeirifeld Every. Every. Friends PG Friends PG Se6 and ihe Seo and the Seirfeld Seirifeld "Crocodile Dundee in PG 'PG[1-1 I. PCP 9rP w94.76 Paymond Paymond 352358 1268465 Ciry 14 Ciry 14, PG PCG' Los Angeles"9795804 I TC MI 53 Movie: *"Flight Command" 11940) Pobert Movie: *** "Flying Tigers '1942) Jc.hri Wayne Movie: *** "Wake Island" 11942 "Stand by Taylor. Fulyh Hu;Sey Wi153-1-145 Johnr Carroll Piemiere 534'.91 Wair Brian Donrlevy 7921.j for Action" I TDCI 53 34 53 53 a- ab CLa-n Cab Dirty Jobs Viewers ques- MylhBusters Chiclken Dirr, Jobs V'e.:.ri 14 Into the Firestorn INI MylhBusters Shredded S3 G'-' :,:; 5 ir.1 5 ons '14 L 727668 Gun 'PG If80j9216 L'i. 716552 PG' 7,'939 Plane' PG 785842 ITLCI 50 46 50 50 ManrhalNr (N i G l4-620 Overhaulin Thai 70s Beyond the Bull Ovehaulin Lenc.s Heistr" Miarmi InPl I PG D Miami ink 'PG D'442026 Van C 1ffTi4.c'52 Shanered Dreams PG ihi'G 4,372347 68?23 ITNT I 48 33 48 48 Charmed WiChyioC' Law & Order "Open Law S Order Veteran s Law & Order In God We The Closer You Are Cold Case Late Pelurns S 48 33 48 48 PG LV lW.44112'62 Season 14 4-5194 Day '14 4E4842 Trust 14 4;1378 Here 14 D II 47446'. PG V EL440668 I TRAV I 9 54 9 9 Food Wars Barbecue G' Pz.a Wars New 'York vs Tasle of Taste or Made in Made in Top Ten Wonders of the Taste of Taste or 9 5s.57, Chicago G .6661923 Americ America Amenca America West G 6680194 America Amrrerca I "TVL I 32 75 32 32 A" in the Sartf.rd and Good Times Good Times Lihie House orn the Arndy Grifilh Sanford and Good Times Good Times Thai S What I m Talking Family PC Son PG PG 'PG Praine CG WI 69ViOT Son PG PG PG Aboutl4683991 IUSAI 47 32 47 47 Law Order Crnminal Law ,S O'der Special Movie: * "Final Destination" 2000 Horron Movie: **; "Final Destination 2"12003 Horrort Intent 14 ITh4208656 Vicms, Unit 14' 365842 Devon Sawa Ali Laner ID :" .? 78 Al Larter A J Cook Ei.1613991r IWGNI 18 18 18 18 Home Home America s Funniest Home Da Vincis Inquesitn Da Vinci. Inquest 'PG WGN Ntews at Nine |ln oSe'and the Becker PG Impuovemrenr Improvemern Videos PG 6-48113 activist i, dead PG I644139'7 Stereo) E 64 "4a4 City 14 L 358W13 TUESDAY EVENING FEBRUARY 7, 2006 A: Adelphia,Citrus B: BrightHouse D:Adelphia,Dunnellon I: Adelphia, Inglis A B D I 6:00 6:3017:00 7:30 8:0018:30 9:00 9:30 10:00 10:30 11:00 11:30 S 46 40 46 46 tr terZack&Codyh loftMovie** ddie'sMllionDolla k- American isterC dyT ts -'G' 657736 Future Y7'. Raven. Y7' (2003, Comedy) Taylor Ball. 'G' IN633281 Drgn rG'453587 Paven'T' S68 M'A'S'H M*A*S*H JAG 'The Measure of Walker, Texas Ranger '4, Movie: "Fallin in Love With the GirNextDoor" M*A'S'H M'A'H 'PG 8907281 'PG' 8998533 Men"'PG, 1' 6086129 V M6999649 |(2006, Comedy- Patly Duke. 9 6992736 PFG 59666 A'PGGm 54-P39 AMovie: ** "Jackie Chan's Who Am ?" (1998, Movie: "Taxi"(2004) Queen Latifh. Making Mrs. Real Sports(N)268945 Movie: "Runaway Jury" Action).Jackie 9Can. cr171465, L[E 5178262 : IHarris I I -2003 8 .20 MAX "Euroi p" Movie: Nina Ill- The Movie: ** '"The Jacket" (2005, Science Fiction) Movie: "The Chronicles of Riddick" (2004, 6610945 Domination" (1984) [] 41374571 Adden Brody 91764533 Science Fiction) Vin Diesel *M 884552 TV 97 66 97 97 Dat y Room ,, Date M Date M Meet he Meet the Meet the Meel the Meet the Wild & Out P Wild R Wild Momi t aideri 1 Mrom Pi Mom PG Barkers'14 Barkers 14 Barkers 14 Barters 14, Barkers 14. 14, DL Chal Chal ( 71 Megastrulures Ultimate Megastructures Mega Megastruclures G Megastrucures G' Eplorer Collapse PG Megastructures G' -I Kigs 'G'.99.194 Ship G 29313533 2'94281 2035.5 2932804 9093620 IPLEXI 62 "Bad as I Wanna Be- Movie: ** "Cooley High"119751 Glyrnn Turman. Movie: "Cowboys and Indians" I2003) Movie: * "A Day in October" Rodman" Lawrence-Hilton Jacobs J.'.916i-14543' Adam Beach '14' ~ 7714681 1(1990 Dramal iR 22488649 ICNBCI 43 42 43 43 Mad M W' e .'33 Or, the Money :296s 'To Be Announced ;2 1_'6 Mad Money ;2928i:l4 The Bi, Idea With Donny To Be Announced ii90001 DeutSCc CNN 40 29 40 40 Lou)bbs T:rnighi lWi Te Siluation Poomr, Paula Zahn Now E Larry King Live L 449858 Anderson Cooper 360 Er 688'23 -- '.t'.'^w 443674 .,194 COURT 25 55 25 25 Forensc IcForensic Cops 14 V Cops 14 V Cops'14 V Cops'14 V Cops 14 V ICops' 14, V Las Vegas Beach Patol Sto10nes of the innocence ries P5I File,. Ph 71'.4736 166 ..v81 716484 7.14 991 71..4f-c5 fl 1 .74 Law IN Protect CSPAN 39 50 39 39 Housecf Pepereentalives 4438002 Tonighl From Washinglcn -16264 Capital News Today I : 63800H. FNC1 44 37 44 44 Special Repr (Lvrel I ..TreFo. Repo.1Wilh TheOReillyFactor(Live) HanniTy &Colme IiLive On 1he Record WinhGreta TheO ReillyFa tor -1 .i ShE-pard Si-lh |i .;.14.7484 3 ]i;';20 C Van Susleren 02299 1 .(MSBcI 42 41 42 42 etramRPe-porn -Har'dballii Ii)4910 Coundown Wilh Keth Pia LCosby Live & D.recl Scartorough Country The Situation With Tucker A0067 40lbcrrrmann 12,2385y 11301-4 113.1281 Carlson IESPNI 33 27 33 33 SportCentler Livel Elg Coileg Bqsietball Tennesee at Kentucky Livei 1l3 College Basrvtbail Duke at North Carolina (Subje, nto rtCenter bvei LT --- .8 i4 Blac.Voult lLivei'PG FM I -.W3 11620 (ESPr121 34 28 34 34 k'l e and NFL Films Hidden College Basketball St Josephs at Villanova kLive) IDc NBA Coast to-Coast ILiven 11165",. Quite Franky Wilh MII Presents Images- 19813007 SiephenA Smith 57613, FSNFLI 35 39 35 35 ltholn But ACC All- NHL Hockey Flonda Panthers at Wa-hirlon Capitals From MCI Bes Damn Sports Show Best Damn Sports Shcow Chr Myers Knock. ul Access Center in Washington D LC Subect 10to Backoutl 680465 Penriod 78484 Penriod 227 18 SUN I 36 31 Spcrts 2 X.ieem Inside the NHL Hokey Tampa Bay Lightning at New Jersey Ice Time Fight Sports Inside the Inside Poker Report q85y; Lighining |Devils iSubject lo Blaclkoul Livel )415552 E.tra ChampionshipKic:kbouing HEAT WJUF-FM 90.1 WHGN-FM 91.9 WXCV-FM 95.3 WXOF-FM 96. WRGO-FM 102.7 National Public Radio Religious Adult Contemporary Adult Mix Oldies Unscramble these four Jumbles, one letter to each square, to form four ordinary words. UMPIO @2006 Tribune Media Services, Inc. All Rights Reserved. NOTUM DROWBY DIPAUN innr .r WIFL-FM 104.3' WGUL-FM 106.3 WFJV-FM 107.5 WRZN-AM 720 Adult Mix Oldies '50s, '60s, '70s' Adult Standards THAT SCRAMBLED WORD GAME by Henri Arnold and Mike Argirion S WHAT. THE 57U PENTS CON51PEIREP THE AR-T LECTUR-.. Now arrange the circled letters to form the surprise answer, as suggested by the above cartoon. Answer here: I II S(Answers tomorrow) Yesterday's Jumbles: TULLE KITTY DONKEY CONCUR I Answer- When Ihe aging punier was released, he -- COULDN'T "KICK" Bridge PHILLIP ALDER North ',2.o7.06 Newspaper Enterprise As.-. A K Q 7 6 V J 9 4 3 Many years ago. Lew Mathe was K' Q 2 playing with his wife. Genie, in a K 5. mixed pairs event. Three times, West East during the session. Genie led a AA 8 4 4 3 king from king-doubleton in a side V K 2 V A 8 5 suit. Each was a disaster: conced-: 10 9 7 5 1 8 6 3 ing an unnecessary overtrick to J 6 9 74 2 declare. South The first time. Lew\ contented A J 10 9 5 2 himself with something like, A 6 "Dear: please do not do that." A A 8 After the second. Lew got more lurid with his language. Dealer: South; On the third occasion. Lew was Vulnerable: North-South uncontrollable. South West North East When he had finally quieted 14A Pass 3 NT Pass down, Genie said, "You might not . like my bridge ability, but you have Opening lead: A Q to admit one thing." "What's that?"" "I've got chutzpah." spade 10 toward the dutmmy Sometimes, that: lead takes Most Wests would still be sound chutzpah; at other times, it is per- asleep, but not this one. He was fectly logical and even Lew would counting the points. He could see have said "nice play" a t the end of 24 between die dummy and his the deal. Here, as an opening lead, hand. Declarer had at least 12, so it would have taken chutzpah. but East had at most four What could West got a second chance. East hold that would be uselu I?. North responded with a conven- Only the heart ace. West rushed in tional three no-trump. promising' with his spade ace, shifted o tiie at least four-card spade support heart king, and led his other heart and the high-card values for game. to his partner's ace. West's heart Declarer took West's club-queen .ruff at trick five defeated the con- lead in his hand and led a sneaky tract. CELEBRITY CIPHER by Luis Campos Cilebrirl Cipher cryptograrn. ar;- .reatld Irorr, qulatr..or.n by iamr..ij ;oeo I. p arnd pr.senr E :a l, nler in Ir e ,r.,r stanr .r oir another Toasy s clue' A equals B Hk OL U OK HZU K TM HDU H Z0OUS EIS N E T HZ. F E Z G L 0 D HEG G "' C E D D W 4 K AW GG E H M TN NUKHUJCWN.P WCLOJWD Z W JEDC J K HW J V PREVIOUS SOLUTION "From what we get, we can make a living; : what we give, however, makes a life." Arthur Ashe . (c) 2006by NEA, Inc, 2-7 *" , T h F iu- '._",l iui, n.i r I' riiiter,' '1 .' e':hr pro FluC,- ,jle n',r 4berC ,:3able ,:ha, l -,r |Ih In- wul.le :ah rr,-el numLr, u i:n grar, i r.,r u ..[h I- rc' n .i n :t3r P' lu.+ ,. il ;,OU ve ,:,fte e rv'.,e plae' male :ure tha l n-, e n ,:rn ere t ,: ,a r ri nlri, ,r, the 'Viewliner. Thi. tu r n; It youi hae ., CF' wItrh, I 'v P Fu-+ tea- ,our aLl: e crhnnel numbers are the same as the proced- ure ,i. ,le.:ri-cd in ,,:.ur '.i::C u ser' manual. ture (identified by the'VCR Plu.+ .': r F, 'ii i c.,,rl nunib r'. lr l tli-,.. -. 'rL .u .'i l r .,F 'l,. ,u .e ue.- n. r ,,u F PlUS+ sys- all you need to do to re.,Orj a i.,r',r-'nr ,r ,n it p-rl,'mrrr a iiFl,,ro e Itnir pri,:, .-Ju i t:. ma l.:hup. the t Ir. pl ea.a c, acr tacrt ,ur .'F r ,.i:n lur sr The channel lineup for KLiP Interactive-cable customers Is in the Sunday Viewfinder on' page 70. Mother shocked by son's abusive girlfriend D ear Annie: I am the mother of a abuse is about controlling someone 19-year-old son who is being else, but your son never got this mes- abused by his girlfriend of one sage. Mention your own experience to year I explain this to Neal, and "Neal" is a freshman in urge him to get help through college, and his girlfriend is The Domestic Abuse a senior in high school. '.'T Helpline for Men at '1-888- During the past six months, 7HELPLINE (743-5754), or she has beaten him quite a Stop Abuse for Everyone at few times. He will call me safe4all.org. crying, asking for advice, but Dear Annie: My daughter, whatever I say, he responds, "Vicki," is an accomplished "But I love her" professional in her 40s. She I want to give her a piece' has many fine qualities, but of my mind, but Neal thinks one behavior has driven me that will make things worse. to the breaking point. I know he is a man now, but I ANNIE'S We live on opposite coasts,; still want to protect him. He so most gifts I give her are often calls me after one of MAILBOX through the mail. The only their fights, while he's walk- way I have of knowing they ing home from her house in the middle arrived in good condition is for her to of the night on back roads. What if there tell me. She never does. I have told is a snowstorm? He could get hit by a Vicki countless times that this is incon- car or freeze to death. siderate and irritates me no end, but When Neal was younger, he saw me she doesn't care. Often, when I ask her being abused. It wouldn't have sur- if she received a gift, she will say, "I prised me to see one of my daughters in think maybe a package arrived a while an abusive relationship, but I never ago." thought it would happen to my son. Vicki says if she didn't ask for the What can I do? Scared Mom in New present, she has no need to thank me or York tell me if it arrived. She says if I handed Dear: Scared: Abusers .come in both it to her in person, she would thank me genders, and your son needs to recog- promptly. When I told her that from now nize that nothing he does will change on, gifts would stop if she didn't change his girlfriend's behavior. She must want her inconsiderate behavior, she said I to change and be willing to get profes- was being dictatorial. sional help. We wouldn't count on it. I'm tired of being treated this way by As an abuse victim, you know that my only child. Ignoring the problem is not an option. Any recommendations? Camarillo, Calif. - Dear Camarillo: Sure. Stop sending 'gifts to Vicki. If she asks why, simply say, as sweetly as you can, that you are sav- ing them.for when you can hand them to her directly, because you would hate to send something she didn't want or like. Don't let her use emotional blackmail to be both rude and greedy. Dear Annie: I read your column on a daily basis, but I was insulted by your advice to "Hairy Legs," the .young girl who wanted to shave her legs. You rec- ommended speaking with her mother, her aunt or an adult friend, yet you ignored her father. . I have a 12-year-old daughter While I may not completely understand her point of view, I did have a mother, grew up with a sister and am married to a woman. Surely I can advise my daugh- ter on a good razor to use to shave her legs. -'A Caring Father Dear Dad: You are absolutely right that many fathers are quite capable of helping, but young girls often find it too embarrassing to ask Dad about such private matters and prefer to ask anoth- er female. So, all dads out there, please make it clear to your daughters (and sons) that they can talk to you about pos- itively anything. Annie's Mailbox is written by Kathy Mitchell and Marcy Sugar. E-mail ques- tions to anniesmailbox@comcastnet, or write to: Annie's Mailbox, P.O. Box 118190, Chicago, IL 60611. ACROSS 1 Float along 4 Noisy bird 7 Chowder morsel 11 Pride 12 Love, to Claudius 14 Gael republic 15 Memorable time 16 Subside 17 Platform 18 Individual 20 Museum employees 22 Detective's cry 23 Spring mo. 24 Headache ' remedy 27 Muddy 30 Flake off, as paint 31 Discomfort 32 Respond to an SOS 34 Moth or ant 35 Actress Sedgwick 36 Towel off 37 Bwana's trip 39 Virago 40 Call - day 41 The Plastic Band 42 Athena's domain 45 Twins, in astrology 49 Rah-rah 50 Laid off' 52 Fragrant tree 53 Wooded valley 54 Active sort, 55 Gulf st. 56 Speck in the sea 57 Newlywed title 58 Desire DOWN 1 Traffic sound 2 Human eater 3 Razorback 4 "You bet!", in Bonn 5 Fridge maker Not hither Evergreens Deceiver Very dry Clutter Royal emblems I PUZZLE ENTHUSIASTS: Get more puzzles in . "Random House Crossword Me.aOmnibus" Vois. 1 & 2. 1 2 3 4 5 6 7 8 9 10 11 12 14 15 16 17 18 19 'KI0-11 19 Wind catcher 21 Above 24 PD dispatch 25 ex machine 26 Bright star in Lyra S27 Graceful wrap 28 Narrow margin 29 Holy cow! 31 Massive Egyptian edifice 33 Morning moisture 35 Green Hornet's valet 36 "For the Bell.Tolls" 38 Square dance music 39 Nasty laughs 41 Certain wolf 42 Desert gully 43 Noted lithographer 44 Housecat's perch 46 Doubtful 47 Cleopatra's river 48 Where Tehran is 51 Monastic title 2006 by NEA, Inc. Local RADIO .Answer to Previ ous Puzzle OMNIAIINST ESE EARHISU U S HIP SOITSMOVID ASCENDT CRET E 0ANON A UTE Z OO LEE L ES E'CHO E-NV AN T ETO 13C TUEsDAY, FEBRuARY 7j 2006 ENYEKrAlINAMN-f CITRUS COUNTY (FL) CHRONICLE O. CUNY )F) CHR.NIClE C 5TANPING IN THE RAIN WAITING FOR THE SCHOOL BUS 54MOW5 A PESIRE FOR AN EDUCATION THAT LEAPS TO COLLEGE ANP A SJOB WITH A BIG SAN FRANCISCO LAW FIRM.. For. Better or For Worse ty00'Pr2 WNNA SCt-'WHOA r-1p~e ;oe!- I VWAIIT 10 Q56 M1 O2F--HT60N& Ke Zr AN~. Husc Ao p ~j eON-NA .-rH5-ATP-P &VILD, SPE5MP )No- DIU- iP1!-.BAI'1 O1's~ 'erOM0192P-o12W I'M HINKIN& 'OF G ADHIDZK)O F I'M JUST PLAIN. 6CHOOL-.-OI?, AT WA~rl1? V DO) .... 7 Sally Forth Beetle Bailey The Grizzwells Blondie Dennis the Menace. 12.7 -'-T.. - 'OWN'T WORRY ABOUT TH4ATCRAS4, VIOM. A LITTLE GLLUE ANP IT LL EF LIKE NEW." Betty The Family, Ciecus "If you're afraid you'll make a mistake, you won't make anything."' Frank & Ernest Citrus Cinemas 6 Inverness Box Office 637-3377 "When a Stranger Calls" (PG-13) 1:40 p,m., 4:40 p.m., 7:40 p.m. Digital. : "Big Momma's House 2" (PG-13) 1:30 p.m., 4:30 p.m., 7:30 p.m. Digital. "Underworld Evolution" (R) 1:20 p:m., 4:20 p.m., 7:20 p.m. "Hoodwinked" (PG) 1:45 p.m., 4:45 p.m., 7 p.m. "Walk the Line" (PG-13) 1 p.m., 4 p.m., 7:20 p.m. "Capote" (R) 1:10 p.m., 4:10 p.m:, 7:10 p.m. Crystal River Mall 9; 564-6864 "When a Stranger Calls" (PG-13) 1:45 p.m., 4:50 p.m., 8 p.m., 10:10 p.m. Digital. "Nanny McPhee" (PG) 1:35 p.m., 4:30 p.m., 7:10 p.m., 9:50 p.m. Digital. Arlo and Janis "Big Momma's House 2: (PG-13) 1:40 p.m., 4:35 p.m., 7:50 p.m., 10:35 p.m. Digital. "Underworld Evolution" (R) 1:20 p.m., 4:10 p.m., 7:25 p.m., 10 p.m. Digital. "Munich" (R) 1:10 p.m., 4:45 p.m., 8:10 p.m., "Brokeback Mountain" (R) 1:15 p.m., 4:20 p.m., 7:30 p.m., 10:30 p.m. Digital. "Chronicles of Narnia" (PG) 1 p.m., 4 p.m., 7 p.m., 10:15 p.m. "Walk the 'Line" (PG-13) 1:05 p.m., 4:15 p.m., 7:20 p.m., 10:25 p.m. Digital. "Good Night and Good Luck" (PG) 1:30 p.m., 4:40 p.m., 7:40 p.m., 10:20 p.m. Visit for area movie listings and entertainment information. Your Birthday: The year ahead could be an extremely favorable one for you where romance is con- cerned. Both you and the one you love, or a person you'll meet, are apt to be on the same wavelength. Aquarius (Jan. 20-Feb. 19) Your. better qualities will be evident today and others can't help being drawn to you. But what they like the most is that the example you set is also bringing out the best in them. Pisces (Feb. 20-March 20) This is one of your better days to entertain at your place persons to whom you're either obligated socially or those you'd like to know better. Aries (March 21-April 19) Something quite hopeful is developing for you, and you may get your first inkling of what it is today. A friend or associate in whom you place considerable trust might be involved. Taurus (April 20-May 20) You are particularly capable of achieving important objectives today, espe- cially those involving finances or your career. Gemini (May 21-June 20) Whatever it is that you set your mind to do today will be well within the realm of possibility. Cancer (June 21-July 22) This is the day to take on any perplexing problems that may have been con- Times subject to change; call ahead. fronting you for some time. You'll be especially adept at solving tricky predicaments or mysterious situations. Leo (July 23-Aug. 22) The right types of com- panions, especially those with whom you have strong bonds, can help put your spirit and mind in excellent balance today. Virgo (Aug. 23-Sept. 22) Actions you take today will call attention to you in the eyes of those who are in positions to further your professional interests. Libra (Sept. 23-Oct. 23) What makes you so popular today is when dealing with others you'll do so with both authority and compassion.. Scorpio (Oct. 24-Nov. 22) Your efforts will be the most rewarding today when you engage in situations that can improve the lot of those you love. Let your heart direct your actions and you'll make this the case. Sagittarius (Nov. 23-Dec. 21) Those inclinations you feel today to treat others in a fair and generous fashion will prove to be the most advantageous course you could follow. Capricorn (Dec. 22-Jan. 19) This is a day that holds large profitable possibilities for you, especially in areas where you earn your money by the sweat of your brow. The harder you work, the more you accumulate. Peanuts Garfield Today's MOVIES ' Today 'sHOROSCOPE - TuEsDAY, FEi3RUARY 7, 2006 9C .I.iCiTRus CouNTY (A) CHRoNicLE A. C OMICS DECLASSIFIED CInus CouvNTY (FL) CHRONICLE To place an ad, call 563-5966 Classifieds In Print and Online All The Time ______________________I__Toll Free: (888) 852~t-2340 V1 E al lsife s c rnclo ln o Iw b t:wwmhmnile nIin~ o C= .I 60 6 S.. S 6 -6 *P Cericl/6Rstauant rade ARE YOU OVER 5'8", male 50+, honest, romantic, financially secure, living alone & seeking that special Gal for Valentine's day that could continue for a lifetime? Please write, with picture if you have one to: Blind Box 937-P, c/o Citrus County Chronicle, 106 W. Main St.. Inverness, FL 34450 Divorced White Male, 53, retired, 6'1" (Bear build) seeks woman 35-50. Med. to It. build to share fun times (Dinner, .plays, trips) Please call (352) 563-5831 WORKING MAN Black, 50 yrs old, looking for, female companionship, .-race unimportant.. From California Uve in Beverly Hills, FL. 1-310-989-1473 ** FREE SERVICE* Cars/Trucks/Metal Removed FREE. No title OK 352-476-4392 Andy Tax Deductible Receipt 50 Fence Posts 4X4's, 8 telephone poles, & 10X12 Metal Shed. (352) 746-9625 Boxer Mix. 1 yr. old Male, neuterred (352)341-5548/400-1077 CAT ADOPTIONS CAT ADOPTIONS ea .rrea rtduring Fc'iuor r.A 0n a Sn'r a ri.e nc. n-,e. .Come see the cats & kitties at the Manchester Clinic on 44 In Crystal River. We ore 2 blck.l": west 0o tr,. .e) Center We. have cats and. kitten available Mooday1 hru Sat. C.3ii -.r in, - Look for the white building with the bright colored paw prints., There will be a joined adoption sponsored by the Humanitarians of Florida and Home at Last. Sat Febuary 11 from 10 AM until 2 PM. COMMUNITY SERVICE AVAILABLE Our goal Is to help you get it done. Animal . Care & maintenance. ALSO VOLUNTEERS WELCOME Drug Free (352) 795-2959 COMMUNITY SERVICE The Path Shelter is available for people who need to serve their community service. (352) 527-6500 or (352) 746-9084 Leave Message FREE 2 male cats, brothers, nuet. all-shots (352) 302-7161 (352) 302-7029 FREE GROUP COUNSELING Depression/ Anxiety (352) 637-3196 or 628-3831 FREE Puppies Beagle Mix (352) 628-4172 FREE PUPPY, female Dachshund/Rat Terrier mix, 6 months old. To good home (352) 560-0282 FREE REMOVAL OF Mowers, motorcycles, RV's,Cars. ATV's, jet skis, 3 wheelers, 628-2084 Free to good home, White Cat, female, declawed, liter trained (352) 220-6009 ,otLworld first Need a job or a qualified employee? This area's #1 employment source! CikONICLE Cljasrfi,.' u .u - German Shephard Mix dog. 2 yr. old playfulul (352) 628-4735 Humane Society of Inverness No kill shelter 352-344-5207 Requested Donations All pets ' spayed/neutered, heartworm check, luek. test, Rabies and all vaccines Dogs 2 yr old -erman Shepherd male. 795-1684 Two ten wk old pups will be about 20 pound females 795-1684 Lab mix puppies 628-628-5224 Two medium size dogs must stay. together-one is three legged 344-5207 Cattle mix male 1 year old 344-5207 344-5207 Lab mix year old male- abed. train- ed-n ice d6g 344-5207 20 pound female dog 7.95-1684 Cats Eiu -':i.J r :l l --, --'.D3r ,:1 l3.- 795-1684 mos. 795-1684 White short hair 1 year old 795-1684 Gra, i. .;-- ,ng- lr. 795-1684 . Female adult cat declawed nice disposition 795-1684 Female tuxedo cat 795-1684 Free Pitbulls r.i,.3 t,: -, .s r.,l,l per': mot .s emialer5 Spayed/neutered Medium hair calico youngster 795-1684 SMicrowave works okay, (352) 746-6405 *A A. Requested donations are tax deductible Need help rehoming a pet callous Adoptive homes available for small dogs Pet Adoption Friday, 10 12-3pm AmSouth Bank Rts 44 & 486 Crystal River Cats. ... .. Young cats 2- 628-4200 Variety of ages and colors 746-6186 2 young ChIuahas M & F 527-9050 Catahoula leopard Kerr F 21/2 yrs only pet fenced yard 795-1957 All pets are spayed / neutered, cats tested for leukemia/aids, .3-:a & :.r :e t,-.3 r.r n-earr 1 .:.rTr, .anr Al shots are current, Med. Size BIk. Lab, Male, little white. Blk. Collar Eden Dr. Inv., Vacinity 726-1133 Orange Male Tabby, Bulls eye pattern on side. No collar, Lost off Retreat, Inverness, (352) 726-4942 SFOUND 02/03/06 NEAR HWY 488 AND SUNSETVIEW Female Black dog Call 352-425-9489 Bankruptcy l SNa re. Chage Childvopprce I Wils S Invemess....... .. 63740221 iCL &iloas.llo 795-5999i *CHRONICLE. INV. OFFICE 106 W MAIN ST. Courthouse Sq. next to Angelo's Pizzeria Mon-Fri 8:30a-5p Closed for Lunch 2am-3om REAL ESTATE CAREER SSales LIc. Class m I $249.Start 2/14/06 CITRUS REAL ESTATE I I SCHOOL, INC. i S01(352)795-0060 "R CITRUS COUNTY ALAN NUSSO BROKER Associate. Real Estate Sales, Exit Realty Leaders (352) 422-6956 ATTRACTIVE SWF seeking male companion. Candi, 352-628-1036 AIRPORT RIDE (352) 746-7129 Orlando & Tampa Arabic Language Teacher wanted for private lessons Beginner Call 746-5923 Investor Looking to team up with Realesiate Agent (727) 232-0612 Burial Vault. Fero Memorial Gardens, .erl, 1-rl: Hearll I SFcIrna-' +rue r F1l o 2. J':, c'BC' (352) 726-1077 Fountains Mem. Gdns. End to end Mausoleum (352) 746-2691. after 6p.m. 3 YR. OLD PRESCHOOL TEACHER NEEDED (352) 795-6890 CHILD CARE PROVIDER Mon Fri, days, Two chil- dren. Must have own car. (352) 400-2039 NANNY Needed full time, not, ,II 6r -,,_ l..r. 352-6 f 3-5396 Accounts Receivable Fast growing co. seeking Immediate employment for an exp. A/R professional. This position req. excel. analytical & organizational skills. In this position, you will be responsible for A/R, Collections, & also filling in for data entry clerk when needed. Interested applicants please submit resume to OMP, P.O. Box 148, Crystal River, FL 34428 Data Clerk Growing co. is looking for detail oriented data entry/phone clerk. Position requires excel, organizational skills, ability to multi-task, Exceptional alpha & numeric Input skills, & basic accounting knowledge. Excel. phoneskills req'd. Interested applicants please submit resume to OMP, P.O. Box 148, Crystal River, FL 34428 JOBS GALORE!!! EMPLOYMENT.NET Office Assistant Full Tinm.- i-i,r,- . c m,:T,|.,jl i :1111. a ITu t '.-..:1 e.sping helpful, Apply in person: CMD Industries, 1586 N. Meadowcrest Blvd. Crystal River Receptionist 30 hours per week. Temporary for CPA Firm during tax season. Fax resume to: (352) 503-4154 BECOMING YOU SALON NOW HIRING ALL POSITIONS (352) 344-2820 F/T HAIR STYLIST Immediate ,Opening Up to $850 hr to start. Call Cindy: 637-7244 HAIR DRESSER WANTED Labellas Hair & Nail Salon (352) 341-5043 NOW HIRING Creative professionals for all salon locations at the Villages. Hairstylist Nail Artist Estheticlans :* Massage Therapist Salon Coordinator Benefits Include: Health Insurance, AFLAC, Dental, 401K, Paid Vacations, Hourly Guarantee, Paid Well Days, Educational Benefits. Apply at 3400 Southern Trace The Villages, Florida or apply on line at www shearexpress. cam (352) 753-0055 Rent/Commission Beauty Salon Call.(352) 795-2511 or (352) 794-4150 LICENSED PRACTICAL NURSE (Full Time) GREAT BENEFITS Paid Vacation, Holidays, Health Insurance & 401K Quals: Grad from an approved school of nursing with a certificate as a LPN. Must be licensed In the state of employment. A valid drivers license Is required. Call for Into at: (352) 527-3332 M-F 8:30 AM -4:30 PM M/FiVET/HP E.O.E. Drug Free Workplace 4 MED TECH PT 4 With Phone triage S and Cardiac Medication experience. Eve- nings, Mon, Wed. and Fri. 4-8pm Fax Resumes to (352) 726-5038, attention Bobble CNA's If you are ready to brighten up your Scare ,i kir, .:.ur - cor in a .31I.e-1d team. We now have an opening on 3/11 and 11/7. *Full-time *Competitive wages- *Pay for experience Shift Differential *Bonuses *Tuition Reimbursement *401K/Health/ Dental/Vision Apply in person Arbor Trail Rehab 611 Turner Camp Rd Inverness, FL EOE COOKS/FT Must be knowledgeable of therapeutic and m.:.diried .diel In a rlur.in.g r.a e erir.g rl.:f ha.- aoc.' " eri.J ..orlr,.I .vi the elderly. Please only O.,ic u arplr IIc orIs reea a)ppi, SURREY PLACE 2730 W. Marc Knighton Ct. Lecdnto No phone calls) 637-0500 dr fax resume: (352) 726-9199 Attn: Jody DME + Pharmacy Billion for Medicare Medicaid Full time with excellent Benefits. Send resume to Blind Box851P, Chronicle, 106 W. Main St. Inverness; FL 34450 'EARN AS YOU LEARN CNA Test Prep/CPR Continuing Education 341-2311/Cell 422-3656 FLOOR TECH Avante at Inverness, a skilled nursing facility, has an Immediate job opening for a Floor Tech, experience with buffing and wax- ing Is preferred but not required. Avante offers excellent benefits package for full time staff. Please apply In person at: 304 S. Citrus Ave., Inverness FRONT OFFICE COORDINATOR For a busy pyhslcal therapy clinic. Data entry skills required. Medical office experience required. Strong organizational & scheduling skills a S must Seeking Individuals who can multi-task, are computer literate, can work Independently and have strong customer .service skills. Competitive pay & benefits. Fax or email your resume for consideration to Fax: 1-800-610-9680 or 1-352-382-0212 vbolton@ therapymgmt.com *FT PTA A+ Healthcare Home Health Sign on Bonus, excellent benefits, Great pay rates rkeefer@accumed homehealth com 352-564-2700 LPN & Scrub Tech PRN Excel. Salary & benefits; Fax Resume (352) 527-8863 LPN/MA Doctor's office. Previous brtho. exp. req'd. Please mall resume to Citrus County Chronicle, SBlind Box 933M 1624 N. Meadowcrest Blvd., Crystal River, FL 34429 Medical Receptionist Requires professional appearance, communication & previous scheduling experience. Prefer -knowledge of - insurance. F/T. Fax resume to (352) 746-0720 or call (352) 527-6699 Neck & Back Care Center We're Growing! Great salary, hours, benefits, & bonus! NOW HIRING PHYSICAL THERAPIST & ASSISTANT OCCUPATIONAL THERAPIST & ASSISTANT LICENSED MASSAGE THERAPIST (352) 527-5433 PODIATRIC MEDICAL ASSISTANT 32 Hr. Per Wk. Medical Exp Preferred. Fax Resume: (352)489-6920 PT DIETARY POSITIONS AVAILABLE Must be able to. work, flexible hours, am, pm shifts, some cooking . exp, helpful but will train right person, Only hard working. serious- minded pers,:.:;rr. need oappl, itpply al. Cypress Cove Care Center 700 SE 8th Avenue Crystal River, FL 34429' EOE/DFWP Must be knowledgeable of .therapeutic and modified diets in a nursing home setting. r.1 i,,i r. o ..... :.rilari.:.r. ;: t1: ana enjoy working with the elderly. Please dnly serious applicants need apply. SURREY PLACE 2730 W. Marc Knighton Ct. Lecanto No phone calls S please Registered Medical Assistant For F/T position. Previous back office exp. req'd. Pleasant work environment. Excel. pay w/ benefits' beginning after 90 days. Fax resume to: 352-746-0720 or Call (352) 527-6699 RN/LPN 11-7 Shift Come Join a great team We offer excellent benefits: *401 K/Health/ Dental/Vlslon, *Vacation/Sick Time Apply In person: Arbor Trail Rehab 611 Turner Camp Rd Inverness, FL EOE RN/LPN/MA Accepting Resumes FT / PT / PRN positions. Primary care / pain medi- cine physician office.Need to be muture & dependa- ble, hardworking & be able to follow directions. Submit resume with sala- ry requirements & position interested in. Fax to: 352-746-1972. SF/TRN I Exciting position for experienced RN In. I c growing Specialist Care Medical Office. m :re -r. -,r m..:l Ji'll. Email resume to marieliAs Stampabay.rr.com X-RAY TECH Part-time and PRN available. Call 1-800-557-87 ext. 154. -RI Cindy Chevrolet Is accepting applications for the following positions: *ASE Technician *Shop Porter *Quick Lube Techs *Sales Consultants Full time, 401K,. Benefits EOE, DFWP Apply In Person Cindy Chevrolet 4135 E. SR 44 Wildwood, FL CITY OF BUSHNELL APPRENTICE LINEWORKER The City of Bushnell is currently accepting applications for the position of APPRENTICE Ll JEWCo'ERP p ip&llcr.', nru l rr." eetll r .eic..irng .r 'quirem.er.L :h:..cal iirer.gir. ard ogillr, to cIImt. pole'. ar.a perform hea,. manual work under Inclement weather conditions, Demonstrated ability to learn skills and knowledge requirements of a Jc..urrno,mar. Line .orikcr incluaiig g routine construction, maintenance and repair of both overhead and underground electric distribution systems. High School graduate ... or.SGED. Class B commercial 'drivers license. Ability to C.-ror.)1x r.-.s., equipment desirable. This position also. r d.il poil u I.brl Wola r .3r.,3 Wastewater.Utilities, Any Interested party :I,.ul. Inquire at and U lTli lan employment .application to, Bushnell City Hall, ,located at 2i i lf.l.2 'ei 1ireer SBu:rreil Floridao telephone 352-793-2591. The position Is open until filled. :EOE/ADA r EDUCATION ' COORDINATOR for Newspapers In Education Program. Works with teachers and schools to develop and Implement program, Also works with funding. Part Time Independent Contractor position. Excellent opportunity for someone wanting part time work who has a basic Interest and knowledge of Citrus County schools. Contact Cheryl at 352-564-2903. LIC. REAL ESTATE AGENT FOR BUILDER NEEDED Excellent pay, big inventory, brand new homes. Provide resume & apply in person Tuesdays & Friday at: 4246 E. Arlington St. Inverness P\T position, 3 days per week. Caring professionals providing for adults with developmental disabilities. Casual dress code. Duties include MED PASS, first aid, record keeping, assessments and positive .interaction_ with residents. Apply at the Key Training Center - Human Resource Dept., or call .. 341-4633 (TDD: 1-800-545-1933 ext 347) 4WOE" | ORGANIST. NEEDED Oneweekly contemporary/ blended service. North Oak Baptist, Citrus Springs (352) 489-1688. REAL ESTATE CAREER SSales Lic. Class S$249.Start 2/14/06 CITRUS REAL ESTATE 0 m SCHOOL, INC. | (352)795-0060 _ Seeking Applications for AD DESIGNER Full time position. Re..pon:ibilil;i; Srvp&,-enng designn ar. pr.orr.,.aina qo r.,.pa ,er aai," or Pr.-.,r'r.,.:,p QuarkXpress of MultiAd Creator desired. Typing speed and accuracy are a must. Application deadline: Feb. 9, 2006 ECE o,'ja :,ucrr, Applicant deri.n Crystal. River 344.29 BAKERY HELP, & PKG & DELIVERY EARLY MORNINGS Apply Monday Friday before 10am at Cryst211 N.PineAver 3442nv. *BARTENDERS SPKG & SERVERS & 'COOKS --E-xp, preferred. High. volume environment. COACH'S Pub&Eatery 114 W. Main St., Inv. 11582 N. Williams St., Dunnellon EOE 'BREAKFAST/ LUNCH COOK EXP. Only *FT/PT WAITSTAFF Apply at DECCA at OAK RUN 7ml off 1-75.on SR 200 West, applications accepted 8am-12 noon, Mon-Thurs., call for more Information 352-854-6557. Decca Is a Drug Free Workplace.EOE DENNY'S Of Crystal River NOW HIRING ALL POSITIONS Apply at 2380 NW Hwy 19, Crystal River After 2 p.m. Drug Free Workplace EEOC DISHWASHER/ PREP COOK PT SERVERS EXP BARTENDERS Previous applicants need not apply. Seagrass Pub & Grill 10386 W. Halls River Rd COOK $$$$$$$$$$$$$$$ Reliable & LCT WANTS O Experience. $9.00/hr LCT WANTS YOUH Aoply in person. Slon's Inn I mmedlate 589 SE Hwy 19 processing for OTR Crystal River drivers, solos or teams, CDLA/Haz. Exp. Line Cook required Gr.31 Wait Staff ecr.er.ii 99-04 equipment Apply at: CRACKERS Call Now Applyat:CRACKERS 800.362-0159 24 hours BAR & GRILL Crystal River FRAMERS HUNGRY HOWIE'S $$$ Local $$$ Pizza & Subs 352-302-3362 Now Hiring Inside Air Conditioning Store Counter Help & Installer Delivery Drivers' Beverly Hills, E r. irnialier ... *EP; Crystal River Cad r.ede r.r ,..ll & Dunnellon e.tabillnea Locations, company; Good pay. FT/PT Positions Please call Available. Drivers (352) 746-2223 to' earn upto $15/hr schedule Interview. rw/tips: . Appl, in periorl ci pr, o[i'.,ir, g ALUMINUM .locations: INSTALLERS/ 11371 N Williams St. GUTTERS Dunnellon 3601 N Lecanto Hwy. Beverly Hills MUST HAVE CLEAN Suncoast Hwy. in DRIVER'S LICENSE Kash n Karry Plaza Cail:(352) 563-2977 Crystal River BOXBLADE Server, Bar Tender OPERATOR & Food Runner E*. .rc.A wir, .-Ioari j3r,.ir.n rec,.:.r., oll Apply in person 621-3478 ar,.p Bella Oasis 4076 S. Suncoast Blvd. Budd Excavating Homosassa SERVERS KITCHEN Dump Truck & HEAD COOK Driver/Equipment Exc. Pay scale. peraor Apply alt: Fisherman's Class A CDL required. Kesiaurant. 1231. E Gulf to Lake Hwy, Inverness 352-637-5888 , STUMPKNOCKERS RESTAURANTS Po-;llci.rng .311bor. -'pplI, I pc r:.:.ri :rl / , Downtown 'Inverness State Road 200n New Home Sales Master Closer needed for fast grow- iga builder Le-ad. ga- lore ... c-aullrul " models & Inventory homes to sell. Builder, reputation is second to none Great loca- tlonsi Send resume to losers@ tampabay.rr.com PEST CONTROL SALES Termite, pest, lawn. Weekly pay + weekly comm. Take home company truck. Gas card, cell phone & benefits, . Call Vinny Nelson (352) 628-5700 .(352) 634-4720 REAL ESTATE CAREER Sales Lic. Class $249.Start.2/14/06 CITRUS REAL ESTATE I SCHOOL, INC. (352)795-0060 SALES PEOPLE NEEDED FOR Lawn & Pest Control TOP $$$ PAID Prefer exp. Benefits, company vehicle. Apply in Person Bray's Pest Control (352) 746-2990' SALES POSITION AVAILABLE Exp. Required J.D. Smith Pest Control (352) 726-3921 SALES POSITION AVAILABLE Exp. Required J.D. Smith Pest Control (352) 726-3921 SALESPERSON * Carpet, Ceramic, Wood Sales, experienced preferred. Williams Floor Store 637-3840 Front End loader exp. or Glade Tractor OpF Good Opportunity, . Growing Company. (352) 400-2793 CARPENTERS -(FRAMERS):.'- Join Ire largest irorrming Co Ir. Ire ~ail e Bel .lrone, Es;s Place ,. *. o.ance ouriue Eceilernl Ber., fl . Call Bai" 352-279-1709 OR Carpenter Contractors of America. Inc. 1-800-959-8806 CARPET HELPER *E.. PEIIE tDCE " f.ILI. Ili.lE W.l11 .. C- 5I'I,1 ' 4-- .1 ,1 LIFT 352-684-4590 CDL DRIVERS E ., -rr ..llr. ':l."an .*rl.ir,.. rC.:CO ra *:,11 . 621-3478 r.-.,p Citrus Hills Construction Co. Due to Our Sustained Growth we Are Seeking Production Oriented, Self Motivated Professionals to Join Our #1 Team -Carpenters *Bobcat Operator *Concreter/ Mason *Punch Techs Offering Local, Steady Work, Competitive Wages, Excellent Benefit Package, and Advancements To Qualified Individuals Fax Resume to 352-746-9117 or Fill out application @ 2440 N. Essex Ave, Hernando, Fl. 655172 AD DESIGNER Full time position. Responsibilities: Typesetting, design and proof reading of newspaper ads. A working knowledge of PhotoShop, QuarkXpress or MultiAd Creator desired. Typing speed and accuracy are a must. Application deadline: Feb. 9, 2006. EOE,. drug screen required for finaL applicant. Send resume & cover letter to: HR@chronicleonline.com or 1624 N. Meadowcrest Blvd., Crystal River, FL 34429 CITRUS COUNTY (FL) CHRONICLE TUESDAY, FEBRUARY 7, 2006 10 Trde E oe7 Litib Jt^s COMMERCIAL METAL FRAMERS, HANGERS & FINISHERS BENEFITS AVAILABLE DFWP 746-7410 CONCRETE HELPERS Needed. Top Pay. 352-465-4239 DELIVERY DRIVER A Building Supply Co. Looking for exp'd 1 Building Supply Delivery 4 Driver w/Class A or B CDL. Heavy lifting required. Mon Fri 7AM 5PM. Paid vacation, holidays, * Insurance & 401K P 352- 527-0578, DFWP Delivery Drivers/ , Warehouse i Class D Uc., clean "- record, Exclusive Enterprises is seeking- quality, motivated, Individuals, to deliver and Install appliances for a nationally known w appliance retailer, the more you do; the more S you make, apply in person at: 1501 SW 44th Ave. Ocala, 352-351-3131 Delivery Tech For Home Respiratory :Co. Full Time with p benefits & vehicle. i Fax resume to ASAP Home Respiratory (352) 751-5306 DEPENDABLE & EXP'D MASONS -Needed. Transp. a must. Competitive pay. (352) 860-2793 %e:( ""i* Driller's Assistant Needed, long hours, clean Class D lic & driving record, paid holidays & vac. 352-400-0398 before 9p DRIVER Class A/B for small trucking company to run dump truck local within the Tri County Areas. Must be self motivated & reliable. Start pay $11.00/hr or percentage + benefits. (352) 799-5724 ENTRY LEVEL MECHANIC WANTED Must have own hand tools. Salary depend. on exp. Call Manny (352) 746-1226 EXP. FRAMERS Local work (352) 302-4512 EXP. PAINT & BODY PERSON NEEDED Must be good painter 726-2139 or 637-2258 Exp. Roof Coatings Installer I. llu:l h.3 d; .rs lic, & C.1 irujg r. s Good pay. Some out of town work req'd. Exp. & serious inquires only. Call 489-5900 EXP. REPAIR PERSON Exp. in all phases of roofing. Must have own tools & truck. AAA ROOFING 563-0411 or. 726-8917 Exp'd Plasterers, Apprentice; Lathers & Non-Experienced Laborers Wanted Steady work and paid vacation.Transportation a must. No drop offs. 527-4224, Iv msg. EXP'D PLUMBERS. Drivers Lic. Req. 352-637-5117 FRAMERS, LABORERS & SHELTERS WANTED Most tools supplied. Call .Butch 352-398-5916 FT Aluminum/Glass Mech. Trainee Construction exp. helpful, must have valid FL Driver's Lic. EOE/DFWP Call Weber Glass (352) 795-7723 M-F 8-4 HEAVY EQUIPMENT OPERATOR For site Prep Company. Must be self motivated & reliable. 30-50K Plus benefits. (352) 799-1485 IMMEDIATE OPENING QUALIFIED RESIDENTIAL ELECTRICIAN Min 2 yrs. Exp., Good driving record req, , Insurance, paid Sick, Holiday & Vacation Apply in person S&S ELECTRIC 2692 W. Dunnellon Rd. CR-(488) Dunnellon 746-6825 SEOE/DFWP INSTALLER Experience preferred, will trail Must be ambitious. driver's license required. Benefits., Call Crystal River Office at: Apply at 6044 N. Tallahassee Rd. CR JOHNSON'S KIA Is looking for a exp. Body Tech. and JOHNSON'S PONTIAC Is looking for an exp. Service Tech. Both jobs come with great pay, benefits and hours. For more Info. call Brent Johnson at 352-564-8668 LAKE COUNTY COMPANY NEEDS DIESEL MECHANIC Exp. In Catapiller & John Deere Equipment. 7yrs exp required. 352-267-5352 DFWP W eDABNET ESTIMATOR 20/20 knowledge Sumterville area. (352) 793-2396 LAKE COUNTY COMPANY NEEDS UNDERGROUND UTILITY PIPE LAYERS 352-267-5352 DFWP LEAD MECHANIC For large growing fleet of garbage trucks. Top pay + benefits. Your own tools a must! Apply in person FDS Disposal 423 W. Gulf to Lake Hwy, Lecanto (352) 746-0617 DFWP MASONS & MASON TENDERS Steady Citrus Co. work. $10/hour to start. Start Immediately 352-302-2395 MECHANICS & DIESEL MECHANICS F/T. Must have own tools, clean driving record and hold a class B lic. Knowledge of cdn6rete mixers preferred but not necessary. Drug Screening. We offer great pay, benefits, 401k, vacation & holidays, Mid State Concrete Williston (352) 528-1020 or fax (352) 528-1022 cl-ASSI]FI]El:)s MASONS & LABORERS 352-529-0305 MASONS & MASON TENDERS TOP PAY (352) 400-1802 Painter One position, 5 yrs. exp. Transportation/phone. Dependable. Citrus/ Inverness Area + (352) 726-1882 PEST CONTROL SALES Termite, pest, lawn. Weekly pay + weekly comm. Take home company truck. Gas card, cell phone .& benefits. Call Vinny Nelson (352) 628-5700 (352) 634-4720 PLASTERERS & LABORERS Must have transportation. 352-344-1748 EXP PLUMBER starting Wage between 16-18/hr. I ALSO HELPERS * Benefits, Health, Holidays & Paid SVacation. 621-7705 R&R Technician ASE Certified General Maintenance Good Pay, Clean . r.. .: ;.I : .IIr ,- 1 : benefits available. (352) 344-0411 REPUTABLE SWIMMING POOL COMPANY Seeking . ALL PHASES OF POOL CONSTRUCTION Licensed Sub-contractors. and/or Feld employees. Good Waaes, Benefits Paid Holidays. (352) 726-7474 DFWP PLUMBER Exp. In trim work. Drivers Uc. req. (352) 726-5385 SERVICE MANAGER Full Time Position Installing water treatment equip., Plumbing experience helpful. Competitive earnings, must have clean driving record. Please fax resume to (352) 621-0355 or Call Bob (352) 621-0403 ^Syndicated ContIe I 'il l f' i IId Avilabie from Commercial News Providers" I' PrepInc. 3267000 60FT BUCKET TRUCK . JOE'S TREE SERVICE All types of tree work Lic.& Ins. (352)344-2689 Split Fire.Wood for Sale L A TREE SURGEON Uc.&lng. Exp'd friendly serv. Lowest rates Free estimates;352-860-1452 AFFORDABLE, A_ DEPENDABLE, : HAULING CLEANUP, ,,r PROMPT SERVICE I I Trash, Trees, Brush,. I Appl. Furn, Const, . SDebris & Garages 352-697-1126 ' SAll Tractor & Truck Work, Deliver/Spread. Clean t Ups, Lot & Tree Clearing Bush Hog. 302-6955 ,DOUBLE J STUMP GRINDING, Mowing, Hauling,Cleanup, Mulch, Dirt. 302-8852 D's Landscape & Expert Tree Svce Personalized design. Cleanups & Bobcat wibrk. Fill/rock & Sod: 352-563-0272. JOHN MILL'S TREE SERVE Trim ftop remo"al 352-341-5936. 302-4942 LAWNCARE-N-MORE I Lawns, Hedges, Trees, Beds, Mulch, Clean ups Haul, Odd job 726-9570 M&C CLEAN UPS & BOB CAT SERV Trash & Brush removal, const, debris, Free est. (352) 400-5340 PAUL'S TREE & _- CRANE SERVICE -- Serving All Areas. i Trees Topped, i 1 Trimmed, or Removed. FREE ESTIMATES. Licensed & Insured. (352)458-1014 SR WRIGHT TREE SERVICE, tree removal, stump grind, trim, ins.& Lic #0256879 352-341-6827 Your W\orld OW 954U5O d4tCd CI I)I . AW. Cthrinlci ot l-l mm STUMPS FOR'LE$$ "Quote so cheap you won't believe it!" (352) 476-9730 COMPUTER' TECH MEDICS vChris Satchell Painting' & Wallcovering.AII work 2 full coats.25 yrs. Exp. Exc. Ref. Lic#001721/ Ins. (352) 795-6533 A- 1 PAINTING Int/Ext Res/Comm Satisfaction guaranteed Lic29349 (352) 697-9427 All Phaze Construction Quality painting & re-, pairs. Faux fin. #0255709 352-586-1026 637-3632 CHEAP/CHEAP/CHEAP DP Pressure Cleaning & Painting. Licensed & Insured, 637-3765 Gary Ouillette Painting & Handywork Quality, affordable, Lic 30001 Free Est. (352) 860-0468) 464-4418 SPOOL BOY SERVICES I Total Pool Care I Acrylic Decking 352-464-3967 maw mm 2 -F .. M-1 Pressure Cleaning Painting, Handyman, Rental unit restoration A-D- 5f0: '726-9570 Rooert Lovel;ng Painting Inc LC PI 1,-(3524>346-9032 Wall & Ceiling Repairs Dr. oll T-eduring, -airiiri ,r,,i Tile work. ?0,'yr e"p 344-1952 TAX & BOOKKEEPING PREP., personal or small business, efficient, accurate & all services. Free Consultation (352) 746-6258 Does your car have rust, dents, need paint? I do quality work at voir location 220-9056 IUifroaUlie DBaUI iVuirl. & Repair, Mechanical, Electrical, Custom Rig. John (352) 746-45 4 LOVING CARE V That makes a difference. Will care for elderly person in my home or yours 24 hr. care. Louisa 613-3281 Elderly Care in my Dunnellon home, In home Medical Care (352) 489-5447 Exp. Caregiver will care for seniors in my Ig. home. With meals'M-F Julie (352) 503-3460 We Will Take excellent care of your loved ones in our home. Check us out! (352) 628-7993 Will care for your loved ones in my Dunnellon' Riverfront home. (352) 489-5447/522-0282 VChris Satchell Painting & Wallcavering.AII work 2 full coats.25 yrs. Exp. Exc. Ref. Lic#001721/ Ins. (352) 795-6533. CLEANING. Reliable, affordable, Weekly, bi-weekly, monthly Joy, 352-601-2785 cell Dennis Office Cleaning and Floor Waxing 17 years experience 352-400-2416, 465-0693 HOMES & WINDOWS Serving Citrus County over 17 years. Kathy (352) 465-7334 Post 'Contruction to Residental/Cam- merical. Exp. & Lic. (352)637-1497/476-3948 The Window Man Free Est., All Exterior Aluminum Quality Price! 6" Seemless Gutters (352) 621-0881 Screen rms,Carports, vinyl & acrylic windows, roof overs & gutters Lic#2708 (352) 628-0562 AUGIE'S PRESSURE Cleaning Qualitfy WorkLow Prices, FREE Estimates: 220-2913 Mike Anderson Painting Int/Ext Painting & Stain- : Ing, Pressure Washing also. Call a profession- al;' Mike,(352)-464-44l8 ! PICARD'S PRESSURE CLEANING & PAINTING Roofs w/no pressure, houses,driveways. 25 yrs exp. Lic./Ins. 341-3300 Pressure Cleaning Painting, Handyman, Rental unit restoration #73490256567 726-9570 Richie's Pressure Cleaning Service Lic # 99990001664. Call 746-7823 for Free Est. -I N , I DEPENDABLE I HAULING CLEANUP. . I PROMPT SERVICE I I Trash, Trees, Brush, Appl. Furn, Const, I Debris & Garages |. Lic. 80061, Ins. & Ref, (352) 746-2472 Handyman Services, Window cleaning, all jobs considered 15 yrs. exp, Lic. #99990003245 .(352) 726-2587 (352)362-4084 ask for Bill HOME REPAIR, Pressure Cleaning F.j.iir,ir.:i Horl,, Tor, I'- lt,31 ijril r- l,-.r 1i,7,r, #73490256567 726-9570 .Wall 8 Ceiling Repairs Dr,i .. ll T-,1jrir.g Palntlng,.V1nyl. Tile work. 30 yrs. exp. 344-1952 A+ ItElMNULUOItSi Plasma -TV's Installed. A/V Equip & more -1.3 "7AA.-nflA1 All of Citrus Hauling/ Moving items delivered, clean ups.Everything from A to Z 628-6790 r = li= = AFFORDABLE, DEPENDABLE, | I HAULING CLEANUP, PROMPT SERVICE I I Trash, Trees, Brush, Appl. Furn, Const, Debris & Garages | 352-697-1126 Appl., Furn. & Trash Removal, Moving? YOU CALL ...I'LL HAUL Larry795-5512, 726-7022 LAWNCARE-N-MORE Lawns, Hedges, Trees, Beds, Mulch, Clean ups Haul, Odd job 726-9570 M&C CLEAN UPS & BOB CAT SERV Trash & Brush removal, const. debris, Free est. (352) 400-5340 SMALL LOCAL MOVES Appliance pickup, trash removal, low rates, Sr, disc, Joe (352) 726-2264 WE MOVE SHEDS 564-0000. Lic#2579/lns. 746-1004 Concrete Slabs Dri.e..o,: patll.: bl:llt :r.-d ,. I t. uto .. t. .in.:h.' po .ers LI; .*. Ir,' Mario (352) 746-9613 CONCRETE WORK. :.I)E -LV: poi ll estimates, Lic. #2000. Ins. 795-4798.' POOL BOY SERVICES I Total Pool Care I I Acrylic Decking I S352-464-3967 RIP RAP SEAWALLS & CONCRETE WORK Lic#2699 & Insured., (352)795-7085/302-0206 Zavala's Concrete/Landscaping -" 't.'-. dri.e walks concrete or Pavers. All 'landscaping. Call for free est. (352) 465-9390 Additions/ REMODELING New construction Bathrooms/Kitchens Lic. & ins. CBC 058484 S (352) 344-1620 r AFFORDABLE, 'U DEPENDABLE, I HAULING CLEANUP, PROMPT SERVICE I Trash, Trees, Brush, Appl. Furn, Const, I Debris & Garages 1 352-697-1126 I=-1 = 1-- 1 =I DUKE & DUKE, INC. Remodeling additions Lic. # CGC058923 Insured. 341-2675 Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 344-1952 CBC058263 CERAMIC TILE INSTALLER Bathroom remodeling, handicap bathrooms. LINGS PLUS Trim & Finish Contractor Lic/Ins. 99990003893 tvoes of Did Service Cair .1,1 e 352-564-1411 Mobile 239-470-0572 All Tractor & Truck Work, Deliver/Spread. Clean Up- Lot & ire6 C,- rlr,, Eu'r, HC.g. 302-6955 BUSHHOGGING, r'.: i, 10rt 'lr- \r :, acn.- .*.O,; pri.ure .. r. (352) 628-4743. CITRUS BOBCAT LTD Bushhog/Debris removal Lic.#3081, 464-2701/563-10491 D&C TRUCK & TRACTOR SERVICE, INC. Landclearing, Hauling & Grading. Fill Dirt, Rock, Top Soil & Mulch. Uc. Ins.(352)302-7096 FLIPS TRUCK & TRACTOR, Landclearing, Truck & Tractor work. House Pads, Rock, Sand, Clay, Mulch & Topsoil. 'You Need It, I'll Get It! (352) 382-2253 Cell (352) 458-1023 PINK MINI DUMP, 10 Yards +. No Haul to Small. We can get it all. 341-(DIRT)-3478 TOP SOIL Also Sand & Rock 8-yd loads. Call 352-302-6015 VanDykes Backhoe Service. Landclearing, Pond Digging & Ditching (352) 302-7234 (352) 344-4288 AFFORDABLE, S DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE I Trash, Trees, Brush, App. Furn, Const, Debris & Garages I S 352-697-1126 L m =- All Tractor & Truck Work, Deliver/Spread. Clean Ups, Lot & Tree Clearing Bush Hog. 302-6955 All TYPES OF TRACTOR WORK. BUSHHOG SPECIAL $20 an acre (352) 637-0172 * CITRUS BOBCAT LTD Bushhog/Debris removal Lic.#3081 464-2701/563-1049 DAN'S BUSHHOGGING Pastures, Vacant Lots, Garden Roto Tilling LUc. & Ins. 352- 303-4679 Fulford Construction 'Landclearing, site work, septic systems. (352) 666-6739 ON SIGHT CLEANUP M.H. demolition, landclearing & Const. debris (352) 634-0329 Tractor Work, All forms. Trash Hauled, Yard ,-l.r, Tree .ll rl L':-.t Clar,r,,a (352) 564-8377 D's-Landscape & Expert Tree Svce F-r :.:..rc.i-., : Oe., r. ,:ie.3nr.u .; &. 1. .: .a. -,*' t lll r,.'; .i .cd 352-563-0272 Zavala's Landscaping/Concrete Patio, drive, walks concrete or Pavers. All landscaping. call for free est. (352) 465-9390 PRO-SCAPES Complete lawn service. Spend time Swit your Family, not your lawn. LiUc./Ins. (352) 613-0528 GLENN BEST MOW- EDGE *TRIM HEDGES- PALMS 795-3993 Advanced Lawncare & More Comp. lawncare, Pres. washing, odd jobs, No job too small Lic. Ins. 352-220-6325/220-9533 Bill's Landscaping & Complete Lawn Service Mulch, Plants, Shrubs, Sod, Clean Ups, Trees Free est. (352) 628-4258 DOUBLE J STUMP GRINDING, Mowing, Hauling,Cleanup, Mulch, Dirt. 302-8852 FERTILIZE NOW (352) 613-5855 Jones Lawn Maintenance #1 inService Lie. & Ins. 352-382-0949 LAWNCARE-N-MORE Lawns, Hedges, Trees, Beds, Mulch, Clean ups Haul, Odd lob 726-9570 Danial Cole Pool Cleaning Services Dependable Wkly Serv. Lic. Ins. (352) 465-3985 MAVEN POOL MAINT. Start enjoying your pool again Wkly. service avail. Llc.' (352)726-1674/464-2677 SPOOL BOYSERVICES I Total Pool Care I Acrylic Decking = 352-464-3967 a Wood, Split, $70,4> Will Deliver. (352) 344-2696 FIREWOOD Oak. Cherry, Hickory ALL PUMPS & WELLS ,er. i.:i- llcalr . Williams Co 637-2651 CRYSTAL PUMP REPAIR Filters, Jets, Subs, Tanks, w/ 3yr Warr. Free Est. (352) 563-1911 WATER PUMP SERVICE & Repairs on all makes & U.:.l- i. Anytime, 344-2556, Richard Bones Portable Welding Cert. & Lic. 25 yrs. exp. (352) 637-1497 or (352) 476-8800 ALAN NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 .A MOBILE NOTARY Avail. 24/7 I I Off. (352) 465-2339 I * Cell (352) 613-0078 = 0 RAINDANCER 0 Installing 6" Seamless res 7" com 12 rnd & Copper Unsurpassed Qualitv For Over 15 yrs. Free Est. Llc. & Ins. 352-860-0714 All Exterior Aluminum Quality Price! 6" Seemless Gutters (352) 621-0881 Hot Heads Now offers Massage Therapyl $10. OFF 1st massage. Lic.#MA16348 (352) 563-0068 WHAT'S MISSING? Your ad! Don't miss outi Call for more information. 563-3209 -II CREATIVE COATINGS Ci. n ' Driveways Pool Decks Walk Ways Any Design 125% OFFi offer ends 3/1/06 352-628-1313 Installations by Brian CC2303 - 4 a t s 4 & s rt d 4 p a eM : j 1 tiw 0 "- - 352-628-7519 Siding, Soffit & Fascia, Skirting, Roofovers, Carports, Screen Rooms, Decks, Windows, Doors, Additions by Cosmic breams Great for Kids Rooms & Romantic Evenings. Buy 1 Room, Get 1 I I Otter Ends Soon Skylight Murals starting at 179' _____ ,^ -4ft^,r) Renew any existing concrete! Colorful & Beautiful Driveways from $795 Pooldecks from $9951 SIncludes: Acrylic Colors,I LWarranty and up to 500 sq. Ft. 352-527-9247 Licensed/Insured/Dependable EXP. FRAMERS 352-726-4652 SERVICE ELECTRICIAN/ TROUBLESHOOTER Motivated self starter Good driving record req., Insurance, paid Sick, Holiday and Vacatlph Apply In person S&S ELECTRIC 2692 W. Dunnellon Rd. CR-(488) Dunnellon 352-746-6825 EOE/DFWP 1.2C TUESDAY, FEBRUARY 7, 2006 Trad Geu cLn / Slk i l -1-s- C=^ FIRE SPRINKLER PIPE FITTERS (352) 302-3884 Plywood Sheeters & Laborers Needed in Dunnellon area. (352) 266-6940 TRUCK DRIVER With class A for flat bed in Florida. Steady work! 352-637-6449 or 352-302-5543 VEOLIA WATER NA South LLC Has an opening for a Water and Sewer Laborer at our Crystal River project. Applicants must possess good driving record. We offer an excellent benefit plan Including 401K. Can 352-795-3199 between 9:00 AM and 4:00 PM, Monday through Friday, for an application. EOE -M/F/D/V. We conduct applicant drug testing. SGreat **Opportunity** Our local company needs Highly Motivated Sales People With Strong Phone Skills. Mon. Fri. 9-5. No weekends. Training Pay plus Commissions. Career Minded applicants only. To apply call 866-777-1166 Ask tor Joanne or Darlene S A Drug Free Work Place AMUSEMENT RIDE HELP NEEDED: 18 and over. MUST TRAVEL. : :-'; .0 ..h Call 0a-lOp (352) 804-5749. Mike Boat Detailer Homosassa Marine Apply In person. (352) 628-2991 CITRUS HILLS GOLF COURSE WORKERS r e.: re r'.:'0 po, .pilll "i .'.:,irner.rur, ol, .*, -p. li rn.o pr,,: e.p .,e ...il train. Great benefits & insurance package. Apply In person: (352) 344-2400 Coastal Underground. seeking 'EXP. PIPE FOREMAN Apply In person ' 2190 N. Crede CR (352) 795-4357 CONSTRUCTION LABORERS WANTED No exp. necessary Must be 18 or over, Transportation. preferred,'Call for Interview, 860-2055 COOK Full Time & Part Time. Good organizational ;kill: 0 aM..ji:I' ."pi:.l,, al Barringlon Place 2341 W. Norvell Bryant Lecanto, Fl Ask for Pat DECCA CABLE TV TECHNICIAN Candidate should possess strong technical ability In CATV. Familiar w/CATV construction. maintenance, troubleshooting, hardline & CLI. On -Call duty required and valid FL Drivers Uc. with good driving record. Apply DECCA at Oak Run, ; 7 miles off 175 on SR 200 West Applications accepted 8am-Noon. Mon-Thurs or Call (352) 854-6557 DECCA ISA DRUG FREE WORK PLACE DECCA is Now Hiring *LANDSCAPE LABORER *DISHWASHER *CONSTRUCTION *LABORER *POOL TECH *JANITOR *SERVICE TECH Apply At: DECCA In Oak Run, 7 ml off 1-75 on SR 200 West, Mon Thurs 8am-12 noon or Call (352) 854-6557 or fax resume (352) 861-7252 Decca is a Drug Free Work Place. EOE DELIVERY DRIVER Dependable..exp. preferred. Driver/ Delivery person for furniture store. Heavy lifting required, Clean driving record required age 25 or older. Great Pay.. Furniture Palace 3106 S. Florida Ave. Inverness 726-2999 DOMINO'S PIZZA Is Now hiring Full & Part time DRIVERS Must be reliable, polite, & have a good driving, record. tr $9-$15 hr Inverness 637-5300 Crystal River 563-6607 DRIVER Class A, CDL, dedicat- ed regional position 3 + nights home per wk., avg. work 45 hrs. per, wk., only neat, safe, honest, ethical persons need apply. Good driving record a must. (352) 400-1989 Exp. Boat Builders Fiberglass laminators & boat assemblers in Wildwood Area. Good pay. Call between 9-6 (352) 427-1756 HB INDUSTRIES Seeking EXP. ESTIMATOR For Site Work & Utilities Call: 352-563-1424 Housekeeping & Front Desk Clerk P.: :il;.:r,, iit.. Please apply in person Homosassa Riverside Resort, 5297 S. Cherokee Way, . Homosassa. FL 34448 JOBS GALORE!!! EMPLOYMENT.NET JOIN OUR TEAM KFC : r.:...-, h;.ing f.,r l pe.-lililr.: r- (: l -.. pe'..-r, .1. :.r. Trruj I-r t-r..- r. ir.rr.r.-f. or 1 KENTUCKY FRIED CHICKEN 1110 Hwy 41-oN. Inverness and 849 S. Hwy. 19, Crystal River Laborer Full time. Lecanto area Call '.grI E.pre (352) 527-7446 ; Laborer coatings. Must hdve driver's lic. & be drug free. Some out of town ,..:.il rQ'd ,i Coil 489 5900 LABORERS Mobile Home Set-Up for MH Services (352) 628-5641 87075 W30 Homosassa Trl. LAWNBORTECH.RS NEEDED Hwy exp necessary 849l .e : Lh_" H ,3. , Gardeners Concrete F LAWN TECHS r will Train the right person. .Top money paid Must Have Valid Drivers License SApply at: Brays Pest Cqntrol 3447 E Gulf to Lake Hwy. Inverness DFWP/EOE LAWN TECHS r 1jTl r,3 H: .i|:.l,:/.,3 license, must be willing to work. (352) 628-3352 Maextenance G erson Various maintenance work & roofing. Must have own tools & transportation.' Please call (352) 563-5004 MERCHANDISING Merchandisers needed to service accts in Bushnell & Wildwood area grocery stores.Set your own schedule, great pay, training pro- vided. 1-800-733-2999 ext. 602 .com PLASTERERS I I *LABORERS* I NEEDED* 746-5951 L.l Various F\T and P\T positions, including F\T Housekeeper, working with developmentally disabled adults in a group home and apartment settings. All shifts, including weekends. HS diploma\GED required. Sub Instructor Assistant on call positions available. F\T Diesel Mechanic\Maintenance worker. Must have a safe driver record with Florida license. HS diploma\GED required. Apply at the Key Training Center Human Resource Dept., or call 341-4633 a (TDp:.i1-B00.545,1B33 ext 347) *EOE." Sales Associate Deliveries, Heavy lifting, paint mixing, working with public. Apply Citrus Paint & Decor Store. Crystal River. 795-3613 SECURITY OFFICERS Security Class D Uc. Required. Local. 352-726-1551 Ext 1313 Call btw. 7am -3pm Small Boat Manufacturing Co Now hiring for Fiberglass lamination. Gel coat gun and/or chopper gun exp, preferred. Please call 352-447-1330 WE BUY HOUSES CaSh .....Fast 352-637-2973 1 homesold.com WEE CARE DAY CARE CENTER Is now accepting applications for employment. Apply in person, M-F, from 12pm to 2pm 795-3515 PT ASSOCIATE At Inverness Pinch-A-Penny I lj:l i-...e ftr.:r,,] .r ar.,or i .:.,: i31 I1 and be computer & customer friendly S1783 W MAIN ST (352) 726-2766 VOLUNTEER OPPORTUNITY Democratic Congression- al Campaign in your dis-' trict. Call (352) 585-2407 ADVERTISING NOTICE: This newspaper does not knowlingly accept ads that are not bonaftide employment 'offerings. Please ' :. -* use ,: Caution when responding to employment ads. REAL ESTATE CAREER Sales L c. Class I C2TR REAL ES TATE I S SCHOOL, INC. 2/1, Crystal River, $450,000. By Owner 352-634-4076 CLEANING.BUSINESS FOR SALE. appro" 60 a':,:,-,url; m.:.r.-r.l, rIi.3e jobs avail. 352-422-4496 ALL STEEL BUILDINGS en lsse -.ce- 25x25x7 (2-12 Pilch) 1- 9x7 garage door, 2 vents,n 4" concrete slab INSTALLED-$ 10.595 30x30x9 (2:12 Pitch) '2-9x7 garage doors, 2 vents, entry door, 4" concrete slab, r IRE." r ,,r :r,i e lrir, ,:,:., 4" concrete slab INSTALLED- $16.495 Many Sizes Avail. We Custom Build We Are TheFactory Fl. Engineered Plans Meets or Exceeds Florida Winj Code METAL SYSTEMS LLC 2 1C.ann-9n-iAn1 i "LIVE AUCTI ONS For Upcoming Auctions 1-800-542-3877 1930 Oak Rectangular Table, 30 x 42, leaf 30 x 12, w/ 4 wo6d slate lad- der back chairs, $525., perfect, Inverness (352) 344-4507 ACCORDION $200; 2 OLD CHAIRS \iTooden, $150 (352) 628-1408 Antique Sideboard. 43" wx21"dx36" tall $150.00 (352) 637-1029 ANTIQUES WANTED Glass, quilts, pottery., Jewelry, most anything . old. Ask for Janet 352-344-8731/860-0888 VICTORIAN Marble top table, nice condition, 30" diameter 20" tall, Walnut base, $195. (352) 726-6056 -S 5 Person Hottub shell $100. (352) 795-2437 HOTTUB SPA, 5-PERSON 24 jets, redwood cabinet. Warranty, must move, $1495. 352-286-5647 SPA W/ Therapy Jets. 110 volt, water fall, never 6 Hole Ice Cream Freezer Good condition $300. obo (352) 637-2402 A/C & HEAT PUMP SYSTEMS. New in box 5 & 10 year. Factory Warranties at Wholesale Prices 2 Ton $827.00 -43 Ton $927.00 -4 Ton $1,034.00 Install kits available or professional Installation also avail. Free Delivery . *ALSO POOL HEAT PUMPS AVAILABLE Lic.#CAC 057914 Call 746-4394 ALL APPLIANCES. New & Used, Scratch Dent. Warr. Washers, dryers, stoves, refrig. etc. Serv Buy/ Sell 352-220-6047 APPLIANCE CENTER LlUed Pefrigeratori Sto e. *.a.r.e. &Lr,.,r:.. NEW AND USED PARTS Dryer Vent Cleaning Visa, M/C.. A/E. Checks 352795-8882 . CRAFTMATIC BED,. adjustable twin ext. length, w/mattresses, remote. Excellent, $475. (352) 341r2337 DAIIBY REFRIG. b:.ind.j re .. : I CHEST FREEZER, brand new. $100; (352) 746-2067 ELECTRIC RANGE, brand new, $100; WASHER & DRYER,, $100 (352) 746.2067 Electric Stove $150. Dish Washer $50. (352) 341-8434 ELECTRIC STOVE lull re . '. l ar. r.i II (352) 6374642 GE DELUXE RANGE, ror e:t ,ai. :172 3 :..r.3" 637-1792 GE, exira large Washer w, dryer. working $125. Sofalo. $25. (352) 795-5684 Kenmore;, Refrigerator.& Stove Gr-n,' Clean . goo. .::,r.i. $75 ea (352) 795-9986 , MICROWAVE 1a',,-.3-e H. ), :,, 1 J . DISHWASHER, l 5- White. (352) 382-3831 SMALL CHEST FREEZER (352)341-3584 WHIRLPOOL COOKTOP STOVE, $325; (352) 382-3831 .,lr.nre nrn ..-, i.'\)l f- rh.:,,r, "oo t.r :r%,e '5, :li l- r l ,g e ,. 1.: r *.; .4 .0 White stove, $50. Both excellent cond. (352) 860-2070 Attention Woodworkers Perfomax 16-32 Drum sander, comp. w/ext,, tables, stand & wheels. Like new. Asking $800. (352) 860.2228 Generator 1 :! HIO Hr..3). a1.1i watt l.: lart r I uI.:-.3 $1 500. (352)621 3418 RCA 36' .. c.rel ;1,3r,,3 .rr,,:,L -.3 ,31., .: : er, j3.:..: ror..a. $275. Dell Monitor 17" $40. very good condition (352) 746-7466 SPEAKERS 7 Cu r- land' irup I *:' ,'lI i. i3iJl'- (352).527-3552 TV, 48" Magnavox, '..-",. E.: 3250 TV :'- :.3.,.: used 3mo, $230, (352) 628-6289 10X10 kitchen MAPLE KITCHEN CABINETS, Corlan Countertop, bisque, $1500 never used. (352) 628-7913 Interior/Exterior doors -Interior Prehungs: $35 Exterior Prehung 6 Panels: $85. Next to Citrus County Speed way. .(352)637-6500 Cooter Computers Inc. Repair, Upgrades, Virus & Malicious software removal (352) 476-8954 DIESTLER COMPUTERS Internet service, New & Used systems, parts & upgrades. Visa/ MCard 637-5469 http~// NEC Complete Computer system with printer and scanner, Windows '98, $100 . 352-208-4188 PENTIUM COMPUTER Monitor, keyboard & mouse. Internet ready, Printer incl. WIN 98, $100 (352) 726-3856 X Box 360 Bundle Pack. Comes w/ hard drive ethernet cable, 1 controller, 1 remote, never opened. $500 OBO (352) 726-3418 1974 JOHN DEERE 450 BD Runs great, needs clutch work. Trailer included, $5300/ obo, (352) 746-6128 or (863) 412-9102 CHIPS ARE FLYING SAsplung Whisper Chipper, 14" drum, V8, runs & works great, must sell $4000/obo 321-207-6534 CHIPS ARE FLYING Asplung Whisper Chipper, 14" drum, V8, runs & works great, must sell $4000/obo 321-207-6534 PATIO SET Vinyl wicker look, loveseat & 2 chairs with.coffee table, very good cond $225 . (352) 527-0075 a - 3 pc. Wood Set for bedroom, dresser w/ mirror chest of drawers, nightstand. No Bed. $250. (352) 344-5434 4 Poster Bedframe, $50; Patio Table w/6 armchairs $80: (352) 382-4182 5 Drawer Chest, 2 night tables, queen head- board, light wood $125.. 42" Round Pedestal Cherry Table, w/ 18"' leaf, matching 4 chairs, good cond, $125. (352) 382-5734 42" ROUND TABLE, heavy oak, inlayed White top, 4 chairs, like new, $275 (352) .344-9668 - uphri'.li.-rejd T,,:.d',, r ,go,3d .:.:.r.d 100) ,,nueer, l:e tr,3 headboard. $35,00 (352) 746-0488 'MRITS 0u ALAN NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 Antique Bedroom Set r. 3 1ab,:.or ] .:.ll`:'3,,,r dri l.er ..., t1 .:.,l ,:rle l I II..- r":-.,. lill r nr~alie: .:.. :prirl, $1.200. (352) 344-1415 Antique Wicker I.'c..:.ntr..a Cr..)r *',7S, (352) 344-0980 ARMOIRE for TV Solid wood,$350 (352) 382-7229 Beautiful Qn. Brass Bed narrA.n.: be.:prirg $175. (352) 564-8656 BED: $170, Ie... Queer, I,:. i:ippe-. Pill.:.., Top Set ,r ..arr Vir., 1. i '.215 De.,er, 352597-3112 BED: 251\. I a i.lenror, F.carnr, 'I eer. onr. 20,r oVarf [le...-r 1.1 ea reelail C'.-. rt S"'45- Can Deii.er 352-398 7202 BEDS BEDS BEDS B: Ele-u ui tacTr ci,.e.-;ul. r toT -.3 enie,- Brana: 501 off Local Sale Prices. Twin $119 Full. $159-Queen $199- King $249. (352)795-6006' Blohde, Rattan sleeper sofa -rind lable h'g :i -, i .) i rn-. lat ,le .- ..:.r.. .,00 o r ,.,ill separate e 352-563-5576 BRAND NEW 5 PC. GL- I. i- I. ,rf ,ha, sei. nr,3 i i' inurir,i, r. .Er used. Doesn't match home decor. $350/obo. 352-465-8332, after 10a BUNK BED. L pirne icft bjr.k P.eC Desk, itr. '.. ers & shelves, exc. cond. $8100. (352) 489-8286 Cherry corner Media Ceriter, 60 /2 W, x 64H $175., Chromcrdft, glass top table, 45" w/ 4 swiv- el bass chairs, antique bronze, $850. (352) 860-1155 Chromecraft Dinette Set, oak, w/caster chairs, & leaf $225: Lighted Curio Cabinet, w/ glass shelves, $150. (352) 527-9390 CHROMECRAFT Table, leaf w/6 chairs, $275; (352) 382-3831 Classic Walnut Wall Unit. 6'x6', bookcases, light-. ed shelves, desk, TV C cl:,r, I ..:.:,:, I ,'lCIIJ : /ll $400. (352) 382-3879 Clean Used Furniture, Including Bunk Beds The Path Shelter Store 1729 W. Gulf to Lake Hwy. (352) 746-9084 COFFEE TABLE Like New! Natural slate tile top w/black steel frame. 48"Wx24"D x 20"H. $80. 795-7054 COFFEE TABLE Smoked Glass,36"W 66"L,Sits on 28"W46"L Base 16"H,$250.00 OBO 352-527-1135 COFFEE TABLE w/2 round end tables, glass w/bronze metal base, paid $400, 4 mo. ago. Sell for $150. 352-634-0865 COUCH & LOVESEAT, floral pattern, $250 CHINA CABINET &. entertainment center, $200 (352) 637-1151 DINETTE SET Oval table w/4 chairs, leather taupe, neutral colors, $200; Small Futon, tan color, like new, $75. 352-302-7658 DINETTE SET; glasstop table & 4 swivel chairs with casters, very good cond., $350 (352) 527-0075 Dining Room Set, Square Table, solid oak, w/ 6 chairs,, $200. Matching Buffet., $175. Entertainment Center, w/ glass doors, 2 storage drawers, holds 30" TV, $75 Dishwasher, stainless steel $75. (352) 563-1994. CITRus COUNTY (FL) CHRONICLE Dining Koom Set 11 Pc's Ethan Allen Paid $8500. Must sell $2800. (352) 382-7229 Dining Room Table, formal, 2 leafs, with 6 chairs and lighted china cabinet. $750. (352) 563-5386 Excellent Leather Sofa, Loveseat, $500. obo 2 oak End Tables $100. (352) 382-5033 FUTON queen sz., solid teak, mission style. w/ Taylor made zippered cran- berry cover $250. (352) 795-3970 HIDE-A-BED, $100 FULL SIZE BED, $50 (352) 637-5103 Hutch 42'w x 16"d x 72'Tall $250.00 (352) 637-1029 Hutch maple colored, very good shape -'12 yrs. old. $220. 344-2878 (352) 726-9670 King Mattress (4 pieces)- Simmons Roosevelt, almost new. Price $600. Negotiable. Must see. (352) 628-6260 KING SIZE BED l lr. r.1 ".r .II,:..',, to.o good. shape, $350. (352) 302-9061 Large Wood Hutch $200. Call for information (352) 628-1460 LG. CHERRY CHINA CABINET, Glass front, $500 k . (352) 464-3592 LIKE NEW 48 CGlass.Top Dirneft 4 ruling. .:h3,' [ 15:ii Br.yr. l coffee % end a3. ble, $200. 352-527-2729 LIKE NEW BEDSI T..Ir, :.-: .. 1 b,:-ck- r .e,: ., .3r0...-r. S.30 hull rmarnrre: .. $25. 628-6864. Living Rm. Set :-.-utr. A,jt ,:C.ucr. i e:cOai :halr J table lorrp~ ar-:' r' ru god :cornd $500. (352) 146-7466 Living Room set oni, i -.eel: old Ir.:.ori lc.rr:, ';-. Pa7d ..' : ,.. re ._' ip ,t al:ira only $1.000, Vir,) .la,3hre: o:cr $90 (352) 746-993) Living Room Sofa & Loveseat. Rose w/hues, stripes. Good cond. $125. Assorted Design-, ers pillows, 53-J ea,-h 15. 'al (352) 637-6482 Magnificent Grandfather Clocks '."pl ri er. ~e ,r .: ,' r, {,h,]'.' ,=1 ';'.i.: dc-Igr, need i-r. 8 .:;s ilIr.q : 3 oni, i1,00i. ea. I ormaoi reall .43 '.00 (352)476-3948 MATCHING FLEXSTEEL RECLINING CHAIRS ,ireen r..ee, E..: conj P,.'3a %-3 (352) 563-5833 Matching Loveseat & Wingback Choir .'. .IIIC,.', flo ral liil'. re.., iu (352)341-1141 Memory Foam Mattress r., : 1 ; 1 J7 . Whil,/ 5up'lp.lle la l (352) 346-5858 OAK DINING ROOM SET Call (352) 428-0721 OAK ROLLTOP DESK, "300' Antique Over .eeri 3e:1.' 1000 (352) 382-4182 PAUL'S FURNITURE New Inventory daily Store Full of Bargains Tues-Fri 9-5 Sat 9-1 Homosassa 628-2306 Pre Owned Furniture ijr.,Ueoabie FI:ce. NU 2 0 FURNITURE Homosassa 621-7788 Preowned Mattress Sets from T ,.ir, 2 '0 Full $40 ,Qr C: g a375. . 628-0808 Queen size bedroom set; bed, head & foot b.:.Jr.,:ldLe IQDl/ :150 OBC' (352)563-5124 Queen Size Bookcase Headboard, mirror, , lamps, $75/obo ,352-613-6132 Set of Twin Beds w/ mattress & walnut headboard. $165. .(352) 527-3177 SImmons Beauty Rest King Size Bed.. w/ mattress, boxsprling & frame, good .cond. $100,(352) 341-6920 queenslze, excellent condition, $180 (352) 344-5260 Small Kitchen Table 36" formica top & 2 \lr., ,:h..lr; .:.n o.: : ler: , $75. (352) 527-2456 Sofa & Love Seat, Srecllner, 2 end tables,. 1 coffee table, glass top, good cond.. $350. (352) 527-2336 Sofa & Loveseat, Bassett, floral pattern, matching toss pillows. Excel, (new like) cond. Cost $900. Sell $535, (352) 726-4601/586-1920 Sofa and Love Seat very good condition $150. (352) 628-0777 Sofa, queen size sleeper, floral pattern, like new, $100; Lg. Blue Recllner, $50; S(352) 382-1381 Table & 6 chairs 94" long w/ 2 leaves Incli $100. (352) 637-1029 Table W/4 Chairs, $125. S Hutch, $75; (352) 489-1980 Tan, maroon, & blue sectional sofa; Excel. cond. $300. OBO Country blue sleeper sofa, excel. cond. $250. OBO (352) 489-8169 The Path's Graduates, Single Mothers, Needs your furniture. DInlng tables, dressers &. beds are needed. Call (352). 527-6500 White 3 Pc. Tuxedo Style Sectional Sofa Exc. cond. $600/obo' Call (352) 637-2450 12 HP 32" Zero Turn Mower, 17 mos, old $1,500. (352) 746-9897 Ua Craftsman,5 V1 HP Hon- - da OHV 21" cut, self propelled, high wheel $75.Yardman 6/2 HP, OHV 21" cut side shoot S.P $75. (352) 746-6405 FREE REMOVAL OF Mowers, motorcycles, RV's, Cars. ATV's, jet skis, 3 wheelers. 628-2084 Murray Lawn Mower 46" cut, 18H, $625.obo Call Bob (352) 637-2093 Pressure Cleaner, excel. cond. 4000 PSI, S13hp Honda, $325. OBO (352) 746-3228 Snapper Riding Mower $375. Self propelled Craftsman $75. (352) 746-7357 TORO'w'n,e.eihrcr e rain, .. La '.,r.Tr ,,r',... r '12 S HI'HP .ui .aaaer iTulr, : : i I "' 352-208-4188 Tr.:., BuJll Sr.p C. hipper Shredder. 9450.n - Greelnhouse reruu i ..,"iir elehilc .lu:i S ee .. ,lul '. II You move; $1,500. (352) 476-6540 COVERALLS, Inrn l .. Jurp ';ujili' ark blue. Size 46R or X-large. Never used, ,15 each (352) 746-2659 * BURN BARRELS * $10 Each Call Mon-Fri 8-5 S 860-2545 2 SOLID WOOD night stands, dark finish, 1 'd ra '.. .er /iT ,Er,. "a n D r e.. '. ClIO .,:30 E,.3I, rneric r.:.r, -n.n t3ole :5-: 344-8777 after 10a 3 Hampton Bay Pewler Lirt Fluire.i 2 ,rnnr,. I ,nlr, 'A '1,-011', (352) 637-5209' x 10' Chain Link Pen, $225 B' B, queern ize col.arTte 5.,0 (352) 341 8434 10X10 kitchen MAPLE KITCHEN CABINETS, Corian Countertop, bisque; $1500 never .used, (352) 628-7913. 27" Flat Screen ',On,, T.' *200 Compuler, c.:.',plete .\,i ,c.ri llr..i printer, keyboard, . ready to go. $100; (352) 382-3895 5-PC.- PORCH FURNITURE ' (indoor) all for $28 OLD SHEET MUSIC & .j300': icrr pIOr.c, & ,2igar aO i 2'. (352)201-9430 61-1h' wide x 50-1/4 higri,.31.jiTi rraiTie iricd ..ir,c.... tle.er ue..d S t.i 1','352) 344-4640 cell 346-5626 7x12 DOG KENNEL Paid $200, Sell $75; 2000 Toyota Tacoma SBench Seat, blue, exc. (352) 563-6372 BBQ GRILL, full LP tank,. A-1 cond., $75 8x14.5 NEW MOBILE HOME TIRE, $20 (352) 637-4453 Burgundy Leather : ira,3. I Ba ',20 WMalchlng Shoulder Bag,$10; (352) 637-6482 Canon EOE Rebel 35mm film camera, electronic flash, case, ,like new. $100. 352) 563-0022 Ceramic Kiln New condition, fired 1 .ir, ..., ,-m e .:e 3iTI.: rr, aia F.-r rrn-.rc ir.o $700.352-637-117.4 COBALT 22GALLON Digital Air Compressor S1.3 HP, 155PSI, 5mos. new. $190. (352) 628-5561 Compressor 110/220, runs good, $500 (352) 726-2587 Dresser, solid wood, large mirror, & old style wood bench, excel cond. $300. obo Guardian SIA 300 Secu- rity System, never used, Light filtering shades for window best offer (352) 628-9067 Estate/Merchandise AUCTION *THURS. FEB. 9. I 4000 S. Fla. Ave. SHwy.41-S, Inverness PREVIEW: I PM AUCTION: 5 PM Super Estate Auction I 2 complete house- I Holds plus extensive wood working shop, 100's of tools & smalls See Web: www. a dudleysauction.comn I DUDLEY'S AUCTION i (352) 637-9588 AB1667' AU2246 I S12% Buyers Premium S2% disc, cash/check Ethan Allen, bed set head/foot board, full beauty rest matt. right stand/desk, excel. cond, $495. Sears Sewing Machlne stand & many attach. $125. (352) 795-5684 FREEZER upright medium size $50,00 Big Man recliner cost 700.00 will sell for $200.00 795-1140 :."Copyrighted Mateal Syndicated Contentv Available from Commercial News Providers" .m..w.my G.E. FRIGERATOR almofid, works great 75.00 3'.2-4-.6.5. 53 Gas Space Heater Used 1 month, cost $300. Sell $195. Gas Stove, $50. i(,-rid i oujrr,n i' ..ll.:r. r p.i3r:., (352) 621-7713 HITACHI 55" HD TV, SIn FLOOR LAMP, "-;9 : o t.-.H. l r, r , r.1.:..,ir. ,uI 1e,-ll.. (352) 726-0040 Juki Sewing Machine I r,,e.cdl , L'L'L; OO.. c,,n-,.rr, rde ,re,31 for .lr pe: S '. tr,- $500 H.r. :p,-ej 212-6090 Mailboxes v,' ....r:,, ir. C :i,rr rn.i3,3e .'iJ ca.:r. (352) 344-2818 NEED ROOM New & nearly new 39-pc set .iie : .1;. fir. F.,. ,jr, ii ;r, ...3rerral1.31:r1 I.:..3rm iaii,: .31i (352)637-6310 Nova PSE roillr,-. inil c ri'n .: :.t'ra r-: t ^ .' ,,,, : r,.n,3ulum , S ',-ar.tr 3 rr,:... ui.e' Sdi.3.. ..,3rt c -il .3iai .'. iler,.ir,: "- i r,-... -ep - pe. pp"il-,t rle-1,3- 1,,o 'tring i rii r. $175. (352)344-3981 ,'jr. !':2 '3.0 I.'i (352) 746-3228 Ping Pang Table e..'.I.ellart .::-.r'.Th rr,.r, pl.3d i asking $50. Evenflo Baby Car Seat, like new $25. (352) 746-7261. SANBORN AIR COMPRESSOR Ui i.HF -l.:rl" f .1:" 1,*31 J I (352) 344-9958 SAVE $10 ON YOUR PURCHASE AT OFFICE MAX $150 Gift Card SelL I will meet you at Office Max. (352) 341-4449 SCHWINN AIR DYNE $100. Treadmill. $25 (352) 344-9697 SOD, ALL TYPES Installed and delivery available.352-302-3363 SOFA, GRAY & BLUE good cond., $50 (352) 637-7176 1s.-|i : :--.,r ... iC. ..ir..d ..,, lig ,i. 50,. (352) 746-5988 Step Ladder, 12', wood, .$15. .. . Steel Shelving, 7', extra heavy galvanized, $18. (352)-746-1680 Swimming Pool l:11:11 ,T,-.. -1 ..,i : ,r-,'3, inn rour.i c. :.r-. .li.l .. :ar,.:.p, $300. (352) 860.4513 TIFFANY St,le H.jr.,;r.a. light 20" r iar.-lr : '0 (352) 563 5386 USED KIT CABS/VANITY SINKS/TOILET, ,r,lrlr3..: I I-' r a3r.. i ; lr .:I. l LI'i.rli..Oa r-. r oallI. lr lI (352) 344-5517 WATER CONDITIONER Flecrtc J-'I '3 r ;.OCifi 352-634-0863/634 1489 WROUGHT IRON Outdoor Patio Set table S& chairs, $95. Nice Oak desk $50. , (352) 422-5707 AMIGO ELEC. SCOOTER fc.i r.onrico:.p:. 'J .:1 acuble bari er, ..,ir. cr.oarer c ,.:.r,3 (352) 344-9958 DIGITAL PIANO Kawai PV10 Exc. cond .. 'br,nh-i & m usic. :,'/ 5 ".'., (352) 726-1729 HARDMAN BABY GRAND Playable but needs TLC. $500 OBO 270-3318 Legend Organ. Dual key Instrumental & rhythm set- ups. Cost $8000. Sell $4000. (352) 344-2818 PIANO, full size, upright, $350 OBO. (352) 344-9575 Steel String Guitar w/ acoustics box, strap, case lined In black vel- vet, new $100. Coffee Table, 56x16, mahogany w/ glass top that can be removed, exc cond, $60(352) 527-1493 YAMAHA "Clavinova" CLP-560 Electric Piano, 8 preset voices 88 keys, $800/obo (352) 794-0811 YAMAHA Quintone Organ, full pedal, withbench & music, $750, (352) 637-0634 COMPLETE HOME GYM w/welghts and bench $475, (352) 428-0721 Nordic Trak SL710 Stationary riding bike, Cost $380. in 9/03. Needs work. $60. (352) 344-3165 Olympic Size Weight Bencn ca .. :Cl '.'i:. steel weights, Excel, cond. $250. (352) 746-2303 , WEIDER Pro bench, A-';aihi: bPIe (352) 344-1038 WEILDER.Jn0 weiigr,r Bench, wall weights, $50. .352-208-4188 2002 Easy go Golf Cart, Electric, $2,450. (352) 302-9345 ADULT TRICYCLE iue pai,,,r .. ,:r.,i.,m ir,- .-rr : pa ir. basket in rear, 3 new ire': ,reat .r.i:e .- 40 ,te (352) 586-0145 cell (352) 382-2855 CLASSIC ROAD BIKE Peuce.:.il T,1ma,3r. .Lt wt. 'alumr rorre uJe re.,, c,",I., :. , (352) 563.0022 FULL SIZE TRAMPOLINE 3':':,,3 ,*,:,,',. ,,,' (352) 746-9625 Man & Woman Wet Suits. r l- I. rj e r, e.., r,,:., rl r,'.o ,-, , (352) 563-0022 POOL TABLE .*.6 iSiae LeaT3her Mar..r., ey Cian 1,1 00 *:,'' 35'.2 8-0:219 POOL TABLE. r .. .'. r : I : ,I-'. 352-597-3519 RIFFLE .lariir, 22 .:31 ,3,jl.:,r. 311,; :rr:.l Ii', 10. (352) 637-3973 Semi-Auto. ", .:,- r,3uru; i- i _"- rn .. ir. .Ol. irrI . (352) 563-0022 Trailer 3" ? v."' drop rstel .'atle $225. (352) 341. 434 .99 HAULMARK TRAILER ,- er,:.lcL- .30 r,-/.. ,.:.-r..3 ,,,.' .p',3re l 're rarre nrti.) to .:.i ,'.' .i 352/382-3547 BUY, SELL, TRADE, PARTS, REPAIRS, CUST. BUILD ...... e ullr.-iler '- Hwy 44 & 486 Like New. 6.5 x 12'single a I i r. i '. C ri. or .:,3i. .r .. .'.ruli ruln .i ':,arr.p, iit,. el,3t luii,3 , ,.:.'ujpir.g 'pare lire $1650. (352) 746-6238 TAURUS THUNDERBOLT Pump ,:li.- n I're J5 long'C&ii i, corri new rn box, $450. (352) 637-2873 (352) 201-0468 ANTIQUES WANTED or,,IrIr.i :..3 I',, ele. r, Furr, e'IV:/ ,'cuJ.,31i 1 :ito e i, i r'rr re 352-344-8731/860 0888 LOOKING FOR Card & folding metal .tables. Also Faron Young Cassette tapes. (352) 726-1834 US Silver Coins, Pre 1964, paying 5 times face or better. Also silver bars (352) 344-1283 NOTICE Pets for Sale In the State of Florida per stature 828.29'all dogs or cats offered for sale are required to be at least 8 weeks of age with a health certificate per Florida Statute. FERRET 4mnos. old, Includes cqge. $150. (352) 277-4528 Humanitarians of Florida Low Cost Spay & Neuter by Appt. Cat Neutered $20 Cat Spaved $25 Dog Neutered & Spayed start at $35 (352) 563-2370 SHARPEI & LAB MIX PUPPIES. Foster Care Animals. $75.-$100. 352-220-6343/563-1905. SUGAR GLIDER $150 very well Hand Taimed 9mth boy Call:212-7067' SUGAR GLIDER Very well Hand Tamed $150 Call 212-7067 VALENTINE CUTIES Chihuahua Pups Ready now, $400. (352) 628-7852 Cow Lease Wanted For about 20 cows (352) 228-3636 1, 2 & 3 BDRMS. Quiet family.park, w/pool, From $400. Inglis. (352) 447-2759 2/1 SW W/Addition. I I.-.3 ir, lr :,-:.ll,:,ri n:.r cEqju re.3 352-447-5998 CRYSTAL RIVER 3/2, new carpet,. fenced yard, $750 mo, i;r ,):i > .: j.:. p '. (352) 527-3887 (352) 563-2727 FLORAL CITY ,2 r.,o p,.7 ,4 i $1950 move-in (352) 344-1845. Floral City New owner. completely refurbished, MH, 1, 1 VI L' icr.:i e i:,re I.:.t ,nroc ih. c:enir.g Strec 1,:,, I.. in, rpe',:31 (352) 476-3948 Hernando 1 Br. ,.:.. .ir, (352) 344-1845 HERNANDO WATER VIEW, 2,1 I , nr r i. i ii*rr rl.r p i .,il $500 (352) 746-6477 IN QUIET PARK wpool. IBR fum $425,up. No smoking, no pets. (352) 628-4441 INVERNESS LoPerr.:ri .c F'.i'k l:,.rr,, pr-r: ,3n.: r,3alrl i ir.L i .:r t x ':r-. ?rI pc' r,e: occllor,,_ : Leeson's 352-637-4170 LECANTO 1/1, Senior Park. $450 2/2 $550. 352-746-1189 2 6.3 2 b3 f.1H or, i'2 acre ri'ep.ci'3.:e :ricce t.: .: II. (352) 270-3345 or 270-3350 1999 Waycross 3/2 Iikei r.,.. 3oii oge pa0l ."., D.p ,I "./'2 ,3,a 'r,...r.er f,,,r,:nce Irci. 447-4398 2005 Lot Models Cr ll ii .: rc (352) 795-127? 3/2 Homes of Merit .rtuoll, I'r nl-.'. W ill rr,i:., re. ,-,Jr l c (352) 302-7073 41X12, 1969 PARK AVE, Fliai .:ir, u rr.. e uuO -,:. (727) 834'8871 BANK OWNED REPO"SI Never lived in Starting @ $40,000 - Only a few left Payments from $349.00 per month Call for locations 352-621-9182 Brand New Land Home Package. 3 bdrm, 2 bath , full -iri'r, .r,, ...311 Porches on 1/4 acre- Call for Details (352) 628-0041 BUILDING A NEW HOME? ',.r,.i iC. :a.0 r eari, 70:" &En.r .3ljolr, i",cr. er.erg, ericwr.l Le- m, *:r.c..' ,u no.. Call Builder ,* 352-628-0041 Come See Our New 2366 sq. fit; Modular Homel Site Built, Quality I1.3rl,-. furir,. Pr.:e: (352) 795-1272 Due to Illness ir. .erni.r Pow,' : 1 ui 2 lt rm1 r,.:..ro -r 3J0J U 'W e. in Laor.e .:-n J.i rne.1 ro Over 3,000 Homes and Properties listed'at homefront.com STOP RENTINGIII Brand New: 3/2 on well kept lot in Beautiful Sumter'County. Perfect starter home. $500. Down. $650mo. PNI WAC. Call Today Toll free: 1-866-773-5338 SW, 2/1, all new carpet, vinyl fl., and paint, in 55+ park $17,500. obo 860-0471 H, 697-2773 C Winter/Starter Home, S3/2, SW, 2 acres, MOL, C/A/H, Ig. con. bik. rm. $65,000. (352) 302-5570 3/2 Scrn Prch, Inverness 1150sq. ft. on canal w/rlver access. (813) 205-7181 On canal to Homosassa River, Furn. DW, 2/2, In- closed sunroom, boat launch beside home, 11695 W.Clearwater Ct. Homosassa $259,000, (352) 628-7298 Over 3,000 Homes and Properties listed at homefront.com TUESDAY, FEBRUARY 7, 2006 13C' CTRmus COUNTY (FL) CHRONICLE CMoie Homes .;b ad an 3/2 On 1/ Acre, Paved Roads, Landscaped, Good School, in Homosassa, Call (352) 795-1272 3/2 WITH POOL Gar. & carport. Huge or- ange & grapefruit trees on 1/3 acre. Cinnamon Ridge by owner. $96,000. 212-1827 '98 FLEETWOOD 2136sq.ft. 4/3, exc. cond. on 1.6 acres w/stocked pond, secluded, $118,500 (352) 503-3270 mor (352) 795-6085 BEVERLY HILLS AREA Like- New, 1,750 sf. Homes of Merit,- 3/2+ Fam Rm. w/island kit. on 2V1 ac. wooded lot. $172,500. 352-212-7613 BY OWNER 1 AC W/14X60 2/2 SPLIT, DBL Roofover, NEW deck, siding, int. Lg. trees, fenced, priv.. custom finish, very unique, (352) 586-9498 Comer of Northcutt & Dunnellon Rd. 3/2 Manufactured Home on 1+ ac. Newly remodeled. $99,000 (419) 865-8630 Crystal River 2/1, SWMH on 1. acre, secluded, ponds, . $59,000. (352) 302-3884 NICE SINGLEWIDE ON HALF ACRE. 3-4 miles from Homosassa Walmart. Call C.R. 464-1136 to see it. $60,000. view Photo Tour at ualtour.oom: enter tour #0047-6128; cl1ck on Find Tour. American Realty & Investmat.. C. R.- Bankson, Realtor 464-1136 For Sale By Owner East Cove Inverness 1993, 14x52 on 1/4 acre. scr porch, carport, shed & picnic deck, great shape, turn or unfurn, $60,000. OBO. (352) 637-0851 SHOMOSASSA 2/1, NICE & CLEAN , Dbl. Lot, $38,500. obo S (352)228-7719 HOMOSASSA By Owner Near Suncoast Hwy. 12x65 move In cond. 2/2,. CBS gar., elec. door, 1 fenced acre, scrn porch, rear deck partially turn. 344-8138 Inverness 2/2 .1J 'u icr, porch on 70'x1OO' lot. $59,900. (352) 287-6511 SLAND/HOME 1/2 acre homesite fn country setting. i 3 bedroom. 2 bath underwanrly, driveway, deck, : appliance package, Must See, $679.68 per month W.A.C. Call 352-621-9183 LARGE 3/2 Beautiful 2000 DW on .97 acre in Homosassa. Reduced $119,900. Must SeeF 270-3318 or 302-5351 MH OAN MOBILE HOME ON S LAND 0$ Total Move In! Only $950/mo Inc. taxes & Insurance. Huge 4/2 on 1 & 1/4 acres Newly remodeled, w/carpet, deck & hard- wood floorsWon't Last 352-613-7670 OPEN HOUSE Brand New, warranted homes. We have 6 homes ready for F Immediate occupancy. Prices are from $109,900 to $125,900. All under appraised value. Must see before you buy Anywhere else. i Taylor Made Homes 352-621-0119 S SUBURBAN ACRES I 4.51 ac. wood/pasture 3/2; 952sq. ft. "AS IS" $167,900. 727-235-9010 #22 Edgewater Oaks On canal, Inverness chain. 55+ Park. 2/2 new roof ext. Ig. shed, dock $180. lot rent. S$16,000. (352) 341-0154 $6,500., O.B.O. Carpeted One BR- One Bath, partially, furnished, w/carport. (352) 344-1788" 2/2 DOUBLEWIDE BY OWNER in gated Park, 55+, mostly furnished, all appliances, excellent neighbors. $67,500 (352) 270-1140, if no answer, Iv. number 55+ Park, 2/1, new carpet, scr. rm, partially turn, all appl. Avail Immediately Floral City (352) 726-8151 Inglls 1985, 2/2, Scr Porch, Carport & Shed. mostly furnished, appliances, new C/H/A, In 55+ Park 352-447-4446 Moonrise I Cozy Furnished DW 2/2 S roofover, screened porch, carport & shed $22,500. (352) 860-1314 Nice S/W 2/1 furn. scrn rm. shed, xtras, $22,900 Roomy 2/2 D/W crprt shed, $22,000. In quiet secure 55+ pk. Close to shopping. 352-628-5977 WALDEN WOODS 2001, 3/2, 1550 sq. ft. many upgrades, some. i furniture, great lot. (352) 382-5514 WALDEN WOODS N 3/3. 55+ Comm. Exc. for re- tirement or 2nd home, 1800+ sq.ft, w/many upgrades, $125,000 (352) 228-7991, INVERNESS 3/2/2 furnished year round...........$900 seasonal............$1200 3914 S. Floral Terrace 2/2/2 waterfront villa, comm. poo..........$900 '950 Pdtchard Island Brand new 3/2/2 'waterfront..........$950 9414 E. Gable Ct. CITRUS SPRINGS 3/2/21yr. old 10215 N. Biscayne Blvd. $875 available 3/1 3/2/2 1yr. old......$875 10215 N. Biscayne Blvd. available 3/1/06 Wide variety of NEW 3/2/2 homes in fastest growing area of Citrus County. Starting at $900/month. PINE RIDGE 3/2/2 .................$850 5565 W. Cisco St. BRENTWOOD 3/2/2scr. lanai, cul-de-sac..........$1100 1971 W. Marsten C1. KENSINGTON ESTATES 4..32pobolhome $1250 371 N. Seton Property Management & Investment Group, Inc. Licensed R.E. Broker >- Property &,Comm. Assoc. Mgmf. Is our Only Business >- Res.& Vac. Rental Specialists Condo & Home owner Assoc. Mgmt. Robbie Anderson, LCAM, Realtor 352-628-5600 info@Drooertv managmentgroup i-TSit CRYSTAL RIVER *1/1 Waterfront View. Spacious Apt. $750 mo (386) 679-4473 L/M CRYSTAL RIVER Historic Downtown, turn. 1 BR suite, unique location. Daily/wkly/ monthly (352) 795-1795 CRYSTAL RIVER Newly Renovated 1 bedrm efficiencies w/ fully equip kitchens. No contracts necessary. Next to park/ Kings Bay Starting @$ 199 wk (Includes all utilities & Full Service Housekeeping) (352)586-1813 CRYSTAL RIVER Newly Renovated 1 bedrm efficiencies w/ fully equip kitchens. No contracts necessary. Next to park/ Kings Bay Starting @ 199 wk (Includes all utilities & Full Service Housekeeping) (352) 586-1813 Crystal Palms Apts 1& 2 Bdrm Easy Terms. Crystal River. 634-4076 BEVERLY KING 352-795-0021 Specialist In Property Mngmnt/ Rentals. beverly.king centurv21.com Nature Coast Crystal Palms Apts 1& 2 Bdrm Easy Terms. Crystal River. 634-4076 m Brand, new 3 or 4 bedroom homes for renri :.lair..3 .13 ".''. rr.:.rrr. M aor, r,..yr,: r.e.t ln r,.1, Il.:. app leel aAction Prop. Mgt. -Lic, R.E. Agent 352-465-1 158 or 866-220-1146 If you can rent You Can Own Let us show you how. Self- employed, all credit Issues bankruptcy Ok. Associate Mortgage, Call M-F 352-344-0571 PLANTATION RENTALS INC. rentals.co0 352-634-0129 FURNISHED RENTALS 3/ Waterfront Homosassa, $1500. mo. 4/25 Waterfront Crystal River $2500. mo. 2/ Waterfront Crystal. River $1250. mo. JI1 Waterfront Cr, .iai R;..er 'e90 mr 3/2 Wateriront Crystal River $2000. mo. UNFURNISHED RENTALS 3/2 Spacious Citrus Springs $925. mo. 3/2 Near Gulf' Crystal River $1000. mo. Walden Woods, Homosassa. 55+ gated comm., 3/3, 1749 sq. ft., 2004. Many upgrades. Lg. vinyl scrn. porch, dbl. carport & shed. $130,000. (352)382-2212 Wildwood 2/1, sgl.wide, carport., furn., 55+, lot 97-Rail's End. $10,000. (352) 748-1224 Beautiful Park w/ pool. Free 6 mo. MH lot rent. RV lots $170. & up. (352) 628-4441 Over 3,OOQ Homes and Properties listed at homefront.com U.^^ BEVERLY HILLS Office/Prof. Plaza. New 1250'-6000' lease space, Exc. location, 491 near Pine Ridge, Avail. In March 352-220-0458 HOMOSAiSA 1600' Retail/Office. Busy US 19 Plaza location (727) 992-7800 Prime Location HWY 44 /2 Mi. West of Wal-mart 1760sq.ft. Retail Space, (2) 5,000 sq.ft. out par- cels Will Build to SuitI Assurance Group Realty, 352-726-0662 Citrus Hills 2/2/1 Unfurn., Clean, encl. FL room., Screen porch Club Amenities $900/ mo. (352) 746-2206 INVERNESS 2 / 2.5' Cypress Creek, New Tile, Waterfront, Small pets ok $850mo. (352)637-3449 SMW CONDO Furn, 2/2/2, just off Golf Crs. 382-5458/ 228-9566 Sugarmill Woods 2/2, Completely turn, $1,600. mo. seasonal, $1,200..mo,/yearly. (352) 746-4611 CITRUS SPRINGS New, 2/2, all apple W/D $700 mo (954) 557-6211 INVERNESS. Brand newly 2bed/2bath, garage, yard maintained by owner, quiet, no smoking no pets $750.00/morith call Rondi 352-527-9733 C"^^ illRent l COUNTY CHRONICLE AND CRYSTAL MOTOR CAR COMPANY Ui. Help support the Boys & Girls Clubs of Citrus County. Call today to get your 2006 car Raffle ticket. YOU COULD WIN A 2006 CORVETTE Drawing at 2 p.m. on July 15 at Crystal Chevrolet in Homosassa For more information n. or tickets call 621-9225 or purchase tickets online at V'.PLtM .,"'I b'-V M tOEttd'.,'f" g. tL-t.. A 0.1C'44.A*0 C- C.-w AnI, 0 ".5 ,r'ld. -:;'an Cr bSer AU,, 0 o'o .c e 1", 1301 a, & GeeCA Ed &,.,C&r. A,-.,Mflo~c~cz~aeldia tr~f,, L R -oFt.a I mN r G FlIo,.,AI."enEMUa&1 ,. TICKET OUTLETS: * All SunTrust Bank locations Crystal Motor Car Co. Boys & Girls Club Office CHKONi E \ "" --GET YO.URS-TODAY! .P A/ SPONSORED BY: BOYS & GIRLS CLUBS OF CITRUS COUNTY, THE CITRUS --Ira-- I -mp 0- I m Cl-ASSIFICIF-13S HOME FROM $199/MO 4% down, 30 yrs. @5.5% 1-3 bdrm. HUDI Listings 800-749-8124 Ext F012 INVERNESS New 3/2/2, $900/mo ERA AM. (352) 726-5855 BEVERLY HILLS 1'T/1CH/A, Fla. rm, no smoking/Pets $650 (352) 637-3614 CITRUS HILLS 2/2.5+ Den, NEW, Furn., Townhome w/ club privileges. $2300. mo. Seasonal. $1800. mo. Yearly.Hampton Square Really 352-746-1888 800-522-1882 CRYSTAL RIVER 2/1, Furn, all util. W/D, $950mo. Avail Immed. 1st, Last & Sec. (352) 628-6996 CRYSTAL RIVER Luxury, 3/3/2, Irg caged pool, big lot, $2000.mo. Incl. pool & yard maint. (352) 586-7728 BEVERLY HILLS 2/1/1+ FIRm. Lease/opt $725. ma. 37 S. Harrison (352) 422-2798 Beverly Hills 2/2, fla. rm, $750/mo, 1st last & sec. Sm pets ok w/ pet fee (352)746-0632 BEVERLY HILLS NICE 2/1 rne.v lil. car. p-t p.3irt CHo ir. /A, D. (352) 341-8451 BRAND NEW HOMES Sale or Rent. 4/2/2 IncL. 18k in upgrades $233k- $250k (786) 277-8222 BRAND NEW HOMES For Sale or Lease option 3/2/2 Great Citrus Spg locations. Lots of extras Wonderful floor plan. $187,900. Financing avail. (352) 361-6551 BRAND NEW! $775 3/2/2 Homosassa $1175- 4/2/2 SMW $525 2/1 Duplex River Links Realty 628-1616/800-488-5184 BRENTWOOD 3/2/2 $1000. mo, Please Call: (352) 341-3330 For more into. or visit the web at: citrusvllages rintals-com CITRUS HILLS 2/2 Condo Citrus Hills 3/2 Brentwood 3/21-aurel Ridge Greenbrlar Rentals, Inc. (352) 746-5921 CITRUS HILLS 3/2.5 NEW Townhome overlooking pool w/ club privileges, $1400. m'o. Hampton, Square Realty n.' (352) 746-1888 800-522-1882 CITRUS SPRINGS 3 / 2 ,2 2 : r r ,C o k r . e l (352) 621-7572 Citrus Springs 2/2 st last & sec. (352) 422-6339 CITRUS SPRINGS 2/2/1 caged pool, FL rm.lncl. lawn &wtr. $1200+sec 352-427-2043 CitrUs Springs 3/2/2, 1/4 acre brand new home. $950/mo, (954) 600-8872/ (352$560-0229 CITRUS SPRINGS Beautiful new homes starting at 3/2/2 in Exc. Comm, near school & golf courses, Starting at $995mo. (561) 213-8229 CITRUS SPRINGS Homes for Rent Call, 352-427-2202 CITRUS SPRINGS NEW 3/2/2 Home In - quiet neighborhood. $925/mo Inclds water/lawn. (858) 869-3400 I'm local CRYSTAL RIVER INVERNESS Need a mortgage 3/2/1 POSSIBLE 4 Need a mortgage Fairmont Villa 2/1.5/1, fireplace. $600/ $150 wkly. incl. utl. & banks won't help? Lg Fenced In lot, Fl.rm. & banks won't help? 2/2/2, Furn. Main. mo 352-613-2761. (407) 517-4660 cell Self-employed, Split plan, new carpet, Self-employed, Free, bright open living CYTLRVRall credit Issues spac. LR & DR, Must sell, all credit Issues area, $178, 000. CRYSTAL RIVER a sCreative financing on bankptcy Ok.(352) 563-1139 3/2, near Gulf. $950 mo bankruptcy Ok. $146,400(352)465-1807 Assoate Mortgage 3 Contact Kristi Associate Mortgage $14600 (352) 465-1807 Associate Mortgage Plantation Rentals L=iaIntl- Call M-F 352-344-0571 Beautiful 3/2/2, on car- Call M-F 352-344-0571 FAIRMONT VILLA (323402 CRYSTAL RIVERner lot. all apple's, ceiling Exceptional location, (352) 634-0129 CRYSTAL RIVER fans, updated kit., & 2/2/2, by owner, Crystal Rvr. 3/1 V2/1 Historic Downtown, bathrms., tiled thru out. $189,900. quiet area, C/H/A, fum. 1 BR suite, unique Neutral, decor, Ig scrnd. (352) 563-0893 L/M $750. No Pets. location. Daily/wkly/ lanail, outdoor kit., heat- 3.9%/2.9% 352- 563-9838. monthly (352) 795-1795 2000+ SQ.FT. Heavy ed pool, great land- Full Service Listing . 4 * DUNNELLON Homosassa 2/2 Indust. zoned Ware- scaping, Call owner 3/2. $675+ 1st & Sec. Waterfront, gulf access, house on approx. 1.25 $249,500. (352)465-1245 Why Pay More??? (352) 302-2135 fully turn., Incl. util. acres, waterfront, BRAND NEW HOMES No Hidden Fees 3.9%/2.9% $1600/mo rented, $275,000 (352) Sale or Rent. 4/2/2 incl. 25+Yrs. Experience Full Service Listing BEVERLY HILLS Moore & Moore Real 400-1460 or 476-6226 18k in upgrades $233k- Call & Compare Estate Co. $250k (786) 277-8222 $150+Milllon SOLDIII Why Pay More??? $1400.00 (352) 621-3004 Beer & Wine Bar No Hidden Fees . 3/2/2 with Pool ( w/2 apartments on BRAND NEW HOMESI Please Call for Details, 25+Yrs. Experience Fairvew Estates, Citrus Hills 1.25 ac. MOL in the For Sale or Lease option Ustings & Home Call & compare 2/2/2 with Pool Country.1 Hr. from 3/2/2 Great Citrus Spg Market Analysis $150+Milllon SOLDIII Oakwood, Beverly Hills -Rna Tampa in Citrus Co, locations. Lots of extras Please Call S$950.00 $325k (352) 797-5581 Wonderful floor plan. RON & KARNA NEITZ for Details, Citrus Springs BEACH CONDO or (352) 302-7817 $187,900. Financing BROKERS/REALTORS Listings & Home avail. (352) 361-6551 CITRUS REALTY GROUP Market Analysis $850.00 FOR RENT CITRUS COUNTY BRAND NEWI (352)795-0060. Parkside, Beverly Hills Vacation Condo on Both office and/or 4/2/2 split plan. 2163 sq RON & KARNA NEITZ $725.00 the Gulf of Mexlco. warehouse avail. for ft. Owner will finance. .BROKERS/REALTORS 2/211 Screened Patio 2bd/1.5ba. $850/wk. rent. On Rt 488. GNC $199,900.(352) 341-1859 CITRUS REALTY GROUP Beverly Hills 941-907-8443 Zoning, (352) 465-5210 FOR SALE BY OWNER (352)795-0060. $700.00" FOR SALE BYOWNER c= Hm 2/2/1 Family Room CRYSTAL RIVER FREE WEBSITE Beverly Hills CommerIal wwwSellYourOwn 0 DOWN MOVE IN! $650.00 Commercial 2/1 Family Room, Carport Warehouse for rent. Homesite.com $665/mo. 2/1, newly Beverly Hills 00/mo Have you been tued remodeled, Contact Lisa Have you been turned why pay rent, 5MR AnriwuCwJ Broker/Owner down r a mortgage? 352) 228-3762 (352) 422-7925 We can help Ask about 3/2/2 Pool Home 324S72our rent to own 2 bedroom 1 bath, w/2a/ed Lanai on INDUSTRIAL ZONED p program Alex fenced yard, new roof, n HOMOSASSA e. Shop, w/residence. (352) 686-8850 new drain field. Acre. Asking $259,0007-3184 New, 3/2/2, in new iA 3 1313 BruceSt, Inverness i B $70,000. Call for appt. 352-697-3184 subdivision. Avail 3/01 $118,000. 352-637-9630 (352) 527-4182 3/2/2, French Country, $925mo. Annual lease 32Inverness required. 1st mo rent Inverness 2/2/Carport, large encl. lanal, FP, plus $1850 Sec. at 1 acre, 5000 sq. ft. Of C:rletel, rurr-r..ed 1 acre, trees, tile, super 352-628-6623 "e rur..ur, ir, $113,000 $279,000. II pr.:.c orH.., 411 : (717)870-0382 352-746-0228 if you can rent You $44000 (352)341-0903 A Must See, 45 S. Can Own Let us Lawn Business for Sale Jackson 2/1 w/carport, Another show you how. Self- Acc,:unl, c Equiprr.r ..r new kit. cab. tiled eat in TAX employed, all credit $20K. Serious Inq. Only. kit., sunrm. & bath, new REFUND ssues bankruptcy Ok. ALAN NUSSO (352) 476-5690. Spotted Dog carpet liv. rm. & bdrm. BLOWN or NOT Call M-F 352-344-0571 BROKER Office Space Available Real Estate newer; C : rhe.rc.3.of .5% Associate /2 mile W. of Wal-Mart Love the Trail? How 8 yrs. cd .uch rrore Down Can Buy A INVERNESS 3/2/2 Real Estate Sales Village W. Plaza about a Home or LaL $116,000. (774)836-2598 Lovely 2, 3 or 4 Beautiful New Home, Exit Realty Leaders (352) 422-2367 on or near the Trail. Another Bedroom Home in a Pets on approval. (352) 422-6956 p il, Lots start in the 30's. A Nice Neighborhood. aColl Stefanskier New Homes on your FREE TRAIL GUIDE REFUND DOWN PAYMENT 26 2224 land as little as 4 mos. Cynthia Smith, Realtor BLOWN orNOT? HOME LOANS 726-1192 or 601-2224 Call Suncoast Homes Direct (352) 601-2862 5% %or INVERNESS (352) 697-1655 (2) DUPLEXES- Block DoingWhaillove' Down Can Buy A LEASE OPTIONS 3/2/2, st., lst, se24 PUBLISHER'S .,w/Stucco, neatt&- tampabay.rr.com Lovely 2, 3 or 4 With As Little As $900. mo.,305-510-1234 IE' clean, country setting, 1 Bedroom Home in a $3950 Don. INVERNESS OTICE:AC mol. Strong cash Your Neighborhood Nice Neighborhood. FREE Recorded Highlands 2/2/1, lanaN All real estate flow. $269,900/offer REALTOR' ZERO Message CHA, dishwasher, $685, ad .r : ir, I rN : (352) 726-1909 DOWN PAYMENT 1-800-233-9558 x 1005 813-973-7237 r,.. .D3pO, e; ubl.:f r BROKERS WELCOME HOME LOANS LAUREL RIDGE 3/2/2 r, rr',e ,l AP. RS LEASEOPTIONS A BY OWNER cun.:.,S P,:'I .,.x u--': .5,.'i' mo' to advertise "any $450,000. By OwnRer With As Little As ,2,3" p, D I .-:rE top 352-527-1051 prrer.- I rc.n $50,000. y owner $3950 Down. quality throughout LEASE OPTION ,:,r,,Tir, F.::. CI352- TY634-4076 FREE Recorded Thousands below S i acres, based on race, color, FSBO FLORAL CITY Message replacement cst Barn/Workshop religion, sex, handi- Wv.rrr,ri c ni,,:u e 1-800-233-958 x1005 305(352) 527-2749. Inglls $399,000. cap, familial status or C.B,:c, itr, -2 0FSB03 1O CrusH (s Brand5New or $]800mo. national origin, or an H, I CB 1 FSBO Oak Ridge Citrus Hills Brand New Lisa VanDeboe Intention, to make w/Inground pool, call nd' lrr.uldle 3/2 pool Home w/2215Sq.ft Broker (R) /Owner such preference, limi- new stucco, french ,'. L,, home 1., an, L3/2/2. Close to shop- 352-422-7925 tatlon or discrlmina- doors & windows, ..3r',Z -.aa r,n,ce commsu. Wiping & golf. $1200.00 tion." Familial status In- DC' rl-d: r nr, r-du.:e.3 $295,500. Call 352-341-3330 or LECANTO 3/2/2 cludes children under -ir,i:r., inr.ooe. brr o (352) 746-0025 1-800-864-4589 New Construction the age of 18 1 Frame, now rented. $1000. mo. living with parents or (352) 586-9498 Craven Realty. Inc Have you been turned Completely refurbished, Please contactNic at legal custodians. 352-. .- i .: down forba mortgage? 3/2/2, new carpet, PleaicaWe can hepicat Ask abut t nrnn pl.r 612-730-3592 pregnant women our rent to own and people securing proura ent toioie.)tirg BOwe.l SUGARMILL custody of ldren (352) 686-8850 WOODS This newspaper will $2,000 BUYER'S REBATE .. 4 (850) 319-2913 or 2,3 & 4 Bedrooms not knowingly accept NEW, quality built 2678 W. Goldenrod Dr. (352) 746-0514 Homes $775 to any advertising for 3/2/2,2292 sq. ff. U.R ....rrerc.r El c.:am .. $1400.mo, SMW Sales real estate which is in Open floor plan. Split Soi.3erro, 3, 2, or, i 3.9%/2.9% (352) 382-2244 violation of the law. Bdrms. Tiled & Car- a.cre 2 IO.'u q n Full'Service Listing - Our readers are peted. Appliances & Lf.,litoate Tir= luln., l o.n hereby Informed that microwave: Window ape.o (352) 527-1717/ wn, Pa, i.:re.. all dwellings treatmentsLaund ry Don'tHorse Aroundl er re: advertised in this room. Covered entry 25- r. E .per.nce newspaper are avail- & Screen Lanai. Call & co.:mc.orae $925 3/1.5 Unfurnished able on an equal Sodded, landscaped $150+Million SOLD!!I Shop &Dock, O4rt-ni a, & sprinkers.$217,900. Pea : al River Links Realty o.:. o:,r,,.lalr, o* 352-592-4403 for Details, . ,:6284616/800-488 5184 i,.:ll ,,I r,'lic :a or 352-584-7738 Lrisr.rr ., H-om ie . HIJl-' trII1*rleea 0tolnr el ,-,Ol, I: CRYSTAL RIVER 1-800 -6699777.The 2/2/1.5, split plan w/ ,-.av W.a ,:i: FREE Home Warranty 2/2/1, beautiful $1,300. toll-free telephone Cath. Ceiling, Liv. Rm APiell iare nt RON & KARNA NEITZ rr mo.+ until 352-613-2761 number for the Din Rm, Sky Light In Kit., A Pine Rdge Resident BROKERS/REALTORS yo with msThe Floral City 2 story, 3/2 hearing Impaired Is FI Rm, Scr porch, Shed, 352-422-0540 CITRUS REALTY GROUP Max" R Max SimmHW F/P, built in bar, 1-800-927-9275. New AC, $144,900. Neg. 352-422-0540 (352)7950060C GR AssWD dwIIlms1@tampa (352)79B-r0060.LLroker Associate. upgrades galore. (352) 465-1904 bay.rr.com (352) 527-1655 $280,000. Will consider 3/2/2den nsulated rent/lease option, $850 shed. Better than new, Craven Realty, Inc. -('. mif (o i. 6511 S. Dolphin Dr. u,,I- tile, Berber carpet, -.352-726-1515 , (727) 237-9062 '.,, high ceilings, near golf INGLIS course & Elem/Middle 2/2/2 FOR SALE BY r 2/2 HouseCHA W/D --m schools, $196,800. OWNER Nice, private hookup $700 mo REAL ESTATE CAREER 8323 N. Sarazen Dr. CBS home 1.2-acre lot + 1st, last &dep. I Sales LUc. Class (352) 634-380b near 44/491. New roof FSBOI Barely used Vac. water & garbage $249. Start 2/14/06 I well system and boat home. Built In 2002, 3/2 14185 W. River Rd CITRUS REAL ESTATE I Another storage shed. $169K. in Brentwood/Citrus 352-447-5244 SCHOOL, INC. TAX 954-235-0892 Hills, fully landscaped Cell 360-798-2681 (352)795-0060 REFUND 2/2/2, Brentwood, Villa on private Street. L __ BLOWN or NOT?2/BntoodVilla INVERNESS 5 maintenance free Gated Comm. Great INVERNESS furnshd 2 Dorw nC Bu A many upgrades, neighbors. Facilities at Secluded furnished 2 1 |t% n Hom Down Can Buy A by owner $174,500. Terra Vista Included bedroom 2 bath wa- Lovely 2,3 or 4' FREE Home Warranty by owner $1527-0783 in membership. side city lmitsll $1100 HAMILTON GROUP Nice Neighborhood. oil.:, .en iilr..) Cinnamon Ridge se ht around ma. 352212-8656. FUND HAMILTON GROUP. ZERO y..ouJr hue :.r, rre 3-bed/2-bath/carport texerc se right arounded In all types of mrt- DOWN PAYMENT Max" R. Max Simms, 1991 Skyline 1310 sf., tile Including ended Igages in all types o fmort- HOME LOANS LLC, GRI, AHWD encl. Fla room, utility all weather lanai. gages and all types of or Broker Associate. rm, credit. Call AnnMarle LEASE OPTIONS (352) 527-1655 new roof, $79,900. Big Cash & Time Saving Zarek, (352) 341-0313 With At Lie As 352-637-2973 over building new. With At LitleAs "Oi& 8 3 2 Negotiated sale. CRYSTAL RIVER 1IBR, *mLO $3950 Down. ANIO N Large Home $246K-$259K furn., cable tv, phon5ne, thor ith FREE Recorded *& k 4/3, 2,500 sq. if. Large Won't Last. $prv. bath, use of Kit, 1802395x8Message02 3-B yard. $1806,000/obo Call for Quick Showing $325 352-79-7412 1-800-233-9558x005 Call (352) 422-1617 352-746-4134 EtuHills ih Hms I^ GOLF COURSE POOL HOME 3/2/2 Great view! Best deal in C.H. Membership avail. $259,000. 352-527-0522 or 352-697-3310 HOW TO SPEED UP YOUR HOME SALE! Online Email debble@debble Or Over The Phone 352-795-2441 DEBBIE RECTOR Realty One homesnow.com Meadow Golf Course 2/2/2, + Den, cart gar. encl. lanal, upgrades. $278,000. 352-746-0228 Terra Vista Golf Course Pool Home, Gibson Pt. 3/3/2 Single Family Villa New in 2003 $329,900, 352-527-9973 TERRA VISTA VILLA Maint. Free, spect. sun- sets, tile roof, beaut. landsc. Open plan, 3/2/2, top loc. 2600sf. und. rf. Low tx. $347.000 Owner, (352) 527-34. m $69,000. 2/1 + Ig. work- shop w/ extra finished room. Newly remod- eled w/nice yd. 684' H Ch-.rl'.; Te, (352) 422-7004 ARBOR LAKES 55+ 2001 home, 1859 sq.ft. 3.'2.'2.ier.nded -ncl .ar...3 l mnar., e1r.3 close to Lake, Pool & clubhse. $264,900. (352) 560-6151 By Owner 1998,28 x 48, MH, on 2 lots, = 1.09 ac- res, chain linked fence, new well & septic, 3/2, Laun.Rm., DR, ceiling fans, sky lights, all apple , 2 Ig. sheds, available Immed. $145,000.obo 1908 E. Maryann Lane 464-3741 or 489-2925 18 Yrs. in Citrus Call Me ERIC HURWITZ 352-212-5718 ehurwitz@ tampabay.rr.com Exit Realty Leqders 607 LaSalle Ave. 2/2, -pir Pilr .;,.,rn r-pltel l/ remodeled, new roof 2005, sprinkler sys, $169,900. Gary at (352) 746-0423, cell 249-8123 2/2/1, 102 Edison St. built 2004; in city,- all appl.incl. DW- W/D, Open Sat & Sun. 1-4 $132,000. 1-(317) 363-7469 2/2/1 on 1/4 acre. Repainted, new kit. cab., fridg., stove, light , fix., D/W,fans, bath vanities, berber carpet. $159,900.(352) 726-2361 3/2/2, IHW, 2,000 sq.ft. under roof, upgraded kitchen & bath, Priv. fenced yard, 1006 Princeton In $139,900 (352) 563-4169 Another TAX REFUND BLOWN or NOT? 5% Down Cah Buy A Lovely 2, 3 or 4 Bedroom Home In a Nice Neighborhood. DOWN PAYMENT HOME LOANS or LEASE OPTIONS With As Little As $3950 Down. FREE Recorded .Message 1-800-233-9558 x1005 BY OWNER CBS BLOCK HOME on 1.13 ac, w/lots of big oaks. This 3/21/2/2 has new roof, paint, carpet, tile, soffit facia & custom gutter- Ing all around, 2 sheds, RV pad, lanal w/vinyl windows, Indoor laundry, fenced bkyrd Close to shopping, schools & hosptials. Very Nice area Won't last. Reduced $235,000. 352-637-9220 FOR SALE BY OWNER 3/2/2, w/screen pool, next to Lake, large fenced lot, Broyhill Estates New roof & A/C $184,900 (352) 400-2704 GOLF COURSE LIVING, Lrg. corner lot, 3/2/2, split, open plan, new roof, appl. & paint. Fam. rm. w/fireplace, $249,500 (352) 341-3941 or 239-209-1963 (cell) Highlands 2/1/1 w/ Fl. room, cmrn. lot, move-in cond. Owner must sell $114,900. 302 Blanche St. (352) 726-5584 Highlands 3/2/2 or den & laundry rm., caged inground pool., Lg. tiled lanai. By Owner 6150 E. Sage St. $169,000. (352)726-4178/464-0062 Highlands 6360 E Gurley St. By Owner 3/2/2. Spilt plan, all wood floors new kit. Gas FP In fam. rm, $177,900. (352) 302-3901cell, 726-9928 (352) 628-9869 2/2/1 New Carpet/Paint Inside. C/H/A scrn prch. Only $126,500. Call Chuck (352) 344-4793 Old Homosassa Fishing Retreat, 1 acre. Mobile elevated w/ city water. Deeded access to gulf. No owner fin( Will Pay Closing Cost In Feb. 3/2/2, New paint /carpet. Move-In cond. $165,000.(352) 726-3258 HOME FOR SALE On Your Lot, $106,900. 3/2/1 w/ Laundry Atkinson Construction 352-637-4138 Uc.# CBC059685 INVERNESS GOLF & CC 3/2/2, inground caged pool 16x28, inground sprinklers $205,000, 3108 S. Tellico Ter, (352) 637-0041 464-2363 INVERNESS GOLF & COUNTRY CLUB 3/2/2, built 2002, $190,000 (352) 341-4368 Marilyn Booth, GRI 26 years of experience LOVE TO MAKE HOUSE-CALLS" -0 r f J.W. Morton, R.E., Inc 726-6668 637-4904 MOTIVATED SELLER 2/2/1 Highlands home Borders Holden Park Oversized lot, wood floors, large shed $129,900 (352) 726-0643 MUST SELL, Highlands, mint 3/2/2, split bedrooms, too many extras to list. $174,900 (352) 726-0879, lv.msg. Need a mortgage & banks won't help? bankruptcy Ok, Associate Mortgage Call M-F 352-344-0571 NEW 2005 Custom 2/2/2 On dbl. lot, all upgrad- ed, Cent. Vac. Tile thru ..:,UI ,: iu hi 6 r.3 11o ,, appla..:e; I:'rr.- 3l to sell at $145,000 (352) 726-3935, Iv. msg. Prestigious Citrus Hills Area T..:.. r.- 2 . .-Icr, .. lir-eplj.:' 1,. kit alim rm .ja.3n e roc-in', ,UWli :F or, nigr, J 8 ".:,^,A =1(352) 726-0321 Priced Below Appraisal, 2005 Home, 3/2.2 on over 1I/2 acre corner lot. split plan, w, great room, all AppI, hot tub off master, $185,000. (352) 220-3897 Relocating 3/2/2 Pool Home In Highlands 'i.T') It lr O.OJt A MUST SEE at $175,000 (352).279-2772 or (352) 726-2069 SELL YOUR HOME! Place a Chranicle Classiled ad . 6 lines, 30 days $49.95 SCall 726-,1441' 563-&966 SNon-Refundable Private Party .Qnly (Some Rqstrlflons' "Ma} apply) "'. CRYSTAL MANOR REDUCED NEW HOME $289,900- 3/2/2 with screen lanai 9262 Beechtree Way (352) 795-5308 Need a mortgage & banks won't help? .elrt.rrempl._',-.. all : redli I- :ue arVl ruprt., .: -."":',..3tv, r.lorn.on a e C,1.1I: 352-344-0571 * REDUCED # * NEW TWO STORY CAPE COD -2 000 qftf of Living on i ? a. Was $230,000, Reduced to $210,000. Call (352) 746-5912 3.9%/2.9% Full Service Listing Why Pay More??? No Hidden Fees 25+Yrs. Experience SCall & Compare $150+Million SOLDIII Please Call for Details, Listings & Home, Market Analysis RON & KARNA NEITZ BROKERS/REALTORS CITRUS REALTY GROUP (352)795-0060, 2 Story Log Cabin, 4/4 + office on 1 acre W/Inlaw Apt. (Liv Rm.bedroom, Kit, & bath) 28x40 garage/ work shop, fenced, new roof, a/c, septic & bathrooms. Owner motivated, Must Sell, S$269,900, (352) 628-7167 2/1/2 Classic Chqrmer. (with RV ho9k-up) Old Homosassd Fishing Village. 400' +/- from river leading to gulf. $239k Owner/Broker Make checks payable to: American Cancer Society Check enclosed_ Check to follow_ All entries must be received by 3/3/06 CrTRuS CouNTY (FL) CHRONICL) CLAkSSIFII]ED S Peggy Mixon Ust with me & get free home warranty. No transaction fees (352) 586-9072 Nature Coast Spotted Dog Real Estate (352) 628-9191 4/2/3, 12 Chinkapin Cir. Estate L.:.l f .:.I :.S pa near 4th :,.E, '.1:000 :q n 2,500 lvling, Immed. oc- cup. avail., $375,000: (352) 228-7755 By Owner 3/22V'/2, 2434 sq. ft. :plil lar. p...:.1 JO? ,Q n i.r.-Di i. r3rr. rrrm wet bar,. well, 3 walk in closets, h3r, ,=r,.- .,c.uri $289.000. (352)382-7383 Need a mortgage & banks won't help? .Self-employed, all credit Issues r.r l :r g.r.'2 Call r.l.F 352-344-0571 New 2005 3,/2/2, 21:100 sa'. t. under root hilt,. opplior.r.. rile Oii-r,er.-J pc.rc-1 :C.ri ril.'ler :,: 2 " (401) 524-1773 New Home 4/2/2 1930 sq.ft., gar. dr, opener, quiet St., Ig. yd., only 23-i' i.riu .aior n'e3ir, 'eJier f'.o, 5K C lo,.lrg. :..l ii I:- V. A .alar p, 3 r , 80 Vinca St. (813) 787-4726 Open House Sat 12-3, 3/2/3, exec. home w/den & solar htd. pool o. erl.l:,..L ir..". oc.de'J .or., Inr l r.a.: -jI rel Motivated Seller (352)476-1569/382-3312 $279,500. 183 Pine St. SMW FOR SALE 3/2/2+ POOL HOME.GREAT .MlOPEN PLANl 770S.F. 2668 UR CARPETVTILE FPl.,TILE ROOF $255,000.00, 35250313477," SOUTHERN WQODS' .20 Lots Available Spotted Dog Real Estate (352) 628-9191 3.9%/2.9% Full Service Listing Wr., F., l.1re ?? [jo Hl.3 .cl- r. F .: S2 ', r,-; E.perler..:e Call & Compare $150+Million SOLD!I! Please Call-for Details, Ll.lir,.Q H.:'r.,e RON & KARNA NEITZ BROKERS/REALTORS CITRUS REALTY GROUP (352)795-0060. I -ftiC.4 Citrus County = Homes I Custom Home, 3/2/2 w/ or without fum, 4 decks, 3 French doors, handicap dream, Rainbow Springs, 68' Above Gulf S(352) 489-8097 Over 3,000 Homes and Properties listed at hometfront.corn Over 3,000 Homes and Properties listed at homefront.com YANKEETOWN 3/2 Fire Pla.'ce Vwo.:, Ic.-:.r,. Garoa,3 'A'ltr. Worl'sr.op J .e-)3r S,3202 000 (352)447-3371 2 acres Beau. Oaks, 2/2 Home & 2, I rurr. UH Near ]IP .r Gel'a.o, or rerl. prop 1 I 4. J - Ooo (352) 302-5570 Over 3,000 Homes and Properties listed at homefront.com 2/2,/carport Corr-plIe.- I,; urr, recer.l, ieiur- -i.:r-ea ,jup 3ri'rnit Gren 1rara 2 I3 C.-o ,'. (352) 746-9742 for Appt. CRYSTAL RIVER CONDO l.lo,. .- I -,nalrr.:.r. Gri-ur.a Floor I .e.a- room i t.baor. ord.c. Ir. Cr,'.rol Rl.er unrrjr- ntihed reewr carpet ;Io-' reirl.36Cr ."r. deA- luxe dlihwarher and Ltack w0ah'er 'or,er New courilertop'. ilnks and more tred pcrc-r v.lli e re..-, ;creern -3r..- illaing .Inri -..Inao.... Ju.l t,'I p: ic. Ire eat- e.3 pool Conro tee lu c. Th. I : i mrrust *.'ee 5'/ -00 S.Call Jca.:.-r, 746-3390 i- NC MOUIr Michele Rose FOR SALE BY OWNER Log C,..Ir, PE^ LTOR 2/2, off Gospel Island Eo IC. Fini:r, 'Simply Put- Rd., Inverness. Loguna :le LOa-ki. i.ir I'll Work Harder" Palms. $109,000 golif Carollr :t. r (352) 461-6973. Cell Info 828-24 Craven Realty, Inc 3 52. .261515 Need a mortgage & banks won't help? :.eltMerr,lc., ea oll ..crea.lt 1.: ,3e: aor. i .uptl O . .x' Call 1.14 352-344-0571 NEW HOME FOR SALE .n lau.r, 2 iian 1. 0 900 .. Bergeron Const. Lic. CBC 1252985 & Ins. (352) 344-0713 Over 3,000 Homes and Presented b, Properties listed at f RORERT BoiSiN f N- 1 I' homefront.com ,,. .. PRESENTED AT $80,000.00 i H.:me r Oiur- in 'rv. : 02,-t.or- We've all known s( .:r.w- ho has lost the b, l.3c.S Olu,: e 1 r.lI; Si SEEili 352-560-7522 r iilii REALESTATE CAREER ...or know someor I 24TRUSREAL ESTATE I who's fighting hard | SCHOOL, INC. I (352)795-0060 ,== me =.- m .m This is an opportul 3.9%/2.9% show you really ca Full Service Listing, 'Ar, F.3, .ore??' ,. ,r.: Epe flence Coll . C.:.mpare $150+MIllon SOLDIIIFri FI.'3:e C3II -:.or Cetaill ' LI.IIr,. N ,HCiM rr.e RON & KARNA NEITZ BROKERS!REALTORS Fo CITRUS REALTY GROUP i i i - (352)795-0060. $75 entry per Vic McDonald . (352) 637-6200 golfer $100 hole Sponsorship Realtor My Goal is Satisfied $400 Customers "TON Team + Hole Ou.la.,ling.l, Sponsorship (352) 637 6200 We're Selling Sponsor's n Citrus!! Sponsor's a NO Transaction fees to the Sponsorshil Buyer or Seller. or Call Today Sponsorshil Craven Realty, Inc. (352) 726-1515 ellon I Plantation Realty Inc (352) 795-0784 Cell 422-7925 Lisa VanDeboe Broker (R).Owner See all of the listings in Citrus County at realtyvlnc.com FSBO Royal Oaks Condo, 1/1, part. Furn, great cond, many amenities, By Appt. No Realtors (352) 344-5966 GREEN BRIAR Citrus Hills Condo, Great open view, quiet area, walk-In closet, up- grades, new appli- ances. Near common. pool $146,500. Call Owner 352-302-3467 SUGARMILL WOODS 2/2, on Golf course, end unit, lower lever, 1550 sq ft + enclosed lanai, $168,000. Furn, $160,000 .Unfurn. No Realtors (352) 382-4944 (2) DUPLEXES- Block w/Stuccb, neat &-- clean, country setting. 1 AC mol. Strong cash flow. $269,900/offer (352) 726-1909 BROKERS WELCOME BEAUTIFUL : El Diablo Golf Course lot. By owner. No Agents. $115K. (813) 313-4877 Beautiful Oversized Lot cr. I It. r,h-.le 1ic i -e largs S.'. .i ,.2 i. 2 ,r d IC.' '2 caged po:,1 a3 mutte e 'I I 2:9 ',' 352-465-7697/228-0598 Over 3,000 Homes and Properties S listed at homefront.com SOUTHERN WOODS 20 Lots Available Spotted Dog Real Estate (352) 628-9191 WAYNE CORMIER IL4C-rTTV..qnAY- FFBRUARY 7. 2006 2/2/2,.Spaclous Rooms, fenced In yard, FP, endcl. lanal, caged in ground pool, gazebo, dock area, new roof new carpet & tile move in condition $349,900. (352) 860-2067 3/2/1, Waterfront Home Just Minutes to gulf, SReduced ft. $495,000., to $449,000. Mint. cond. 11290 W. Coral Ct. For Info (352) 422-0052 3/2 on Beautiful Lake Bonneble, 5 total pieces of property, pool, hot tub, 100 ft dock, very secluded, many, many extras, $469,900. (352) 894-1490 CRYSTAL RIVER 3/2/2, Boat, Lift, Dock; Deck. $469,900 (352)465-1261 (352)536-0970 Crystal River Magnifi- cent view of Kings Bay, 3/2/2 irrg. new C/H/A, spring water, 8'x 20' dock, pier wall, 12 palm trees In front w/idr. dr., 1115 N. Stoney Pt., $689,000 FSBO, apt only 352-795-1934 agents ok Floral City 2 story, 3/2 Fp. Oullit Irn, Pr Up..3rade. gol.-re 22 .? I'ICI '/Ill .:.:r.:. r , rent r'i-s ,-.pi.:.r, :BlU c.0,ii D:lpr.ir. Dr (727) 237-9062 For Sale By Owner Crystal River. Woodland Estates 3/2/2 .:-n Deep..oater Carl ...lir f:eo.. 11 (352) 746-3226 FSBO FLORAL CITY W.'.i1errrornr i ruu;e-: *.-le r 1:i. t o ir. ,:H, 1 CB -. Ir gr.:-,jr.-i poo'l r,., -rucc.:., french doors & r ie.d. llr.,r.lna ,ri.,oo 1 Frame r,-.. .'rrne. (352) 586-9498 Gospel Island 3,2,2 500tt 1 'o r Warr.r,t t:.rcrerr, on i. C,...ri p.r.irt ela. rniereliri rd -r, 6, .,. rr.:,r,, ,our r:,.'.n ,3.:..;r eJi' E I.luir ila.-ce IrcI 3.:i,,l ir, ri .ullIj ,3. ,,1- .;.olerrr.;.r.lt I .31 0 i.00s Doar. 352-601-3863 LET OUR OFFICE GUIDE YOUI I try Club scramble tgun start its based rticipants drawings ch during the event lb USGA Handicap pleted form to: ament anto Hwy .34461 I c, rK Send comp Golf Tourna 522 N. Lec Lecanto. Fl !!m GOLF TOURNAMENT J yj7 Rivers Coun Four person someone 12hnoon.Shot attle... c l 5 Fligi e P on pa J now... Chance nity to re... Lun day, March 10, 2006- 12 noon shotgun ers Golf &Country Clu r information call 527-0106 (leave message) Name Daytime Name Phone No. Sign up as an individual or team HOLE SPONSORSHIP iame: address: p in Memory of: p in Honor of: All hole sponsorships must be received by 3/3/06 Over 3,000 Homes and Properties listed at wvyw.naturecoast homefront.com River Haven Gaspilla Cay, 2/2 on grand canal, $435,000. (352) 628-7300 or (352) 697-0310 RON EGNOT 352-287-9219 Professional Service Guar. Performance 1st Choice Realty SAWGRASS LANDING .hjr, I l .:.1 C.- r T. CIr,; i.rr 'CO."k pool /614/2695northsea breezept/ $195K. (352) 527-9616 Waterfront 1987 Cedar Stilt Home on deep Caral iul'l-,rOi irc-m H,:.rC.o; :aI I.er 3/2/3 17- :q n R.'.coapon 2f. n n or ., alerrrr.rI *3..c -oat roamp quiet Cul3,IJ -a.: or rer..A: $630,000. 352-621-6890 Withlacochee Il.,, rtro ni dc, .. -. k 2 _'0 "C n ir.:l I .n ponlcron bol $575,000. 352-465-2949 WE BUY HOUSES & LOTS Ari, -rea .:r C.:r.r -aii ,.,r,,iir-, i. rr. ..ag e 352-257-1202 Private Investor actively looking to buy oparrrrferit blg:. "T'mm.ercal real.' .,r .'.aJre u-,.use r 7-l il *% lr rld: Call Michael 772-321-3661 SELL YOUR HOUSE TODAYI iPecuc.d F.ee Florida Realty & Auctions. (352) 220-0801 TOP $$$ PAID FOR M.lobile wlaonrd hou-.e & promrr-iSor nor.tet -n,, locaiicr, or ,ConorlllCo', Call Fred Farnsworth (352) 726-9369 WE BUY HOUSES Co'ir, F.x. I 352-637-2973 1homesold com WIDOW I..,ollrig lDu; Meadowcrest Villa (352) 527-9226 or (352) 527-1680 3 4 LOTS AVAILABLE Package deal, $66,000. firm (561) 718-4010 CITRUS SPRINGS Quiet 1.6ac. Blocks from Pine Ridge, be 1st on the block Motivated seller. $85,000. (352) 795-2404 CITRUS SPRINGS 1.6 Ac. SCorner lot. 7138 Wlndbrook Dr. $114k (386) 793-3980 CITRUS SPRINGS LOT Corner lot, 1/% acre, Pocono & Vivian, near country club; $39,000. (913) 385-7213 CRYSTAL HILLS MINI FARMS beautiful 2.5ac $- -3i 352-212-7613 DESIRABLE 5 ACRES Cr,' tal I. Ici p-or,, Well eiec iracde:. cc.r iidere.3 I 2': 0JU0 XL.. 352-476-5993'613-2980 LECANTO A nrordoo.3Cl .3a Higr. Dr, mulll or.- ir.j On r r .:. rc. .': cr. Axis Pt, Newly surveyed. .$145K .(561) 588-7868 LOOKING TO BUILD .vriYO uRuHOM IM Graceland Shores Lots Lake access lots starting at $20,000. Waterfront starting at $85,000. 4/2 MH Lakeview $90,000. For more Info. call kenny (352) 316-2168 26.7ac Hwy41 Citrus Co. 1238 ft Frontage on Hwy41 GNC zoning to- 400 ft deep Also fronts on 3 other roads , M. Walters & Co Uc RE Bkr $1,700,000. 772-468-8306 Beautiful Oak Treesl Inverness .87 acres - quiet dead end St.in city limits. Zoned LMD/R3. Build a home, day care, church or - school. $94,000. (352) 688-9274. 4 LOTS, HOMOSASSA Well & septic. Off 490. -Nice dry area.. (352) 341-2200 1-1/2 BUILDING LOTS Floral Ciry, zorea li'r hou-eL or nrro[lole.: Cir, waler pa-.'.ed ;lreel pole in Ir,.pa-t see paoli OCner financing ,3, 500 oh,:, (352) 726-9369 Beautiful Oak Treesi ir..err.&es 87 a:re-. quie aeoad er., CI Ir. :it, iliilt: Zonred LMDiR3 Build a ro-me day care, church or school. $94,000. (352) 688-9274 Cheap Lots, by Owner BelI sre-:' Lc-...et Prlce guarrariteea,' Call (954) 661-9267 or,. , cjb.net CITRUS SPRINGS Prime Lo."all.:.r. l.el 5 -OujIlTul Ire'- (352) 354-5407 CITRUS SPRINGS LOT Or, WelSt Partje ODr,.we near EarVm n Blvd Greal 1rea cnooir near./ 3aS Well ac 2 golr courses' I 3 000 8,33-602.1220". CRYSTAL RIVER BeautlrL C'.rrer Lot l:ocr3ld -.i13le Pork & iunrdarnce I it JHoiT,." onl, cleared i,.ater occe,. cIr, .atiei. bi o.'.r.er $54,900. (352) 564-9223 Lot In Forest Area of Rainbow Springs. I U* acre: .r, quiet W -ird. LOOp I |.. 0fa r.elgrp.:.r: B, ..,rer '.92 900 (352) 465-4037 PINE RIDGE ppro,, i lc .:re: Lot orn Brtaer (352) 563-1629 PINE RIDGE 2') lw Toll 0.31-: Dr parnaii, Cle,)re.3 CHEAP (352) 344-3744 or 527-0635 PINERIDGE 2.75 ACRES I l.:elyv wo.ded & le. eL (ur.e.,ea5 2 -1i 00 (352) 527-1239 wVe Spe.-ial-ze Ir. Helping Fr I.11LIE , cqujl're " S 'u31iir,'-LO.),'-Prl" e. Buill in. L.1I 1-800-476-5373 ask for C.R. Bankson at ERA American Realty & Investments cr bankson@era coam FOR FREE PACKAGE of Lots & Maps Call 800 Above Lv. Name & Address SUBURBAN ACRES 4J .i a-: ,'".:..:.,.p. 3 r.jre S,1:.-"'-01 727-235-9010 UNDER VALUE 5 ACRE LOT Equestrian Area ' Shamrock Acres Crystal River Corner Lot, Paved Road Why buy listings @ $225K STEAL this @ $185K 561-582-5573 LOT W/WATER & ELEC. R,,inr.O,. I'1i.e' acr -:e (352) 465-8833 RAINBOW SPRINGS GOLF COMMUNITY Djr.neloc.r. L, h J*. Tir c.- -I'. Lo.L iJ C.-urrr, Club ul8 . *'C'(214) 402-8009 Here To Help! Visit: waynecormler.com (352) 382-4500 (352) 422-0751 Gate House Realty - 4i.m m ci c= H I ( Lt,,-,'I 1 _/LS CITRUS COUNTY (FL) CHRONICLE " r n 7 PINERIDGE LOT Bayliner Trophy WINNEBAGO $99,500. Neg. 21 '8" w/trl., needs eng., '84, class A 22ft. new (352) 447-2053- $2500. OBO tires brakes & battery, No Owner Finance (352) 860-0471, 454 eng., gen. $3,800. Several Dbl. Lots Bertram obo. (352) 560-7214 For Sale. Sgl. Lots 1973, 28 ft., Sportflsh, Too (352) 628-7024 generator, AC, refrlger- ator, fighting fish chair. . SUGARMILL (352) 586-9347 riSOUTHERN WOODS AIL 2006 PREMIER TOversize deep lot south AT BIG SAVINGSII Brand New By Hy'llne, ofUS98 mainblvd CarolinaSkiff to 32FT travel trailer, super $78,000.00 352-464-2463 Pontoons. 14FT-38FT slide, washer/dryer, or 352-503-3123 tri-axle. Gaiv.& Alum. Sacrifice $24,900., trade Sugarmill Woods In stock, at OLD prices (352) 563-2829 Reduced by owner WHILE THEY LASTII COACHMAN 2002 Cypress Village, nice lot (352) 527-3555 CATALINA LITE-24FT 3 Dahoon Ct. N. Mon-Fri. 9am-5pm SLEEPS 6, LOTS OF $59,500. (352) 586-6696 EXTRAS-WT 3893 $9,850. TUCSON ARIZONA Cajun Bass Boat 352-795-6878 FOR Arizona Ranch Lots Fiberglass, 16', aerated APPOINTMENT. $9,995. ea. w/ water live well FF, 50 hp ELITE '05 elect., ready to build on motor, swivel seats Travel Trailer; 33', super First 50 Calls trolling motor, tri. & slide out, washer & (281) 309-1989 custom cover. Used less dryer, C/H/A, consider than 5 hr. $6000. 0 -0 ,dryer, C/H/A, consider WAYNE than 5 hr. $6000. OBO(352)597-2042 trailer on trade, $17,900 WAYNE : (352) 597-2042 firm. (813) 786-6896 CORMIER, CAROLINA SKIFF JAYCO 2003, Guide Fishing 2 '96, Eagle, SL220 SBoat, w/2003, 1154 23ftf excel. cond,, fac- stroke Yamaha, new tory complete $5,800 trailer, trolling motor, (352tory complete $447-3575 depth recorder, ship to (352) 447-357 Shore radio, all KOMFORT i T.accessories, 30' 1008 5th Wheel la S$12,500. (352) 302-9047 i.3l,:.ur re-r Li.:rer, CHAMPION .Juc rea reai r IIIr 03, 18'; Bass Boat, 150hp a.-.r,in- r.,e.-.er lire. ic.hr. or. roller oerleri-. $11,500. obo (419) 989-3492 (352) 447-0623 FIBERGLASS BOAT PROWLERfw 26f HereToHelp! i ond,'rom Irr no ,' 01,-Flee wood.,26f,., Visit: m.,ic.r 30 $11,000 : waynecormier.com (352) 236-2859 (352) 628-9237 (352) 382-4500 FIESTA PONTOON Rockwood 26' (352) 422-0751. 199- i 0 r. E.r, ru.l- 200 r.iroie iurr Gate House Seat ovrs, flshflnder, slile out, ind..susp. alloy SRealty -Bimirini. Gd. cond, $4850. w SReally wheels, used once, WEST TEXAS RANCHES (352) 628-5027 .'in', n f plor.. f.:.r : $2,995. ea. w/ water Fiesta Pontoon 20 D ioi- i- onc elect., paved streets, 75 hp Suzuki, no trd.; (352) 621-6890 ready to build your. HF Padi.:. E-.:el. cond. Texas Ranch Home r-1, Call (281) 309-1989 (352),621-3103 . HARRIS '89,20ft. Center Con- 4 NEW TIRES lare IT L.1n SHI- marn i:0-.1" ner outboard, see at NC Mouptain Property Lk Rousseau RV.Resort (352) 746-3228 SRidges Resort $6,000. (352) 697-3779 1993 Ford Mini Van Communities. I i.1 .-:, ,u-i.:', au,-i. iror,: Gated Country Club HURRICANE ,ri ,..,- -:: .,: mr,., Golf Course & Lake '97, Fundeck, 24ft. r,.-.. on: rn.:. trile prt: Phase 1 closeout, Volvo Penta, V8, 10,. ,-,r,i, : J.i:' .,c. ;C.jl-r.3rli .3-.:.,urr W/ raller (352) 613-6132 t',.i,,jgr,h.c i'r. ':al l '. (352) 795-4002 Chrysler, Town & (866) 997-0700, ext. 200 JON BOAT. Country Mini Van front for Info F iri-i t ,rr.--or.:n Bra Cover .or irail-r .e-Trr. Flts. yr. 2001-2004rmodel :.IX00 I (352) gC..:.-d .:.r,. $35. 344-1428 or220-8454 (352)563-1139 FORD CHROME WHEELS '""5 Lug, $150. iLRHURRICANE. (352) 277-4528 Deck Bosats Michelin Tires SWEETWATER. P235-60R-16;LX4 WSW PONTOONS org. $256. ea. half worn *POLAR.* $120. for all four " S Ba, .JDr..j ,'n r.:-re- (352) 382-1191 ..lB Citrus Counties MUSTANG WHEELS .VACANT LAND Best Service & .4 factor, 15" aluminum Peace & Serenityl 1.50 ..Selectio. .rr. acres with water view in Crystal River $195. 352-422-3461 Crystal River Citrus Marine UTILITY TOPPER Courrr Car.ofa.:t JanTILITYTOPPER t.Kerior C21 Ho ,elo.reiow 352-795-2597 4 locked bins, fits 6Ft Propen.es Mak217',i---p bed, $200- WATERF Mako 17', R. %N A (352) 726-53.9 WATERFRONT ACRE Evinrude, magic loader ieoa irl t.. cr-,.-,r, .:4 rr.aii t s.e l m inialne.1 :- :'.. o .'3 l 1-.r0 $4.500. (352) 422-4637 21)917-6 MFG Runabout 2i)Wanted WATERFRONT Over C:iV: la-r.Ire- rieer- ATV + ATC USED PARTS one beautiful acre In ala:. -'.,,J0rir.Iit .,ur, Bu,-'Cei-raae CT.. TC Floral City right off Era Tri ,a:.:-c :,.o Gocarth 12-.prn Dave's Hwy41. Only$79,900. i 50 (352) 564-1390 USA (352) 628-2084 Call(352) 302-3126 NICE BOAT 2000 Moniqrey 2 20 CONSIGNMENT USA Ep20 Monrr erey 22a) l Car-Truck-Boat-SUV I.: 5 0L Vol,. IPenav 10 98- 5o .e: [ .c t0 hoCur, no Iraier H, ,osass-as R er 1. Boat Trailer, 19/20ft.. 352.-621-0490r Ul-aIrpc.. 212-3041 2000, excel. :cor .- ill I t 00 00 FREE REMOVAL OF .,3e5. u, Ic- 1020 Oysn,.FREE REMOVAL OF $' 800. Odyssey r.-o..-ers molr.,-,: S (352)621-3418 Pontoon 23', 20:S 1. .- r: 'F jet r ,. M I'N TO J O tr -...ke -IHP 3,wheelers. 628-2084 SMARINER OUTBOARD .arnr.a .. ton.,err. :,HP frr .r.. .':lear. 'toller $15,000.(352) SraIrr. 1.1i.:r,.a.,, :.-r. r 447-5660,634-4588 e (352) 527-555 Perfecl Fishing Boat .. r. .lrr, o r.-3 r--l lrJ ,alert .-rc .e 2001 KIASEPHiA ,T,,,r, V I.I Irr..i,ru. 1 H. .3Cr ,..ilr JHIA . .n,.,.r Jr l:. rtr.r .Su ''" .. Gr lr C ri $ 4.'10 eOO . r -, r:rr.,l.a ., c '.'; 1 Ne* BrakES., AC Runr, or,, :eIc. r, :.' c - ur' Great. Call Carl '. (352) 726-7766 oar. :.r, -is'r. @352.302.7294 Side Rear Rail (352) 563-0022 2003 MERCURY r; for 20' Pontoon .Boat, PONTOON 24ft GRAND MARQUIS Starboard Side, '89 Grumman, 95 Beautiful cat, looks new. $100.1 ,.on-rro., '.r,r.P i D'ri Presidential Package, S (352) 637-1701 inrr, t.:.p.; .'J ,j r....i 21 rmi,,le I 13,500. rr hr i.Ig Mo .tr .-'pe-' 'rner 352 527-1208 .le on 2' b ..- rr. For pics -email I h r' : r:. Irier Ir. wayne@gate.net I=,Bo a ts C rr 5 ,' '.-- io i SRiver 79,5-6658 0TR R Sea- Pro 180cc : THREE RIVERS ,:: r, ,a.maha,- l . S W Q l Birn 'i,: 0i',d : e ' 3 g "j,jr hiO ,lrT'r.:). .1. $14,500.(352)447-6264 ' Sea Ray o . CLEAN USED '78, 1651/0, merc cruise We BOATS &Iser e, c.:-r. F" We-Need Them] ($3,500.2)a795-6 P We Sell Them! SHAMROCK (352) 795-6901 shallow drive, bimini ,2000 SKEETER ZX top,.swimplatform, "e S' Yamaha250 Saltwater s spare tire & rim Fruno SGreat shape $21500. Fish finde r, VHF, Trim * aSCal Chris 352-235-2308 Tabs, Standard . automatic fuel gauge,' ,16' bass boat 50HP Mer- (352) 795-9390 L/M i o MrBird D t Fndr,KE 1995, 20', Pontoon, new BUICK Tr* NE 6500o r, LK 50h p-Yamaha, good 1997, LeSabre, rubs exc. W 303-1654 serious inq condo $6500. .new tires, 30mpg, new i only Ive messg i (352)563-5033 brakes, full pwr, 3.8 liter, '.12' Square Stern Canoe Stinger 16' CC full Iqndow roof, body ' 2.5 hp Mercury, very 1997, w/50 Yamaha Very good cond, blue , low hours, $450. 4 stroke, excel. cond. on blue, 148K, $400. (. 352) 628-3097 5 $7,500.00 I (352)465-4208 14' Fberglass Tri-hull, (352) 527-8150 BUICK Il i '94, Park Avenue, 14'. Fiberglass Boat (352) 726-6197 w/ 35hp mercury, COACHMAN BUICK ii Fif'ndcer & trailer, 1991,20' Class C Chevy 95, 4 DR, runs good 'I ; .in (352)344-8871 350 engine, Generator, $2,500. S 16' SEAFOX exc. cond. $12,500/obo (352)3444324 HPJohnsoTrlr489-7673 BUICK CENTURY Bim. top, Radio, Depth FLEETWOOD 1999, 4dr, 51K ml., is fndr Very gd. cond. 1991 Flair, Class A, 25ft. $5905/obo ^ $5,200. (352) 527-9779 39,500 actual miles, (352) 795-8983 18' V HULL BOAT Ford 460, Onan 4000 CADILLAC with trailer, all alum, generator $8,500. 1998 d'elegance 90HP Merc engine, 352-697-1218 Sedan, all options; 87K, S $2500/obo Fleetwood like new. $8,500. O S(352) 746-2067 '96, Flair, Class A, 30ft., (352) 746-4703 19' SEAGULL CAT clean, good shape, CADILLAC 004 15lhp Mercury Op- qn. bed, $27,000.obo '96, Sedan Dellle, 4 imax w/ warr til 09Great (352) 613-0364 86k ml. Northstar, V8, 4;n b;U seas and shallow Holiday Rambler clean-economical P" ,te-, Lots of extras. Admiral SE, 2004,.32', $4,995. (352) 220-8716 V $16,999. 352-422-0546 low mileage, still brand CADILLAC S21'CUDDY PROLINE new, 2 pop-outs w/2 '99, Sedan DeVille, 25k S1988, W/Hardtop, 200 queen beds, many ext. ml. full power, $11,000, F'offshore Mere. tandem $78,900. (352) 746-5427 obo, Keith, located be- ' trailer, $7500/obo Monaco Monarch side HarleyiDavidson 352-586-3010 34' 2000, 30k miles,. on Hwy. 19 L" AIRBOAT w/slide, neutral'colors, (352) 795-4226. 16FT, 2003, SS cage, PS, V10, Howard steering, Oo o$56,000. (32) 7 46-945,7 Call Us For More PA prop, rod boxes, car info About New engine, extras, $13,500 Search 100's of Rules for Car (352) 726-4205 Rules for ar (765) 336-9590 Local Autos Donations ; BASS TRACKER 1989 Online at Donate your vehicle' ,Pan fish 16 in top cond. to Newer galv, trir, cust, wheels.com THE PATH .anvas cvr, 25HP Merc. (Rescue Mission for Newer elec. motor. J .i Men Women & S3K firm. (352) 344-0461 ai i3UN1(),427 Children) or (352) 697-0005. at (352) 527-6500 1- g-mftdft I SCORVETTE 1979 SE, white, runs good, V-8, auto, project car. V-6, 166K ml. Must sell. Runs good. $3750/obo $1800/obo Possible. trade. (352)341-3083 (352) 726-6864 Corvette 1979, "MR CIC0U Factory 4 speed, 350 eng., new leather seats, carpet, a/c, & P/S. Glass t-tops. 75k miles, $8900. (352) 228-1812 MERCEDES 1974, 450SL convertible, exc, cond., lots of work has been done, (352) 586-9498 MUSTANG 1983 Convertible, auto, air, 40K orig. miles. Exc. shape, $4500/obo (352) 726-6864 ALAN NUSSO OLDSMOBILE I BROKER 1946, 98, 4 dr, fairE Assoiate restorable condal Sales Canton Ohlo area. Exit Realty Leaders $3,000(352) 726-0005 (352) 422-6956 mop% pending In the Circuit Court for Citrus County, Florida, Probate Division, File. Number 2006-CP-22; .the address of which Is 110 North Apopka Ave- map% I CSTUDABACKER Sdn ',74 1948, Champion, 4 dr classic, new engine, s ell a a new brakes, new tires, $4500; (352) 465-1007 Camaro '96, for parts or project carcan hear run. = rc $1,100. obo (352) 746-5388 '03 Dodge CAMARO Z28 Durango 28K, SLT, 2000 Ground effects, Grey $18,488 6spd, leather Int. Many extras. $12,000 Call Call Richard 352-302-4238 after 2:30 726-1238 Chevy '98 Prizm, SBei e, $4,000. on (352)527-8614 -4 CHEVY Malibu 1999, Black, fully loaded 4 door, CD player, Ithr. o seats, $4299, (352) 563-2111/212-9032 S * I CHRYSLER$ Concorde 1997, V-6 ..l Sr 125K ml. 4dr, air, all pwr. Michelin tires. Exc cond. $2900 (352) 382-1381 FDODGE Corvette Cnv. 1997 Ram 4x4 1500. 1989, 68k, auto9, good Quad cab,8$6500 cond. $9,300:00 or best offer. (352) 527-8150 (352) 628-4228 FORD Dodge Dakota STL 1993 Escort SW, 84K ml. 20C Q.J, .':.' T.- a.,.:..- rur;nrira c.:.nd. V8, tow pkg gcod go ,i,00 (352) 726-2038 mileage, Excel. cond. d O & $15,900. (352) 746-5427 FORD Io4.- 0 E .'r 0 .1999, 51K,.4X2 Super (352) 341-2324 C..Jr J .'" be.dller 4dr, topper ruling t,a FORD '99 ESCORT 4dr exc; cond. $9,800/obo AC, FM, Cass auto, (352) 563-5929 great MPG, Clean, $3350. 352-382-7764 FORD F-250 128.3 di l,;&i l .cob Ford Mustang -., ',.er,.sI' i .-se-a C '.' -:. .J :ene Ham ,i rr,,:,unlirl Ieo-. rear spoiler, PWremote3 i Jrj (352) 726-3694 mirrors, 43,000low miles. 75,000 mile tires, excel. FORD F350 Duallie cond. in & out. $8,900, 1999 Diesel truck (352)860-0809/422-7373 .1.:e tod p ,. FordTaurus SE -' ele-. r.. 1998, 24 valve 6 cyl., (352)6211993 55k, keyless entry; load- .ed Ice .:.:.ld air iJC50 ;IGMC (352)489-5763,'445-0507 -88 aulo IorgOe 1 N -00.r-3 n- rCe iBazer FORD TBIRD work truck, $1,800. obo 0".eM LOL', 5 r_'l-E R Mike (352) 464-1616 -',200 (352)382 3223 -MC Truck '4 wr .: *0,",',o, (352) 621-3974 MAZDA B2300 -rro Bn.T:.r:.r rr,.1a L ,E :.D r u r . 2 '.r u ri (352) 302-5481 Search 100's of HONDA I .Local Autos '96 Accord EX .'.A Online at ni Eo ,,. :.|r,. dk; green w/tan Int., w/. wheels.com snrf. like new Michelins, a 3p e ga, mi $6,500. M , (352) 586-0180 ,' HONDA PRELUDE '96, sporty:, 2 dr. blk,' all r.e-... lire runr: Oreal " re d: .: d, ..or 5 ,Er, drivers side, $3500.. (352) 746-1802 00 Chevy Blazer INFINITI 1999, 1-80, Black T, Red. w/Beige leather,136K $10,488 S.Owner, $6,995 Call Richard 352-795-9927all Ri rd Kia Sedona EX 20f12 .pa : leolher Chevy Blazer -.,.,ro.:.r dul ai r 2001 cIlue 2 ,ar Gsx.eI warr.; $9500. c'' :r,. Jk s .. 900 (352) 489-0053 (352) 249-3228 LEXUSHI Chevy Blazer F10 '03 E i7300 J ,Ti .ller 1992 V.6 13-' e an,- ,.':ur.,o r r I nr,, .' ,e v part iooi, & rjunr; lire,. $22.900. ac, o .2s50I (352) 621-0489 (352) 795-0049 LINCOLN TOWNCAR ISUZU 8. .ir,3., lure 000 .3 '95, R,:.Jde.: 6 c,I mr.:onnr r i.:.O ; rinr,: loadef 10Jl. $3,000. greal t.. ,:, .. after 6;30 pm (352) 795-7325 (352) 302-3943 Mazda Miata MX-5 JEEP 1999, 10th Ar n "p Ed '95 wrar,.tr J ..ri #3908,6spd, 61kb e808 dr. .e 4,- i5-.0. $1600 under blue Src $5,000. book. (352) 746-6583 (352) 697-1613 MERCURY SABLE Jeep 2004, Immaculate, fully '99, Wrangler, fully load- equipped, Including ed, auto air, CD. tilt auto. adj. for brake & cruise, 3 tops, new ..e :.r.:.r -edo- : goodyear, wrangler fi- )J 1 (11r) r 765i l i i .:o,P res, newstep bars 352-382-0141 $9,250. (352) 382-7001,. MITSUBISHI or 314-249-8015 '95, Mirage, Coupe S, OLDSMOBILE auto, air, 1 a. ri..:.ior 2000 Bravada, AWD, all 'gas savor, $1,500. obo options new trees . (352) 527-9944 leather, sunroof, CD MUSTANG player, heated seats, '98, 3.8L, V6, runs like etc. low mileage,, new, cold AC, (352) 586-9498 $3,350 obo (908).380-1622 Search 100's of PONTIAC Local Autos '66, Catalina, Station Online at . Wagon, royal blue, org. owner &mileage, refur wheels.com bashed, Must see. Nego ELOR table (352) 746-5558.;. 2003, exTA coId, well obo. Pine Ridge Estates. (352) 746-0007 Vd Search 100's of. Local Autos Ford Bronco Online at 1989, tan, a/c good C, ond., new tires $ brakes. $2700. wheels.cm-1 (352) 302-7222 FORD EXPLORER I IONIClI~ ,,., 1993, 4x4, rebuilt engine m'e "m &ttransr moold e,'C 2000, GTS CeIlca, 8 JEE WRANGLER leather Interior, JEEP WRANGLER. 018" TRD Rims & wheels, 19914acyl. 32" Super Under 100,000ml. Value cond. Runs great. $5000 $11,500. Asking $10,000. firm. (352) 795-1816 352-270-3188 Search 100's of SToyota Carolla LE Local Autos runs great. 126k $4,200. OBO (352) 860-1487 wheels.coan -TRUCK DRIVERS Class A CDL, gooai .idi miles, home time 1995 DODGE VAN CHEVY 1997, high top conver- sion Van, 80,000ml, new tires, leather, TV, VCR, $7,500. (352) 726-6596 CHEVY ASTRO LT 1994, ext., loaded, excl. cond. Very well maint. Clean in & out. 118K $2900. (352) 860-2243 Chrysler Town & County LX, 2005, 31k, $14,500. (352) 382-1168 Dodge '02, Grand Cara.or.ES, . loaded, w/ oall prionr! excel. cond. 84k mi. $9,199. (352) 746-3982 Dodge Custom Van 1C,. 250.. 'f3l 18 ena rTie.'. Drale-. C -ino . m.,Lper.:l.n .er, cieor "u000 (352) 637-1937 Eagle Summit i "'2 .JA r.l.pg i'ur,; S (352) 228-9790 FORD 1900 Econoline 150, w ,-ri ..3rJ. *,rolgr. r6, cagaeid ...ri ar-a, runs g,.:--. i 2,,0 (352) 637-0256 KIA . 2002, Van EX, loaded, e.,jir.e, all F ..r .ur,- Co.,.r moo rIT.; '-., I I M lCI (352) 454-1139 MAZDA 3 I.1P re esj: ...o rl. .-:r , er.. :r i e nr-5 8.Ci t.-O e. .i (352) 726-9887 Search 100's of Local Autos Online at wheels.com ATV + ATC USED PARTS bu,-.eii-fra,- r. "rC '* .,-:aIrrs 12-'iT, Dave's USA (352) 628-2084 GO-KART Brand new engine, runs areat ,600/obo (352) 746-2067 HONDA 03 'JI.er vWir.g 61.t.u : like rn,e o. rrille, - $5,000. (352) ,794-4129 HONDA '05 cho-o. ?E; OCC p-al >-.r.ile e..:eI ,,Cr. Ic 1.v l' $5.000. (352) 465-0802 HONDA ,l,9A Goia.,r.,g , Irnlersiole 31K Juil serviced ne.'., roner , 0 10') (352) 527-3641 HONDA '85 hr03-.-. re *:o-a .leioo): .vir,.a.rieldo ready to go. $2,100. (352) 860-2612 HONDA OF CRYSTAL RIVER Scooters 49cc S i J ,) 00 Scooters 125cc, $2A99.00 Scooters 250cc $3,999.00' (352) 795-4832 HONDA SHADOW '203 600.-.:. 351,.13500 Call ales 7:30pm or leave message. 746-3155 HONDA VLX .I'00, I-''O Condo, oppi, reI ull, ,Oae gareal ;r-,pei Won',er. owner. (352)257-9597 KAWASAKI NINJA 250. : 2i:i03 I ,ve re.,, le: inar. J4i0 mniie: (352)637-1024 Kawaski Vulcan ,l0:I .: t.u :""I loaded, 2000 miles, like new. A Steall $4,500. (352) 476-1543 Bev. His. MOTORCYCLE TRAILER 3 roil l-.eD., dut, I4 .,rie-le-. iJJ0.',:,,, (352) 795-7325 Search 100's of Local Autos . Online at wheels.com STOCK MUFFLERS 91 Harley, FLHTC-ULTRA excellent cond., $150 (352) 344-9958 SUZUKI RF600 Sportbike, Good cond, w/extras. $3000/obo'or * trade for 4 whir same value. (352) 341-4478 Suzuki RM85 2006, ridden 4 times, like new. $2700. OBO (352) 212-1776 VULCAN 750 1999,22k miles, $2,500. Lay away o.k. 422-2798 540-0207 TUCRN Notice to Creditors Estate of Mary C. Glallourakis PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT, IN AND FOR CITRUS COUNTY, FLORIDA PROBATE DIVISION CASE NO. 2006-CP-22 IN RE: ESTATE OF MARY C. GIALLOURAKIS, DECEASED. NOTICE TO CREDITORS The Administration of the Estate of MARY C. GIAL- LOURAKIS, Deceased, whose date of death was December 9, 2005, Is Cl-ASSIFIDEIDS 1997 -FORD AEROSTAR V-6 Runs & Looks Good A/NC2,100.00 352-628-1196 R^Kj ifochard M 726-123 nue, Inverness, Florida' 34450. The names and addresses of the personal representative and the personal representative's attorney (3) MONTHS AF- TER Ir,. ..ddlrng unmatured, c.'r.n'ge, r.i unliquidated -Ci:Jirr.. ,T.u.r file their claims with this court WITHIN THREE ",' MONTHS AFTER THE C-it OF THE FIRST PUBUCATION OF THIS NOTICE. ALL CLAIMS NOT SO FILED WILL BE FOREVER BARRED. NOTWITHSTANDING THE TIME PERIODS SET FORTH ABOVE ANY CLAIM FILED TWO (2) YEARS OR MORE AFTER THE DECEDENT'S DATE OF DEATH IS BARRED ir.,e O.I- oT nr-1 c. ij.-ii-a IIr ..* i -,, iJ,:.. .Ilr.- i: r.- 1 iC.r.'-. 1.r T i.e 11 001.- -r,,1J ir..- I.; 31 l.1 r, ,: .. JAMES W. MORTON Ir,. t,'.e : fL .-iJ n,:.,-,I t.:. i pi, :,:,,-, Pi LEON M BOYAJAN, II, ESQUIRE LEON M. BOYAJAN. II. P A. JI .'.ll 1:r i- iJ Tpr:.r,-,1 32.-r 7-1800 Foa rjo :'.-. -'-1428 I :ul r.l J r.,.j ,2, liT,- ir. IT,. CliIiu: '.:.ji r, Cri Fr, .i- CIe Ja,.Jjor, 31 Jor,.3 FC. 547-0214 TUCRN Notic- -- '.:.. 5r-.i .:., ' ..iI S., 1 Tr..:'rno: L F,3Jiia ii.I PUBLIC fIOIICE i- ,r E ,:"I-C,:uii,,'CuC'uri f,..Cr '."Iiir *'I;..ii r.i J fLC':' iCI' i' ci' -TE i i' ,.. Fil- tie 0'c..-CF.uit i l '-- i -IE C'f1 THOMAS L. PAGLIARELLA I..v,: ,I .'. I- JOTICE rO CREDITORS rr.I, agiaTir.Il:nit-T:.r. .:.' ir,5 r:lia- r.5 THOMAS L PA GLIARELLA, ,-I--:,.-I FI, I ljiT ,.e. *C." ,, .::5' J I: L. r. lir,. Ir, ir. ',.:l.:,.ll '..urn lui' c- i.,: County, nn -i a Cr..rai.,l Division. the address. of which is 1i1: lh,:,nr, ':r-,:,r ,,pi% -) /e., ih'. ir," i. JJ):' rhe r,.aT,,-. , ) -li. :.C: of the personal representa- tive and the personal rep- resentative's attorney are set forth below. All creditors of the, dece- .i4rl and other persons raT.ir.g claims or de- ,.Taras against de-:e- .e r.I estate, ircl.iij.nir.g ur.nr.'itrured, contingent or ur.iI'li' ciaia claims, on r.. r:.r,. .::opy of this no- tice is served must file their claims with this Court WITHIN THE LATER OF 3 MONTHS AFTEP THE D=0TE OF THE FIRST .r,.LIC-iC', OF THIS NOTICE OR .30 C-,-. AFTER THE DATE OF .SERVICE OF A COPY OF. THIS NOTICE ON THEM - -i-i r..Ir,,- :,3It :, ,: the . '.-e.oa .5ri .r.iJ .-,r. per- -:.:-r,: rIa ir.3 claims or a- Taor. : a-alnst dece- erai : ne ate, Including unmatured, contingent or unllquldated' claims, must file their claims with this Court WITHIN 3 MONTHS AFTER THE DATE OF THE FIRST PUBLICATION OF THIS NOTICE. ALL CLAIMS NOT SO FILED WILL BE FOREVER BARRED rrT Uai.- ..'r sii c i n :.ri, :r rri: J.rc I. F&Lm,- P Petitioner: /s/ VICTORIA L. SPILLER c/o 452 Pleasant Grove I In Rd. Inverness, FL 34452 Phone No. (352) 726-0901 l ,'rF": r, I.i Ti. SMARIE T. BLUME 11l. I i', two (2) times i Haag, Friedrich & Blume, P.A. 452 Pleasant Grove Rd, Inverness, FL 34452 fr,Tr,.-l. I o (352) 726-0901 Pij..,i:r.,-1, two (2) times In' the I," u: countyt y Chroni- cle, Fl T.,jr,' 7 and 14, 2006. 548-0214 TUCRN SNotice to Creditors Estate of Robert R. Hook PUBLIC NOTICE IN THE CIRCUIT COURT FOR CITRUS COUNTY, FLORIDA .PROBATE DIVISION N File No.: 2006-CP-79 IN RE: ESTATE OF- ROBERT R. HOOK A/K/A ROBERT RANDALL HOOK, DECEASED. NOTICE TO CREDITORS The administration of the .estate of ROBERT R. HOOK, deceased, whose date of death -was DE- CEMBER 27, 2005, Is pend- ing In the Circuit Court fl3r Citrus, County, Florida, Pro- bate Division, the address of which Is 110 North --.D'.i -.enue, Inver- rie" Fioil.: 34450. The names and addresses of the personal representa- tive and the personal rep-. resentative's attorney are set forth below. .All creditors of the dece- dent and other persons having claims or de- mands against. dece- dent's estate 0oh cle, February 7 and 14, 2006. 549-0214 TUCRN Notice to Creditors Estate of Bruce Edward Moore PUBLIC NOTICE. IN THE CIRCUIT COURT FOR CITRUS COUNTY, FLORIDA PROBATE DIVISION File No.: 2006-CP-73 IN RE: ESTATE OF BRUCE EDWARD MOORE, DECEASED.. NOTICE TO CREDITORS The administration of the estate of BRUCE EDWARD MOORE, deceased, whose date of death was NOVEMBER 18, 2005, Is pending In the Circuit Court for Citrus County, Florido F..-baie Division, the 3I...-:: --r which Is 110 North Apopka Ave- nue, Inverness, Florida 34450. The nam: nr.d addresses of the p.,i :,r.aT representafi.5 or.ard th [.r.orial re-pi :e-ril.1i. e : an.r..,'., a.e set icar, be- I.--,. I oce3i:..s of the dece- dent -and ihT.r persons having caiir.. ,or de-' mands against dece- 'dent's e:'l-le :.-, .homn a- copy o- IriT. r.-,,:e- Is re- quired to, be served must 1it Tr.,ir .:ialm s %.nr. 1,I.I: .:,.:.,jrt w riir THE L rTEFr F 'C f i iE Fn,':.i FI.iBLIC--il 41 C' -iH [:riT.:e CI" :'- C'S : ih I. ':.'F I ,TI :F ,::'F I: C iCE -:.F iH I. :l F 3 ; -rITr i., *:'i r -r- aI,-r. : r .i', ,. iIT,,r. Ir a -l ir i-r crlm A irri r .: .:.:.ji-r TI-I CF i IE i i-I':I TWICE. . ALL CLAIMS NOT SO FILED WILL BE FOREVER BARRED. NOTWITHSTANDING riHE TIME PERIOD SET FORTH ABOVE. ANY CLAIM FILED rwo (2) YEARS OR MORE AFTER THE DECEDENT'S DATE OF DEATH IS BARRED. F r.,- T rI., 'Or T.r C.:I i - ll ,3ll-C-r, -,5 1 r r i '. li:,- l, i iL.r Jr ,'C'i: - "-r...:r,.3J C.-D r.'r i.i - : JAYNE ELLEN MOORE I.:.,: H- H :I:"-i"-I. -n-.:-i'r- [H,..r .'. r-,I r-:- r.l3 L - BRADSHAW & MOUNTJOY. P.A. Michael Mounfioy. Esq 20: .u'..jr., u:r.-. i.Quar . Ir,. ir,-,.: .I. .r '-Cr - f' i .r. r. i. -. I II ,:1- fC,_= C, r'r, riJ i 2006. 550-0214 TUCRN Estate of D '",:.-.ii .1. r.1 r .:.. . PUBLIC NOlICE rI iHE ,C-l C', lil.--Jir F,- r IH .: ..:.:T.I riF c.- PROBATE DIVISION *. Fl ir1.,-. 200-CP-50 IN RE: E i-i :.F' DOROTHY M. ROWARS, :.,:: LE .- NOTICE TO CREDITORS Ir, 3,-,3iTr.i.l:rorn.:.. .: r. - ,.r3i., .:.r DOROTHY M ROWARS. deceased, .,.r,,:. 3.31 .:,r -iAeaTr .rIo .ECii .1kEr 10 1). I. p.r,.l r, irg iir,e C r.ircull 'C :" i. Cr CIIr -' ,jr.r, Ir.e -13'3 -,..: r T ..-r..: r. I. I 1C lr,.,nr, L'-:.:. .L - .- nue; Inverness, Florida J ,li ire rairr, : ,3r -3,1 re..-: .I ir,e per.s r..r l epi rii.3ri e ar..3 ir.e personal- representative's. ac:r.ena, are- i Irth -. I':. = ,-- S 11l C -,., ll,;r' IrT a..0-. 3-ril or..3 cr.ir- r pai'.,:r. r.o Irg clai. : .i.- mands .against dece- dent's estate on whom a copy of this notice Is re- quired to be served must file their claims with this court WITHIN THE LATER OF 3 MONTH: -"ITE/ FHE k r.IE OF THE :rl,.i .iSLi.: nC':-tm OF THIS NOTICE. OR30 :,.. C- FTEF THE DATE OF 1kE.i.-tE .- A COPY OF THIS NOTICE ON THEM, 11 I:. I,, :rI 1ll: I; of the decedent and other per- sons having claims or de- mands against dece- d-.r,.: late must file n,.-Ir .:lair'., with this court WITHIN 3 MONTHS FTEP THE DATE OF THE fl:ir n..i61.iC-Il.-Ili OF THIS NO- TICE. I - ALL CLAIMS NOT SO FILED WILL BE FOREVER BARRED. NOTWIIHSTANDiNG THE TIME PERIOD SET FORTH ABOVE, ANY CLAIM FILED TWO (2) YEARS OR MORE AFTER THE DECEDENT'S DATE OF DEATH IS BARRED J.r, ,'1 -1 ,:,1 Ir,- nrlr 1 ojt,- Ii." 'll 1n., '. 1 ir,i. rJo1 l,.r il F:LTu.3r, -I:1 :1.' Personal Representative: BANK OF AMERICA. N.A. E. ,. DURWOODP. S HOWELL. CTFA ' :'-,i r Orange Ave.* Suite 700 'Orlando, FL 32801 Attorney for Personal Representative: BRADSHAW & MOUNTJOY, P.A., /s/ Michael Mountjoy, Esq. 209 Courthouse Square Inverness, FL 34450 Florida Bar No,: 157310 Telephone: (352) 726-121-1.. Published two (2) times in the Citrus County Chroni- cle, February 7 and 14. 2006. 551-0214 TUCRN Notice to Creditors 'Estate of , Jeffrey Brian Moore PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT;IN AND FOR CITRUS COUNTY, FLORIDA FILE NO. 2006-CP-40 IN RE: THE ESTATE OF JEFFREY BRIAN MOORE, Deceased. NOTICE TO CREDITORS The administration of the ESTATE OF JEFFREY BRIAN lMOORE, deceased. File Number 2006-CP-40 Is pending -In the Circuit Court for Citrus County, Florida Probate Division, the address of which Is 110 N. Apopka Avenue, Inverness, Florida 34450. The names and addresses of the personal repre- sentative and the person- al representative's attor- ney are set forth below. All creditors of the dece- -Ej- OF THIS NOTICE. ALL CLAIMS ,NOT SO FILED WILL BE FOREVER BARRED. The date of first publica- tion of this' Notice Is Feb- ruary 7, 2006. Personal Representative: JEFFREY BRIAN MOORE, JR. 12028 E. Valley Road Dunlap, TN 37327 Attorney for Personal Representative: BRUCE CARNEY, ESQUIRE Carney & Associates, PA. " 7655 W Gulf to Lake Hwy. . Suite 2 Crystal River, Florida 34429 352/795-8888 Published two (2) times In the Citrus County Chroni- cle, February 7 and 14, 2006. 552-0214 TUCRN I ].rl,:e ho 'C e~ llr.:, I 13e :- r Merlin Wesley Reese, Jr. PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT, IN AND FOR CITRUS COUNTY, FLORIDA FILE NO. 2006-CP-29 IN RE: THE ESTATE OF MERUN WESLEY REESE, JR., Deceased; NOTICE TO CREDITORS Trhe a jT ,i,'iil' l : ri of the Ei.1.ie :,i MERLIN WESLEY IREESE. JR. a-c-I:C-I H- ijiTL..r "~.nl., 'C I i. I pend',-r.. Ir, r Cir uli[ Court r.,r .- uru: C u,-,r, . Florid:a ) C:oIre- [L.'I. Ic -, the 0.1 -e:: :.' ..,.r.ir, I. 110 fl c: .Ia -..er.j Inve rrn e :. FI-: .ri ,3 ' rr. rra i,.;,: ar.nd o .r.,r :'.r ,.31 C ,-. Ire p :.CCr,,II i ,pr.-:eTiri ll.r anr:.rre, are se I :ilr .-.:.. February 7,2006. Personal Representative; /s/ M. JANE HOOK 15 ATWOOD SAUSALITO, CALIFORNIA 94965l-iquldated claims, must file their claims with this Court WITHIN THREE (3) MONTHS AFTER THE DATE OF THE FIRST PUBLICATION 467-0207 M/TUCRN z LIV I I PUBLIC NOTICE I j:,Ti. E I 1HEr tB.' GIVEN that the following public hear- I r.,. l e t- ,-i :. ," Trhe Board of C,:, ,.r, C,,rrri,.:;i',r,, .'., February. 14, 2006 .t 3.:00' P.1 .,V.:.. .r.'.p., ar.- or. March 14, 2006, 31Jr z' 0I P.M. ,.r.oi H4.,3'.h ir. ir,, CIrrj.. -,ounty Court- r.:.u'e iW North Apbpka .,. rf.::rIT, 101, Inver- 1 aold headng haOll be for the puirpo.e of'on'lderlna D -r. OI,,.r,.3r..rT.- r 1:. ir. I.ar.3 J .-l.:pi n-rI ':oe -rio. (LDCA), The : .r.r.Ir.'D l ..l: r r.;.-,t I'.e le.. iF :-3. r.J. r h.i.,,.-d ir.i s Du j. : I r: .r...O3i,3 r ,.ir, i : - ,Tr..r,3.3ii.:.r, I,; rr..- *, It.j : ,' .. .'.-.r, ,"- : 'r :r ,.'. u',r, I. C.:.,rri.L :' *: *:o.r,.l.-r io :r. i' ...... " il g ,:. r-.3.3 Il ... p 3 *.r against,, may be heard. . AA-05-14 McKean B Associates Engineers Inc on be- half ofl Jim Brown I: r. :1.Tlr.a r' a ',r,,-h-ri-.rl T pr.:. Iad l ... .: IT.,3 :.I ii.,- ..1 rl, r. r ,-1 ,:.p.: J .. 1. -lar .: C-.-. l r-.i lr,:.r re i-e ar.ir, ..-. Ir.il-- ne, . n.l, a., r.-r,i, .-..- 3 '-r.jiranc. J w .8-- J.,, i' .' i,,.':'0- I 1 *,-,-,3 "JAI.1- I -*-0 0 ',, lio re :p&,- I.::ali, r. re: u :l : I :. r. jj..- ir. mor iT.iu -r. r,.i jT. .r .:.i S,, lllri ,,j. Ii r,.3- : I ran. II ..IT, .:.' r,,- r,, .4J l :I.j rr,,-rI r. .1.i -. I.f, J. r,:,lhiTn ,ul.' ,r, -r .1h ,' dA. lllr,)'. ijriir- iirs.i ,JuL-l' .' r: P- I.:- '.. T V, ir, Irs r..:.irri., . pi.:..hTrT iO r ,- p..:l, . '. r. ',Ir :r,,3 e : : .jr, ,,, .:;,|T,|'r, ,: r, cr .ic:i. l :l r I r rr.: 4 i. . p., :.rrr, i ir, i. Sections 17 and 18, lownship 18 Souwn Range 17 East Fu.,iri :Ie.,3 i3 .r: JJli:i 0r. 44400 (I clhsive' of Pelican, Cr.'e C.cndl cr-oted ., :.jr, :r '.'*;. 'i.3i Frl. -Ii.-, r;'- ':I.31 ri .-, -'*-3 ' *.-r.pi 4 "-J31u .3,'-.:1iipi1r, I *:1r1 file. with the,Depart- r i.:rrrm.3n.:. re .'33i.,a ir.- Lar [.1 L ,- .:pmIirI *C: ..3e ,. S':,-r. rr. i -r ,iir, lar. 3 3 ,Ilr-e *:.'. ir.. i-,r-r rrri- .31 r l. /, ;; . .:.".'. *-liu ]| ii,' r I Ill ..r, ir, ':.:.-..T .j-ur,ir, Ce.n l:p. %,r.r Iirii 0.,: .r.: a3 'rl-r,.3 r.: L. :.T.. ,,-,' a pO.-r I- ir,, r.':e o- lr..3. r.,.D ..jc.mil a r..j. I I.:, Ir, t-r.c11 pu: .uart i:. pr.'".-. ui.. ; : i r rir. 11. -rt.o l. i1 :',.l.,.r. ':r 1'.-- .iT'j. .-" :,urr, '-..'.^e -r ':''.-l.tr,-. .j,.:r r.rqu.ej .r.3ii e- ",jr,:MTine, l: cl'- .ao rTrr,. C- t.: ,- .el.piTreri r ; r, l:i : 3i 14.J.T I , ...:.H r,.L .3) , 3'. .:lu lr, A'v t-r'.o: r, 3. H .311 ,: i..A' A r. Ing or. tr- rr inar~i r L 'je,.uie^ i,:, h r ,-,1 ,rMC L..- 'C. :.r, .-Jle'.d1: 10 a.ppso il ,r., T-i.:ii.:,r, rr, 3 tL ir.- r, a .'o.irr, .. pe: r-' ar., marter :c,-.ri. 3-, or ir.i ,T,,i.- nir. :. r i,3-,'r,,, r.-. .r .4. ..Ill r,,-. 3 ') r*.:.r3 ,: ir, pr:.. .oilr.o ; Oa a r,:. .u.:r, cJr:.':. r, ":,- r..3 r.'-. I,:o I, .:..u4 m.3l o ilrT I : r.:d .:i ir' ,:.e.;..: .3- ir'i. l. rni3 e3 h.r..cr '. '.'3 r.:l'j3.-. f r:H ,'.',, 3,J, 1 : I; j.rc ,p4 r .rpl.cr,*TI.T e ac.rp,. I1: i :. PI0 r:.3:d r., p.-ror, re. :unrir., r a o r..a3 l .:.:,'Tr -.,JoTm.:.r, .1 i ,r,i ,,,,,nr.g. c- :.3, r a : i..AC.Uir, *:. pr.,.r.: I iT..) l, r r.- r J .r..: l. .: : .] ir.- r .ou r,r, .. i.-l:l 3l.:r :n l.: '1 l ll ,1.W a ..',ue rIc.,i, 1:1 ii I, e .-re : .:.ln.33 JJ.0 ..i,. .41 :.,1. .31 1 3.1 r. .: ..13 ,. c.e :.' I-. . i llri j : r. or r,.3ir.- :-. .p, .r. I ,-p1.ir.3I uj:- ' ,.r 0DC i; ee r..:.'.-.: i .y i , For rri.:.' Ti.r T 3. r, Lat.:.'J IrT.i i l: o :.i lior,. i-' . ':ri.3.: ,1 I ai r,e' .or ;ne Ci.- 3iT,-rrril. cor LT -i:op. r..-r, Chairman ' .-:lnrj. *:, .' jr,r, j: -nr. 3, "- ." Published two (2) times In the Citrus County Chronicle. January '"I or.J Fr .r',j r,, . 538-0215 TUCRfI [].,:,,: -.:.r : n:.r I ", jl, or'. l-e' 3:E-1J PUBLIC NOTICE III rie ,. I lh IT : '- Cii ':,-i i FTIH Ji.il c l.1- ,'--i .i 1.1i IN AND FOR MARION COUNTY, FLORIDA. Case No.: 05-4215-DR I I- rTHE ( f i'-r1-.:-E ,jF PAMELA DENISE WALKER i:-.iiin.;r, .,,ir. MARTIN VASQUEZ I :.- .r.-.i Hu .arnd S AMENDED NOTICE OF ACTION DISSOLUTION OF MARRIAGE TO: re I.... .1 :. Ur- ri'.:TII, ir,.3r a Petition for Dissolution of l.3r.l ,, 3 T. ,ai -'.r.. i.i.3 r,- arairng. ir I e at:' - l .:,r J ,' 1.3 r ..quir.1 I.:. :,r.- .J3 C,:., ,,.',j inT -, i'rr. : 1 r., I, n :.r, I r-', ri 'i'ELL E.-,ji'i -, F:. t', ',".i 'lo,,.roa,'. S. >..'i-. Ir,- o31.-.rr, r.:- ir,- I . iil:r,.' n or before February 17. 2006 *,-.. 11 ire :.rirn.3 ..ir ir.- '1i.-i ,:.i rr,. '- :.jurt before service on the Petitioner or Immediately thereafter, If you fall to do so, a default may be entered. against you for the re- lief demanded in the Petition. Copies of all documents In this case, Including orders, are available at the Clerk of the Circuit Court's office. You may review these documents upon request. You must keep. the. Clerk of the Court's office notified of your current address. Future papers In this lawsuit will .be mailed to the 31,-D... .:r. .e-: ,r at the Clerk's Of- fice. Tr.i: i r ..- a i.:ii. :.r. i'.- I..1'jihi..- of Marriage. This case Is :: .rg ii-.: ir. ir, IC I.:-.ji 'c..j,1 of the Fifth Judicial Cir- cuit In and for Marion County, located at 110 N.W. 1st Ave., C-.:cora i. 3i". The telephone-number of the DIvlslor .: ir,4 *. i.:",1r Court where the petition Is filed Is 352-620-3905. Dated: January 10, 2006. DAVID R. ELLSPERMANN Clerk of the Circuit Court By. C. Dear, Deputy Clerk Published four (4) times In the Citrus County Chronicle, January 24 and 31, February 7 and 14, 2006. 546-0229 TUCRN Notice of Action for Custody Friery/Keene PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT IN AND FOR CITRUS COUNTY. FLORIDA Case No.: 2006-DR-403 THOMAS FRIERY, Petitioner and APRIL KEENE Respondent. NOTICE OF ACTION FOR CUSTODY TO: APRIL M. KEENE, Last Known Address: UNKNOWN YOU ARE NOTIFIED that an action has been filed against you and that you are required to serve a copy of your written defenses, If any, to It on THOMAS FRIERY, whose address Is 1829 Andromedae Drive. Citrus Springs, FL 34434, on or before March 9, 2006, and file the original with the Clerk of this Court at Citrus County Courthouse, 31,2006. Betty Strlfler CLERK OF THE CIRCUIT COURT By: /s/ M. A. Michel, Deputy Clerk Published four (4) times In the Citrus County Chronicle, February 7, 14,21 and 28, 2006, I All creditors of the dece-iquidated claims, must file their claims with this Court WITHIN THREE (3) MONTHS AFTER THE .DATE OF THE FIRST PUBLICATION OF THIS NOTICE. ALL CLAIMS NOT SO FILED WILL BE FOREVER BARRED. The date of first publica- tion of this Notice is Feb- ruary 7, 2006. Personal Representative: KEVIN REESE 5721 S. Calgary Terrace r.rFl,.rldo 34452 Per:orna.i le-r ::er.l.. i BRUCE CARNEY. ESQUIRE Camey & Associates. P A. V".'C5 W .-urll 1. Lk H.',, C e . '.r, .11 ri.i.'i oi 3,%j0 34429. Frll.r,- 3 t,.-:., .'i rimes in ir.e ':nrs: Cc.u.r, Chroni- c e Ft-.rua.i, -" ,nd 14, CITRUS COUNTY (FPL) CHRONIC 2006 NISSAN ALTIMA AUTOMATIC TRANSMISSION, CD PLAYER, POWER WINDOWS & LOCKS, CRUISE & MORE 2 OR MORE AVAILABLE AT THIS PRICE AND PAYMENT PERONTH MONTH 2006 NISSAN TITAN MODEL 31516 V-8, AUTOMATIC TRANSMISSION, AIR CONDITIONING, CD PLAYER, SPORT WHEELS $ " PER MONTH 2 OR MORE AVAILABLE AT THIS PRICE AND PAYMENT 2006 NISSAN SENTRA '2006 NISSAN FRONTIER MODEL 42156 MODEL 13216 $11,305- 189MTH 2 OR MORE AVAILABLE AT THIS PRICE AND PAYMENT 2006 NISSAN MURANO MODEL 09216 9PER $ 299EMONTH 2 OR MORE AVAILABLE AT THIS PAYMENT S16,558 19 ET . I. 99 'ii MONTH 2 OR MORE AVAILABLE AT THIS PRICE AND PAYMENT 2006 NISSAN PATHFINDER MODEL 07216 PER 5299 2OR MORE AVAILABLE AT THIS PAYMONTH 2 OR MORE AVAILABLE AT THIS PAYMENT 2006 NISSAN XTERRA MODEL 04766 18,473 299MONTH 2 OR MORE AVAILABLE AT THIS PRICE AND PAYMENT 2006 NISSAN ARMADA MODEL 49216 ~2 O RV L PER $399 MONTH 2 OR MORE AVAILABLE AT THIS PAYMENT NEW CAR '02 XTERRA 12,050 $204MONTH. '02 ALTIMA $11,750 1i99:ONTH* '99 SENTRA ONLY $4,475 TRADE-INS! '01 SENTRA s6,250 116 PMONTH* '02 QUEST s11,325 192MONTH. '00 ALTIMA ONLY $7,225 NEW CAR '03 FRONTIER $9,925 $168 RNTH* '02 MAXIMA '13,250 $225MONTH* '99 QUEST ONLY S6,225 TRADE-INS! '02 PATHFINDER $12,950 $22 0MNTH* '04 XTERRA $13,250 $225.MONTH* '98 FRONTIER ONLY $4,450 OPEN 'TIL OCALANISSAN P.M. (A) '998 DUE AT SIGNING. 39 MONTH, 39,000 MILE LEASE, 18 PER MILE OVER.(F) 3,459 DUE AT SIGNING. 39 MONTH, 39,000 MILE LEASE, 18* PER MILE OVER. (M) '831 DUE AT 2200 SR 200 OCALA SIGNING. 42 MONTH, 42,000 MILE LEASE, 185 PER MILE OVER. (P) '962 DUE AT SIGNING. 39 MONTH, 39,000 MILE LEASE, 184 PER MILE OVER. (T) 2,260 DUE AT SIGNING. 48 MONTH, 48,000 MILE LEASE, 18 PER MILE OVER. (AR) '3,686 DUE AT SIGNING. 48 MONTH, 48,000 MILE LEASE, 150 PER MILE OVER. (X) '1,234 DUE AT SIGNING. 60 MONTH, 60,000 MILE (352)622-4 1 1 LEASE, 150 PER MILE OVER. (72) AND 72 MONTHS @ 8.25% APR, W.A.C. ALL PRICES PLUS TAX, TAG AND '195 DEALER FEE. $ 2 wAMA"'-T7- - - I uEsIAY, VhFjKuARY 7, 2006 Contact Us | Permissions | Preferences | Technical Aspects | Statistics | Internal | Privacy Policy © 2004 - 2010 University of Florida George A. Smathers Libraries.All rights reserved. Acceptable Use, Copyright, and Disclaimer Statement Last updated October 10, 2010 - - mvs | http://ufdc.ufl.edu/UF00028315/00403 | CC-MAIN-2014-41 | refinedweb | 88,780 | 77.74 |
(fixed the subject line again..) > On Dec 19, 2015, at 17:57, Mark Johnston <ma...@freebsd.org> wrote: > > On Sat, Dec 19, 2015 at 05:03:51PM -0800, NGie Cooper wrote: >> Hi Mark, >> I ran into the following error when trying to build the dtrace tests on >> i386 (both with 10.2-RELEASE-p7 and 11.0-CURRENT) — have you seen this issue >> before? > > Yes, that's because drti.o in stable/10 depends on libelf. The change > which removes the libelf dependency shouldn't be MFCed because it breaks > compatibility. When building an MFCed test suite on stable/10, you'll > need to link the test programs against libelf. When building current on > stable/10, dtrace(1) should use the drti.o from the objdir rather than > the installed base. The diff below should solve these two problems. > > diff --git a/cddl/usr.sbin/dtrace/tests/dtrace.test.mk > b/cddl/usr.sbin/dtrace/tests/dtrace.test.mk > index 0c528ef..dcec33a 100644 > --- a/cddl/usr.sbin/dtrace/tests/dtrace.test.mk > +++ b/cddl/usr.sbin/dtrace/tests/dtrace.test.mk > @@ -30,6 +30,8 @@ SRCS.${prog}+= ${prog:S/.exe$/.c/} > > .if exists(${prog:S/^tst.//:S/.exe$/.d/}) > SRCS.${prog}+= ${prog:S/^tst.//:S/.exe$/.d/} > +LDADD.${prog}+= -lelf > +DPADD.${prog}+= ${LIBELF} > .endif > .endfor > > diff --git a/share/mk/sys.mk b/share/mk/sys.mk > index 8fe6b68..1eeb0b9 100644 > --- a/share/mk/sys.mk > +++ b/share/mk/sys.mk > @@ -128,7 +128,7 @@ CXXFLAGS ?= > ${CFLAGS:N-std=*:N-Wnested-externs:N-W*-prototypes:N-Wno-pointer-sig > PO_CXXFLAGS ?= ${CXXFLAGS} > > DTRACE ?= dtrace > -DTRACEFLAGS ?= -C -x nolibs > +DTRACEFLAGS ?= -C -x nolibs -x libdir=${.OBJDIR}/cddl/lib/drti > > .if empty(.MAKEFLAGS:M-s) > ECHO ?= echo
I was still running into this issue with the dtrace testcases on CURRENT. Once I cleaned out the directories (cddl/…) with make cleandir, things worked — huh… it seems like things are broken in the build system in subtle ways based on this issue and the other libkvm weirdness with rescue/rescue :/.. Thanks, -NGie _______________________________________________ freebsd-current@freebsd.org mailing list To unsubscribe, send any mail to "freebsd-current-unsubscr...@freebsd.org" | https://www.mail-archive.com/freebsd-current@freebsd.org/msg163682.html | CC-MAIN-2019-04 | refinedweb | 355 | 62.54 |
This site uses strictly necessary cookies. More Information
First of all i am a super noob :)Ok to dumb it down i have a Main menu scene, in this scene i have 1 Menu_Avatar (a simple cube) that spins and when i click the start button my avatar shoots off (using Rigidbody addforce/torque). Now i decided i want 3 objects to do the exact same thing at the same time when i quit the game so i now have 3 Quit_Avatars, I Duplicate my Menu_Avatar_Movement script and Name it Quit_Avatar_Movement making sure to rename all the classes and stuff so its all unique with no Conflicts/Errors.So i add my script component to all 3 avatars and Individually link each Ridgedbody component to their corresponding script component. Now running the game all Quit_Avatars correctly spin using code within void FixedUpdate But when i use the Quit button or my "debug key" to call Public void QuitForce() Only 1 of the Avatars actually execute the code in the script??This is my Code for reference:
public class Quit_Avatar_Movement : MonoBehaviour
{
#region References & Values
public Rigidbody Rb;
public float YRoteForce = 200f;
public float ZBlastForce = 3500f;
public float BlastRoteForce = 200f;
public bool IsAvatarFrzn = true;
#endregion
#region Fixed Update
// Update is called once per frame
void FixedUpdate()
{
//Spins Quit_Avatar When its frozen in place
if (IsAvatarFrzn == true)
{
Rb.AddTorque(0, YRoteForce * Time.fixedDeltaTime, 0, ForceMode.VelocityChange);
//Fixed Update seems to work correctly on all Avatars
}
}
#endregion
public void QuitForce() //Is Called Using "FindObjectOfType<Quit_Avatar_Movement>().QuitForce();" When Quit Button Is Pressed
{
Debug.Log("QuitForce Called");
IsAvatarFrzn = false;
Rb.constraints = RigidbodyConstraints.None;
Rb.angularDrag = 0;
Rb.AddForce(0, 0, -ZBlastForce * Time.fixedDeltaTime, ForceMode.VelocityChange);
Rb.AddTorque(-BlastRoteForce * Time.fixedDeltaTime, 0, 0, ForceMode.VelocityChange);
Rb.AddTorque(0, -BlastRoteForce * Time.fixedDeltaTime, 0, ForceMode.VelocityChange);
//This whole "fucntion" (if thats the right term to use) Only affects 1 Avatar?
}
}
Answer by lcplrice
·
May 21, 2020 at 06:07 AM
With your comment next to QuitForce() method I think you maybe using the incorrect find method.
Instead of FindObjectOfType use FindObjectsOfType (Notice Objects instead of Object).
Try this when quit button is pressed:
var quit_avatars = FindObjectsOfType<Quit_Avatar_Movement>();
foreach (var quit_avatar in quit_avatars)
{
quit_avatar.Quit
820 People are following this question.
script doesnt work
1
Answer
Visual Studio 2017 and Unity 2019 not communicating?
1
Answer
Need help to generate a random assortment of 4 buttons - C#
0
Answers
How can i move object between two positions ?
1
Answer
How can i wait StartCoroutine to be finished in one script before starting a second script ?
1
Answer
EnterpriseSocial Q&A | https://answers.unity.com/questions/1732492/how-to-use-1-script-on-multiple-objects-in-my-case.html | CC-MAIN-2021-25 | refinedweb | 430 | 55.24 |
Getting started¶ prefer.
Just remember to have fun, make mistakes, and persevere.
Where to write¶
Jupyter notebooks combine code, markdown, and more in an interactive setting. They are an excellent tool for learning, collaborating, experimenting, or documenting. Notebooks can run on your local machine, and MyBinder also serves Jupyter notebooks to the browser without the need for anything on the local computer. For example, MyBinder Elegant Scipy provides an interactive tutorial.
Jupyter runs by calling to IPython behind the scenes, but IPython itself also acts as a standalone tool. A command-line of individual statements and returned values, IPython is useful for debugging and experimenting.
Code Editors and IDEs (Integrated Development Environments) facilitate the writing of scripts, packages, and libraries. These tools handle projects, like SciPy itself, that start to grow larger and more complicated. Separate files can hold frequently used functions, types, variables, and analysis scripts for simpler, more maintainable, and more reusable code.
Code editors run from minimal, like Window’s Notepad, to the fully-featured and customizable, like Atom , Visual Studio Code , or PyCharm. Features include syntax highlighting, the ability to execute code, debugging tools, autocompletion, and project management.
Hello SciPy¶
Need to test if the packages got installed? Type these lines at an IPython
prompt, or save in a
*.py file to execute:
import numpy as np print("I like ", np.pi)
For testing the SciPy library and Matplotlib, here’s a fun Easter egg:
from scipy import misc import matplotlib.pyplot as plt face = misc.face() plt.imshow(face) plt.show()
Start learning¶
Each package has official tutorials:
Additional outside tutorials exist, such as the Scipy Lecture Notes or Elegant SciPy .
But the best way to learn is to start coding.
Stuck? Need help?¶
Getting errors that you can’t figure out?
Start by looking at the error message. Yes, error messages are often intimidating and filled with technical detail. However, they can often help pinpoint the exact location in code where things go wrong. This is often most of the battle.
Unsure of how to use a particular function? In Jupyter and the IPython shell, call up documentation with:
import numpy as np np.linspace?
or for viewing the source:
import numpy as np np.linspace??
? works on both functions and variables:
a = "SciPy is awesome ;)" a?
Try searching the Internet and sites like StackOverflow to see if others have encountered similar problems or can help with yours.
If you think you have truly encountered a problem with SciPy itself, read the page on Reporting Bugs. | https://scipy.org/getting-started.html | CC-MAIN-2021-17 | refinedweb | 422 | 58.08 |
Android Alarm Tutorial and Examples.
Let's look at some examples.
AlarmManager is a class that allows us create alarms. Alarms allow our apps to schedule specific codes to be executed at certain times in the future.
public class AlarmManager extends Object{}
It's better and more efficient to use AlarmManager class to create alarms for scheduling than using something like a timer.
AlarmManager provides to us the access to system alarm services, so it's not like we are going to invent our scheduling algorithms.
AlarmManager is mostly used together with BroadcastReceivers. Here's how it works:
How to make a repeating alarm with cancellation. The alarm can ring even if the activity is not started.
One of those mobile-like software applications is the Alarm. Or any app that can schedule something to happen in the future. This is even more important in mobile devices than in desktop applications.
Because we never leave or power off our mobile devices. They are our personal assistants. So we use them in more personal ways than we would ever do with desktop applications.
So Android provides us a rich class called AlarmManager. A class that allows us access system services. The class is obviously public and derives from
java.lang.Object.
Best Regards, Oclemy. | https://camposha.info/android/alarm | CC-MAIN-2019-04 | refinedweb | 213 | 60.51 |
The Cache Component
The Cache Component¶
The Cache component provides features covering simple to advanced caching needs. It natively implements PSR-6 and the Cache Contracts for greatest interoperability. It is designed for performance and resiliency, ships with ready to use adapters for the most common caching backends. It enables tag-based invalidation and cache stampede protection via locking and early expiration.
Tip
The component also contains adapters to convert between PSR-6, PSR-16 and Doctrine caches. See Adapters For Interoperability between PSR-6 and PSR-16 Cache and Doctrine Cache Adapter.
Installation¶
Note
If you install this component outside of a Symfony application, you must
require the
vendor/autoload.php file in your code to enable the class
autoloading mechanism provided by Composer. Read
this article for more details.
Cache Contracts versus PSR-6¶
This component includes two different approaches to caching:
- PSR-6 Caching:
- A generic cache system, which involves cache “pools” and cache “items”.
- Cache Contracts:
- A simpler yet more powerful way to cache values based on recomputation callbacks.
Tip
Using the Cache Contracts approach is recommended: it requires less code boilerplate and provides cache stampede protection by default.
Cache Contracts¶
All adapters support the Cache Contracts. They contain only two methods:
get() and
delete(). There’s no
set() method because the
get()
method both gets and sets the cache values.
The first thing you need is to instantiate a cache adapter. The
Symfony\Component\Cache\Adapter\FilesystemAdapter is used in this
example:
use Symfony\Component\Cache\Adapter\FilesystemAdapter; $cache = new FilesystemAdapter();
Now you can retrieve and delete cached data using this object. The first
argument of the
get() method is a key, an arbitrary string that you
associate to the cached value so you can retrieve it later. The second argument
is a PHP callable which is executed when the key is not found in the cache to
generate and return the value:
use Symfony\Contracts\Cache\ItemInterface; //');
Note
Use cache tags to delete more than one key at the time. Read more at Cache Invalidation.
Stampede Prevention¶
The Cache Contracts also come with built in Stampede prevention. This will remove CPU spikes at the moments when the cache is cold. If an example application spends 5 seconds to compute data that is cached for 1 hour and this data is accessed 10 times every second, this means that you mostly have cache hits and everything is fine. But after 1 hour, we get 10 new requests to a cold cache. So the data is computed again. The next second the same thing happens. So the data is computed about 50 times before the cache is warm again. This is where you need stampede prevention.
The first solution is to use locking: only allow one PHP process (on a per-host basis) to compute a specific key at a time. Locking is built-in by default, so you don’t need to do anything beyond leveraging the Cache Contracts.
The second solution is also built-in when using the Cache Contracts: instead of
waiting for the full delay before expiring a value, recompute it ahead of its
expiration date. The Probabilistic early expiration algorithm randomly fakes a
cache miss for one user while others are still served the cached value. You can
control its behavior with the third optional parameter of
get(),
which is a float value called “beta”.
By default the beta is
1.0 and higher values mean earlier recompute. Set it
to
0 to disable early recompute and set it to
INF to force an immediate
recompute:
use Symfony\Contracts\Cache\ItemInterface; $beta = 1.0; $value = $cache->get('my_cache_key', function (ItemInterface $item) { $item->expiresAfter(3600); $item->tag(['tag_0', 'tag_1']); return '...'; }, $beta);
Available Cache Adapters¶
The following cache adapters are available:
Generic Caching (PSR-6)¶
To use the generic PSR-6 Caching abilities, you’ll need to learn its key concepts:
- Item
- A single unit of information stored as a key/value pair, where the key is the unique identifier of the information and the value is its contents; see the Cache Items article for more details.
- document. Before starting to cache information,
create the cache pool using any of the built-in adapters. For example, to create
a filesystem-based cache, instantiate.
Marshalling (Serializing) Data¶
Note
Marshalling and serializing are similar concepts. Serializing is the process of translating an object state into a format that can be stored (e.g. in a file). Marshalling is the process of translating both the object state and its codebase into a format that can be stored or transmitted.
Unmarshalling an object produces a copy of the original object, possibly by automatically loading the class definitions of the object.
Symfony uses marshallers (classes which implement
Symfony\Component\Cache\Marshaller\MarshallerInterface) to process
the cache items before storing them.
The
Symfony\Component\Cache\Marshaller\DefaultMarshaller uses PHP’s
serialize() or
igbinary_serialize() if the Igbinary extension is installed.
There are other marshallers that can encrypt or compress the data before storing it:
use Symfony\Component\Cache\Adapter\RedisAdapter; use Symfony\Component\Cache\DefaultMarshaller; use Symfony\Component\Cache\DeflateMarshaller; $marshaller = new DeflateMarshaller(new DefaultMarshaller()); $cache = new RedisAdapter(new \Redis(), 'namespace', 0, $marshaller);
This work, including the code samples, is licensed under a Creative Commons BY-SA 3.0 license. | https://symfony.com/doc/6.0/components/cache.html | CC-MAIN-2021-31 | refinedweb | 880 | 54.32 |
import "secondbit.org/pastry"
Package wendy implements a fault-tolerant, concurrency-safe distributed hash table.
Wendy is a package to help make your Go programs self-organising. It makes communicating between a variable number of machines easy and reliable. Machines are referred to as Nodes, which create a Cluster together. Messages can then be routed throughout the Cluster.
Getting your own Cluster running is easy. Just create a Node, build a Cluster around it, and announce your presence.
hostname, err := os.Hostname() if err != nil { panic(err.Error()) } id, err := wendy.NodeIDFromBytes([]byte(hostname+" test server")) if err != nil { panic(err.Error()) } node := wendy.NewNode(id, "your_local_ip_address", "your_global_ip_address", "your_region", 8080) credentials := wendy.Passphrase("I <3 Gophers.") cluster := wendy.NewCluster(node, credentials) go func() { defer cluster.Stop() err := cluster.Listen() if err != nil { panic(err.Error()) } }() cluster.Join("ip of another Node", 8080) // ports can be different for each Node select {}
Credentials are an interface that is used to control access to your Cluster. Wendy provides the Passphrase implementation, which limits access to Nodes that set their Credentials to the same string. You can feel free to make your own--the only requirements are that you return a slice of bytes when the Marshal() function is called and that you return a boolean when the Valid([]byte) function is called, which should return true if the supplied slice of bytes can be unmarshaled to a valid instance of your Credentials implementation AND that valid instance should be granted access to this Cluster.
doc.go leafset.go neighborhood.go node.go nodeid.go wendy.go cluster.go message.go table.go
const ( NODE_JOIN = byte(iota) // Used when a Node wishes to join the cluster NODE_EXIT // Used when a Node leaves the cluster HEARTBEAT // Used when a Node is being tested STAT_DATA // Used when a Node broadcasts state info STAT_REQ // Used when a Node is requesting state info NODE_RACE // Used when a Node hits a race condition NODE_REPR // Used when a Node needs to repair its LeafSet NODE_ANN // Used when a Node broadcasts its presence )
const ( LogLevelDebug = iota LogLevelWarn LogLevelError )
type Application interface { OnError(err error) OnDeliver(msg Message) OnForward(msg *Message, nextId NodeID) bool // return False if Wendy should not forward OnNewLeaves(leafset []*Node) OnNodeJoin(node Node) OnNodeExit(node Node) OnHeartbeat(node Node) }
Application is an interface that other packages can fulfill to hook into Wendy.
OnError is called on errors that are even remotely recoverable, passing the error that was raised.
OnDeliver is called when the current Node is determined to be the final destination of a Message. It passes the Message that was received.
OnForward is called immediately before a Message is forwarded to the next Node in its route through the Cluster. The function receives a pointer to the Message, which can be modified before it is sent, and the ID of the next step in the Message's route. The function must return a boolean; true if the Message should continue its way through the Cluster, false if the Message should be prematurely terminated instead of forwarded.
OnNewLeaves is called when the current Node's leafSet is updated. The function receives a dump of the leafSet.
OnNodeJoin is called when the current Node learns of a new Node in the Cluster. It receives the Node that just joined.
OnNodeExit is called when a Node is discovered to no longer be participating in the Cluster. It is passed the Node that just left the Cluster. Note that by the time this method is called, the Node is no longer reachable.
OnHeartbeat is called when the current Node receives a heartbeat from another Node. Heartbeats are sent at a configurable interval, if no messages have been sent between the Nodes, and serve the purpose of a health check.
type Cluster struct { // contains filtered or unexported fields }
Cluster holds the information about the state of the network. It is the main interface to the distributed network of Nodes.
func NewCluster(self *Node, credentials Credentials) *Cluster
NewCluster creates a new instance of a connection to the network and intialises the state tables and channels it requires.
func (c *Cluster) GetIP(node Node) string
GetIP returns the IP address to use when communicating with a Node.
func (c *Cluster) ID() NodeID
ID returns an identifier for the Cluster. It uses the ID of the current Node.
func (c *Cluster) Join(ip string, port int) error
Join expresses a Node's desire to join the Cluster, kicking off a process that will populate its child leafSet, neighborhoodSet and routingTable. Once that process is complete, the Node can be said to be fully participating in the Cluster.
The IP and port passed to Join should be those of a known Node in the Cluster. The algorithm assumes that the known Node is close in proximity to the current Node, but that is not a hard requirement.
func (c *Cluster) Kill()
Kill shuts down the local connection to the Cluster, removing the local Node from the Cluster and preventing it from receiving or sending further messages.
Unlike Stop, Kill immediately disconnects the Node without sending a message to let other Nodes know of its exit.
func (c *Cluster) Listen() error
Listen starts the Cluster listening for events, including all the individual listeners for each state sub-object.
Note that Listen does *not* join a Node to the Cluster. The Node must announce its presence before the Node is considered active in the Cluster.
func (c *Cluster) NewMessage(purpose byte, key NodeID, value []byte) Message
func (c *Cluster) RegisterCallback(app Application)
RegisterCallback allows anything that fulfills the Application interface to be hooked into the Wendy's callbacks.
func (c *Cluster) Route(key NodeID) (*Node, error)
Route checks the leafSet and routingTable to see if there's an appropriate match for the NodeID. If there is a better match than the current Node, a pointer to that Node is returned. Otherwise, nil is returned (and the message should be delivered).
func (c *Cluster) Send(msg Message) error
Send routes a message through the Cluster.
func (c *Cluster) SendToIP(msg Message, address string) error
SendToIP sends a message directly to an IP using the Wendy networking logic.
func (c *Cluster) SetHeartbeatFrequency(freq int)
SetHeartbeatFrequency sets the frequency in seconds with which heartbeats will be sent from this Node to test the health of other Nodes in the Cluster.
func (c *Cluster) SetLogLevel(level int)
SetLogLevel sets the level of logging that will be written to the Logger. It will be mirrored to the child routingTable and leafSet.
Use wendy.LogLevelDebug to write to the most verbose level of logging, helpful for debugging.
Use wendy.LogLevelWarn (the default) to write on events that may, but do not necessarily, indicate an error.
Use wendy.LogLevelError to write only when an event occurs that is undoubtedly an error.
func (c *Cluster) SetLogger(l *log.Logger)
SetLogger sets the log.Logger that the Cluster, along with its child routingTable and leafSet, will write to.
func (c *Cluster) SetNetworkTimeout(timeout int)
SetNetworkTimeout sets the number of seconds before which network requests will be considered timed out and killed.
func (c *Cluster) Stop()
Stop gracefully shuts down the local connection to the Cluster, removing the local Node from the Cluster and preventing it from receiving or sending further messages.
Before it disconnects the Node, Stop contacts every Node it knows of to warn them of its departure. If a graceful disconnect is not necessary, Kill should be used instead. Nodes will remove the Node from their state tables next time they attempt to contact it.
func (c *Cluster) String() string
String returns a string representation of the Cluster, in the form of its ID.
type Credentials interface { Valid([]byte) bool Marshal() []byte }
Credentials is an interface that can be fulfilled to limit access to the Cluster.
type IdentityError struct { Action string Preposition string Container string }
IdentityError represents an error that was raised when a Node attempted to perform actions on its state tables using its own ID, which is problematic. It is its own type for the purposes of handling the error.
func (e IdentityError) Error() string
Error returns the IdentityError as a string and fulfills the error interface.
type InvalidArgumentError string
InvalidArgumentError represents an error that is raised when arguments that are invalid are passed to a function that depends on those arguments. It is its own type for the purposes of handling the error.
func (e InvalidArgumentError) Error() string
type Message struct { Purpose byte Sender Node // The Node a message originated at Key NodeID // The message's ID Value []byte // The message being passed Credentials []byte // The Credentials used to authenticate the Message LSVersion uint64 // The version of the leaf set, for join messages RTVersion uint64 // The version of the routing table, for join messages NSVersion uint64 // The version of the neighborhood set, for join messages Hop int // The number of hops the message has taken }
Message represents the messages that are sent through the cluster of Nodes
func (m *Message) String() string
String returns a string representation of a message.
type Node struct { LocalIP string // The IP through which the Node should be accessed by other Nodes with an identical Region GlobalIP string // The IP through which the Node should be accessed by other Nodes whose Region differs Port int // The port the Node is listening on Region string // A string that allows you to intelligently route between local and global requests for, e.g., EC2 regions ID NodeID // contains filtered or unexported fields }
Node represents a specific machine in the cluster.
func NewNode(id NodeID, local, global, region string, port int) *Node
NewNode initialises a new Node and its associated mutexes. It does *not* update the proximity of the Node.
func (self Node) GetIP(other Node) string
GetIP returns the IP and port that should be used when communicating with a Node, to respect Regions.
func (self Node) IsZero() bool
IsZero returns whether or the given Node has been initialised or if it's an empty Node struct. IsZero returns true if the Node has been initialised, false if it's an empty struct.
func (self *Node) LastHeardFrom() time.Time
func (self *Node) Proximity(n *Node) int64
Proximity returns the proximity score for the Node, adjusted for the Region. The proximity score of a Node reflects how close it is to the current Node; a lower proximity score means a closer Node. Nodes outside the current Region are penalised by a multiplier.
type NodeID [2]uint64
NodeID is a unique address for a node in the network.
func NodeIDFromBytes(source []byte) (NodeID, error)
NodeIDFromBytes creates a NodeID from an array of bytes. It returns the created NodeID, trimmed to the first 32 digits, or nil and an error if there are not enough bytes to yield 32 digits.
func (id NodeID) Base10() *big.Int
Base10 returns the NodeID as a base 10 number, translating each base 16 digit.
func (id NodeID) CommonPrefixLen(other NodeID) int
CommonPrefixLen returns the number of leading digits that are equal in the two NodeIDs.
func (id NodeID) Diff(other NodeID) *big.Int
Diff returns the difference between two NodeIDs as an absolute value. It performs the modular arithmetic necessary to find the shortest distance between the IDs in the (2^128)-1 item nodespace.
func (id NodeID) Digit(i int) byte
Digit returns the ith 4-bit digit in the NodeID. If i >= 32, Digit panics.
func (id NodeID) Equals(other NodeID) bool
Equals tests two NodeIDs for equality and returns true if they are considered equal, false if they are considered inequal. NodeIDs are considered equal if each digit of the NodeID is equal.
func (id NodeID) Less(other NodeID) bool
Less tests two NodeIDs to determine if the ID the method is called on is less than the ID passed as an argument. An ID is considered to be less if the first inequal digit between the two IDs is considered to be less.
func (id NodeID) MarshalJSON() ([]byte, error)
MarshalJSON fulfills the Marshaler interface, allowing NodeIDs to be serialised to JSON safely.
func (id NodeID) RelPos(other NodeID) int
RelPos uses modular arithmetic to determine whether the NodeID passed as an argument is to the left of the NodeID it is called on (-1), the same as the NodeID it is called on (0), or to the right of the NodeID it is called on (1) in the circular node space.
func (id NodeID) String() string
String returns the hexadecimal string encoding of the NodeID.
func (id *NodeID) UnmarshalJSON(source []byte) error
UnmarshalJSON fulfills the Unmarshaler interface, allowing NodeIDs to be unserialised from JSON safely.
type Passphrase string
Passphrase is an implementation of Credentials that grants access to the Cluster if the Node has the same Passphrase set
func (p Passphrase) Marshal() []byte
func (p Passphrase) Valid(supplied []byte) bool
type StateMask struct { Mask byte Rows []int Cols []int }
Package wendy imports 16 packages (graph). Updated 2013-05-17. Refresh now. Tools for package owners. | http://godoc.org/secondbit.org/pastry | CC-MAIN-2014-10 | refinedweb | 2,162 | 61.06 |
A NxsReader that uses clone factories to read public blocks. More...
#include <nxspublicblocks.h>
A NxsReader that uses clone factories to read public blocks.
The blocks created by reading a file MUST BE DELETED by the caller (either by a call to DeleteBlocksFromFactories() or by requesting each pointer to a block and then deleting the blocks).
Blocks are created by cloning a template block. If you would like to alter the default behavior of a block, you can request a reference to the "template" NxsBlock of the appropriate type, modify it, and then parse the file.
You may give the reader "context" programatically by adding "Read" blocks (which will mimic the behavior of those blocks having appeared in the file itself.
Commands in Non-public blocks are dealt with by creating a NxsStoreTokensBlockReader to store the commands.
After parsing, the client can request the number of TAXA blocks read, and the number of CHARACTERS, TREES, ... blocks that refer to a particular taxa block.
NOT COPYABLE
Definition at line 281 of file nxspublicblocks.h. | http://phylo.bio.ku.edu/ncldocs/v2.1/funcdocs/classPublicNexusReader.html | CC-MAIN-2017-17 | refinedweb | 173 | 62.68 |
I am new to C++(please assume no C knowledge while answering).
I have just started learning about arrays and ran the following code :-
#include<iostream> using namespace std; int main(){ int arr_[10] ={1,2,3,4,5,6,7,8,9,0}; int i=0; while (i<4) { printf("Value of arr_[ %i ] = %i n",i ,arr_[i]); i++; } arr_[15] = 555; cout<<arr_[11]<<endl<<arr_[12]<<endl<<arr_[15]; return 0; }
I was expecting an error but to my surprise the program successfully compiled and ran to produce the following output :-
Value of arr_[ 0 ] = 648017456 Value of arr_[ 1 ] = 648017456 Value of arr_[ 2 ] = 648017456 Value of arr_[ 3 ] = 648017456 4 1 555
I tried the same program once again on another machine . It produced a different output:-
Value of arr_[ 0 ] = 1 Value of arr_[ 1 ] = 2 Value of arr_[ 2 ] = 3 Value of arr_[ 3 ] = 4 -1644508256 0 555
So here are my queries I want to resolve :-
If array size was fixed to 10 items how come I was able to add a value at the index number 15 ?
If arrays are contiguous blocks of assigned memory , then how come I was able to jump out and declare a value skipping indices?
From where do the output of values at index numbers 11 and 12 come from ?
Does that mean C++ does not check
ArrayOutOfIndexerrors like Java and Python ?
I later added following line to my code :-
cout<<endl<<sizeof(arr_)/sizeof(int); //to find number of items
which returned the number of Items in the array to be
10.
And this makes me horribly confused . I tried checking in books but could not find relevant
information or the terminology is too verbose to understand as a beginner and on web hunting
for such information proved to be too painful and went into vain.
Source: Windows Questions C++ | https://windowsquestions.com/2021/10/14/if-i-had-already-declared-the-size-and-initialize-the-array-in-this-c-snippet-how-is-this-code-running/ | CC-MAIN-2021-43 | refinedweb | 316 | 59.47 |
RECNO(3) BSD Programmer's Manual RECNO(3)
recno - record number database access method
#include <sys/types.h> #include <db.h>
The dbopen() routine is the library interface to database files. One of the supported file formats is record number files. The general descrip- tion'ing any of the following values: R_FIXEDLEN The records are fixed-length, not byte delimited. The structure element reclen specifies the length of the record, and the structure element bval is used as the pad character. Any records, inserted into the data- base, that are less than reclen bytes long are au- tomatically padded. R_NOKEY In the interface specified by dbopen(), the sequen- tial record retrieval fills in both the caller's key and data structures. If the R_NOKEY flag is speci- fied, the cursor routines are not required to fill in the key structure. This permits applications to re- trieve records at the end of files without reading all of the intervening records. R_SNAPSHOT This flag requires that a snapshot of the file be taken when dbopen() specified)(3) file, as if specified as the file name for a dbopen(3) of a btree(3) file. The data part of the key/data pair used by the recno access method is the same as other access methods. The key is different. The data field of the key should be a pointer to a memory loca- tion ex- plicitly specified each time the file is opened. In the interface specified by dbopen(), using the put interface to create a new record will cause the creation of multiple, empty records if the record number is more than one greater than the largest record currently in the database..
Only big and little endian byte order is supported. MirOS BSD #10-current August. | http://mirbsd.mirsolutions.de/htman/sparc/man3/recno.htm | crawl-003 | refinedweb | 295 | 63.19 |
Bummer! This is just a preview. You need to be signed in with a Basic account to view the entire video.
Debug Windows3:29 with Jeremy McLain and Justin Horner
We’ve set several breakpoints in our application, but what if we want to remove a few, or simply disable them? Luckily, Visual Studio ships with windows for managing breakpoints so we don’t have to remember where every breakpoint in our application is located.
Breakpoints Window
- Open the Breakpoints Window using the menu (Debug -> Windows -> Breakpoints) to show all the breakpoints set in the solution
- In a large application, the breakpoints window will be extremely helpful because it is the central place where breakpoints can be managed
Immediate Window
Sometimes we’ll want to create variables and call methods while debugging. We can use the Immediate Window to accomplish this.
- Open the Immediate Window via the menu (Debug > Windows > Immediate)
Call Stack Window
What if we’ve hit a breakpoint, but want to know what’s been executed previously? The Call Stack Window in Visual Studio will show us what’s been executed and will update as we step through code to different functions/methods.
- Open the Call Stack Window via the menu (Debug > Windows > Call Stack)
Bookmarks Window
While being able to navigate around our code using breakpoints is handy, you might want to be able to navigate code that you don’t necessarily want to debug. Managing enable/disable states for breakpoints you’re using simply to navigate is a bit overkill. Once again, Visual Studio has a mechanism that will allow us to set places just for the purpose of navigation called Bookmarks.
- Open the Bookmark Window via the menu (View -> Bookmark Window)
- The Bookmarks Window will allow you to set bookmarks on lines of code that you want to revisit later. You can also organize the bookmarks into virtual folders to keep track of the different areas they represent.
- 0:00
We've set several breakpoints in our application, but
- 0:03
what if we want to remove a few or simply disable them.
- 0:07
The Breakpoints window provides a central place to manage all of our breakpoints.
- 0:11
This is super helpful in a large project.
- 0:13
To open the breakpoints window, click Debug>Window and then Breakpoints.
- 0:19
Notice, that it has all of our breakpoints listed here.
- 0:23
From here, we're able to quickly navigate to every breakpoint location in our code
- 0:27
simply by double clicking the rows.
- 0:29
You might wanna keep a breakpoint by temporarily avoid hitting it when
- 0:32
debugging.
- 0:33
From this window,
- 0:34
you can use the checkboxes beside the breakpoints to enable or disable them.
- 0:38
Let's disable a bunch of these breakpoints now.
- 0:44
We can also create a special type of breakpoint from here called
- 0:47
a Function Breakpoint by clicking on the New button.
- 0:51
This Data Breakpoint type is only available when debugging C++ code
- 0:55
right now but we can create function breakpoints.
- 0:58
From here, we enter the name of the function.
- 1:01
This will cause the debugger to pause before entering any method named Prompt.
- 1:06
This is very helpful when debugging methods that might be overridden in
- 1:10
subclasses or when we want to break on all implementations of an interface.
- 1:14
This will cause the debugger to pause before running the base method or
- 1:18
any overridden methods.
- 1:20
I'll disable this right now.
- 1:24
Finally, I want to mention that from the Breakpoints window, you can export and
- 1:28
import sets of breakpoints.
- 1:30
That's the purpose of these two buttons up here.
- 1:33
This is one way to tell your fellow developers where exactly in the code
- 1:37
an issue can be found or if you need to switch to debugging an unrelated issue,
- 1:42
you can save off the breakpoints and then come back to them at a later time.
- 1:46
When a breakpoint is hit, we often want to know how the program got there.
- 1:51
That's the purpose of the Call Stack window.
- 1:53
This is one of the windows that's usually open when Visual Studio is in debug mode.
- 1:58
You can also open it by going to the debug windows menu.
- 2:02
Lets run the debugger until we hit one of these breakpoints here where we're setting
- 2:05
the song.name property.
- 2:12
We can look here on the Call Stack to see that we've stopped where we're setting
- 2:16
the Name property.
- 2:18
We can see that this is being called from within the AddSong method,
- 2:23
which in turn was called from the Main method.
- 2:27
To go to any one of these methods, we can just double click on them.
- 2:30
There are a bunch of options here when we right click on the call stack.
- 2:34
Here, we can change what is shown.
- 2:36
We can show or hide which assembly the method resides in or
- 2:39
we can also pick whether or not to show the parameter types, names and values.
- 2:44
This is helpful because the Call Stack can get quite full when everything is shown.
- 2:49
Notice that nothing calls the Main method or does it?
- 2:53
This is only showing code that is in this Visual Studio project.
- 2:58
We can see what calls the Main method by right-clicking and
- 3:01
clicking Show External Code.
- 3:08
You might be surprised to see that there are so
- 3:10
many things involved with starting your program.
- 3:13
Calling Main isn't the only place we run into external code.
- 3:16
We see it all the time when using code that's calling our code.
- 3:20
Such as in web applications or other types of software frameworks.
- 3:24
It's sometimes helpful to take a deeper look into the Call Stack to understand how
- 3:28
things are working. | https://teamtreehouse.com/library/debug-windows | CC-MAIN-2018-13 | refinedweb | 1,049 | 69.52 |
DESCRIPTION
Objective-
If the button is pressed, LED will turn ON and will turn OFF on releasing the button.
While assigning a pin as an input, always remember that we have to use Pull-up resistor. Pull-up resistor is just like a normal resistor, connected between the line (the input) and Vcc. So by default, it pulls the line high or you can say input is high (1).
Coming back to button, as you can see in the figure below, a 100k resistor is connected between Vcc and the line.
/>
Some insight into the Code:-
Check if button is pressed.. if (!(IOPIN0&(1<<0))) // if the button is pressed { IOSET0 |= (1<<1); // turn on green LED } The '!' sign in the if statement is also called 'not equal to'. So the if statement goes like this- if Port0.0 is not equal to 1, do the following.
CODE
#include <lpc214x.h> int main () { PINSEL0 = 0; // setting PINSEL as normal GPIO IODIR0 |= (0<<0)|(1<<1)|(1<<2); //setting pin 0 as input and pin 1 and 2 a o/p while (1) { if (!(IOPIN0&(1<<0))) // if the button is pressed { IOSET0 |= (1<<1); // turn on green LED IOCLR0 |= (1<<2); // turn off red LED } else { IOSET0 |= (1<<2); // turn on red LED IOCLR0 |= (1<<1); // turn off green LED } } }
RESULT
Initially, when button is not pressed, RED led is on and green is off.
After button is pressed, RED led is off and GREEN led is on | https://controllerstech.com/input-button-in-lpc2148/ | CC-MAIN-2019-51 | refinedweb | 248 | 80.21 |
go to bug id or search bugs for
Description:
------------
The `iterable` pseudo-type has been introduced for a while and is very useful. While `array_*()` core functions are still doesn't support `iterable` as argument and works with `array` only. Obviously, I'm talking about `array_map()/array_column()/array_diff(),array_chunk()/array_combine()…` which don't change an argument by pointer.
Sorry, don't know C, so it's just an idea :)
Add a Patch
Add a Pull Request
This is something I'd love to see implemented, but, I don't know if we should change the `array_*` functions. By they starting with "array_", we presume that one of the arguments is gonna be an array, not an iterable.
I can try to create POC within the next weeks and open for discussion on internals@ :)
Actually, these functions will still return an array as a result :) Also, I can't find any suitable name for such functions. `iterable_diff()`? Looks ugly. And array will still be the valid input.
Some comments that will likely arise:
* The single-pass functions (eg, map, column, chunk, combine) could benefit from this
* The more complicated functions (eg, diff) would need iterator_to_array
* iterator_apply would presumably be made an alias of array_map
* These functions can be called multiple times on arrays but not necessarily so on iterators
* What happens when the iterator is exhausted?
That last point is the main reason why this question tends to be resolved one way: using iterator_to_array is a benefit, not a hindrance, as it reminds the developer that the source was not a simple array that can be easily reused.
Personally, I think it is better to provide a namespace like `STD` and then, in that namespace, implement functions polyfilled for array. iterator and all possible foldable interfaces.
For that library, we can use an PHP implementation as the first release, and then make it to C and merge it to main PHP branch when the API seems stable, For a long time, we are in a lack of standard library with consistency.
Hi guys, is there any update on this proposal? It sounds reasonable, doesn't it?
Thanks! | https://bugs.php.net/bug.php?id=76865 | CC-MAIN-2020-45 | refinedweb | 356 | 55.17 |
Implicit conversion from list to array was removed in beta 8. For more details, see: 583.html For an easy workaround, you can use the technique mentioned here: 621.html --Bruce -----Original Message----- From: users-bounces at lists.ironpython.com [mailto:users-bounces at lists.ironpython.com] On Behalf Of Milman, Seth Sent: Friday, June 30, 2006 12:03 PM To: Discussion of IronPython Subject: [IronPython] list -> Array conversion in Beta 8 Hi, I just upgraded from Beta 7 to Beta 8 and I'm having a problem passing runtime lists to assembly functions that expect an array. In beta 7, the list went through function IronPython.Runtime.Converter.TryConvertToArray. In beta 8, it is passed to IronPython.Runtime.NewConverter.ConvertToArray. Beta 7 seemed to work, Beta 8 doesn't. Is this new behavior by design? If so, how should I work around it? Here is a repro: // C# Code Namespace mySpace { public class myClass { public static double SumArray( System.Double[] a ) { double sum = 0.0; foreach( double d in a ) { sum += d; } return sum; } } } # Python code ... L = [1.0, 2.0, 3.0] print myClass.SumArray( L ) In beta 7 it works. In beta 8, I get this exception trace: | https://mail.python.org/pipermail/ironpython-users/2006-June/002692.html | CC-MAIN-2019-18 | refinedweb | 201 | 60.92 |
MyClass becomes MyObjectTo get started you will need either Visual Studio 2008 or, if you just want to experiment, C# Express 2008. We could start with a non-WPF project to prove how “pure” we are, but this would waste a lot of time adding references and “usings”. So let’s start with a simple WPF Application. nested. It can have other constructors but these play no part in its working> </Window.
Name me that object. If you would like to see the generated C# code that does the instantiation then load the file called Window1.g.cs where you will discover that what happens boils down to:
internal WpfApplication1. MyClass MyObject1;…followed a few lines later by:
this.MyObject1 = ((WpfApplication1. MyClass)(target));Not exactly the way most of us would do it, but it serves a higher purpose!
As already mentioned, WPF classes inherit a Name property which can be used in place of x:Name. If a class doesn’t have a Name property then use x:Name, if it does use it, but don’t give your class a Name property unless it sets the name of the new object.
PropertiesAs with WPF objects in XAML we can set properties on custom objects. For example, if we add a trivial int property to MyClass:
public int MyProperty { get{return m_MyProperty;} set{m_MyProperty=value;} }.
A!
Implementing a type converterAs an alternative to using nested property syntax to set reference properties, we can opt to handle the conversion from the initialiser My>
Beyond initialisationSuppose.
Where next without the availability of a designer. Is it really so much better to instantiate objects declaratively with all of the type conversion and namespace problems this brings about? Even if you decide it isn’t, armed with the knowledge of the “bigger picture”, the way that XAML works with both WPF and Silverlight should be much easier to understand. You might even want to create custom designers for your own sub-space of XAML.
Ian Elliot is a development programmer with I/O Workshops Ltd, a consultancy which solves a wide range of real world problems. | http://www.developerfusion.com/article/84426/xaml-pure/ | CC-MAIN-2013-20 | refinedweb | 353 | 62.07 |
I published an image grid feature like Facebook uses to display pictures on a user’s wall for npm with React
In 2016, a client asked me to develop an image grid feature like Facebook uses to display pictures on a user’s wall.
The Facebook image grid has the following functionality:
- If we have two pictures, those should be equally divided into two columns
- For three pictures, there should be one in a row and two pictures in columns in another row.
- For four pictures, there should be one in a row and three pictures in columns in another row.
- For five pictures, two in the first row, three in the second row
- For more than five, it should display an overlay presenting the counts of additional images
I first built this feature on Angular 1.x. Since that time, I have worked primarily on React. Recently, in September 2018, I thought it would be worthwhile to develop a component and publish it on
npm for React so it would be easy for developers to use this feature in their own projects. I also had a few ideas for improvements to add in.
So, I developed a package and published it to
npm called
[react-fb-image-grid]().
Let me show you how to simply use this library and the features it has!
Install it
npm install react-fb-image-grid
or
yarn add react-fb-image-grid
Now?
Simply import the Component from the package and provide an
images prop to that.
import FbImageLibrary from 'react-fb-image-grid'<FbImageLibrary images={[]}/>
For e.g. you have your images in the array.
import fakeImage from '../assets/images/fakeImage.jpg' const images = ['', fakeImage]
Just provide this
images variable to the
images prop.
render() { return <FbImageLibrary images={images}/> }
and then check out the user interface, it will work like charm. Try decreasing or increasing the images!
With this, I’ve also introduced some new logical features (props), you can check out the documentation here. I’m here explaining only a single prop that could be used in other scenarios. A prop
countFrom that is used to tell the component to count the extra pictures from that number of picture. For instance, if somebody has multiple pictures, and he/she just wanna show the first one with the count of other remaining pictures just to show it’s an album consisting of multiple images. Let’s see how this is possible!
<FbImageLibrary images={images} countFrom={1}/>
In case of
<FbImageLibrary images={images} countFrom={3}/>
Finally, let me present you the logical code to develop this superstar feature (I’m just presenting the logic for the facebook griding logic, you can check out the whole source code from here)
So firstly, I created three methods in the component.
renderOne //return only a picture in a row
renderTwo //return two pictures in a row
renderThree //return three pictures in a row
then I rendered these methods on conditions
render(){ const { images } = this.props; return( <div> {[1, 3, 4].includes(imagesToShow.length) && this.renderOne()} {images.length >= 2 && images.length != 4 && this.renderTwo()} {images.length >= 4 && this.renderThree()} </div> ) }
So you can see only three lines are used as basic logic, let me explain that how I thought about this?
A single image is to be presented in the condition when we have a total of 1 image or 3 or 4 images!
{[1, 3, 4].includes(imagesToShow.length) && this.renderOne()}
Then I asked myself, where do we need two images in a single row, mind told me
- When you have a total of 2 images.
- When you have 3 images.
- When you have 5 or more images.
- But not for 4 images.
{images.length >= 2 && images.length != 4 && this.renderTwo()}
Then the same question I asked for 3 images in a single row, answer:
- When you have 4 or more images.
{images.length >= 4 && this.renderThree()}
Haha, you might be wondering how simple the logic was.
Many times we’re trying to fix the thing in a harder way but it could be done easily by trying different ways of thinking!
Hope, this article might help you to develop the logic as well!
You can check out the demo video of usage of this library here. | https://blog.crowdbotics.com/building-an-easy-to-use-facebook-image-grid-library-for-npm/ | CC-MAIN-2020-05 | refinedweb | 711 | 63.59 |
Running Python application with Phusion Passenger may be tricky. This article shows how to deploy a simple Flask to be run by Passenger with a properly set virtual environment.
Let's create a simple Flask application as
web.py
from flask import Flask app = Flask(__name__) @app.route("/") def index(): return 'Hello World in Flask' if __name__ == "__main__": app.run()
Check if it works
$ python web.py * Running on (Press CTRL+C to quit)
In a separate window
$ curl localhost:5000 Hello World in Flask
Create
python_wsgi.py in the root of your project.
import sys, os from web import app as application HOME = os.environ.get('HOME') VENV = HOME + '/.venv/app-virtual-env' PYTHON_BIN = VENV + '/bin/python3' if sys.executable != PYTHON_BIN: os.execl(PYTHON_BIN, PYTHON_BIN, *sys.argv) sys.path.insert(0, '{v}/lib/python3.5/site-packages'.format(v=VENV))
Virtual environments are stored in
$HOME/.venv with
app-virtual-env specified
as the one to be used by Phussion Passenger while running this application.
Create
public/ directory in the root of your application and adjust the Nginx
configuration with proper values for
server_name and
root.
server { listen 80; server_name app.example.com; root /path/to/your/app/public; passenger_enabled on; } | https://zaiste.net/posts/python-apps-phussion-passenger-flask/ | CC-MAIN-2021-39 | refinedweb | 202 | 53.37 |
Follow this Quick Tip to learn how to detect the Internet Browser and User Agent using AS3 and Flash.
Step 1: Brief Overview
We'll use TextFields and the help of ExternalInterface to retrieve the User Agent, through a JavaScript call, and display it in our SWF. With the User Agent stored, a simple search through the returned String will give us the Internet Browser.
Step 2: Set up Your Flash File
Launch Flash and create a new Flash Document, set the stage size to 400x200px and the frame rate to 24fps.
Step 3: Interface
This is the interface we'll be using, refer to the image above for the instance names. Recreate it yourself or simply use the Source FLA.
Step 4: ActionScript
Create a new ActionScript Class (Cmd+N), save the file as Main.as and start writing:
package { import flash.display.Sprite; import flash.external.ExternalInterface; import flash.events.MouseEvent; import fl.transitions.Tween; public class Main extends Sprite { private var userAgent:String; public function Main():void { more.addEventListener(MouseEvent.MOUSE_UP, showFull); browserTxt.text = getUserAgent(); letterpress.text = getUserAgent(); } private function getUserAgent():String { try { userAgent = ExternalInterface.call("window.navigator.userAgent.toString"); var browser:String = "[Unknown Browser]"; if (userAgent.indexOf("Safari") != -1) { browser = "Safari"; } if (userAgent.indexOf("Firefox") != -1) { browser = "Firefox"; } if (userAgent.indexOf("Chrome") != -1) { browser = "Chrome"; } if (userAgent.indexOf("MSIE") != -1) { browser = "Internet Explorer"; } if (userAgent.indexOf("Opera") != -1) { browser = "Opera"; } } catch (e:Error) { //could not access ExternalInterface in containing page return "[No ExternalInterface]"; } return browser; } private function showFull(e:MouseEvent):void { info.fullInfo.text = userAgent; var tween:Tween = new Tween(info,"y",null,info.y,180,0.5,true); } } }
An
ExternalInterface call to a JavaScript function will get the User Agent string and use the
indexOf() method to search for each browser's ID within that string; if the User Agent string contains the name of the browser you are looking for, you can assume that is the browser which the user is using. You can add a specific browser in this area. The more button will animate the info panel to the stage and reveal the full User Agent Information.
If the
ExternalInterface call fails, the try-catch statement will pick this up and return a simple error message to the text box. It may fail if the SWF is being run in standalone Flash Player, or if the containing webpage prohibits its use.
Step 5: Document Class
Remember to add the class name to the Class field in the Publish section of the Properties panel.
Step 6: Publish
In order to see the SWF in action (it can give you errors when testing in the IDE) you must open the file in the browser, you can press Shift+Cmd+F12 (File | Publish) to Publish a HTML file and then open it, or drag the SWF from your project folder to the browser to see the file working.
Conclusion
You can make specific changes to your application based on the browser and User Agent data obtained.
Be careful with this; using the user agent string is considered unreliable, as users can alter the contents of this string in various ways. Some browsers even have a feature that allows them to masquerade as other browsers by changing their own user agent string. It would be unwise to lock the user out of a site (or to only let them in to a site) based only on the user agent string.
I hope you liked this Quick Tip,<< | https://code.tutsplus.com/tutorials/quick-tip-detect-the-browser-and-user-agent-with-as3--active-7291 | CC-MAIN-2021-21 | refinedweb | 581 | 64.3 |
Suppose I have 2 classes like:
public class classA{
String test = "test";
classA(String t){
this.test = t;
}
}
public class classB{
@Inject classA class_a;
classB(){
}
public void doStuff(){
//do Stuff with class_a
}
}
this throws an exception:
org.jboss.weld.exceptions.DeploymentException: WELD-001408 Unsatisfied dependencies for type ....
Am I right asuming, that for the injection in classB to work there must be a default constructor explicitly declared in classA (since I explicitly defined a non-default one, basic java stuff..) ? Does this mean, i would have to move stuff like initialization into a separate public method?
I'm currently involved in migrating an application from Seam 2 to Seam 3 and there are a lot of classes that get instanciated with a parametrized constructor..
(This may be a very simple case but I don't quite get it, as I am learning Seam 3 from scratch..)
Since Seam3 is an extension to CDI I took a glimpse into the CDI spec. According to JSR-299 (CDI), 3.1.1 Which Java classes are managed beans?, the following conditions must apply:
...
* it has an appropriate constructor, either:
** the class has a constructor with no parameters, or
** the class declares a constructor annotated @Inject (Remark: as far as I know, a constructor that relies on injectable parameters)
...
From the example code above I believe that ýour classA does not meet the "constructor condition" and, as a consequence, is not tread as a managed bean, which makes it hard for WELD to resolve the @Inject classA statement in classB, resulting in the error message. So maybe a constructor with no parameters is the appropriate solution. I would also recommend to use the standard class naming convention which requires uppercase letters for the first letter of a class name: ClassA instead of classA.
As far as the "parametrized" constructors are concerned, they seem to need the @Inject annotation. In your case, the solution would probably be something like "class X { @Produces String testString = "test"; } class A {private String test; @Inject A(String s) { this.test = s; } }"... | https://developer.jboss.org/message/719819?tstart=0 | CC-MAIN-2016-50 | refinedweb | 342 | 60.45 |
The MATLAB API provides a full set of routines that handle the various data types supported by MATLAB. are located in the matlabroot/extern/examples/refbook directory. To build these examples, make sure you have a C compiler selected using the mex -setup command. Then at the MATLAB command prompt, type:
mex filename.c
where filename is the name of the example.
This section looks at source code for the examples. Unless otherwise specified, the term "MEX-file" refers to a source file.
Back to Top
Let's look at a simple example of C code and its MEX-file equivalent. Here is a C computational function that takes a scalar and doubles it:
#include <math.h> void timestwo(double y[], double x[]) { y[0] = 2.0*x[0]; return; }
To see the same function written in the MEX-file format (timestwo.c), open the file in the MATLAB Editor.
In C, function argument checking is done at compile time. In MATLAB, you can pass any number or type of arguments to your M-function, which is responsible for argument checking. This is also true for MEX-files. Your program must safely handle any number of input or output arguments of any supported type.
To compile and link this example, at the MATLAB prompt, type:
mex timestwo.c
This carries out the necessary steps to create the binary MEX-file called timestwo with an extension corresponding to the platform on which you're running. You can now call timestwo as if it were an M-function:
x = 2; y = timestwo(x) y = 4
You can create and compile MEX-files in MATLAB or at your operating system's prompt. MATLAB uses mex.m, an M-file version of the mex script, and your operating system uses mex.bat on Microsoft Windows systems and mex.sh on UNIX[1] systems. In either case, typing:
mex filename
at the prompt produces a compiled version of your MEX-file.
In the above example, scalars are viewed as 1-by-1 matrices. Alternatively, you can use a special API function called mxGetScalar that returns the values of scalars instead of pointers to copies of scalar variables (timestwoalt.c). To see the alternative code (error checking has been omitted for brevity), open the file in MATLAB Editor.
This example passes the input scalar x by value into the timestwo_alt subroutine, but passes the output scalar y by reference.
Back to Top
Any MATLAB type can be passed to and from MEX-files. The example revord.c accepts a string and returns the characters in reverse order. To see the example, open the file in MATLAB Editor.
In this example, the API function mxCalloc replaces calloc, the standard C function for dynamic memory allocation. mxCalloc allocates dynamic memory using the MATLAB memory manager and initializes it to zero. You must use mxCalloc in any situation where C would require the use of calloc. The same is true for mxMalloc and mxRealloc; use mxMalloc in any situation where C would require the use of malloc and use mxRealloc where C would require realloc.
The gateway routine mexFunction allocates memory for the input and output strings. Since these are C strings, they need to be one greater than the number of elements in the MATLAB string. Next the MATLAB string is copied to the input string. Both the input and output strings are passed to the computational subroutine (revord), which loads the output in reverse order. Note that the output buffer is a valid null-terminated C string because mxCalloc initializes the memory to 0. The API function mxCreateString then creates a MATLAB string from the C string, output_buf. Finally, plhs[0], the left-hand side return argument to MATLAB, is set to the MATLAB array you just created.
By isolating variables of type mxArray from the computational subroutine, you can avoid having to make significant changes to your original C code.
To build this example, at the command prompt type:
mex revord.c
Type:
x = 'hello world'; y = revord(x)
MATLAB displays:
The string to convert is 'hello world'. y = dlrow olleh
Back to Top
The plhs[] and prhs[] parameters are vectors that contain pointers to each left-hand side (output) variable and each right-hand side (input) variable, respectively. Accordingly, plhs[0] contains a pointer to the first left-hand side argument, plhs[1] contains a pointer to the second left-hand side argument, and so on. Likewise, prhs[0] contains a pointer to the first right-hand side argument, prhs[1] points to the second, and so on.
This example, xtimesy, multiplies an input scalar by an input scalar or matrix and outputs a matrix.
To build this example, at the command prompt type:
mex xtimesy.c
Using xtimesy with two scalars gives:
x = 7; y = 7; z = xtimesy(x,y) z = 49
Using xtimesy with a scalar and a matrix gives:
x = 9; y = ones(3); z = xtimesy(x,y) z = 9 9 9 9 9 9 9 9 9
To see the corresponding MEX-file C code xtimesy.c, open the file in the MATLAB Editor.
As this example shows, creating MEX-file gateways that handle multiple inputs and outputs is straightforward. All you need to do is keep track of which indices of the vectors prhs and plhs correspond to the input and output arguments of your function. In the example above, the input variable x corresponds to prhs[0] and the input variable y to prhs[1].
Note that mxGetScalar returns the value of x rather than a pointer to x. This is just an alternative way of handling scalars. You could treat x as a 1-by-1 matrix and use mxGetPr to return a pointer to x.
Back to Top
Passing Structures and Cell Arrays into MEX-files is just like passing any other data types, except the data itself is of type mxArray. In practice, this means that mxGetField (for structures) and mxGetCell (for cell arrays) return pointers of type mxArray. You can then treat the pointers like any other pointers of type mxArray, but if you want to pass the data contained in the mxArray to a C routine, you must use an API function such as mxGetData to access it.
This example takes an m-by-n structure matrix as input and returns a new 1-by-1 structure that contains these fields:
String input generates an m-by-n cell array
Numeric input (noncomplex, scalar values) generates an m-by-n vector of numbers with the same class ID as the input, for example, int, double, and so on.
To see the program phonebook.c, open the file in MATLAB Editor.
To build this example, at the command prompt type:
mex phonebook.c
To see how this program works, enter this structure:
friends(1).name = 'Jordan Robert'; friends(1).phone = 3386; friends(2).name = 'Mary Smith'; friends(2).phone = 3912; friends(3).name = 'Stacy Flora'; friends(3).phone = 3238; friends(4).name = 'Harry Alpert'; friends(4).phone = 3077;
The results of this input are:
phonebook(friends) ans = name: {1x4 cell } phone: [3386 3912 3238 3077]
Back to Top
Because MATLAB does not use stdin and stdout, C functions like scanf and printf cannot be used to prompt users for input. The following example shows how to use mexCallMATLAB with the input function to get a number from the user.
#include "mex.h" #include "string.h" void mexFunction( int nlhs, mxArray *plhs[], int nrhs, const mxArray *prhs[] ) { mxArray *new_number, *str; double out; str = mxCreateString("Enter extension: "); mexCallMATLAB(1,&new_number,1,&str,"input"); out = mxGetScalar(new_number); mexPrintf("You entered: %.0f ", out); mxDestroyArray(new_number); mxDestroyArray(str); return; }
Back to Top
Complex data from MATLAB is separated into real and imaginary parts. The MATLAB API provides two functions, mxGetPr and mxGetPi, that return pointers (of type double *) to the real and imaginary parts of your data.
This example, convec.c, takes two complex row vectors and convolves them. To see the example, open the file in MATLAB Editor.
To build this example, at the command prompt type:
mex convec.c
Entering these numbers at the MATLAB prompt:
x = [3.000 - 1.000i, 4.000 + 2.000i, 7.000 - 3.000i]; y = [8.000 - 6.000i, 12.000 + 16.000i, 40.000 - 42.000i];
and invoking the new MEX-file:
z = convec(x,y)
results in:
z = 1.0e+02 * Columns 1 through 4 0.1800 - 0.2600i 0.9600 + 0.2800i 1.3200 - 1.4400i 3.7600 - 0.1200i Column 5 1.5400 - 4.1400i
which agrees with the results that the built-in MATLAB function conv.m produces.
Back to Top
You can create and manipulate signed and unsigned 8-, 16-, and 32-bit data from within your MEX-files. The MATLAB API provides a set of functions that support these data types. The API function mxCreateNumericArray constructs an unpopulated N-dimensional numeric array with a specified data size. Refer to the entry for mxClassID in the online reference pages for a discussion of how the MATLAB API represents these data types. will recognize the correct data class.
The example, doubleelement.c, constructs a 2-by-2 matrix with unsigned 16-bit integers, doubles each element, and returns both matrices to MATLAB. To see the example, open the file in MATLAB Editor.
To build this example, at the command prompt type:
mex doubleelement.c
At the MATLAB prompt, entering:
doubleelement
produces:
ans = 2 6 4 8
The output of this function is a 2-by-2 matrix populated with unsigned 16-bit integers.
Back to Top
You can manipulate multidimensional numerical arrays by using mxGetData and mxGetImagData to return pointers to the real and imaginary parts of the data stored in the original multidimensional array. The example, findnz.c, takes an N-dimensional array of doubles and returns the indices for the nonzero elements in the array. To see the example, open the file in the MATLAB Editor.
To build this example, at the command prompt type:
mex findnz.c
Entering a sample matrix at the MATLAB prompt gives:
matrix = [ 3 0 9 0; 0 8 2 4; 0 9 2 4; 3 0 9 3; 9 9 2 0] matrix = 3 0 9 0 0 8 2 4 0 9 2 4 3 0 9 3 9 9 2 0
This example determines the position of all nonzero elements in the matrix. Running the MEX-file on this matrix produces:
nz = findnz(matrix) nz = 1 1 4 1 5 1 2 2 3 2 5 2 1 3 2 3 3 3 4 3 5 3 2 4 3 4 4 4
Back to Top
The MATLAB in MATLAB Editor.
To build this example, at the command prompt type:
mex fulltosparse.c
At the MATLAB prompt, entering:
It is possible to call MATLAB functions, operators, M-files, and other binary MEX-files from within your C source code by using the API function mexCallMATLAB. The example, sincall.c, creates an mxArray, passes various pointers to a subfunction to acquire data, and calls mexCallMATLAB to calculate the sine function and plot the results. To see the example, open the file in MATLAB Editor.
To build this example, at the command prompt type:
mex sincall.c
Running this example:
sincall
displays the results:
The following example creates an M-file that returns two variables but only assigns one of them a value:
function [a,b] = foo[c] a = 2*c;
MATLAB displays the following warning message:
Warning: One or more output arguments not assigned during call to 'foo'.
If you then call foo using mexCallMATLAB, the unassigned output variable is now type mxUNKNOWN_CLASS.
Back to Top
This example, mexcpp.cpp, illustrates how to use C++ code with your C language MEX-file. It makes use of member functions, constructors, destructors, and the iostream include file. To see the example, open the file in the MATLAB Editor.
To build this example, at the command prompt type:
mex mexcpp.cpp
The calling syntax is mexcpp(num1, num2).
The routine, num1 and num2, and displays the new values. Finally, cleanup of the object is done using the delete operator.
Back to Top
This example, mexatexit.cpp, illustrates C++ file handling features. To see the C++ code, open the C++ file in MATLAB Editor. To compare it with a C code example mexatexit.c, open the C file in the MATLAB Editor., type:
mex mexatexit.c
If you type:
x = 'my input string'; mexatexit(x)
MATLAB displays:
Opening file matlab.data. Writing data to file.
To clear the MEX-file, type:
clear mexatexit
MATLAB displays:
Closing file matlab.data.
You can see the contents of matlab.data by typing:
type matlab.data
MATLAB displays:
my input string
The C++ example does not use the mexAtExit function. The file open and close functions are handled in a fileresource class. The destructor for this class (which closes the data file) is automatically called when the MEX-file clears. This example also prints a message on the screen when performing operations on the data file. However, in this case, the only C file operation performed is the write operation, fprintf.
To build the mexatexit.cpp MEX-file, make sure you have selected a C++ compiler, then type:
mex mexatexit.cpp
If you type:
z = 'for the C++ MEX-file'; mexatexit(x) mexatexit(z) clear mexatexit
MATLAB displays:
Writing data to file. Writing data to file.
To see the contents of matlab.data, type:
type matlab.data
MATLAB displays:
my input string for the C++ MEX-file
[1] UNIX is a registered trademark of The Open Group in the United States and other countries.
Back to Top
Get MATLAB trial software
Includes the most popular MATLAB recorded presentations with Q&A sessions led by MATLAB experts. | http://www.mathworks.com/access/helpdesk/help/techdoc/matlab_external/f12977.html | crawl-002 | refinedweb | 2,299 | 65.32 |
Yesod 0.9 Release Anouncement
August 29, 2011
Greg Weber
Yesod 0.9 Release
Yesod 0.9 is on hackage! This release represents a massive amount of improvements, in some cases resulting in significant API changes. We believe this release is good enough to be a 1.0 (a release to be proud of, with a stable API). But first we need you to use it for a while and give us all of your great feedback.
We had a changelog page going for a while now to keep track of changes. But here we will explain all of the changes in their full glory.
Versioning
Yesod is split into many separate packages, all eventually wrapped up by the "yesod" package itself. When we say version 0.9, we are referring to the version of the "yesod" package.
This release releases version 0.9.1 (not 0.9.0) to hackage so that release candidate users will have an easy time upgrading.
Most of the changes for this release are not part of the "yesod" package, but rather underlying packages like hamlet or yesod-forms. As such, many of these changes have been available on Hackage since before the actual 0.9 release. However, a standard usage of the "yesod" package would not notice them. For more information, please see Using non-standard package versions.
Shakespearean templates (Hamlet)
Yesod started with hamlet, which gives one the ability to just insert variables into templates as they might be used to with a dynamic language. This was so powerful that Michael made hamlet-like template languages for css and javascript. "hamlet" is the name of the html template. We are now officially adopting the term "Shakespeare" for this style of templates.
To facilitate this, the hamlet package underwent a re-organization and was broken up into separate packages: hamlet (just hamlet), shakespeare-js (julius), shakespeare-css (lucius, cassius), and xml-hamlet. And there is a shakespeare package that contains the base code for making shakespeare-style templating languages. This makes it really easy to create a new shakespeare style template for any of your templating needs.
The major addition to this release is the shakespeare-text package. shakespeare-text is a good example of how easy it is to create a new pass-through Shakespeare template language. All it does is allow you to insert variable into normal Haskell text. This is great for creating e-mail templates, but we are also exposing 2 helpers you can choose to use in your normal haskell code.
st for strict text, and
lt for lazy text.
{-# LANGUAGE TemplateHaskell, QuasiQuotes #-}
import Text.Shakespeare.Text (st)
import Data.Text.IO (putStrLn)
import Prelude hiding (putStrLn)
main = do
let version = "0.9"
putStrLn [st|Yesod release #{version}|]
As with all Shakespeare templates, there is no dependency on haskell-src-extras. If you aren't using Yesod and don't mind that dependency, there are some similar packages to shakespeare-text: Interpolation, interpolatedstring-perl6, interpolatedstring-qq.
The major difference users will notice in this release the removal of directly polymorphic Hamlet. You now choose the simplest hamlet version that suits your needs so you don't have to pay in efficiency for features you aren't using. However, the real motivation was to produce better error messages. We have upgrade notes in the previous post and the book documentation has been updated.
Forms
Just like templating, forms underwent a major cleanup. Polymorphic forms were removed, which should get rid of the most annoying error message Yesod users encountered. Some functions were also renamed- see the initial release candidate anouncement for upgrade instructions.
Thanks to Luite Stegman's help, we also added a way to easily add custom verification to your forms with the following new functions: check, checkM, and checkBool. You can see the original anouncement or the updated book documentation.
WAI
wai-app-static works together with yesod-static to now automatically set proper caching headers. This will have a huge impact, because our recommended deployment approach is now to just run your binary. Apache/Nginx are no longer required for static file serving. wai-app-static also saw some other improvements to make desktop usage better- static files can be embedded directly in the executable rather than being on the filesystem.
The debug middleware now uses the new logger to print out a thread-safe log which now includes all POST parameters.
Yesod
There is built-in support for BrowserID, a next generation, finally user-friendly authentication system. Yesod has added a logging interface, allowing you to switch to any logging system you want. But we included a very simple thread-safe logger, which we plan on switching out for a faster one in the near future. The logging interface give you the option to log the file and line number using template haskell. This same technique is available for use in my recently release file-location debugging utility package.
There have been a lot of other improvements. One example is more secure client side cookies, using CBC mode instead of ECB. (Thanks to Loïc Maury.)
Scaffolding
Scaffolding is what is generated by
yesod init. This is where the most noticeable Yesod improvements show up.
- The new logger setup to use the new WAI debug middleware.
- in development mode emails are logged instead of sent. This is actually more convenient and gets rid of the sendmail dependency for development.
- Signal handling on unix added to scaffolder (should probably be moved out of the handler).
- Documentation and code for deploying to Heroku (deploy/Procfile)
- upgrade to html5boilerplate version 2, which just means use normalize.css (instead of a css reset)
- file name changes - see the previous upgrade post
- configurable settings - you can place settings into yaml configuration files. By default, this is done for the host, port, connection pool size, and other database settings. And you can override settings with command line switches. The default allows you to override port argument. This added flexibility now makes deploying to Heroku much more straightforward.
Persistent 0.6 Changes
Feature-wise, there were only a few additions to Persistent 0.6 The most noticeable addition is support for "OR" queries. However, the implementation has undergone a complete re-write, making Persistent more powerful and flexible, and allowing us to switch from constructors to operators.
Persistent 0.6, a re-write and a better API
Old:
selectList [PersonNameEq "bob"] [] 0 0
New:
selectList [PersonName ==. "bob"] []
We are using 2 extra characters to make the same selection. However, the separation between field and operator makes for more readable code, and we have removed one use of Template Haskell to create the constructor with an Eq postfix. Our policy on Template Haskell has always been to use it only when the same cannot be achieved without it. When Michael originally wrote Persistent, it wasn't clear to him how to implement the operator approach rather than the constructor approach. The release of the Groundhog library showed how this can be done. We had a discussion with Boris Lykah, the Groundhog author, and figured out what we could learn from Groundhog. Persistent is now using phantom types, similar to Boris's approach.
We also discussed possible APIs at length. For Persistent we settled on something that is composable in a way similar to Groundhog, but slightly more optimized for the common use case. The main difference people will notice is no more hanging zeroes! That can be seen in the example above. The zeroes represent the limit and offset. Lets see how they are handled now when you actually need them:
Old:
selectList [PersonName ==. "bob"] [] 5 5
New:
selectList [PersonName ==. "bob"] [OffsetBy 5, LimitTo 5]
More verbose when you actually need it- but still better in that case in my mind because it is now clear which is the limit and which is the offest- the reason why I used 5 for both is because I never remembered the argument order of the older style.
The old style of sorting required constructors created by Template Haskell. Here again, we used the Groundhog approach of re-using Desc and Asc constructors with the field types.
Old:
selectList [] [PersonNameAsc, PersonLastNameAsc] 0 0
New:
selectList [] [Asc PersonName, Asc PersonLastName]
This shows why we are using lists- it makes it easy to combine pieces of a query in Haskell syntax. The most common query combination is to AND multiple conditions:
selectList [PersonName ==. "bob", PersonLastName ==. "jones"] []
Lets show the OR implementation:
selectList ([PersonName ==. "bob"] ||. [PersonLastName ==. "jones"]) []
This is not a great DSL syntax- it does require parentheses. However, OR is actually a very rare use case- so we just want something that works well and is intuitive rather than the most compact notation.
Less Template Haskell is good
Persistent still requires the same basic amount of Quasi-Quoting from the user to declare datatypes.
mkPersist sqlSettings [persist| Person name String lastName String |]
However, operator annotations (Update, LT, GT, etc) are no longer required, reducing what is required from users in their quasi-quoted models for the normal use case. And the Template Haskell generated is now substantially less. This should speed up compilation time and make Persistent more extensible. The Quasi-Quoting of datatypes is still important to allow for a friendly interface with easy customizations. However, it would no longer be difficult to provide a Template Haskell interface to Persistent (and we would welcome such a patch). In fact, the Template Haskell portion of persistent is an entirely separate cabal project, and one can manually declare types in the persistent style now. There are some iphone users doing this now because Template Haskell did not work on the iphone.
Limitations
MongoDB is waiting on some upstream improvements we are helping to create in the MongoDB driver. This release has been great for Mongo though- we are really excited about the ability to add custom operators to better take advantage of MongoDB.
The biggest limitation on Persistent that makes using it worse is Haskell's lack of record name-spacing.
0.9 goal accomplishments
We laid out a list of 1.0 goals after the 0.8 release. Lets go through each of them and see how things are coming along:
- Documentation- We are really proud in the increase of breadth and quality of the documentation. We are now at the point where the book, in combination with supplemental documentation on the wiki and in blog posts is giving people the high-level documentation that they need. The most common complaint is now about the lack of detail in the haddocks. So we are going to make a push to improve the haddocks, and also link between them and the book.
- static file caching headers support - Done (mentioned in WAI section).
- Support for other template types as first class citizens- the templating system has undergone a re-organization that helps make the whole situation clearer, and adding new template systems should be more straightforward.
- Easier support for faster, non-blocking Javascript loading via something akin to require.js- not yet started.
- A complete i18n solution- shipped!
- Reassessing our forms package- yesod-forms were re-written to produce clearer error messages and additional features were added.
- Embedded objects in MongoDB- just started
- Performance improvements- Kazu has been our main source of performance improvements, submitting a patch for a faster SendFile, and writing a blazing-fast logger just before this release that we will soon incorporate. As always, we eagerly tackle any reports of slow spots in the framework. Our only other planned speedup is to use a faster system for route matching.
There are some additional 1.0 goals we are considering, including:
- easy validation of your persistent models
- better interactions between the models and forms
- improving the development mode experience
Thanks you, Yesoders
I am really proud that we have accomplished our most important 1.0 goals already while cramming in so many other great changes. Thanks to everyone in the community that used the bleeding edge code, contributed bug reports, asked and answered questions, submitted pull requests, weighed in on design decisions, added things to the wiki, or suggested documentation improvements- you helped make this the by far the best Yesod release ever. | http://www.yesodweb.com/blog/2011/08/announcing-yesod-0 | CC-MAIN-2013-48 | refinedweb | 2,035 | 64.2 |
Change Another Process’ Environment Variables in LinuxPosted on In Tutorial
Each process has its environment variables in Linux. But is it possible to change another process’ environment variable from another process in Linux? If it is possible to do so, how to do it?
There is a trick which can work for some scenarios. First, find out the process ID, then start
gdb and attach to the process. After
gdb has attached to the process, call the
putenv() with the environment variable name and value.
$ sudo gdb -p <process ID> (gdb) call putenv ("MYVAR=myvalue") (gdb) detach
Let’s test it with an C++ program as follows.
#include <cstdlib> #include <iostream> #include <chrono> #include <thread> int main() { while (true) { if (const char* myvar = std::getenv("MYVAR")) std::cout << "MYVAR is: " << myvar << 'n'; else std::cout << "MYVAR is not setn"; std::this_thread::sleep_for(std::chrono::seconds(1)); } }
Build and run it
$ g++ --std=c++11 getenv.cpp -o /tmp/getenv $ /tmp/getenv MYVAR is not set MYVAR is not set MYVAR is not set MYVAR is not set ...
Now, we can find the process ID of
getenv by
$ pidof getenv 52824
Then, we can attach to the process by
$ sudo gdb -p 52824 GNU gdb (Ubuntu 9.1-0ubuntu1) 9.1 ... Attaching to process 52824 ... __GI___clock_nanosleep (clock_id=clock_id@entry=0, flags=flags@entry=0, req=<optimized out>, rem=<optimized out>) at ../sysdeps/unix/sysv/linux/clock_nanosleep.c:79 79 ../sysdeps/unix/sysv/linux/clock_nanosleep.c: Permission denied. (gdb)
The
getenv program stops there.
In the
gdb console, let’s run
(gdb) call putenv("MYVAR=myvalue") $1 = 0 (gdb) detach Detaching from program: /tmp/getenv, process 52824 [Inferior 1 (process 52824) detached] (gdb)
Then the
getenv program resumes to execute and starts to print out the MYVAR new value
.. MYVAR is not set MYVAR is not set MYVAR is: myvalue MYVAR is: myvalue MYVAR is: myvalue ...
The environment of the
getenv process has been updated!
One last note, the programs may cache the environment values by itself or the libraries it uses. Under such cases, this trick will not work. | https://www.systutorials.com/how-to-change-another-process-environment-variable-in-linux/ | CC-MAIN-2022-40 | refinedweb | 348 | 63.59 |
Reading and Filtering Eliot Logs¶
Eliot includes a command-line tool that makes it easier to read JSON-formatted Eliot messages:
$ python examples/stdout.py | eliot-prettyprint af79ef5c-280c-4b9f-9652-e14deb85d52d@/1 2015-09-25T19:41:37.850208Z another: 1 value: hello 0572701c-e791-48e8-9dd2-1fb3bf06826f@/1 2015-09-25T19:41:38.050767Z another: 2 value: goodbye
The third-party eliot-tree tool renders JSON-formatted Eliot messages into a tree visualizing the tasks’ actions.
Filtering logs¶
Eliot logs are structured, and by default stored in one JSON object per line. That means you can filter them in multiple ways:
- Line-oriented tools like grep. You can grep for a particular task’s UUIDs, or for a particular message type (e.g. tracebacks).
- JSON-based filtering tools. jq allows you to filter a stream of JSON messages.
- eliot-tree has some filtering and searching support built-in.
For example, here’s how you’d extract a particular field with jq:
$ python examples/stdout.py | jq '.value' "hello" "goodbye"
Parsing Logs¶
Eliot also includes a parser for parsing logs into Python objects:
import json from eliot.parse import Parser def load_messages(logfile_path): for line in open(logfile_path): yield json.loads(line) def parse(logfile_path): for task in Parser.parse_stream(load_messages(logfile_path)): print("Root action type is", task.root().action_type) | https://eliot.readthedocs.io/en/latest/reading/reading.html | CC-MAIN-2022-40 | refinedweb | 220 | 51.55 |
,
Please pull the for-linus git tree from:
git://git.kernel.org:/pub/scm/linux/kernel/git/ebiederm/user-namespace.git for-linus
HEAD: 98f842e675f96ffac96e6c50315790912b2812be proc: Usable inode numbers for the namespace file
descriptors.
This tree is against v3.7-rc3
tyrrany nework namespace changes were double committed here and in
David Millers -net tree so that I could complete the work on the
/proc/<pid>/ns/ files in this tree.
The user namespace work that remains is converting, 9p, afs, ceph, cifs,
coda, gfs2, ncpfs, nfs, nfsd, ocfs2, and xfs so they are safe to enable
when user namespaces are enabled, and implementing unprivileged mounts
of more than just /proc and /sys.
I had hoped to get through more of those changes this cycle but
I turned into a cold magnet this season and the UAPI changes caused
a lot of churn late into the 3.7 -rc cycle that made a stable starting
place hard to work from hard to find.
Eric W. Biederman (37):
userns: Support autofs4 interacing with multiple user namespaces
userns: Support fuse interacting with multiple user namespaces
netns: Deduplicate and fix copy_net_ns when !CONFIG_NET_NS
userns: make each net (net_ns) belong to a user_ns
userns: On mips modify check_same_owner to use uid_eq
procfs: Use the proc generic infrastructure for proc/self.
procfs: Don't cache a pid in the root inode.
pidns: Capture the user namespace and filter ns_last_pid
pidns: Use task_active_pid_ns where appropriate
pidns: Make the pidns proc mount/umount logic obvious.
pidns: Don't allow new processes in a dead pid namespace.
pidns: Wait in zap_pid_ns_processes until pid_ns->nr_hashed == 1
pidns: Deny strange cases when creating pid namespaces.
pidns: Add setns support
pidns: Consolidate initialzation of special init task state
pidns: Support unsharing the pid namespace.
vfs: Allow chroot if you have CAP_SYS_CHROOT in your user namespace
vfs: Add setns support for the mount namespace
vfs: Add a user namespace reference from struct mnt_namespace
vfs: Only support slave subtrees across different user namespaces
vfs: Allow unprivileged manipulation of the mount namespace.
userns: Ignore suid and sgid on binaries if the uid or gid can not be mapped
userns: Allow unprivileged users to create user namespaces.
userns: Allow chown and setgid preservation
userns: Allow setting a userns mapping to your current uid.
userns: Allow unprivileged users to create new namespaces
userns: Allow unprivileged use of setns.
userns: Make create_new_namespaces take a user_ns parameter
userns: Kill task_user_ns
userns: Implent proc namespace operations
userns: Implement unshare of the user namespace
procfs: Print task uids and gids in the userns that opened the proc file
userns: For /proc/self/{uid,gid}_map derive the lower userns from the struct file
userns: Allow unprivilged mounts of proc and sysfs
proc: Generalize proc inode allocation
proc: Fix the namespace inode permission checks.
proc: Usable inode numbers for the namespace file descriptors.
Zhao Hongjiang (1):
userns: fix return value on mntns_install() failure
arch/mips/kernel/mips-mt-fpaff.c | 4 +-
arch/powerpc/platforms/cell/spufs/sched.c | 2 +-
arch/um/drivers/mconsole_kern.c | 2 +-
drivers/staging/android/binder.c | 3 +-
fs/attr.c | 11 +-
fs/autofs4/autofs_i.h | 8 +-
fs/autofs4/dev-ioctl.c | 4 +-
fs/autofs4/inode.c | 24 ++--
fs/autofs4/waitq.c | 5 +-
fs/exec.c | 9 +-
fs/fuse/dev.c | 4 +-
fs/fuse/dir.c | 20 ++--
fs/fuse/fuse_i.h | 4 +-
fs/fuse/inode.c | 23 ++--
fs/hppfs/hppfs.c | 2 +-
fs/mount.h | 3 +
fs/namespace.c | 211 ++++++++++++++++++++++++-----
fs/open.c | 2 +-
fs/pnode.h | 1 +
fs/proc/Makefile | 1 +
fs/proc/array.c | 2 +-
fs/proc/base.c | 169 +-----------------------
fs/proc/generic.c | 26 ++--
fs/proc/inode.c | 6 +-
fs/proc/internal.h | 1 +
fs/proc/namespaces.c | 185 ++++++++++++++++++++++---
fs/proc/root.c | 17 +--
fs/proc/self.c | 59 ++++++++
fs/sysfs/mount.c | 1 +
include/linux/cred.h | 2 -
include/linux/fs.h | 2 +
include/linux/ipc_namespace.h | 9 +-
include/linux/mnt_namespace.h | 3 +-
include/linux/nsproxy.h | 2 +-
include/linux/pid_namespace.h | 11 +-
include/linux/proc_fs.h | 26 ++++-
include/linux/user_namespace.h | 10 ++
include/linux/utsname.h | 7 +-
include/net/net_namespace.h | 26 +++-
init/Kconfig | 2 -
init/main.c | 1 -
init/version.c | 2 +
ipc/msgutil.c | 2 +
ipc/namespace.c | 32 ++++-
kernel/cgroup.c | 2 +-
kernel/events/core.c | 2 +-
kernel/exit.c | 12 --
kernel/fork.c | 69 +++++++---
kernel/nsproxy.c | 36 +++---
kernel/pid.c | 47 ++++++-
kernel/pid_namespace.c | 112 ++++++++++++---
kernel/ptrace.c | 10 +-
kernel/sched/core.c | 10 +-
kernel/signal.c | 2 +-
kernel/sysctl_binary.c | 2 +-
kernel/user.c | 2 +
kernel/user_namespace.c | 147 +++++++++++++++++---
kernel/utsname.c | 33 ++++-
net/core/net_namespace.c | 54 ++++++--
security/yama/yama_lsm.c | 12 ++-
60 files changed, 1026 insertions(+), 472 deletions(-)
Linux is a registered trademark of Linus Torvalds | http://lwn.net/Articles/528918/ | CC-MAIN-2013-20 | refinedweb | 781 | 55.4 |
What is in your Top 5 travel destinations? I asked somebody this recently and the response surprised me. The answer was very specific and unfamiliar.
- Venice
- Mdina
- Aswan
- Soro
- Gryfino
OK, I know Venice but I’m a software engineer in Northern California and haven’t studied geography in quite some time. I have to admit I have no idea where some of those places are.
Maybe you have found yourself reading a travel article that beautifully describes a glamourous locale, places to stay, visit, and where to eat. These articles can be swell, but a simple map can go a long way to add the context of place that some expertly crafted prose alone cannot do. If the author or publisher didn’t include a map for you, Python can help.
Solution
To solve this problem we will stand up a Python Flask server that exposes a few APIs to
- Download a given URL and parse the HTML with BeautifulSoup.
- Extract locations from the text based on some clues with the Natural Language Toolkit (NLTK).
- Geocode the location to determine a latitude and longitude with the HERE Geocoder API.
- Place markers on a map to identify the recognized places with the HERE Map Image API.
Server Setup
For this section I make an assumption you are running an environment like OSX or Linux. If you are running Windows you will need to adjust some of the commands a bit.
Configuration
With the Twelve-Factor App the case is made that a best practice is to store config in the environment. I agree and like to store my API credentials in variables
APP_ID_HERE and
APP_CODE_HERE found in a file called HERE.sh.
#!/bin/bash export APP_ID_HERE=your-app-id-here export APP_CODE_HERE=your-app-code-here
I source it into my environment with
. HERE.sh to avoid any hard-coded credentials accidentally being released with my source.
Structure
The web server component will need several files you can see summarized in the listing below. Start by running
mkdir -p app/api_1_0.
├── app │ ├── __init__.py │ └── api_1_0 │ ├── __init__.py │ ├── demo.py │ ├── health.py ├── HERE.sh ├── manage.py ├── config.py └── requirements.txt
If you aren’t using Virtual Environments for Python you should be. You can find more from the Hitchiker’s Guide to Python to get off on the right footing. You’ll want to initialize your environment with the libraries in requirements.txt which can be done with
pip install -r requirements.txt if the requirements.txt contains the following dependencies.
Flask Flask-Script gunicorn nltk requests
App
We will use manage.py as the main entrypoint to our application. It looks like the following listing:
import os import app from flask_script import Manager, Server app = app.create_app('default') manager = Manager(app) if __name__ == '__main__': port = os.environ('PORT', 8000) manager.add_command('runserver', Server(port=port)) manager.run()
I’ve left out a few niceties like logging and printing the URL for brevity. This isn’t particularly interesting to our task and is just some housekeeping to run a simple server for our APIs.
The config.py is also important for pulling in some of those environment variables we’ll need to reference later.
import os class Config(object): SECRET_KEY = os.environ.get('FLASK_SECRET_KEY') APP_ID_HERE = os.environ.get('APP_ID_HERE') APP_CODE_HERE = os.environ.get('APP_CODE_HERE') @staticmethod def init_app(app): pass config = {'default': Config}
Unlike other Python projects, our init files are pretty important on this one. In app/init.py we define the
create_app function we saw in manage.py.
from config import config from flask import Flask def create_app(config_name): app = Flask(__name__) app.config.from_object(config[config_name]) config[config_name].init_app(app) from .api_1_0 import api as api_1_0_blueprint app.register_blueprint(api_1_0_blueprint, url_prefix='/api/1.0') return app
This gives us nice clean api versioning for any resources in our API. We also need to define app/api_1_0/init.py with some configuration
from flask import Blueprint api = Blueprint('api', __name__) from . import health from . import demo
As you can see, we do need to make sure each library we create is identified as part of the blueprint.
Healthcheck
To make sure our server is running properly we can add a quick healthcheck endpoint in the file app/api_1_0/healthcheck.py.
from flask import jsonify from flask import current_app as app from . import api @api.route('/health', methods=['GET']) def handle_health(): return jsonify({ 'hello': 'world', 'app_id_here': app.config['APP_ID_HERE'], 'app_code_here': app.config['APP_CODE_HERE'] })
At this point we should be able to run
python manage.py runserver and have proof of life. If you use your browser to go to we should get a response that confirms our server is up and has our app_id and app_code properly configured.
You may not want to display this once you hit production but is fine while we’re at a “hello world” stage.
Text
For the purposes of getting started I will use a simple text file with just our locations from before.
Venice Mdina Aswan Soro Gryfino
For more complex data sets to test with I recommend just trying out something from the New York Times, Wall Street Journal, or BBC travel sections.
Extract
We need to extract text from HTML and tokenize any words found that might be a location. We will define a method to handle requests for the resource /tokens so that we can look at each step independently.
@api.route('/tokens', methods=['GET']) def handle_tokenize(): # Take URL as input and fetch the body url = request.args.get('url') response = session.get('url') # Parse HTML from the given URL body = BeautifulSoup(response.content, 'html.parser') # Remove JavaScript and CSS from our life for script in body(['script', 'style']): script.decompose() text = body.get_text() # Ignore punctuation tokenizer = RegexpTokenizer(r'\w+') # Ignore duplicates tokens = set(tokenizer.tokenize(text)) # Remove any stop words stop_words_set = set(stopwords.words()) tokens = [w for w in tokens if not w in stop_words_set] # Now just get proper nouns tagged = pos_tag(tokens) tokens = [w for w,pos in tagged if pos in ['NNP', 'NNPS']] return jsonify(list(tokens))
Before this will work, we need to download NLTK resources. This is a one-time operation you can do in an interactive python shell or by executing a simple script.
$ python ... >>> import nltk >>> nltk.download('stopwords') >>> nltk.download('averaged_perceptron_tagger')
With this demo.py in place we can restart our server and call the following endpoint to get back a list of any terms that could potentially be locations.
#!/bin/bash curl
For example, if you were looking at "Biking the Open Road in Colorado, With a Few Bumps Along the Way" this returns a response including terms like:
["Retreat","Industry","Boushnak","Frise","National","Mesa","Chicago","Washington","Forest","Angeles","Canyons","Colorado",...]
We’ve trimmed the wordcount down dramatically from the original article but there is still much more work that could be done to fine tune this recognition process. This is good enough for a first pass though without adding more complexity. There is obviously still some noise and not all of these are locations, but that's what we can use the HERE Geocoder to help with.
Geocode
The HERE Geocoder API very simply takes a human understandable location and turns it into geocordinates. If you put in an address, you get back latitude and longitude.
Here’s the listing for a geocoder endpoint:
@api.route('/geocode', methods=['GET']) def handle_geocode(): uri = '' headers = {} params = { 'app_id': app.config['APP_ID_HERE'], 'app_code': app.config['APP_CODE_HERE'], 'searchtext': request.args.get('searchtext') } response = session.get(uri, headers=headers, params=params) return jsonify(response.json())
Restart the python webserver and send a request for a city like “Gryfino”:
#!/bin/bash curl
The response includes among other things the location I might put a marker to display this position on a map.
"DisplayPosition": { "Latitude": 53.25676, "Longitude": 14.48947 },
Map
Finally, we’re going to take the latitude and longitude we received from our geocode request and generate a simple render with the HERE Map Image API.
This listing looks like the following:
@api.route('/mapview', methods=['GET']) def handle_mapview(): uri = '' headers = {} params = { 'app_id': app.config['APP_ID_HERE'], 'app_code': app.config['APP_CODE_HERE'], 'poi': request.args.get('poi') } response = session.get(uri, headers=headers, params=params) image_path = tempfile.mktemp() open(image_path, 'wb').write(response.content) return image_path
For simplicity and brevity I haven’t included any of the error / response handling you should do here. I’ve also cheated a bit by just storing the image to the local filesystem for illustration.
Now by calling this endpoint with a comma-separated list of latitude, longitude pairs it will return a map with all of the locations having markers.
Place names without additional context can be ambiguous so in some cases there was more than one match. This map is only showing the first match, despite how much fun Venice beach may be.
Summary
The reason for making
/tokens,
/geocode, and
/mapview separate endpoints is that this illustrates how you might setup microservices with Python + Flask for each operation you want to perform. This would allow a deployment to scale them independently.
You can find the full source code listing in the GitHub project.
For an extra dose of inception, try running the code and processing this article itself if you are still curious where to find Aswan and Gryfino. | https://developer.here.com/blog/turn-text-into-here-maps-with-python-nltk | CC-MAIN-2019-39 | refinedweb | 1,548 | 58.38 |
The code nusoap code hasn't been updated for almost a year. I think Scott has something up to 0.8.1 but I have no idea if it's production quality. Does anyone have any code updates to contribute?
The code nusoap code hasn't been updated for almost a year. I think Scott has something up to 0.8.1 but I have no idea if it's production quality. Does anyone have any code updates to contribute?
I had a short look into the repository almost a year ago, and there was a version callled RC1 (last change 2008-03-06). No idea if there were any other versions, but i think it would be great if RC1 could be made available for public download.
I have encountered one glaring limitation using NuSOAP 0.7.3 (rev 1.114), and that is not having the ability to define namespaces on the <SOAP-ENV:Header> node. This is essential when dealing with services implementing authentication via WS-Security.
More can be read on my post regarding this matter here:
Does anyone know if the latest revisions offer this type of capability?
UPDATE: Just checked that latest revision in SourceForge CVS, and it does not appear this issue has been addressed yet. Should be a simple fix, adding a new method to handle the headers, then modifying that node to invoke the new method.
What concerns me is that there seems to be a lot of people who rely on this code but no contributors. Is this just another dead open source project where everyone is milking the one poor guy who put some time into it? Are there any other projects like this that are better maintained?
I'm curious why there are no contributions to this project. I could understand if it were written in C++ but this is PHP. Is everyone here really "all take and no give"?
As to why I don't contribute ... I don't use the software because it's never looked like it was being maintained ... I guess it's a "chicken and egg" situation. Even if I did use it, I also don't believe I'm qualified to do detailed PHP work - maybe this is the general issue. I'm surprised.
Always taking is not fair,
but an open source project is still a project.
When both 'Leaders' won't give any statement about this project,
the only thing we can do is an nusoap2 or something.
I'm using Pear:SOAP in future Projects, and there is also an php soap module
In PHP 6.0 ext/soap will be turned on by default | https://sourceforge.net/p/nusoap/discussion/193578/thread/3baa8db5/ | CC-MAIN-2016-44 | refinedweb | 446 | 74.69 |
On Fri, Mar 7, 2008 at 8:51 PM, Emmanuel Lecharny <elecharny@gmail.com>
wrote:
> Anyway, I think that either Spring or xbeans is just bringing some
> confusion, and we could do better. If I had to vote, I would go straight
> for xbeans alone, and leave spring on the side of the road...
>
Ok now I'm confused. I thought XBean was built on top of Spring to utilize
it's custom namespace capabilities to make for terse, concise XML
configuration files.
Before, we had those big nasty Spring configuration files which explicitly
defined every bean without the custom tags.
I think phase I explicitly stated that one of our main efforts was to remove
(#2) the configuration beans that existed and wire the components directly
(#1). This did clean up a lot of crap but it introduced different problems
to deal with. I also thing the configuration beans we had were shabby so a
lot of the cleanup was because the config beans we used did not match well.
It could be done either way.
For now I'm pooped and will accept what we have. It works well and the
configuration is a lot better than it was with just pure Spring. We can
work with it until we find a better way. In the end, even if we put
configuration into the DIT something is going to have to do what Spring
does: instantiate the objects and wire them up. Question is how do we do
that in a simple and easy to manage way that's as straight forward as
possible while allowing us to use our favorite container technology?
Oh Ole I'm trying to get this EMF stuff but I'm just not groking it - still
need to back up and read these long emails. Thanks for not giving up on us
- I know the EMF concepts you talk about are valuable especially when we
really trick studio out the way I dream of.
Alex
Alex | http://mail-archives.apache.org/mod_mbox/directory-dev/200803.mbox/%3Ca32f6b020803071923n7f858aa8r2d7165b19ade365@mail.gmail.com%3E | CC-MAIN-2019-18 | refinedweb | 333 | 77.47 |
Solaris 10 Revealed
By bmc on Jan 25, 2005
But enough with the pomp; let's talk source. I assume that most people who download the source today will download it, check to see that it's actually source code,1 and then say to themselves, "now what?" To help answer that question, I thought I would take a moment to describe the layout of the source, and point you to some interesting tidbits therein.
As with any Unix variant with Bell labs roots, you'll find all of the source under the "usr/src" directory. Under usr/src, you'll find four directories:
- usr/src/cmd contains commands. Soon, this directory will be populated with its 400+ commands, but for now it just contains subdirectories for each of the following DTrace consumers: dtrace(1M), intrstat(1M), lockstat(1M) and plockstat(1M). This directory additionally contains a subdirectory for the isaexec command, as the DTrace consumers are all isaexec(3C)'d.
- usr/src/lib contains libraries. Soon, this directory will be populated with its 150+ libraries, but for now it just contains the libraries upon which the DTrace consumers depend. Each of these libraries is in an eponymous subdirectory:
- libdtrace(3LIB) is the library that does much of the heavy lifting for a DTrace consumer. The D compiler lives here, along with all of the infrastructure to process outbound data from the kernel. The kernel/user interface is discussed in detail in <sys/dtrace.h>.
- libctf is a library that is able to interpret the Compact C Type Format (CTF2). CTF is much more compact than the traditional type stabs, and we use it to represent the kernel's types. (CTF is what allows ::print to work in mdb. If you've never done it, try "echo '::print -at vnode_t' | mdb -k" as root on a Solaris 9 or Solaris 10 machine.) DTrace is very dependent on libctf and hence the reason that we're including it now. Note that much of the source for libctf is in usr/src/common; see below.
- libproc is a library that exports interfaces for process control via /proc. (The Solaris /proc is vastly different from the Linux /proc in that it is used primarily as a means of process control and process information -- not simply as a means of system information; see proc(4) for details.) Many, many Solaris utilities link with libproc including pcred(1), pfiles(1), pflags(1), pldd(1), plimit(1), pmap(1), ppgsz(1), ppriv(1), prctl(1), preap(1), prstat(1), prun(1), pstack(1), pstop(1), ptime(1), ptree(1) and pwdx(1). Thanks to the powerful interfaces in libproc, many of these utilities are quite short in terms of lines of code. These interfaces aren't yet public, but you can get a taste for them by looking at /usr/include/libproc.h -- or by reading the source, of course!
- usr/src/uts is the main event -- the kernel. ("uts" stands for "Unix Time-Sharing System", and is another artifact from Bell Labs.) The subdirectories here are roughly what you might expect:
- common contains common code
- i86pc contains code specific to the PC machine architecture
- intel contains code specific to the x86 instruction set architecture
- sparc contains code specific to the SPARC instruction set architecture
- sun4 contains code specific to the sun4u machine architecture, but general to all platform architectures within that machine architecture
The difference between instruction set architecture and machine architecture is a bit fuzzy, especially when there is a one-to-one relationship between the two. (And in case you're not yet confused, platform architectures add another perplexing degree of freedom within machine architectures.) All of this made more sense when there was a one-to-many relationship between instruction sets and machine architectures, but sun4m, sun4d and sun4c have been EOL'd and the source for these machine architectures has been removed. This layout may seem confusing, but I'm here to describe the source layout -- not defend it -- so moving on...
In terms of DTrace, most of the excitement is in usr/src/uts/common/dtrace, uts/src/uts/intel/dtrace and usr/src/uts/sparc/dtrace. In usr/src/uts/common/dtrace, you'll find the meat of the in-kernel DTrace component in the 13,000+ lines of dtrace.c. In this directory you will additionally find the source for common providers like profile(7D) and systrace(7D) along with the common components for the lockstat(7D) provider. In the ISA-specific directories, you'll find the ISA-specific halves to these providers, along with wholly ISA-specific providers like fbt(7D). You will also find the ISA-specific components to DTrace itself in dtrace_asm.s and dtrace_isa.c.
So that's the basic layout of the source but...now what? If you're like me, you don't have the time or interest to understand something big and foreign -- and you mainly look at source code to get a flavor for things. Maybe you just want to grep for "XXX" (you'll find two -- but we on the DTrace team are responsible for neither one) or look for curse words (you'll find none -- at least none yet) or just search for revealingly frank words like "hack", "kludge", "vile", "sleaze", "ugly", "gross", "mess", etc. (of which you will regrettably find at least one example of each).
But in the interest of leaving you with more than just whiffs of our dirty laundry, let me guide you to some interesting tidbits that require little or no DTrace knowledge to appreciate. I'm not claiming that these tidbits are particularly novel or even particularly core to DTrace; I'm only claiming that they're interesting for one reason or another. For example, check out this comment in dtrace.c:
/\* \* We want to have a name for the minor. In order to do this, \* we need to walk the minor list from the devinfo. We want \* to be sure that we don't infinitely walk a circular list, \* so we check for circularity by sending a scout pointer \* ahead two elements for every element that we iterate over; \* if the list is circular, these will ultimately point to the \* same element. You may recognize this little trick as the \* answer to a stupid interview question -- one that always \* seems to be asked by those who had to have it laboriously \* explained to them, and who can't even concisely describe \* the conditions under which one would be forced to resort to \* this technique. Needless to say, those conditions are \* found here -- and probably only here. Is this is the only \* use of this infamous trick in shipping, production code? \* If it isn't, it probably should be... \*/This is the code that executes the ddi_pathname function in D. A critical constraint on executing D is that any programming errors must be caught and handled gracefully. (We call this the "safety constraint" because failure to abide by it will induce fatal system failure.) While many programming environments recover from memory-related errors, we in DTrace must additionally guard against infinite iteration -- a much harder problem. (In fact, this problem is so impossibly hard that its name has become synonymous with undecidability: this is the halting problem that Turing proved impossible to solve in 1936.) We skirt the halting problem in DTrace by not allowing programmer-specified iteration whatsoever: DIF doesn't allow backwards branches. But some D functions -- like ddi_pathname() -- require iteration over untrusted data structures to function. When iterating over an untrusted list, our fear is circularity (be it innocent or pernicious), and the easiest way for us to determine this circularity is to use the interview question described above.
I wrote this code a while ago; now that I read it again I actually can imagine some uses for this in other production code -- but I would imagine it would all be of the assertion variety. (That is, again the data structure is effectively untrusted.) Any other use still strikes me as busted (prove me wrong?), and I still have disdain for those that ask it as an interview question (apologies if this includes you, gentle reader).
Here's another interesting tidbit, also in dtrace.c:
switch (v) { case DIF_VAR_ARGS: ASSERT(mstate->dtms_present & DTRACE_MSTATE_ARGS); if (i >=, i, aframes); else val = dtrace_getarg(i,); ...This is the code that retrieves an argument due to a reference to args[n] (or argn). The clause above will only be executed if n is equal to or greater than five -- in which case we need to go fishing in the stack frame for the argument. And here's where things get a bit gross: in order to be able to find the right stack frame, we must know exactly how many stack frames have been artificially pushed in the process of getting into DTrace. This includes frames that the provider may have pushed (tracked in the probe as the dtpr_aframes variable) and the frames that DTrace itself has pushed (rather bogusly represented by the constant "2", above: one for dtrace_probe() and one for dtrace_dif_emulate()). The problem is that if the call to dtrace_getarg() is tail-optimized, our calculation is incorrect. We therefore have to trick the compiler by having an expression after the call that the compiler is forced to evaluate after the call. We do this by having an expression that always evaluates to true, but dereferences through a pointer. Because dtrace_getarg() is in another object file, no amount of alias disambiguation is going to figure out that it doesn't modify dtms_probe; the compiler doesn't tail-optimize the above call, the stack frame calculation is correct, and the arguments are correctly fished out of the (true) caller's stack frame.
There's an interesting footnote to the above code: recently, we ran a research tool that performs static analysis of code on the source for the Solaris kernel. The tool was actually pretty good, and found all sorts of interesting issues. Among other things, the tool flagged the above code, observing that dtms_probe is never NULL. (The tool may be clever enough to determine that, but it obviously can't be clever enough to know that we're trying to outsmart the compiler here.) While this might give us pause, it needn't: the tool might warn about it, but no compiler could safely avoid evaluating the expression -- because dtrace_getarg() is not in the same object file, it cannot be absolutely certain that dtrace_getarg() does not store to dtms_probe.
As long as we're going through dtrace_getarg(), though, it may be interesting to look at a routine that implements this on SPARC.3 This routine, found in usr/src/uts/sparc/dtrace/dtrace_asm.s, fishes a specific argument out of a specified register window -- without causing a window spill trap. Here's the function:
#if defined(lint) /\*ARGSUSED\*/ int dtrace_fish(int aframes, int reg, uintptr_t \*regval) { return (0); } #else /\* lint \*/ ENTRY(dtrace_fish) rd %pc, %g5 ba 0f add %g5, 12, %g5 mov %l0, %g4 mov %l1, %g4 mov %l2, %g4 mov %l3, %g4 mov %l4, %g4 mov %l5, %g4 mov %l6, %g4 mov %l7, %g4 mov %i0, %g4 mov %i1, %g4 mov %i2, %g4 mov %i3, %g4 mov %i4, %g4 mov %i5, %g4 mov %i6, %g4 mov %i7, %g4 0: sub %o1, 16, %o1 ! Can only retrieve %l's and %i's sll %o1, 2, %o1 ! Multiply by instruction size add %g5, %o1, %g5 ! %g5 now contains the instr. to pick rdpr %ver, %g4 and %g4, VER_MAXWIN, %g4 ! ! First we need to see if the frame that we're fishing in is still ! contained in the register windows. ! rdpr %canrestore, %g2 cmp %g2, %o0 bl %icc, 2f rdpr %cwp, %g1 sub %g1, %o0, %g3 brgez,a,pt %g3, 0f wrpr %g3, %cwp ! ! CWP minus the number of frames is negative; we must perform the ! arithmetic modulo MAXWIN. ! add %g4, %g3, %g3 inc %g3 wrpr %g3, %cwp 0: jmp %g5 ba 1f 1: wrpr %g1, %cwp stn %g4, [%o2] retl clr %o0 ! Success; return 0. 2: ! ! The frame that we're looking for has been flushed to the stack; the ! caller will be forced to ! retl add %g2, 1, %o0 ! Failure; return deepest frame + 1 SET_SIZE(dtrace_fish) #endifFirst, apologies for the paucity of comments in the above. The lack of comments is particularly unfortunate because the function is somewhat subtle, as it uses some dicey register window manipulation plus an odd SPARC technique known as "instruction picking": the jmp with the the ba in the delay slot picks one of the instructions out of the table that follows the ba 0f, thus allowing the caller to specify any register to fish out of the window without requiring any compares.4 If you're interested in the details of the register window manipulation logic in this function, you should consult the SPARC V9 Architecture Manual.
That about does it for tidbits, at least for now. As you browse the DTrace source, you may well find yourself asking "does it need to be this complicated?" The short answer is, in most cases, "regrettably yes." If you're looking for some in-depth discussion on the specific issues that complicate specific features, I would direct you to functions like dtrace_hres_tick() (in usr/src/uts/common/os/dtrace_subr.c), dtrace_buffer_reserve() (in usr/src/uts/common/dtrace/dtrace.c) and dt_consume_begin() (in usr/src/lib/libdtrace/common/dt_consume.c). These functions are good examples of how seemingly simple DTrace features like timestamps, ring buffers and BEGIN/END probes can lead to much more complexity than one might guess.
Finally, I suppose there's an outside chance that you might actually want to understand how DTrace works -- perhaps even to modify it yourself. If this describes you, you should first heed this advice from usr/src/uts/common/dtrace/dtrace.c:
/\* \* DTrace - Dynamic Tracing for Solaris \* \* This is the implementation of the Solaris Dynamic Tracing framework \* (DTrace). The user-visible interface to DTrace is described at length in \* the "Solaris Dynamic Tracing Guide". The interfaces between the libdtrace \* library, the in-kernel DTrace framework, and the DTrace providers are \* described in the block comments in the <sys/dtrace.h> header file. The \* internal architecture of DTrace is described in the block comments in the \* <sys/dtrace_impl.h> header file. The comments contained within the DTrace \* implementation very much assume mastery of all of these sources; if one has \* an unanswered question about the implementation, one should consult them \* first. \* ...This is important advice, because we (by design) put many of the implementation comments in a stock header file, <sys/dtrace_impl.h>. We did this because we believe in the Unix idea that the system implementation should be described as much as possible in its publicly available header files.5 Discussing the comments in <sys/dtrace_impl.h> evokes a somewhat amusing anecdote; take this comment describing the implementation of speculative tracing:
/\* \* DTrace Speculations \* \* Speculations have a per-CPU buffer and a global state. Once a speculation \* buffer has been committed committed on one CPU \* DTRACESPEC_COMMITTINGMANY <= Currently being committed | \* +----------------+ +------------+ \*/In writing up this comment, I became elated that I was able to render the state transition diagram as a planar graph. In fact, I was so (excessively) proud that I showed the state transition diagram to my wife, explaining that I wanted to have it tattooed on my back.6 But my initial cut of this had a typo: instead of saying "discard() on active CPU," that edge was labelled "dicard() on active CPU." Of course, my wife saw this instantly, and -- without a missing a beat -- responded "please don't tattoo 'dicard' on your back." Pride goeth before a fall, but it's especially painful when it goeth mere seconds before...
Anyway, if you've already read all three of these (the Solaris Dynamic Tracing Guide, <sys/dtrace.h> and <sys/dtrace_impl.h>) then you're ready to start reading the source for purposes of understanding it. If you run into source that you don't understand (and certainly if you believe that you've found a bug), please post to the DTrace forum. Not only will one of us answer your question, but there's a good chance that we'll update the comments as well; if you can't understand it, we probably haven't been sufficiently clear in our comments. (If you haven't already inferred it, source readability is very important to us.)
Well, that should be enough to get oriented. If it isn't obvious, we're very excited to be making the source to Solaris available. And hopefully this hors d'oeuvre of DTrace source will hold your appetite until we serve the main course of Solaris source. Bon appetit!
1 It's unclear what passes for convincing in this regard. Perhaps people just want to be sure that it's not just a bunch of files filled with the results of "while true; do banner all work and no play makes jack a dull boy ; done"?
2 The reason that it's CTF and not CCTF is a kind of strange inside joke: the format is so compact, even its acronym is compressed. Yes, this is about as unfunny as the Language H humor that we never seem to get sick of...
3 Please don't infer from this that I'm a SPARC bigot; both of my laptops, my desktop and my build machine are all AMD64 boxes running the 64-bit kernel. It's only that the SPARC version of this particular operation happens to be interesting, not that it's interesting because it happens to be SPARC...
4 This brings up a fable of sorts: once, many years ago, there was a system for dynamic instrumentation of SPARC. Unlike DTrace, however, this system was both aggressive and naïve in its instrumentation and, as a result of this unfortunate combination of attributes, couldn't guarantee safety. In particular, the technique used by the function here -- using a DCTI couple to effect instruction picking -- was incorrectly instrumented by the system. When confronted with this in front of a large-ish and highly-technical audience at Sun, the author of said system (who was interviewing for a job at Sun at the time) responded (in a confident, patronizing tone) that the SPARC architecture didn't allow such a construct. The members of the audience gasped, winced and/or snickered: to not deal correctly with this construct was bad enough, but to simply pretend it didn't exist (and to be a prick about it on top of it all) was beyond the pale; the author didn't get the job offer, and the whole episode entered local lore. The moral of the story is this: don't assume that someone asking you a question is an idiot -- especially if the question is about the intricacies of SPARC DCTI couples.
5 It's unclear if this was really a deliberate philosophy or more an accident of history, but it's certainly a Solaris philosophy at any rate. Perhaps its transition from Unix accident to Solaris philosophy was marked by Jeff's "Riemann sum" comment (and accompanying ASCII art diagram) in <sys/kstat.h>?
6 I'm pretty sure that I was joking...
Technorati tags: DTrace OpenSolaris Solaris
Congratulations!
It is a very wise decision to start OpenSolaris with DTrace. DTrace is really _the_ major feature of Solaris 10. And such a feature is missing in all Open Source operating systems...
Something completely different:
Which was the static analysis tool you mentioned? Is it UNO from Bell Labs ()? It does a global, inter-module analysis of the source code and can thus detect the case you described.
Posted by Ralf on January 25, 2005 at 07:15 AM PST #
Posted by guest on January 25, 2005 at 07:42 AM PST #
Posted by Bryan Cantrill on January 25, 2005 at 12:12 PM PST #
Dtrace will be a nice intro to Solaris for everyone.
To the public: We honestly find and/or root-cause a LOT of bugs with dtrace. You hear this all the time, but it's not just hype... honest!
Bryan: You mention <tt>usr/src/common</tt>, but then don't elaborate on it. Either you meant to say <tt>usr/src/uts/common</tt>, or forgot to elaborate on <tt>usr/src/common</tt>.
Posted by Dan McDonald on January 25, 2005 at 12:35 PM PST #
Posted by c0t0d0s0.org on January 25, 2005 at 12:42 PM PST #
I had to laugh at the cyclic linked list solution - I haven't heard of it in production code before, however recently Nathan Kroenert (Sun PTS) wrote it for fun and sent me a copy. I first saw it on p334 of "Deep C Secrets" - Peter van der Linden. :-)
Brendan Gregg
[Sydney, Australia]
(visiting CA, USA)
Posted by Brendan Gregg on January 25, 2005 at 01:40 PM PST #
Posted by Bill Sommerfeld on January 25, 2005 at 01:49 PM PST #
Brendan: thanks for the van der Linden pointer; I'll have to dig up my copy to see his discussion of the technique.
And Bill: damn you for proving me wrong! ;) I have a wad brewing at the moment, so maybe I'll change that comment to reflect (print)...
Posted by Bryan Cantrill on January 25, 2005 at 03:39 PM PST #
Posted by Matt on January 25, 2005 at 04:45 PM PST #
Posted by ozan yigit on January 25, 2005 at 11:26 PM PST #
Posted by Carl Smith on January 26, 2005 at 05:51 AM PST #
Carl: I suppose I shouldn't be surprised to see the usual indignant drivel from dilettantes, but that doesn't make it any less depressing. Because you apparently didn't bother to read it, may I refer you to Section 2.4 of our USENIX paper, which explicitly contrasts Kerninst and DTrace. Not like you'll read it now, but as that section explains, Kerninst is unsafe for use on production systems, doesn't allow for aggregation based on arbitrary tuples, does not allow for arbitrary predicates, and has no support for arbitrary actions. And just out of curiosity, what did you think the "aggressive and naïve" instrumentation framework from footnote 4 was, anyway?
Posted by Bryan Cantrill on January 26, 2005 at 06:26 AM PST #
Posted by Carl Smith on January 26, 2005 at 07:10 AM PST #
Posted by Bryan Cantrill on January 26, 2005 at 08:03 AM PST #
Carl -
You will find that a venomous attitude begets a similar response. You failed to pose a thoughtful question, instead mounting a character attack clearly meant to disparage Sun and its engineers. "Trust Sun to spin anceint technology" is not exactly respectful and has no bearing on the technical merits of either DTrace or KernInst. If you had phrased your question as "This seems similar to KernInst, what are the major differences?" you would probably have gotten a more cordial response.
You have to learn to treat people with respect if you expect the same in return.
Posted by Eric Schrock on January 26, 2005 at 08:37 AM PST #
Posted by Ryan Matteson on January 27, 2005 at 12:45 AM PST #
Posted by Bryan Cantrill on January 27, 2005 at 04:36 AM PST #
Posted by ozan yigit on January 28, 2005 at 01:59 AM PST #
Posted by PatrickG on January 28, 2005 at 05:14 PM PST #
Posted by Bryan Cantrill on January 29, 2005 at 02:52 AM PST #
Posted by Mr. Ugly on January 29, 2005 at 07:50 AM PST #
Posted by Bryan Cantrill on January 30, 2005 at 01:45 PM PST #
Posted by guest on February 06, 2005 at 03:18 AM PST #
Posted by James Governor on February 09, 2005 at 07:49 PM PST #
Posted by Tom Brown on May 03, 2005 at 08:50 AM PDT #
Posted by Chris Lamb on June 16, 2005 at 05:33 AM PDT # | https://blogs.oracle.com/bmc/entry/solaris_10_revealed | CC-MAIN-2015-22 | refinedweb | 4,017 | 58.62 |
Properties in Java? Awesome! As with any new language feature, there has been a lot of debate over whether this is an improvement to the language, or a detriment. And of course, every language-designer-wannabe (myself included!) is pounding the pulpit, declaring the One True Way to Property bliss. Well, sit back and enjoy as I pound the pulpit. Because seriously, I really do have the right solution! I promise!
The JavaBeans spec has been with us for quite a while. Virtually everybody knows about the JavaBeans POJO pattern:
public class Person {
private String surname;
public String getSurname() {
return surname;
}
public void setSurname(String surname) {
this.surname = surname;
}
}
Before throwing any monkey wrenches into the works, I'm going to explain a bit about some of the darker corners of the JavaBeans spec. At least, darker to the majority of developers out there.
Many of you are probably familiar with the Reflection APIs. For example, given the class above, I could call the "getSurname()" method using Reflection like so:
Method m = Person.class.getMethod("getSurname");
String surname = (String)m.invoke(personInstance);
Built above these core APIs is the JavaBeans Introspector, BeanInfo, PropertyDescriptor, and associated classes. These classes inspect an Object for methods that follow the JavaBean pattern, and create various descriptors automatically representing these "properties". You can even write your own PropertyDescriptors, or specify your own BeanInfos, if you don't want them to be automatically generated. Here's an example which get's all the properties for a bean and prints the name of the property and its value to System.out:
BeanInfo info = Introspector.getBeanInfo(Person.class);
for (PropertyDescriptor pd : info.getPropertyDescriptors()) {
String name = pd.getName();
Method m = pd.getReadMethod();
if (m != null) {
System.out.println(name + "=" + m.invoke(personInstance));
}
}
The java.beans package is widely used by frameworks and GUI builders. Swing is a huge user of the Bean APIs and patterns. JSR 295 (beans binding) is based on these APIs as well.
There are a couple other important things to note. First, the class could be defined like this:
public class Person {
public String getSurname() {
return "";
}
}
and it is still a valid JavaBean. The "surname" property still exists (it is just read only), and the Introspector still finds it. Even though there is no instance variable (aka field) called "surname". The JavaBeans pattern is not about breaking the encapsulation of the Person object. It is about exposing configurable state. JSR 273 will (if nothing major changes) introduce the ability to configure beans that are immutable (ie: only have getter methods, and accept all state in the constructor). So I repeat, the JavaBeans pattern is not about breaking encapsulation.
This is important for a couple of reasons. First, for the purists out there, you can stop wringing your hands. Second, there is a big difference between a property, and a field. A Property is a concept, a field is an implementation. When discussing language level property support, don't confuse the two!
Any discussion centered around Property support has to first establish the ground rules: what are the requirements. Here are my requirements (pounding the pulpit as I say them):
The rest is all personal taste and other such nonsense :-).
Both Remi Forax and Cay Horstmann and Mikael Grev are on the right track. Each of those blogs has interesting ideas, and even more interesting commentary. Be sure to check those out.
The One True Way is not necessarily the way I'd do it if I were starting from a clean slate, but it is the best solution for Java. All design requires trade offs.Without further ado...
The first key design decision is to continue to support getter/setters as the way to customize the accessor/mutator for the property. C# uses a closure-like syntax for defining the accessor/mutator, but this would be the wrong decision for Java because it doesn't add anything truly useful beyond what the getter/setter already provide. Plus, as Remi points out, it limits your ability to use covariant return types or to override the argument to the setter.
Obviously, we can't ignore the last 10 years of Java code. Getter/Setter has to be supported.
The JavaBeans spec defines the PropertyDescriptor as the metadata for a Property. Stephen Colebourne has an interesting idea regarding exposing Property meta information easily. He has some interesting points, but it is critical that we leverage the existing APIs and the existing body of work that uses PropertyDescriptor. However, we really, really, should make it easier to get a PropertyDescriptor.
For example, Stephen suggests the "->" notation (which has been suggested for other uses with regards to properties, so don't get confused!). Basically, foo.bar would return the value of the bar property, while foo->bar would yield the PropertyDescriptor. I'm not fond of the use of the "->" operator for this task, but something along these lines may be the best choice.
foo.bar
foo->bar
The JavaBeans specification mentions "bound properties", or in other words, observable properties. Whenever a "bound" property changes, a PropertyChangeEvent is fired to all registered PropertyChangeListeners. They may then take the correct action.
This is a huge deal for JSR 295 (bean binding). Using my previous code example, imagine if I bound the Person.surname property to a JLabel. Whenever the surname property changes, I want to update the label. If the surname property is not observable, then the JLabel will not be automatically notified when the property changes. Which means you'd have to be sure to manually refresh the JLabel whenever the surname changes. Lame!
Writing a setter method to fire a PropertyChangeEvent isn't too hard, but it is trickier than you might think! Here's a broken example:
public void setSurname(String surname) {
if (surname == null) surname = "";
String old = this.surname;
this.surname = surname;
firePropertyChange("surname", old, surname);
}
public String getSurname() {
return surname;
}
...
final Person p = ...;
p.setSurname("Bair");
p.addPropertyChangeListener(new PropertyChangeListener() {
public void propertyChange(PropertyChangeEvent evt) {
assert p.getSurname().equals(evt.getNewValue());
}
}
What is wrong with this example? Will the assert always succeed? Answer, no. It may fail. How? Simple: because getSurname() is not final, it is possible for a subclass to be written such that it always returns a single value, essentially becoming read only. That is:
public class SmithPerson extends Person {
public String getSurname() { return "Smith"; }
}
...
final Person p = new SmithPerson();
p.setSurname("Bair"); // set surname sets the field to be "Bair", fires a PCE
p.addPropertyChangeListener(new PropertyChangeListener() {
public void propertyChange(PropertyChangeEvent evt) {
//evt.getNewValue() returns "Bair", but p.getSurname() returns "Smith"!
assert p.getSurname().equals(evt.getNewValue());
}
}
A more correct version of the setSurname() method would be
public void setSurname(String surname) {
if (surname == null) surname = "";
String old = getSurname(); // note: calling the getter!
this.surname = surname;
firePropertyChange("surname", old, getSurname()); // still calling the getter!
}
Or, just make the getter final.
The point is, writing an observable setter has some gotchas. It's boring. It's a bunch of boilerplate. It is necessary for really slick (and useful and powerful) data binding. This has to be easier to do! Any talk about including properties in the language must include a provision for dealing with observable properties.
Note that the JavaBeans spec also discusses vetoable property change events, but those are, in my estimation, less critical to handle at this level. At least, whatever mechanism is introduced for observable properties should be capable of extension towards vetoable properties.
Actually, I have reservations on this point, but they are outweighed by practicality. That is, however a property is defined it must actually generate the getter/setter method in the end, so as to be compatible with the JavaBeans spec. However, this is kinda weird. I mean, you define a property, and then call a method "getSurname()". Where was that method defined? "Oh, the compiler creates it for you". I mean, that's just plain freaky.
However, it is the most practical choice at the moment, in my estimation.
Code generation is the means by which we ensure that properties work with existing frameworks and code. A piece of code calling Introspector.getBeanInfo should work exactly the same whether it is introspecting a class defined pre 1.7 or a class defined with properties.
Introspector.getBeanInfo
One really intriguing idea is to also introduce a way to chain accessors, such that if a null occurs anywhere in the chain, the result is a null. For example, a.getB().getC() would return null instead of throwing a NullPointerException if a.getB() returned null. Some syntax changes have been suggested (such as using a # instead of . to access the property). Very interesting idea, could save a lot of boilerplate, but this is orthogonal to the properties discussion. At least, I hope it is. The death of many a great idea has come about due to too many great ideas being lumped together.
a.getB().getC()
null
So, I haven't actually proposed any syntax of any kind. Rather, I'm trying to focus on, and nail down, the core requirements for language level properties, from my perspective. In this discussion, I'm not acting as the official Sun representative for Properties in the language. I'm just an interested bystander. So look to other blogs for official feedback, direction, etc etc.
Thanks Richard for a great writeup outlining all the requirements, and issues to properties, and the beans spec. I am really glad that you have been closely following all these properties specs that are floating around, because I truly believe that the beans specs current, and upcoming should play a central role in this core feature.
Posted by: mikeazzi on January 08, 2007 at 03:20 PM
couldn't the onus be put back on the JavaBean API to continue to be backwards compatable while allowing the introduction of actual 'property' types into the language? I guess I'm not a big fan of continuing with the get/set by name convention as a defined relationship between multiple types (field, method).
Posted by: jhook on January 08, 2007 at 03:34 PM
jhook
Not sure I follow. Could you explain a bit what you're thinking?
One other aspect I was considering today was what the Properties proposals mean with respect to other languages, like JRuby. Both JRuby and Java compile to bytecode. It would be nice if "properties" defined in JRuby were usable in Java and vice versa. To make this generally true, it almost requires relying on get/set methods, because every language I am familiar with (which, admittedly, isn't many) has support for methods :-)
Posted by: rbair on January 08, 2007 at 03:53 PM
A good writeup. Your JRuby comments highlight a reason for the interface based design of my property object proposal. The interfaces can be implemented in whatever way is necessary to pickup the JRuby equivalent of a property. Even without a PropertyDescriptor or BeanInfo.
Posted by: scolebourne on January 08, 2007 at 04:39 PM
Richard, I guess the argument for retaining getFoo/setFoo as the practice in order to stay compatable in SE7-- why couldn't we introduce a Property type, which has a get Method and set Method metatype, similar to C#. Then, the existing Bean API would still produce property descriptors to keep with all existing frameworks, but also return results for the new property type keyword.
Posted by: jhook on January 08, 2007 at 05:36 PM
Richard:
Pardon me if this is taking the conversation too far off your intended topic.
But your bound property example, noting the non-final method, is still not bullet-proof. I have had a real problem 100% reconciling this behavior and I have not gotten all the aspects into focus; but my main point is that concurrent access throws that assert out the window in all cases.
It is not possible to write a compliant JavaBean that is observable in a deterministic way. The invoker of setFoo is supposed to cause the state change in the bean to become visible -- and I interpret this as volatile semantics -- and then synchronously deliver the change event to listeners; but during delivery it is supposed to release any locks to prevent deadlocks. This allows "events to be delivered out of order" as the beans spec says.
And if you implement it the way you have shown, then you lose some sort of determinism, in that by passing the argument value to setFoo itself as newValue in the event, then at least the event recipient knows exactly what value change this event is a by-product of and might be able to use that in a comparison to determine how to act -- it might be able to tell if it was the invoker of setFoo and to ignore this event for one example: and not that I think that's the greatest thing to have to try and implement either!
Anyway, I got a bit turned around with the concurrency aspects of beans and never settled into a 100% comfort zone.
It also doesn't make sense the way vetoable properties are supposed to be implemented: Are you also supposed to release locks before firing the veto event? If so, concurrency will kill you! You can have no idea what events come when. And then if there is a "revert" event, again there is no correlation between any of these events! If they come out of order a listening bean may wind up "reverting" to an earlier change that has been superceeded. It did always seem to me that the original design included some kind of implementation code that had the event receivers double-checking the values in the events against expected values and taking action that way. But even that way, I myself don't see how it can be implemented.
Thanks anyway; and I'd be interested if you have any comments on that aspect.
-Steev Coco.
Posted by: steevcoco on January 08, 2007 at 06:32 PM
Nice post, Richard!
I agree with the requirements you describe.
And I think that those code generation rules wouldn't be so bad. If you define a property with the new syntax and then you write a 'getXXX()' method, the "default" getter method for this property will not be generated by the compiler (and the same will happen to setter methods). The idea is: you can have the trivial getter/setter methods written by the compiler (it would be interesting to be able to define if a property is readonly or not, etc. to decide which methods will be generated) and, should you need to define a special behaviour for some getter or setter methods, then you can define those methods easily (by writing getXXX() or setXXX.()).
- Xavi
Posted by: xmirog on January 09, 2007 at 12:51 AM
Hi Richard,
The PropertyChangeListener handling is maybe not so good to have auto generated. However it would be easy to have the compiler complain if there is no firePropertyChangeEvent(String s, Object oldP, Object newP). It's trivial to write anyways since we have PropertyChangeSupport. Example code should be in the docs for the annotation on how to do this!
Also it is important to have at least non-null handling and, depending on the Validation JSR, handling of validation. Maybe PCE can be modded to have a light-weight validation similar to .consume() in InputEvent? Only is should be a little more powerful so it can throw an IllegalPropertyChangeException? There's 1000 ways to solve this, but it must be solved, again IMHO..
Cheers,
Mikael Grev
Posted by: mikaelgrev on January 09, 2007 at 04:12 AM
Great post Richard. Extensible property support is critical! You've inspired me to blog about how observable could be done generically -- with annotations on the fields!
Posted by: jessewilson on January 09, 2007 at 09:25 AM
I'd recommend foo.&bar for a property descriptor. This is similar to C so it might have some familiarity. (The main difference is that in C you'd say &foo.bar, but I think associating it closer to the item being referenced is clearer.)
While I'm not as eager for method references, I like static referencing better than using reflection. The same syntax could be used there. That is, you could say foo.&bar(String) or something along those lines. Note no need to say String.class or anything given the context of the method reference.
Posted by: tompalmer on January 09, 2007 at 10:08 AM
if jse 7 uses anything other than the '.', I'm jumping ship
Posted by: jhook on January 09, 2007 at 10:29 AM
Note, my comment on '.&' was in reference to property descriptors, not property values.
Posted by: tompalmer on January 09, 2007 at 11:02 AM
jhook, If you do:
public setName(String name) {
this.name = name;
}
Would you use the field or the setter?
Posted by: mikaelgrev on January 09, 2007 at 11:09 AM
how did you declare 'name' ? my impression is that properties would be a new type-- so you would get a compiler error if you tried to introduce:
// compile error
private String name;
public property String name;
or in C#
// safe since 'name' and 'Name' are different
private String name;
public String Name {
get {}
set {}
}
Posted by: jhook on January 09, 2007 at 11:43 AM.
Posted by: jhook on January 09, 2007 at 02:01 PM
jhook, Hmm. I bet lots of code doesn't use bean APIs directly. I'd bet lots of stuff just assumes the conventions. But people could probably work around such things and gradually upgrade support, too. Interesting thought, there.
Posted by: tompalmer on January 09, 2007 at 02:59 PM
I agree, Introspector could hide any differences.
Posted by: rbair on January 09, 2007 at 03:46 PM
Sorry. One more comment. Anything meta on properties ought to have java.lang and/or java.lang.reflect presence, not just java.beans. Maybe java.beans would still have some value add, but the core ought to be closer to lang, I'd think. (I suppose the java.lang.Iterable vs. java.util.Iterator for enhanced for loops is an interesting play.)
Posted by: tompalmer on January 09, 2007 at 04:28 PM
Nice article.
I don't know much about JavaBeans API, but I like simple annotation + code generation solution appeared in future Java version. like:
@Property
private String name;
@Property(immutable=true)
private Adress address;
As for property access (to avoid NullException), why not just borrow from JSP/JSF/Seam? like:
#{person.address.postcode}
Posted by: zwe on January 09, 2007 at 07:27 PM
Don't forget indexed properties. Java bean spec talk about it ! When you observe an indexed property, do you want to know the change of the property or only one of the index of the property.
Posted by: dbonneau on January 10, 2007 at 04:58 AM
Hi Richard!
It was nice to read your reasoning about properties. I completely agree with your requirements. I also support the opinion of xmirog: "If you define a property with the new syntax and then you write a 'getXXX()' method, the "default" getter method for this property will not be generated by the compiler (and the same will happen to setter methods)."
But i also think it will be useful to forbid the compiler to generate properties.
-Good Luck!
Posted by: nett on January 10, 2007 at 05:18 AM
You may call it whatever you want, I call it for what it is, and it is "removing private and protected fields". The goal is make private and protected fields to behave just like public ones, killing OO in the process and making a bunch of clueless developers happy by doing so.
NOT ALL FIELDS SHOULD BE EXPOSED VIA GET/SET. If you do it then, please, drop programming and go flip some burgers. You will be a lot happier.
If this passes I will start calling Java "Perl++". What are the options? To be sodomized.
This is probably the one of the stupidest things I have ever heard. Programmers that think this is good should switch to some language like PHP, which didn't have "access mofidiers" in some versions still widely used. I guess they would feel more confortable this way.
PS: The arrow and other symbol proposals are signs that Java is becoming like Perl, with its symbols and special meanings. The difference is that Perl (and Ruby, and Python, etc) doesn't have professional level IDEs, so they need to use vi and such markings help to distinguish things, they are IDE impaired. Java has great IDEs, this won't help at all, it wil just pollute.
Posted by: thiagosc on January 10, 2007 at 06:10 AM
Now why they don't just make the field they want to do so "public" is a mistery.
They seem to think a "language feature" is needed.
Posted by: thiagosc on January 10, 2007 at 06:12 AM
@thiagosc: When you learn the difference between a property and a public field, I suggest you reread the proposals. Nowhere is anybody suggesting that public fields is, in general, a good idea.
There is a difference between a field and a property. A property is state that is meant to be configured by external clients. A field is part of the internal representation of state in a class. A property is meant to be public API. Spring, EJB, Swing, and many other very common and very successful APIs in Java use the JavaBeans "properties" patterns.
Posted by: rbair on January 10, 2007 at 07:23 AM
Properties is just a stupid idea. We don't need this at all. We don't need to copy every bad idea that comes from the VB/C# camp. Java already has JavaBeans.. we don't need questionable syntactic sugar for this. C# isn't much more practical in this regard either.. the properties mechanism is redunant to the language.
This idea is even stupider than templates and annotations. [sarcasm] Why don't we copy C#'s javadoc style too?[/sarcasm]
Posted by: dog on January 10, 2007 at 08:21 AM
@rbair: in practical terms, what are the differences between one and another? I am not looking for an answer, just pointing out the obvious, calling a "public field" a "property" won't make it less stupid. The use and effect will be the same.
So why to rename an existing thing if standard Java OO already do it?
This "typist culture" from those scripting languages is starting to infect Java. They count keystrokes because they are IDE impaired, but Java is not. The IDEs does everything already, and you may even choose not to see it if you don't want to.
Posted by: thiagosc on January 10, 2007 at 08:34 AM
It just brakes encapsulation by transforming "private" and "protected" in not quite private and protected.
Posted by: thiagosc on January 10, 2007 at 08:36 AM
@thiagosc - You are wrong. ;-)
Richard, as another poster said, it is VERY important for this to work 100% with indexed/Collection type properties as well. I didn't mention them in my initial blurb since it would get too long but it is important. So is a lot of other stuff. The question here is where do you/we discuss this is a threaded/issue way?
Cheers,
Mikael
Posted by: mikaelgrev on January 10, 2007 at 09:15 AM
Hey Mikael
Email, no doubt :-). For myself, I suspect I'll keep reading the blogs and proposals going around and continue blogging about it as well. As for indexed collections: my quick answer would be "yes", let's suppor them. However, as jhook mentioned, we don't have to support them exactly the same as JavaBeans, as long as the JavaBeans introspector can recognize the old AND new styles and create the appropriate property descriptors, etc.
Richard
Posted by: rbair on January 10, 2007 at 09:40 AM
Noooooo!
In Sweden we have the Gregorian Calendar system. It is now the year 2007. What Calendar system do you have at Sun, and has it passed 1995? ;-)
Posted by: mikaelgrev on January 10, 2007 at 10:00 AM
In a company that still uses emacs, I'm just glad we have email! :-)
Posted by: rbair on January 10, 2007 at 02:27 PM
I think modifying the entire language to ease the implementation of a particular design pattern used often in a particular problem domain is a great idea.
We should iterate over all design patterns and modify the language to ease the implementation of each. We should ignore reservations such as these:
"However, this is kinda weird. I mean, you define a property, and then call a method "getSurname()". Where was that method defined? "Oh, the compiler creates it for you". I mean, that's just plain freaky."
Less typing is far more important than feeling comfortable with the language. After all the goal is to produce as much code as possible, not to develop, robust, secure, long-lasting software infrastructures.
Posted by: kdw on January 11, 2007 at 12:18 AM
"VERY important for this to work 100% with indexed/Collection type properties as well".
Right, so you can do something like myObject.secretVector = {"apple", "orange", 1, banana}->[0,2];
Posted by: jwenting on January 11, 2007 at 12:25 AM
"Less typing is far more important than feeling comfortable with the language."
When someone is using an anonymous inner class you have to "learn to read" that code also. The same goes for the new typesafety constructs. Change is not nessecarily bad.
Furthermore: the generated setter and getter are not coming out of the blue, there is a construct (keyword) that denotes the behaviour. The coder needs to understand what the "@property" annotation does.
My additions: let the compiler examine the sourcecode and generate smart code upon a @property.
- if there is a firePropertyChange method available, use that in the setter.
- similar vetoablePropertyChange.
The @property annotation has parameters to customize the generation (change=false, vetoable=false, etc).
Posted by: tbee on January 11, 2007 at 01:19 AM
This is the cake.
I really couldnt agreee more with jhook. We are introducing a new framework. Being backward-compatible might make it a bit easier to use an old API(although if youre already using the old API you might want to continue with getters and setters), but we will not gain the perfect solution/syntax. NOT being backwardcompatible does not break anything. We can still use the old getters and setters, we can design the propertysyntax better and it might just be a lot easier to integrate.
Posted by: xodox on January 11, 2007 at 01:32 AM
I think properties are a very bad idea.. This would likely waste time in identifying bugs with the setter code. If the setter is used, then this is always obvious with no loss of clarity of intent that tehre is potentially extra work going on. If it aint broke, dont fix it.
Posted by: hoprods on January 11, 2007 at 04:35 AM.
You are right, they are just trying to access private fields as if they were public. Why don't they just make the fields public anyway, without messing with language?
Posted by: thiagosc on January 11, 2007 at 06:43 AM
properties with "direct" access and get/set I find horrible: Now there are two ways to access the value although there are the same (at least I hope - but others might think otherwise) - backward compatible with the JavaBeans spec? Nice to have, although the JavaBeans gave Java the bitter taste of "lots of simply objects that do nothing".
Besides JavaBeans, there is another convention on naming RO-properties: name(), size()... does this also has to be supported?
Even if the accessors on the properties were transparent (p=x, x==p) - if there are listeners that interact synchronously , the transparancy might be compromised and thus a syntax a.p =x x= a.p is not advisable as the p will not behave as the simple field as the programmer sees it - if we say that it is how it is meant to be, indeed all fields should be private.
Perhaps we need not one "property" but two: One is a language element for tool and framework interaction (JavaBeans build into the laguage) and the other is for interafce to define a "public field" with controlled access (RO,WO)
Posted by: csar on January 11, 2007 at 11:37 PM
What the proposals don't cater for are readonly and writeonly properties, nor properties where the property (thus the getter and setter) don't map 1:1 to a datamember of the exact same type and name.
Without both those requirements taken care of, the entire thing is indeed just another way of enabling full public access to data members.
With those taken care of, it might be a good idea in principle, if the syntax were carefully selected. Properties in other languages use the same assignment/read syntax of fields, and I see no reason that Java should be different in that (would be extremely confusing to break commonly used practice).
Under those conditions the system might have some advantages, especially for true DTOs which are used purely to distribute data between application layers and have little or no logic of their own. Their coding and use would become cleaner, yet remain reasonably futureproof (if it is possible to define the getter and setter explicitly as part of the property definition, including the actual method names to use).
Posted by: jwenting on January 12, 2007 at 12:51 AM
@jwenting: that's what Hans Muller proposed--true DTOs, to paraphrase him, are really of course just structs, and that seems to be where the use case sweet spot is in all of this froth.
Posted by: ljnelson on January 14, 2007 at 06:51 AM
If this passes I will start calling Java "Perl++". What are the options? To be [victimized].
Posted by: ronald45 on August 05, 2007 at 07:40 AM
Posted by: ronald45 on August 05, 2007 at 08:05 AM
Don't forget indexed properties. Java bean spec talk about it ! When you observe an indexed property, do you want to know the change of the property or only one of the index of the property. 搬運公司-畢業相攝影-生活記事-Tamiya
Posted by: winrelocation on October 30, 2007 at 12:52 AM
手机 手机
Posted by: stillstayhere on May 28, 2008 at 12:56 AM | http://weblogs.java.net/blog/rbair/archive/2007/01/properties_in_j.html | crawl-002 | refinedweb | 5,121 | 64.41 |
While trying to compile the driver method, my compiler presented me w/ MANY errors....all refering to the header file you see here. I would like to know if there is any thing i declared wrong in the include files and if my attack() function is declared right since one of the errors pointed to its line.
-if i'm not being specific enough or you would like to see more code, just ask
thanks
Code://#include "Weapon.h" #include<iostream> #include "Player.h" using namespace std; class Enemy { public: void stats(); void bStats(); int attack(Enemy* enemyN, Player* playerN); private: int m_hp; int m_mp; int m_str; int m_exp; int m_level; string m_name; } //more code.....all of the functions are declared here... | https://cboard.cprogramming.com/game-programming/85380-error-chaos.html | CC-MAIN-2017-30 | refinedweb | 122 | 71.85 |
Introduction
Deep Learning is fundamentally changing everything around us. A lot of people think that you need to be an expert to use power of deep learning in your applications. However, that is not the case.
In my previous article, I discussed 6 deep learning applications which a beginner can build in minutes. It was heart-warming for me to see hundreds of readers getting motivated by it. So I thought of following up from my previous article with a few more applications of deep learning. If you missed out on my previous article, I would suggest you should go through it.
In this article, we will learn how to build applications like automatic image tagging, apparel recommendation, music generation using deep learning and many more. And you will be able to build any of these applications with in minutes!
P.S. The article assumes, you know the basics of Python. If not, just follow this tutorial and then you can start from here again.
Table of Contents
1. Applications using existing APIs
- Automatic Image Tagging with Clarifai API
- Apparels Recommender with Indico API
2. Open Sourced Applications
- Music Generation using Deep Learning
- Detecting “Not Safe For Work” Images
- Super Resolution
3. Other Notable Resources
1. Deep learning Applications using existing API
1.1 Automatic Image Tagging (Clarifai API)
Image tagging is one of the first applications of deep learning that showed breakthrough results. Unlike textual data, an image is a lot harder to comprehend for a machine. The machine requires a deeper understanding of the pixel data. Therefore we use image tagging to essentially summarize the image and tell us which categories the image and its underlying objects belong to.
That’s why we use image tagging to essentially summarize the image. This tells us which categories the image belongs to and what are its underlying objects.
Below is an example of predicted tags given to an image which was found through deep learning.
Now, let us look at how to build the above tagging feature for every image using an API provided by Clarifai.
Requirements and Specifications
- Python (2 or 3)
- Internet connection (for accessing API endpoint)
- Step 1: Register on Clarifai website and get your own API key. You can then find your API credentials on the developer page
- Step 2: Install Clarifai client for python by going to the terminal and typing
pip install clarifai
- Step 3: Configure your system with Clarifai client
clarifai config
Here, you will be asked to provide your Client ID and Client Secret respectively. You can find these on the developer page itself.
- Step 4: Now create a file “application.py” and insert the code below to tag the image. Remember to replace <your_image> in the code with the path of the image you want to tag.
from clarifai.rest import ClarifaiApp app = ClarifaiApp() app.tag_files(['<your_image>.jpg'])
Then run the code by
python application.py
You will get an output as follows
{ "status": { "code": 10000, "description": "Ok" }, "outputs": [ { "id": "ea68cac87c304b28a8046557062f34a0", "status": { "code": 10000, "description": "Ok" }, "input": { "id": "ea68cac87c304b28a8046557062f34a0", "data": { "image": { "url": "" } } }, "data": { "concepts": [ { "id": "ai_HLmqFqBf", "name": "train", "app_id": null, "value": 0.9989112 }, ...
This is a json output showing a response of the prediction. Here, you can find the relevant tags in outputs->data-> concept->name .
1.2 Apparels Recommender (Indico API)
Recommendation systems are becoming a great asset day by day. As the number of products is increasing, intelligently targeting specific consumers who would be willing to buy the product is essential. Deep Learning can help us in this genre too!
I am not a fashion buff, but I have seen people “waste” so much time choosing which clothes to wear. How great would it be if we could have an artificial agent know our preferences and suggest us the perfect outfit!
Fortunately, with deep learning this is possible.
You can find a demo of this application here.
The official article describes this in more detail. Now let’s find out how can you build this recommender system at your end.
Requirements and Specifications
- Python 2
- Internet connection (for accessing API endpoint)
- Step 1: Register on Indico website and get your own API key.
- Step 2: Install Indicoio client for python by going to command prompt and typing
pip install indicoio
- Step 3: Download the repository from Github (here’s the link), extract it and go to “matching_clothes” folder.
- Step 4: Now in the “main.py” file, insert the code below. Remember to replace YOUR_API_KEY with your own which you got in step 1.
import indicoio from indicoio.custom import Collection indicoio.config.api_key = 'YOUR_API_KEY'
And at the end, replace the part ‘if __name__ == “__main__”‘ with below code
if __name__ == "__main__": train = generate_training_data("clothes_match_labeled_data_1.txt") collection = Collection("clothes_collection_1") for sample in tqdm(train): print sample collection.add_data(sample) collection.train() collection.wait()
And run this code by
python main.py
You will get an output like this
{u'label1': 0.0183739774, u'label2': 0.8100245667, u'label3': 0.1102390038, u'label4': 0.060105865800000005, u'label5': 0.0012565863}
which shows the probability of match as shown in the example above.
2. Open Source Deep Learning Applications
2.1 Music Generation using Deep Learning
Music generation is one of the coolest applications of deep learning. If this application is used meticulously, it can bring breakthroughs in the industry.
Music, just like most of the things in nature, is harmonic. It has patterns which our mind catches and makes sense of. These patterns of music can be taught to a computer and then can be used to create new music rhythms. This is the formula behind music generation.
This open source application was built keeping in mind this concept. Below is an example of what it could generate.
Now let’s look at how we can replicate the results!
Requirements:
- Python (2 or 3)
- Step 1: Install the dependencies
First, install Theano. Note that you have to install the bleeding edge version of Theano, which is required for this. You can find the installation instructions here.
Then install Keras by the below code
pip install keras
You would have to change backend of Keras from tensorflow to Theano. Follow the instructions given here.
The final dependency is of Music21. For installation, refer this link.
- Step 2: Now create music by running the below command
python generator.py 128
2.2 Detecting “Not Safe For Work” Images
Although censorship is indeed a controversial topic, it is still a vital component for filtering out offensive adult content from the viewers. The inventors of this application focused on filtering out one of the main type of NFSW content, identification of pornographic images. A score is returned, which shows the intensity of NFSW, which can be used to filter out images above a certain threshold.
Below shows the images and their corresponding NFSW score as given by the application.
Let’s look at how to build one such application
Requirements:
- Python 2
docker build -t caffe:cpu
- Step 3: Go to your downloaded folder and run the below command in terminal. Give path of the image you want to analyze.
docker run --volume=$(pwd):/workspace caffe:cpu python ./classify_nsfw.py --model_def nsfw_model/deploy.prototxt --pretrained_model nsfw_model/resnet_50_1by2_nsfw.caffemodel <your_image>.jpg
2.3 Super Resolution
We often see in movies that when you zoom in to an image, you can view even the finest detail which can be used to catch a criminal or get a crucial evidence.
In reality, this is not the case.When you zoom in, the image often gets blurry and not much can be seen. To cope up with this (and to make the dream a reality), we can use deep learning to increase the resolution of an image, which can help us to get clarity on zooming in.
This application is the depiction of the same. Here is its sample output.
Now let’s look at how to build this
Requirements
- Python 3
- Step 2: Open the .bashrc file and write the below line of code
alias enhance='function ne() { docker run --rm -v "$(pwd)/`dirname ${@:$#}`":/ne/input -it alexjc/neural-enhance ${@:1:$#-1} "input/`basename ${@:$#}`"; }; ne'
- Step 3: Now to enhance your image, just insert the name of your image in the below code
enhance --zoom=1 --model=repair <your_image>.jpg
3. Other Notable Resources
Deep learning constantly amazes me. With countless applications in the making, the race for making use of this technology is becoming rampant in the industry. Before signing off, I would like to mention some of the resources which might be inspirational to you.
- Course material on “Applications of Deep Learning”
- Projects done by students of Stanford’s CS231n ’16 batch
- Projects done by students of Stanford’s CS224d ’16 batch
- List of Deep Learning Startups
You can also look at the video below for some use cases where deep learning can be used to enrich our lives. Enjoy!
End Notes
I hope you enjoyed reading this article. Deep Learning continues to fascinate everyone including top data scientists across the globe. These are few of the interesting applications I wanted to share with you. If you happen to know any other deep learning application, do share it with me in the comments section.
If you come across any queries while building these applications at your end. Post your questions below & I’ll be happy to answer them.
5 Comments | https://www.analyticsvidhya.com/blog/2017/02/5-deep-learning-applications-beginner-python/ | CC-MAIN-2017-22 | refinedweb | 1,562 | 57.16 |
> > One of. > ok, let me know what you think of the following early userspace scenario sketch. It aleviates the bindings sync issues between early and normal userspace. Pre-requisites : - no multipath config or binding files packaged in early userspace - move bindings from /var to /etc early userspace trace : - load storage drivers - path nodes are created - lookup the rootdev wwid in a config file created at system install time or by init{ramfs,rd} rebuild script - exec "multipath $wwid" : the scope limiting is the trick as only root dev map gets created. All defaults will apply : failover policy, etc ... - mount /dev/mapper/$wwid - pump config and bindings in early userspace namespace - umount root fs - exec "multipath $wwid" again - deduce $alias from {bindings file & $wwid} - mount /dev/mapper/$alias Regards, cvaroqui | https://www.redhat.com/archives/dm-devel/2005-October/msg00081.html | CC-MAIN-2014-23 | refinedweb | 129 | 55.17 |
I am new to sfdc. I have reported already created by the user . I would like to use python to dump the data of the report into CSV/excel file. I see there are a couple of python packages for that. But my code gives an error
from simple_salesforce import Salesforcesf = Salesforce(instance_url='', session_id='')sf = Salesforce(password='xxxxxx', username='xxxxx', organizationId='xxxxx')
from simple_salesforce import Salesforce
sf = Salesforce(instance_url='', session_id='')
sf = Salesforce(password='xxxxxx', username='xxxxx', organizationId='xxxxx')
Can I have the basic steps for setting up the API and some example code
You can set up the API using the following sample code, this shouldn't give an error:
import requestsimport csvfrom simple_salesforce import Salesforceimport pandas as pds})
import requests
import csv
import pandas as pd
s})
d.content contains a string of comma-separated values which can be read with the csvmodule.
d.content
csv
Now, take data into pandas from there, therefore the function name and import pandas. I removed the rest of the function where it puts the data into a DataFrame.
pandas
import pandas
DataFrame. | https://intellipaat.com/community/17265/importing-salesforce-report-data-using-python | CC-MAIN-2019-51 | refinedweb | 180 | 53 |
Bootstrapping CoreOS cluster with Kubernetes in 20 minutes using coreos-baremental and complicated.
Actually, even I don’t want to reproduce all of this stuff ever again. That’s why, since I wrote that post and did all that steps,
I was thinking how to improve and automate that process. I wanted to have some service which will give you iPXE/TFTP/DHCP services out of the box.
And it should be possible to configure everything with just a few configs.
I liked the idea of Kelsey Hightower’s coreos-ipxe-server.
Which was not exactly what I wanted, but still much better that managing all this stuff manually.
I was thinking about using it for my next baremetal installation.
A few weeks ago I discovered bootkube project.
Bootkube is a helper tool for launching self-hosted Kubernetes clusters.
When launched, bootkube will act as a temporary Kubernetes control-plane (api-server, scheduler, controller-manager), which operates long enough to bootstrap a replacement self-hosted control-plane.
In other words bootkube will use temporary ubernetes instance to deploy new cluster using kubernetes objects like deployments, pods, configmaps.
And since all it’s components are k8s objects it will be able to scale/update/heal itself. And of course it will be much easier to upgrade cluster to new versions.
I found the idea of self-hosted Kubernetes very exciting. So exciting that I wanted to try it as soon as possible.
Fortunately, about the same time I realized that I do not use even 1/10 of resources I have in my new home server.
I was planning to deploy Kubernetes there to manage all containers anyways, so, it was a perfect match.
Since I didn’t want to do baremetal provisioning manually again, I spent weekend researching nicer ways of provisioning baremetal.
And I found the great solution — coreos-baremetal, from CoreOS team itself.
It’s built with all the pain points of provisioning baremetal servers using network boot in mind:
* it’s a single binary/container
* it can work as DHCP or DHCP-proxy server
* it can provide DNS
* it supports TFTP and iPXE boot
After you figured everything out it really takes about 20 minutes to bootstrap CoreOS cluster.
But I found documentation a bit fragmented, so I decided to write this short step-by-step tutorial.
Prerequisites
I’m going to use 3 already created ESXi virtual machines to build CoreOS cluster.
I know mac addresses of this machines upfront.
I’m going to do all steps from VM #4 (Ubuntu based), but any other machine could be used,
even a laptop connected to the same network.
I’m going to use DNS zone example.com and ip addresses 192.168.1.* in this tutorial.
Internet gateway is 192.168.1.254 and ubuntu-based VM is 192.168.1.250
Running dnsmasq as DHCP/DNS/iPXE server
Let’s start with dnsmasq.
Dnsmasq is one of two services which form coreos-baremetal service.
Dnsmasq is a daemon which provides you an easy way to run everything you need for a network boot.
dnsmasq provides an App Container Image (ACI) or Docker image for running DHCP, proxy DHCP, DNS, and/or TFTP with dnsmasq in a container/pod. Use it to test different network setups with clusters of network bootable machines.
The image bundles undionly.kpxe which chainloads PXE clients to iPXE and grub.efi (experimental) which chainloads UEFI architectures to GRUB2.
To run dnsmasq we need to write a config file first. Let’s create a new `dnsmasq.conf`
domain-needed
bogus-priv
domain=example.com
expand-hosts
local=/example.com/
listen-address=127.0.0.1
listen-address=192.168.1.250
bind-interfaces
dhcp-range=lan,192.168.1.1,192.168.1.100
# set default gateway
dhcp-option=lan,3,192.168.1.254
# set DNS server to this machine
dhcp-option=lan,6,192.168.1.250
dhcp-userclass=set:ipxe,iPXE
server=8.8.8.8
enable-tftp
tftp-root=/var/lib/tftpboot
pxe-service=tag:#ipxe,x86PC,"PXE chainload to iPXE",undionly.kpxe
pxe-service=tag:ipxe,x86PC,"iPXE",
# add resolving to the host
address=/bootcfg.example.com/192.168.1.250
# assign hostname and ip address to the nodes
dhcp-host=00:01:23:45:67:89,node1,192.168.1.21,infinite
dhcp-host=00:02:34:56:78:90,node1,192.168.1.22,infinite
dhcp-host=00:03:45:67:89:01,node1,192.168.1.23,infinite
log-queries
log-dhcp
domain-needed — never pass short names to the upstream DNS servers. If the name is not in the local /etc/hosts file then “not found” will be returned.
bogus-priv — reverse IP (192.168.x.x) lookups that are not found in /etc/hosts will be returned as “no such domain” and not forwarded to the upstream servers.
no-resolv — do not read resolv.conf to find the servers where to lookup dns.
no-poll — do not poll resolv.conf for changes
dhcp-range — range of IPs that DHCP will serve. proxy means that it will not give IP addresses, but only provide additional services.
enable-tftp — as it says, enable TFTP
tftp-root — location of tftp files that will be served
dhcp-userclass — assign tags based on client classes
pxe-service — configure pxe boot instructions
log-queries — logging
log-dhcp — logging
You can read more about configuration in dnsmasq-man
Now we need to configure our TFTP.
$ mkdir tftpboot
$ cd tftpboot
$ wget
$ cp undionly.kpxe undionly.kpxe.0
$ wget
$ mkdir pxelinux.cfg
$ cat > pxelinux.cfg/default <<EOF
timeout 10
default iPXE
LABEL iPXE
KERNEL ipxe.lkrn
APPEND dhcp && chain
EOF
Now, if we run a dnsmasq container with this config, we will have DHCP server for the network 192.168.1.*,
with DNS, TFTP and instructions to forward iPXE clients to 192.168.1.250:8080 — IP of the machine running bootcfg, which we will configure next.
docker run -d \
--cap-add=NET_ADMIN \
--net=host \
-v $PWD/tftpboot:/var/lib/tftpboot \
-v $PWD/dnsmasq.conf:/etc/dnsmasq.conf \
quay.io/coreos/dnsmasq -d -q
Configuring and running bootcfg for network provisioning
Next we need to run bootcfg.
bootcfg is an HTTP and gRPC service that renders signed Ignition configs, cloud-configs, network boot configs, and metadata to machines to create CoreOS clusters. bootcfg maintains Group definitions which match machines to profiles based on labels (e.g. MAC address, UUID, stage, region). A Profile is a named set of config templates (e.g. iPXE, GRUB, Ignition config, Cloud-Config, generic configs). The aim is to use CoreOS Linux’s early-boot capabilities to provision CoreOS machines.
As said in the official description — it’s the service to actually provision servers with different configs based on metadata.
Lets clone coreos-baremetal repository.
We will need only examples directory from it.
$ git clone
# Make a copy of example files
$ cp -R coreos-baremetal/examples .
# Download the CoreOS image assets referenced in the target profile.
$ ./coreos-baremetal/scripts/get-coreos alpha 1109.1.0 ./examples/assets
At this point, we need to decide on the roles we want our servers to have.
You can choose from available example groups inside the `examples/groups` or write your own.
> $ tree examples/groups
examples/groups
├── bootkube
├── bootkube-install
├── etcd
├── etcd-aws
├── etcd-install
├── grub
├── k8s
├── k8s-install
├── pxe
├── pxe-disk
└── torus
Before continuing, let’s try if everything works.
Run bootcfg container with `-v $PWD/examples/groups/etcd:/var/lib/bootcfg/groups:Z \` to boot machines with etcd running.
$ docker run -p 8080:8080 -d \
-v $PWD/examples:/var/lib/bootcfg:Z \
-v $PWD/examples/groups/etcd:/var/lib/bootcfg/groups:Z \
quay.io/coreos/bootcfg:v0.4.0 -address=0.0.0.0:8080 -log-level=debug
Reboot machines you’re going to provision. Machines should boot from PXE, get configuration from bootcfg and start CoreOS.
Since we didn’t change anything in provision configs, default one should be served.
# examples/groups/etcd/default.json
{
"id": "default",
"name": "default",
"profile": "etcd-proxy",
"metadata": {
"etcd_initial_cluster": "node1="
}
}
It’s ok, but we want to have persistent Kubernetes cluster.
So, let’s change some configs.
Files we’re going to use are located in `examples/groups/bootkube-install`
First of all lets replace some of the variables:
# We need to change all occurrences of `bootcfg.foo` to `bootcfg.example.com`
$ find examples/ -type f -print0 | xargs -0 sed -i -e 's/bootcfg.foo/bootcfg.example.com/g'
# Replace IP network from default to ours `192.168.1.*`
$ find examples/ -type f -print0 | xargs -0 sed -i -e 's/172.15.0./192.168.1./g'
And second, we need to add our ssh keys and corresponding MAC addresses to node1.json, node2.json, and node3.json.
Here is the content of node1.json file after changes we made so far with `sed`:
{
"id": "node1",
"name": "Master Node",
"profile": "bootkube-master",
"selector": {
"mac": "52:54:00:a1:9c:ae",
"os": "installed"
},
"metadata": {
"ipv4_address": "192.168.1.21",
"etcd_initial_cluster": "node1=",
"etcd_name": "node1",
"k8s_dns_service_ip": "10.3.0.10",
"k8s_master_endpoint": "",
"k8s_pod_network": "10.2.0.0/16",
"k8s_service_ip_range": "10.3.0.0/24",
"k8s_etcd_endpoints": "",
"networkd_address": "192.168.1.21/16",
"networkd_dns": "192.168.1.250",
"networkd_gateway": "192.168.1.254",
"ssh_authorized_keys": [
"ADD ME"
]
}
}
We need to change mac address and check that DNS server and gateway is correctly set and add ssh public key.
Do it for all 3 configs. Also you need to change etcd cluster info to use dns names instead of ip addresses:
"etcd_initial_cluster": "node1=",
"k8s_etcd_endpoints": "",
That’s basically it. Now stop any previously running bootcfg containers and start
the new one with `examples/groups/bootkube-install` as volume:
$ docker run -p 8080:8080 -d \
-v $PWD/examples:/var/lib/bootcfg:Z \
-v $PWD/examples/groups/bootkube-install:/var/lib/bootcfg/groups:Z \
quay.io/coreos/bootcfg:v0.4.0 -address=0.0.0.0:8080 -log-level=debug
Now, when you restart your machines, they will boot basic CoreOS image and then install it on the disk.
It will take just a few minutes, and you can see progress on each machine with `journalctl -f`
After the installation, boxes will reboot and you will be able to ssh to it using your key.
At this stage, you have 3 machines with CoreOS installed on disk and hopefully healthy etcd cluster.
You can check it from any node with:
core@localhost ~ $ etcdctl cluster-health
member 804d94c1234cb453 is healthy: got healthy result from
member a2f761234a47b2fb is healthy: got healthy result from
member e30ed10dc12349c9 is healthy: got healthy result from
cluster is healthy
Bootkube
Now we are ready to use bootkube to bootstrap temporary k8s control plane which will deploy our k8s cluster.
Download the latest(v0.1.4) from github. Unzip it and run it with render argument.
bootkube render --asset-dir=assets --api-servers= --etcd-servers= --api-server-alt-names=IP=192.168.1.21
You will get all needed manifests and SSL keys to deploy k8s.
# Now secure copy the kubeconfig to /etc/kuberentes/kubeconfig on every node
$ scp assets/auth/kubeconfig core@192.168.1.21:/home/core/kubeconfig
$ ssh core@192.168.1.21
$ sudo mv kubeconfig /etc/kubernetes/kubeconfig
# Secure copy the bootkube generated assets to any one of the master nodes.
$ scp -r assets core@192.168.1.21:/home/core/assets
# SSH to the chosen master node and bootstrap the cluster with bootkube-start
$ ssh core@192.168.1.21
$ sudo ./bootkube-start
In case you’ll get error saying that `bootkube-start` cannot be found, do:
$ cd /{YOUR_DOMAIN}/core/
$ sudo cp -R /home/core/assets .
$ sudo ./bootkube-start
That’s it. Sit and watch `journalctl -f` until you’ll see something like this:
I0425 12:38:23.746330 29538 status.go:87] Pod status kubelet: Running
I0425 12:38:23.746361 29538 status.go:87] Pod status kube-apiserver: Running
I0425 12:38:23.746370 29538 status.go:87] Pod status kube-scheduler: Running
I0425 12:38:23.746378 29538 status.go:87] Pod status kube-controller-manager: Running
Verify
This part is just copied from original readmeectl --kubeconfig=assets/auth/kubeconfig get nodes
NAME STATUS AGE
192.168.1.21 Ready 3m
192.168.1.22 Ready 3m
192.168.1.23 Ready 3m
$ kubectl --kubeconfig=assets/auth/kubeconfig get pods --all-namespaces
kube-system kube-api-checkpoint-192.168.1.21 1/1 Running 0 2m
kube-system kube-apiserver-wq4mh 2/2 Running 0 2m
kube-system kube-controller-manager-2834499578-y9cnl 1/1 Running 0 2m
kube-system kube-dns-v11-2259792283-5tpld 4/4 Running 0 2m
kube-system kube-proxy-8zr1b 1/1 Running 0 2m
kube-system kube-proxy-i9cgw 1/1 Running 0 2m
kube-system kube-proxy-n6qg3 1/1 Running 0 2m
kube-system kube-scheduler-4136156790-v9892 1/1 Running 0 2m
kube-system kubelet-9wilx 1/1 Running 0 2m
kube-system kubelet-a6mmj 1/1 Running 0 2m
kube-system kubelet-eomnb 1/1 Running 0 2m
Try deleting pods to see that the cluster is resilient to failures and machine restarts (CoreOS auto-updates).
Conclusion
At the end of the process above, you will have a working 3 node CoreOS cluster with self-hosted Kubernetes.
Like this article?
Click the 💚 below so other people will see it here on Medium.
Subscribe to get new stories delivered to your inbox or follow me on twitter.
Originally published at blog.lwolf.org on August 22, 2016. | https://medium.com/@SergeyNuzhdin/bootstrapping-coreos-cluster-with-kubernetes-in-20-minutes-using-coreos-baremental-and-bootkube-888ceb9f7a27 | CC-MAIN-2018-17 | refinedweb | 2,252 | 59.3 |
This page contains an archived post to the Java Answers Forum made prior to February 25, 2002.
If you wish to participate in discussions, please visit the new
Artima Forums.
adding 2 float number did not get expected result
Posted by Albert on November 26, 2000 at 8:33 AM
Hello,
Adding 2 float numbers, 20.4 and 40.8 gives me 61.199997,instead of 61.2.
Can anyone reproduce the result with the source below ?
---------------public class test {
public static void main( String[] para ) {
float a = (float) 20.4; float b = (float) 40.8;
float c = a+b; System.out.println( "a :" + a ); System.out.println( "b :" + b ); System.out.println( "c =a+b :" + c ); }}
----my output :
a :20.4b :40.8c =a+b :61.199997 | http://www.artima.com/legacy/answers/Nov2000/messages/188.html | CC-MAIN-2017-43 | refinedweb | 128 | 80.58 |
I've just started playing with file io.
My raw data file contains the following:
-52.387596 61.659180 -2.277227
-52.341648 61.521450 -2.243313
.....
and I want to output a file such
#PSI Format 1.0
#
# column [0] = "x"
# column [1] = "y"
# column [2] = "z"
# column [3] = "Energy"
# column [4] = "Id"
# type[3] = byte
-52.3876 61.6592 -2.27723 0 0
As you can see from numbers in my outputed file the numbers have been rounded.
Q - How do I get around this?
Heres my code
Perhaps I'm missing something real silly. I tried to make x,y,z floats as well but this didnt work either :-(Perhaps I'm missing something real silly. I tried to make x,y,z floats as well but this didnt work either :-(Code:#include <iostream> #include <fstream> #include <stdio.h> using namespace std; int main (int argv, char* arvc[]){ char *sourceFileName = "start.xyz"; char *destinationFileName = "finish.psi"; fstream finput; fstream foutput; finput.open(sourceFileName, ios::in); foutput.open(destinationFileName, ios::out); int index = 0; string line; double x, y, z; if (finput.is_open() && foutput.is_open()){ foutput << "#PSI Format 1.0" << endl; foutput << "#" << endl; foutput << "# column [0] = \"x\"" << endl; foutput << "# column [1] = \"y\"" << endl; foutput << "# column [2] = \"z\"" << endl; foutput << "# column [3] = \"Energy\"" << endl; foutput << "# column [4] = \"Id\"" << endl; foutput << "# type[3] = byte" << endl; foutput << "" << endl; while (!finput.eof()){ finput >> x >> y >> z; foutput << x << " " << y << " " << z << " " << 0 << " " << index << endl ; index++; } foutput.close(); finput.close(); }else{ cout << "Error in opening eithe input or output files"; if (finput.is_open ()){ finput.close(); } if (foutput.is_open()){ foutput.close(); } } cout << "Conversion undertaken"; cin.ignore(); cin.ignore (); return 1; }
Thanks for pointers. | http://cboard.cprogramming.com/cplusplus-programming/57309-reading-writing-files.html | CC-MAIN-2015-32 | refinedweb | 278 | 68.47 |
Building Line of Business Applications with Silverlight 3 – Pros and Cons
I’ve been hearing a lot of people talk about how Silverlight 3 can or can’t do various things lately throughout the blogosphere and Twitter. The sad part is that some of the people giving their two cents about what Silverlight can’t do haven’t built a “real world” application so I’m not sure how their opinion carries any weight (I know because I’ve asked a few of them). Their list of cons are typically based on what they heard on Twitter or various rumors floating around. As with any technology there are pros and cons and Silverlight is no exception. The goal of this post is to talk through some of the pros and cons I’ve personally encountered while building a “real world”, enterprise-scale timesheet and job management application for a large electrical contracting company. I’ll point out what has worked really well and what hasn’t so that people looking to move applications to Silverlight 3 can get an honest assessment on what can be done and what can’t be done.
The application my company is building has a lot of different screens (30+), integrates with the backend database using WCF, uses reporting services for reports and leverages many of the key features Silverlight 3 has to offer. The existing application used by the client was written using Access Forms and is being ported to Silverlight 3 along with a bunch of new functionality.
Let’s start by going through what I personally feel are the pros and cons that Silverlight brings to the table for Line of Business (LOB) applications.
Silverlight 3 Pros
Here are some of the pros I’ve found as I’ve worked through the application:
- Excellent data binding support – my favorite feature. This changes how you look at building applications and allows you to write data-centric code instead of control-centric code as with normal Web applications. There’s a lot I could cover here but I wrote up a post awhile back that gives additional details about what I like. Read it here.
- Server code and client code can written in the same language. Business and validation rules can be shared between the client and server code base which definitely makes applications more maintainable into the future.
- A rich set of controls – I really like the controls available with the Silverlight SDK as well as those in the Silverlight toolkit. There are a few (mentioned below) that can test your patience when you’re building a more involved application and not a simple demo.
- Support for just about any type of animation or effect you want. Don’t need that in a LOB app? I beg to differ. You can get quite creative with how data is displayed with Silverlight and not be limited to simple slide, sizing or opacity animations. I’ll show an example of what I call the “card flow” interface later in this post and show how it allows managers to get to timecards faster and easier than before.
- Excellent designer support through Expression Blend 3 – Visual Studio 2008 is great for coding but doesn’t provide any design-time features for Silverlight 3. Not a big deal….you can use Expression Blend 3 which provides a great interface for designing your applications. The new SketchFlow application can even be used to prototype applications upfront and get customer feedback more quickly and easily than in the past.
- Easy to integrate distributed data using WCF, ASMX, REST, ADO.NET Data Services, .NET RIA Services, etc. The application that I’m working on leverages WCF as well as some dynamic code on the client-side to make calls to the service. It works great and FaultExceptions can even be handled now with Silverlight 3.
- Desktop-style application with a web deployment model – Get the responsiveness of a desktop application that can be deployed right through the browser and even run on Macs.
- Support for styling of controls. Silverlight 3 now allows styles to be changed on the fly and styles to be based on other styles. If you don’t like how a control currently looks you can completely change it by using styles and control templates.
- Out of browser support – This was a key reason why my client choose Silverlight 3. They have a lot of remote workers that don’t always have access to the Internet and needed to be able to enter timesheets even when disconnected and then sync them later once a given employee has connectivity.
- Support for behaviors. Behaviors are very, very useful in Silverlight applications. I needed to add mouse wheel scroll capabilities to a ScrollViewer control to simplify scrolling in a screen and did it within minutes by using a behavior (thanks to Andrea Boschin who created the behavior).
- Manipulate pixels using WriteableBitmap. This can be used to create some very cool effects (some which may not be applicable to LOB applications…but they’re still cool). I’m using it mainly to fill the printing hole mentioned below.
- Support for storing local data through isolated storage – By using isolated storage you can cache data, store data when no network connectivity is available plus more.
- Support for navigation – Silverlight 3 has a new navigation application template in Visual Studio that makes creating an application with multiple pages quite easy. Each “page” can be linked to directly through deep linking and has built-in support for history. If the client hits the back or forward button in the browser they’re taken to the appropriate Silverlight application page. The navigation framework allows code to be placed into separate pages (or user controls) and then loaded as a particular link or menu item is clicked. It’s a great feature that can really reduce the amount of code you have to write especially compared to Silverlight 2.
Silverlight 3 Cons
So everything’s all peachy right? Both the client and I are very happy with how things are going with the application but there have been some challenges along the way. At the beginning of this post I said I’d mention the cons as well and I’m going to be brutally honest here with some of the areas where Silverlight 3 is missing the mark when it comes to Line of Business applications.
- No printing support. Microsoft is working hard on this for future versions of Silverlight but if you can’t wait until then it’s definitely something to be aware of. We knew about this going into the project so it was supposed to be a non issue since we could pop-up HTML overlays or open new browser windows that could be printed. But, for one particular screen the lack of printing support is proving to be a challenge since it turns out the end user always prints the screen as they’re doing payroll work and the screen is quite complex. I’ve come up with a work around using Silverlight 3’s WriteableBitmap but am currently sending bytes up to the server, converting them into a JPEG and then displaying the image in the browser. Definitely a hack solution. We’re now looking at generating dynamic Excel files on the fly at the client with a snapshot image of the Silverlight data since Excel will print the image properly and the browser doesn’t (still researching this option). If that doesn’t work we’ll just use reporting services to generate the same screen…not my preference though.
- Binding data to controls such as a ComboBox that is nested in other controls is harder than it should be. I use a lot of ComboBox controls that are nested in DataGrid or ListBox rows in the application. While I have it working fine now (after beating my head against the monitor a few times), the ComboBox control itself really needs a SelectedValue and ValueMember property for some situations and a way to more easily bind its ItemsSource to collections that may be defined outside of the current DataContext. All of this can be done via code but if you want to handle the majority of it declaratively in XAML it can be challenging in some cases especially once you start breaking parts of a page into user controls. I ended up enhancing some code Rocky Lhotka blogged about and created my own ComboBox control that simplifies things a lot.
- Lack of built-in support for commanding. What’s “commanding”? In a nutshell it’s the ability to call a method within an object directly from XAML as an event fires instead of going through a code-behind file. For example, when a button is clicked the click event can call directly into a ViewModel object that acts on the event. By using commanding you can make your applications more testable. Frameworks such as Prism (and many others that have popped up) support simple button commanding and provide a code framework that can be used to build other types of commands. The application I’m working on handles just about every event in the book (click, mouseenter, mouseleave, rowloaded, lostfocus, gotfocus, plus others) though and writing custom code just to handle events got old (so we simplified things and handle the event in the code-behind which notifies the ViewModel via events). If you want to handle events directly in the code-behind file this is a non-issue for you, but if you want to handle them in another class it can be more challenging than it should be.
- Learning curve – There is certainly a learning curve associated with building Silverlight applications especially if you’re coming from building standard Web applications. However, I think that’s the case with any technology. I had already built several demo applications with Silverlight, co-authored a book and several articles on it and still ran into a few challenges with architecture choices along the way (we’re following the MVVM pattern). I think it boils down to experience though so I list this one simply so that people know they will spend some time learning. If you’re one of those people who doesn’t like to learn new things then Silverlight probably isn’t for you. If you enjoy learning new things then I think you’ll love Silverlight once you get the hang of it.
- No built-in support for displaying Reporting Services reports within Silverlight – This isn’t a huge issue in my opinion since a report can be brought up in a separate browser window or displayed using an HTML overlay. However, if you need to display the report directly in Silverlight there isn’t any built-in way to do that in Silverlight 3. 3rd party vendors to the rescue though. Perpetuum Software now has a product that can integrate reports directly into Silverlight.
- The client has to have the Silverlight plugin installed. I personally don’t view this as much of a con for internal enterprise LOB applications since it’s fairly easy for a PC manager to push out Silverlight to client PCs in many environments. If the application will be run externally then installation of the plugin on each client has to be considered though.
- Sharing service types between proxy objects needs to be enhanced - When the project was initially started I wanted to use ADO.NET Data Services for some things and WCF for others. The problem is that if both types of services reference the same type (such as Customer) then both generated proxy objects will contain a copy of that type which ultimately bloats the XAP size and leads to having to reference types by namespace down in the code versus a using statement at the top. Although proxies can share code libraries from other projects (that's an option in the proxy generation wizard), my Model entities use .NET language features not available in Silverlight class libraries so type sharing won't work there. It's something to keep in mind as you decide how you'll get data into your application.
There are definitely more pros than I’ve listed and probably a few more cons although I honestly can’t think of many more that I’ve had to deal with. The bottom line is that all of the pieces are there (aside from printing) to build powerful Line of Business applications that are built using existing .NET languages. You can:
Some of the more “fun” features in Silverlight 3 can also be put to good use in Line of Business applications. I needed to create a way for warehouse managers to easily manage multiple time cards for employees. I ended up going with what I call a “card flow” interface (similar to cover flow in iTunes) to display the time cards. The end user can use the mouse wheel to quickly navigate through different cards. The selected card will slide to the middle with a cool animation and the others are angled using perspective 3D. Here’s what the “card flow” interface looks like (I need to give credit to Jose Fajardo for blogging about the concept):
To Wrap It Up
So is Silverlight 3 ready for prime time, enterprise level Line of Business applications? Having worked with the framework nearly every day for the past 3 months in a “real world” scenario my short answer is a big “YES”! I don’t say this because I’ve been drinking the Kool-Aid though. Anyone who knows me understands that I use what I feel works best for a given application (unless the client wants something specific of course). I truly enjoy working with the framework and think it can do a lot of powerful things.
Every company is unique though so the answer really depends on what features your application needs. Our previous client’s application was built using ASP.NET MVC and jQuery and it did everything they wanted it to do (I really like ASP.NET MVC and jQuery by the way). However, Silverlight provides a more consistent way to develop enterprise applications that doesn’t require learning JavaScript, additional libraries like jQuery, CSS, HTML and other Web technologies. With Silverlight you can write code using your favorite .NET language on both the client and server, debug applications like any normal .NET application, bind data in flexible ways, retrieve data from remote services, animate objects as needed, round corners and work with gradients without ever creating a .gif, .jpg or .png and have a ton of controls right at your finger tips. I’m a big fan.
For more information about onsite, online and video training, mentoring and consulting solutions for .NET, SharePoint or Silverlight please visit. | https://weblogs.asp.net/dwahlin/building-line-of-business-applications-with-silverlight-3-pros-and-cons | CC-MAIN-2022-05 | refinedweb | 2,474 | 58.92 |
import "github.com/juju/persistent-cookiejar"
Package cookiejar implements an in-memory RFC 6265-compliant http.CookieJar.
This implementation is a fork of net/http/cookiejar which also implements methods for dumping the cookies to persistent storage and retrieving them.
jar.go punycode.go serialize.go
DefaultCookieFile returns the default cookie file to use for persisting cookie data. The following names will be used in decending order of preference:
- the value of the $GOCOOKIES environment variable. - $HOME/.go-cookies
Jar implements the http.CookieJar interface from the net/http package.
New returns a new cookie jar. A nil *Options is equivalent to a zero Options.
New will return an error if the cookies could not be loaded from the file for any reason than if the file does not exist.
AllCookies returns all cookies in the jar. The returned cookies will have Domain, Expires, HttpOnly, Name, Secure, Path, and Value filled out. Expired cookies will not be returned. This function does not modify the cookie jar.
Cookies implements the Cookies method of the http.CookieJar interface.
It returns an empty slice if the URL's scheme is not HTTP or HTTPS.
MarshalJSON implements json.Marshaler by encoding all persistent cookies currently in the jar.
RemoveAll removes all the cookies from the jar.
RemoveAllHost removes any cookies from the jar that were set for the given host.
RemoveCookie removes the cookie matching the name, domain and path specified by c.
Save saves the cookies to the persistent cookie file. Before the file is written, it reads any cookies that have been stored from it and merges them into j.
SetCookies implements the SetCookies method of the http.CookieJar interface.
It does nothing if the URL's scheme is not HTTP or HTTPS.
type Options struct { // PublicSuffixList is the public suffix list that determines whether // an HTTP server can set a cookie for a domain. // // If this is nil, the public suffix list implementation in golang.org/x/net/publicsuffix // is used. PublicSuffixList PublicSuffixList // Filename holds the file to use for storage of the cookies. // If it is empty, the value of DefaultCookieFile will be used. Filename string // NoPersist specifies whether no persistence should be used // (useful for tests). If this is true, the value of Filename will be // ignored. NoPersist bool }
Options are the options for creating a new Jar..
Package cookiejar imports 20 packages (graph) and is imported by 64 packages. Updated 2017-11-28. Refresh now. Tools for package owners. | https://godoc.org/github.com/juju/persistent-cookiejar | CC-MAIN-2020-10 | refinedweb | 411 | 60.01 |
This is the mail archive of the cygwin@sourceware.cygnus.com mailing list for the Cygwin project.
Bradley Smith wrote: > > Thank you very much for responding to my question. > > Could you please tell me where I might read more on > __declspec(dllexport) and __declspec(dllimport) > > I do not understand how to use these.... That's a complicated question. Essentially, the MS engineers were on crack when they designed Windows DLLs. When compiling code to become a DLL, you must explicitly tell the compiler which symbols(1) will be exported(2) from the DLL in the declarations(3) of the symbols. When compiling code that will use a DLL, you must explicitly tell the compiler which symbols will be imported from DLLs as opposed to statically linked into your program. At first this doesn't sound so bad, but essentially it means you need three different versions of all of your declarations for: 1. compiling code to become the DLL 2. compiling code to use the DLL 3. compiling code that will be statically linked Consider the case of function "foo()" defined in "foo.c" that will be used in the "main()" of a program "bar.exe" that is defined in "bar.c" . If foo() is statically linked into bar.exe, your files might look like this: --- foo.c --- /* declaration (AKA prototype) of foo(), usually found in .h file */ int foo(); /* definition of foo() */ int foo() { return 1; } ------------- Compile foo.c: gcc -c foo.c -o foo.o --- bar.c --- /* declaration (AKA prototype) of foo(), usually found in .h file */ int foo(); int main() { return foo(); } -------------- Compile bar.c and link foo.o into bar.exe statically: gcc -c bar.c -o bar.o gcc foo.o bar.o -o bar.exe However, if foo() should go into a DLL, your files need to look like this: --- foo.c --- /* declaration (AKA prototype) of foo(), usually found in .h file */ __declspec(dllexport) int foo(); /* exporting foo() from this DLL */ /* definition of foo() */ int foo() { return 1; } ------------- Make a DLL from foo.c: gcc -c foo.c -o foo.o gcc -Wl,--out-implib,libfoo.import.a -shared -o foo.dll foo.o This will create the DLL (foo.dll) and the import library for the DLL (libfoo.import.a). --- bar.c --- /* declaration (AKA prototype) of foo(), usually found in .h file */ __declspec(dllimport) int foo(); /* importing foo() from DLL */ int main() { return foo(); } -------------- Compile and link bar.exe to use foo.dll (via its import library): gcc -c bar.c -o bar.o gcc bar.o libfoo.import.a -o bar.exe bar.exe now uses foo.dll. So we have three different possible declarations of the function foo(): 1. int foo(); /* static linking */ 2. __declspec(dllexport) int foo(); /* making DLL with foo() in it */ 3. __declspec(dllimport) int foo(); /* importing foo() from DLL */ Which one we use depends on how we are using foo(). The real problem is that most people don't want to deal with three sets of declarations but want to just have one header file which is used in all cases. To solve this you could do something like this: --- foo.h --- #if defined(MAKEDLL) # define INTERFACE __declspec(dllexport) #elif defined(USEDLL) # define INTERFACE __declspec(dllimport) #else # define INTERFACE #endif INTERFACE int foo(); ------------- --- foo.c --- #include "foo.h" int foo() { return 1; } ------------- --- bar.c --- #include "foo.h" int main() { return foo(); } -------------- Now you are only maintaining the declaration of foo() in one place: foo.h. To compile bar.exe to statically link in foo(): gcc -c foo.c -o foo.o gcc -c bar.c -o bar.o gcc foo.o bar.o -o bar.exe To compile foo() into a DLL: gcc -DMAKEDLL -c foo.c -o foo.o gcc -Wl,--out-implib,libfoo.import.a -shared -o foo.dll foo.o To compile bar.exe to use the DLL: gcc -DUSEDLL -c bar.c -o bar.exe gcc bar.o libfoo.import.a -o bar.exe That's all there is to it. (1)functions, methods and variables in structs / classes, external variables (2)available to programs that use the DLL (3)function prototypes, class definitions, etc.-- the stuff found in your header files Hope this helps, Carl Thompson PS: for structs / classes instead of doing this: class foo { public: INTERFACE int bar; INTERFACE int baz; } You can do this: class INTERFACE foo { public: int bar; int baz; } They are both equivalent, but the second way is cleaner. PPS: I've heard you can do the same thing using separate ".DEF" files, but I don't know about that. PPPS: None of this is necessary with reasonable operating systems, such as Unix or Linux. The compiler and linker automatically export and import all externally visible symbols when building or using DLLs (shared libraries). You don't even need a separate import library. > ... -- Want to unsubscribe from this list? Send a message to cygwin-unsubscribe@sourceware.cygnus.com | http://cygwin.com/ml/cygwin/2000-06/msg00688.html | crawl-002 | refinedweb | 822 | 79.46 |
Opened 9 years ago
Closed 9 years ago
#1351 closed bug (fixed)
mistake in Data.Set description
Description
Data.set description in HTML documentation contains the following text
difference :: Ord a => Set a -> Set a -> Set a O(n+m). Difference of two sets. The implementation uses an efficient hedge algorithm comparable with hedge-union. intersection :: Ord a => Set a -> Set a -> Set a O(n+m). The intersection of two sets. Elements of the result come from the first set.
I think that phrase "Elements of the result come from the first set" relates to difference function, not to intersection
Change History (2)
comment:1 Changed 9 years ago by Isaac Dupree
comment:2 Changed 9 years ago by igloo
- Resolution set to fixed
- Status changed from new to closed
The example below shows why this can make a difference; I've addded it to the docs in the HEAD.
import qualified Data.Set as S data AB = A | B deriving Show instance Ord AB where compare _ _ = EQ instance Eq AB where _ == _ = True main = print (S.singleton A `S.intersection` S.singleton B, S.singleton B `S.intersection` S.singleton A)
prints (fromList [A],fromList [B]).
That phrase is _true_ for both functions; however it would be expected anyway for non-symmetric difference, which is probably why it's not said in regards to that function. It is significant for intersection, where there is no particular reason to take the shared elements from the first versus the second argument (they must be in both, and intersection is essentially symmetric) | https://ghc.haskell.org/trac/ghc/ticket/1351 | CC-MAIN-2016-30 | refinedweb | 264 | 56.86 |
Being able to communicate between a host computer and a project is often a key requirement, and for FPGA projects that is easily done by adding a submodule like a UART. A Universal Asynchronous Receiver-Transmitter is the hardware that facilitates communications with a serial port, so you can send commands from a computer and get messages in return.
Last week I wrote about an example POV project that’s a good example for learn. It was both non-trivial and used the board’s features nicely. But it has the message hard coded into the Verilog which means you need to rebuild the FPGA every time you want to change it. Adding a UART will allow us to update that message.
The good news is the demo is open source, so I forked it on GitHub so you can follow along with my new demo. To illustrate how you can add a UART to this project I made this simple plan:
- Store the text in a way that you can be changed on the fly
- Insert a UART to receive serial data to store as text
- Use a carriage return to reset the data pointer for the new text
- Use an escape to clear the display and reset the data pointer
Finding and Adding a UART Core
A UART is a fairly common item and you’d think there would be one handy in the Altera IP catalog you see in Quartus. There is and it is buried under the University Program. It also has a few quirks because it really expects to be part of a whole system and I just wanted to use a UART.
Actually, for this application, we only really need the receiver. I’ve written that code plenty of times but lately I’ve been using an MIT licensed UART that I acquired sometime in the past. There are a few versions of this floating around including at freecores — which has a lot of reusable FPGA bits and on OpenCores. If you poke around you can find FPGA code ranging from UARTs and PS/2 interfaces to entire CPUs. True, you can also grab a lot of that out of the official IP catalog, but you probably won’t be able to use those on other FPGA families. The UART I’m using, for example, will work just fine on a Lattice IceStick or probably any other FPGA I care to use it on. (the version I use is a little newer than any other copy I could find, even using Google, so check my repo.)
The UART resides in a single file and it was tempting to just plop it into the project, but resist that urge in favor of some better practices. I created a cores directory in the top-level directory and placed it there.
The UART interface is very simple and for this project, we don’t need the transmitter so a lot of it will be empty. Here’s the code:
uart #( .baud_rate(9600), // default is 9600 .sys_clk_freq(12000000) // default is 100000000 ) uart0( .clk(CLK12M), // The master clock for this module .rst(~nrst), // Synchronous reset .rx(UART_RXD), // Incoming serial line .tx(UART_TXD), // Outgoing serial line .transmit(), // Signal to transmit .tx_byte(), // Byte to transmit .received(isrx), // Indicated that a byte has been received .rx_byte(rx_byte), // Byte received .is_receiving(), // Low when receive line is idle .is_transmitting(),// Low when transmit line is idle .recv_error() // Indicates error in receiving packet. );
Simple enough. The baud rate is 9600 baud and the input clock frequency is 12 MHz. The clk argument connects to that 12 MHz clock and the rst argument gets a positive reset signal. The nrst signal is active low, so I invert it on the way in. I connected both pins of the MAX1000 board even though I won’t use the transmitter since I thought I might use it at some point.
The only other two signals connected are rx_byte — you can guess what that is — and isrx which goes high when something has come in on the serial port.
Constraint Changes
The signals UART_RXD and UART_TXD now appear in the top-level module:
module top ( input CLK12M, input USER_BTN, output [7:0] LED, output SEN_SDI, output SEN_SPC, input SEN_SDO, output SEN_CS, output [8:1] PIO, input UART_RXD, output UART_TXD );
That’s not enough, though. You need to set the constraints to match the physical pins. The documentation is a bit of a mess in this regard because the serial port is on port B of the USB chip which — in theory — could be anything. It took a little poking into some examples to figure out which pins were which.
In the assignment editor, the two pins we want are marked as BDBUS[0] and BDBUS[1]. I turned the location constraints to Enabled=No on those pins so they wouldn’t conflict with my more descriptive names. Then I made these four entries in the assignment editor:
That will do the trick. Now we need to get those input characters to the LEDs somehow.
Data Storage
The original code set the text to display as an assignment. This is compact at compile time but doesn’t let you change the message at runtime (you’d need to recompile and upload again).
assign foo[0] = "W";
To improve upon this I changed foo to be a register type and initialized it. (Some Verilog compilers won’t synthesize an initial block, but the version of Quartus I’m using will.) This is not the same as responding to the reset, though. It initializes the registers at configuration time and that’s it. For this application, I thought that was fine. Cycle the power or force a reconfigure if you want to reload, but a push of the user button won’t change the message.
Here’s what the change looks like:
reg [7:0] foo [0:15]; initial begin foo[0] = "W"; foo[1] = "D"; foo[2] = "5"; . . .
Processing Input
With this new configuration, the text is malleable, and we can hear data coming from the PC. We just have to connect those dots.
// Let's add the ability to change the text! // Note: I had to change the foo "array" // To be more than a bunch of assigns, above, too wire isrx; // Uart sees something! wire [7:0] rx_byte; // Uart data reg [3:0] fooptr=0; // pointer into foo array integer i; always @(posedge CLK12M) begin if (isrx) // if you got something begin if (rx_byte==8'h0d) fooptr<=0; else if (rx_byte==8'h1b) begin fooptr<=0; // Note: Verilog will unroll this at compile time for (i=0;i<16;i=i+1) foo[i] <= " "; end else begin foo[fooptr]<=rx_byte; // store it fooptr<=fooptr+1; // natural roll over at 16 end end end
This is pretty straightforward. On each rising clock edge, we look at isrx. If it is high, we look to see if the character is a carriage return (8’h0d) or an escape (8’h1b). Don’t forget that this line is an assignment, not a “less than or equal to” statement:
fooptr <= 0;
If the character is anything else, the code stores it at foo[fooptr]. The fooptr variable is only 4 bits so the 16 character rollover will take care of itself when we increment it.
The only other oddity in the code is the use of a for loop in FPGA synthesis. Some tools may not support this, but notice that the i variable is an integer. The compiler is smart enough to know that it needs to run that loop at compile time and generate code for the body. So you could easily replace this with 16 lines explicitly naming each element of foo. Of course, the for loop has to have definite limits and there are probably other restrictions on how many loops are acceptable, for example.
That’s all there is to it. Once you load the FPGA it will look like it always did. But if you open a terminal on the USB serial port (on my machine it is /dev/ttyUSB9 because I have a lot of serial ports; yours will almost certainly be different like /dev/ttyUSB0), set it for 9600 baud and you can change the text.
If your terminal doesn’t do local echo you’ll be typing blind. Echoing the characters back from the FPGA would be a good exercise and would make use of the transmitter, too.
What’s Next?
If you want to experiment, you now have a framework that can read the accelerometer and — with just a little more work — can talk back and forth to the PC. You could PWM the LEDs to control the brightness from the terminal, for example. Or make a longer text string that scrolls over time.
One of the attractive things about modern FPGAs is that they can accommodate CPUs. Even this inexpensive board can host a simple NIOS processor. That allows you to do things like serial communications and makes managing things like host communications much simpler. You can still use the rest of the FPGA for high speed or highly parallel tasks. For example, this project could have easily had a NIOS CPU talking to PC while the FPGA handled the motion detection and LED driving. Just like I rejected the “stock” UART and got one elsewhere, there are plenty of alternatives to the NIOS that will fit on this board, too.
If you still want more check out our FPGA boot camps. They aren’t specific to the MAX1000, but most of the material will apply. Intel, of course, has a lot of training available if you are willing to invest the time.
17 thoughts on “How to Add UART to Your FPGA Projects”
Awesome!
Xilinx’s PicoBlaze (or the HDL equivalent PacoBlaze, which will run on other FPGAs) is great for interacting over serial – there are also UART macros in the code release, too, resulting in extremely tiny implementations: as in, you could easily have like 50+ UARTs/processors in even the smallest modern device. Plus you’ll (probably) have to learn assembly, so that’s a bonus. :)
I’d personally be very careful with that UART code… the RX input feeds directly into the state machine next state logic. Since this signal is coming in asynchronously from the external source, it has no fixed relationship to the clock in your FPGA. This means your state machine flip-flops could have their setup or hold time violated, and the next state will be unpredictable. That’s bad news. Before applying the RX line to your input, you need to synchronize it to your clock. Typical designs use at least 3 flip-flops arranged as a shift register to limit the metastability to the first one or two flip-flops, and protect the rest of the circuit. You might also consider adding a noise filter to the line too, that would consist of a shift register, with an output decision that goes high or low depending on the majority of 1’s or 0’s in the registers, maybe with some hysteresis. Otherwise you may be latching in garbage bits in a noisy environment…
That code has a synchronous reset… it could be a bad thing, if your clock is not running, the outputs will be in an unknown state. Adding the ‘rst’ signal to the always() sensitivity list, and putting the rest of the block in the else clause of the check for the asserted reset usually gives the synthesis tool the hint that you want an asynchronous reset.
The last thing I’d probably fix in there is that they have mixed up using ‘=’ and ‘<='. In the UART core the are assigning the state variable with '=', which in the simulator will generate extra 'glitch' events on the outputs, this could lead to mismatches between simulation and synthesis.
Like I said I have my own production UART that is significantly more complex (and bigger). It does 16X oversampling on receive among other things. However, the GitHub one seems to work fine despite any possible issues. Even with a 3-stage flip flop synchronizer, you don’t eliminate the possibility of metastability, you just reduce the likelihood, but yes. Altera has a pretty good paper on calculating the MTBF and, of course, you can trade latency for increased reliability.
However, after looking at the code a little, I don’t think it is as bad as you think. The clock is not 1X baud and the start bit has to assert over some period of time. Keep in mind you’ll only have a metastable state on a transition which is relatively slow compared to the operating clock. So you might miss the first slice of the start bit but you’d make it up on the remaining slices. Same for noise filtering. If you notice, he is oversampling. Again, you might miss the first slice if you are unlucky. Then he counts off the bit state and it has to be more than 4 (or more) times in the interval to count. So while he doesn’t use a classic synchronizer nor does he have a noise filter in the way you suggest, he does in fact prevent against spurious events including metastability. If you think about it, his “shift register/majority” noise filter is spread out across the clock cycles implicitly, but it still does the same job.
As for sync reset, granted, although if the clock isn’t running you have more problems in this case.
I had not dug into the code to see that they had the blocking assignments in the code. I wonder if the synthesis tool is correctly inferring a state machine and rewriting the code anyway? Because, again, despite it not being a great practice it does work. I agree it is bad practice.
This is actually a great example of the issues you have grabbing IP from different places. In this case, the UART is floating around several places and I’ve personally synthesized it on at least 3 different FPGA families with no trouble so I never really looked at it other than as a black box. When you get vendor IP you really do usually get a black box (EDIF) although you assume they do a good job. If latches are being inferred that probably limits the speed you can get correct optimization and wastes some resources. However, at the speeds involved it seems to work OK. I might “fix” that and see what the difference is in the synthesis.
Just as a thought. I don’t know this, but I wonder if originally the state machine logic was combinatorial and a later author (note there are two listed and who knows how many anonymous ones) moved the state machine into the clocked logic? Because it seems well-written enough that the author knew the difference between blocking and nonblocking assignment.
Yeah, the code is not so bad, and it does have a lot of room for improvement. Definitely agree that 3 FF’s may not be enough, if the clock rate is high enough, and you are looking for an upper bound on the probability that the metastability will make it all the way through. Crossing clock domains was always my favorite part of designing these things, those circuits always give the timing analyzers headaches.
With this design, I’d say that the synthesis tool will still be able to find the state machine, despite it not following the ‘usual’ pattern. It can then assign the states to patterns in the state register at will. If it picks one-hot or a gray encoding, things will probably work well. If it picks a binary code, which the designer has coded, where more than one bit changes with a state change, then the timing through the next state logic could cause one FF to switch and one not to. This could certainly happen if the paths from the Rx pin to the various state registers are of different lengths. Then you could end up in a state where there is no exit. We saw this kind of behaviour once in a processor on a DTACK signal, if you timed the edge just right, half the chip thought you had completed the cycle, and the other half did not. It locked up solid, only a reset could get it back again.
It doesn’t look like oversampling in the RX_READ_BITS state, there just seems to be the traditional ‘sample in the middle of the bit period’ strategy. Rx _should_ be stable and not toggling then, unless you get a short spike at exactly the wrong moment. The sampling window is narrow, so the probability is low, but not zero. Definitely, like your production version, oversampling would be an excellent idea to weed out noise. The start bit detection does look for continuous assertion, as you note, so the state machine should not get too far without a stable enough signal.
Vendor IP is fun too… The quality does vary significantly. We once replaced a hardware DMA controller with an ‘Exact’ replacement in an FPGA. When we ran the system software, it turned out that they had actually not done such an ‘Exact’ implementation of the controller. It was missing a few features that the code used. It was fun to demonstrate to the vendor that their block didn’t actually meet their published specs… We had logic analyser captures of the real chip, and could compare them with the IP block, doing the ‘same’ thing, they did not match despite the vendor’s assurances that this was an exact match for the chip we were replacing. Fun times.
Interesting thought on it being asynch to start out. Possibly, it does look a lot like test-bench type behavioral code, it could have it’s origins there. Someone could have written a behavioral model to be used in a test bench, and then someone modified it so that it would synthesize without latches.
Maybe I’m looking at the wrong code. Look at the GitHub link:
The key is that he isn’t firing the clock every bit period. He’s using a variable counter. So state RX_IDLE:
RX_IDLE: begin
// A low pulse on the receive line indicates the
// start of data.
if (!rx) begin
// Wait 1/2 of the bit period
rx_clk = one_baud_cnt / 2;
recv_state = RX_CHECK_START;
end
end
When he sees what MIGHT be a start bit, he delays 1/2 baud. Granted that’s just a sync delay but it still counts. Then if you still have the start bit asserted you get this:
rx_clk = (one_baud_cnt / 2) + (one_baud_cnt * 3) / 8;
rx_bits_remaining = 8;
recv_state = RX_SAMPLE_BITS;
rx_samples = 0;
rx_sample_countdown = 5;
So if you look at RX_SAMPLE_BITS, he waits for the time tick which will next time be 8X the baudrate and count until he’s done it 5 times. He counts how many asserted bits he gets in rx_samples.
RX_SAMPLE_BITS: begin
// sample the rx line multiple times
if (!rx_clk) begin
if (rx) begin
rx_samples = rx_samples + 1'd1;
end
rx_clk = one_baud_cnt / 8;
rx_sample_countdown = rx_sample_countdown -1'd1;
recv_state = rx_sample_countdown ? RX_SAMPLE_BITS : RX_READ_BITS;
end
end
So after 8 passes he decides if he got 4 or more counts and then sets up to do it again until the word is done:
RX_READ_BITS: begin
if (!rx_clk) begin
// Should be finished sampling the pulse here.
// Update and prep for next
if (rx_samples > 3) begin
rx_data = {1'd1, rx_data[7:1]};
end else begin
rx_data = {1'd0, rx_data[7:1]};
end
So I think it is oversampling, it is just doing it in an “unrolled way.” Unless I’m falling asleep or one of us is looking at different code which is possible.
And yes I’ve had my run arounds with Vendor IP that I had to strong arm the source out of to fix.
Aha! We are looking at different code! Indeed the code you are citing is using a much better algorithm… Counting sub-bits and taking a majority vote, you are not sleeping. :) I have been looking at the one linked at:. The one linked in the 6th paragraph. Now, that explains a lot… The latter version is definitely much better, with using a counter to count the asserted time for a ‘1’, even there, though the rx line is applied unfiltered to the counter “+1” input, so we could have it skip counts, or end up with a messed up counter. Given that, it probably works ‘well enough’ that nobody would notice, under most circumstances, after the start bit is detected, the signal will be stable enough to feed the counter, ignoring noise pulses, or evil people putting in glitches.
Yes it appears to be an earlier version and I use the newer version which is why I didn’t make it a subproject. I think I had mentioned that but it may not have survived the editor’s knife.
Ok, I thought maybe we were looking at different things. Great dialog though. Thank you!
If you check out the GitHub, I just pushed an update to make the UART code nonblocking. It is a bit more complex than you’d hope. There are places where the original author does something like subtracts one from something and then tests it for zero and since it was blocking that all happened together.
I did a quick test and it did save a handful of gates but no registers and upped the Fmax a few hundred kHz. However, when it did not work I added a quick and dirty serial echo so it now uses MORE gates than before, and the FMax is very similar (a little faster but not much). You’d have to pull the echo code back out to get a fair comparison.
The echo doesn’t handshake, so if you use a terminal that sends data at maximum throughput, you’ll miss every other echoed character. The board still processes it, the transmitter is just too busy to echo it.
For the Xilinx-heads, Ken Chapman included UART Tx and Rx modules in his Picoblaze (tiny 8 bit microcontroller) source.
There are Verilog and VHDL versions supplied, but he coded it by instantiating low-level Xilinx primitives, meaning it’s small and tight but very non-portable.
You have to register to download. It’s no cost to use, but it’s definitely not open source. Still, it’s worth looking at to see how small a UART can be made.
I missed Pat’s comment above that already mentioned the Picoblaze UART.
Dang.
I had to comment out the last line in the udev rules file `/etc/udev/rules.d/51-arrow-programmer.rules` because this line was disabling the virtual COM port that the FPGA was expecting data on `RUN=”/bin/sh -c ‘echo $kernel > /sys/bus/usb/drivers/ftdi_sio/unbind'”`
Any chance the next installment could be saving the string to flash, and reloading it upon reset? Or is the on-board flash off-limits and only for storing the FPGA gate configuration?
It is possible.
Well, I shouldn’t reply before 10AM. I was thinking this was an icestick so I wrote up about that below. I’ll leave it there for posterity, but the answer should be similar for the MAX1000 — I got my boards confused (both are on my desk along with 6 other FPGA boards at the moment).
The equivalent document for the MAX10 is
But the better document for your purpose is
This is made to interface with a CPU core via the “Avlaon” interface but you could do it yourself pretty easily. Maybe even easier than SPI if you use the parallel controller.
I might do this at some point or something similar, but if you beat me to it, be sure to submit to the tip line (write it up on Hackaday.io or GitHub or somewhere) and I have a feeling we’d post it.
####
Start here:
The SPI EEPROM is normally put to sleep after configuration but you can pass -s to icepack to set a bit to tell the chip not to do that.
Then you need to control the SPI EEPROM lines and read/write above the maximum configuration address. For the HX1K, the configuration bit stream is 34,112 bytes. The SPI flash is 32 megabit/4 MB, so lots of room.
You’ll notice there is a feature to store 5 images (a cold boot and 4 warm boot). I haven’t looked to see if the two select pins are available on the IceStick but a) you know if you are using it or not, b) you can use SB_WARMBOOT regardless, and c) 5 x 34K is a drop in the bucket compared to the size of the EEPROM.
When you configure for multiboot, you can set the different images to different offsets, so you’d avoid those. You could store, for example, at the top of memory and work down if you were super paranoid.
Just remember, you have to write in a page at a time, so it would make sense to align the storage with a page and plan on writing the whole thing every time you write (maybe add a command to store the current string? ^W or something).
Some of the Lattice devices have SPI (and I2C) built in, but I do not think the one on the icestick does. However, SPI is easy to work with or you can grab some IP: and probably many others, too.
I might do this at some point or something similar, but if you beat me to it, be sure to submit to the tip line (write it up on Hackaday.io or GitHub or somewhere) and I have a feeling we’d post it.
The first PoV installment of this interested me enough that I ordered one of the devices from Arrow last weekend. It arrived on Wednesday and I finally got around to trying to use it yesterday. I’m a total noob to FPGAs, so it took me a while to figure out how to get Quartus to talk to the device (maybe I skimmed something somewhere and glossed over it). I figured I’d share the link I eventually found for anyone else who buys the device, installs on Linux (I’m actually running 16.04 via Parallels on an iMac :-P) but can’t get the device recognized. Download the drivers from here: and follow the instructions in the readme.
gh://jamesbowman/swapforth
has a forth system on an icestick, which of course talks using a uart.
The code in the above Github repo under the /j1a/verilog/ directory gives a good example of this — plus you can compile it all on a raspberry pi in about 20 to 40 minutes… or in a singularity container on a desktop PC in something like a minute or two.
Want another on 3.3V ttl pins? copy, paste in the top level j1a.v file, give it an io address, and add some pin definitions to j1a.pcf, recompile and you’re basically good to go.
I also do both SPI masters and SPI slave this way. The latter running at 100MHz from another FPGA, and just keeping a 64-bit double-buffered (clock domain crossing) packet nice and fresh for the swapforth systems’ use. (the other FPGA is the one that saves captured data someplace else, but I wanted to check levels of a few channels to safely operate some machinery).
There are subtle tricks to connecting two FPGA boards via 0.1″ headers and getting that kind of bandwidth without interference, but it’s not too hard to understand.
None of that code is aligned properly and it is horrible | https://hackaday.com/2018/09/06/fpga-pov-toy-gets-customized/ | CC-MAIN-2019-22 | refinedweb | 4,650 | 69.21 |
Introduce file for manipulating namespaces and related syscalls.
files:
/proc/self/ns/
syscalls:
int setns(unsigned long nstype, int fd);
socketat(int nsfd, int family, int type, int protocol);
Netlink attribute:
IFLA_NS_FD int fd.
Name space file descriptors address three specific problems that
can make namespaces hard to work with.
- Namespaces require a dedicated process to pin them in memory.
- It is not possible to use a namespace unless you are the child of the
original creator.
- Namespaces don't have names that userspace can use to talk about them.
Opening of the /proc/self/ns/ files return a file descriptor
that can be used to talk about a specific namespace, and to keep the
specified namespace alive.
/proc/self/ns/ can be bind mounted as:
mount --bind /proc/self/ns/net /some/filesystem/path
to keep the namespace alive as long as the mount exists.
setns() as a companion to unshare allows changing the namespace
of the current process, being able to unshare the namespace is
a requirement.
There are two primary envisioned uses for this functionality.
o ``Entering'' an existing container.
o Allowing multiple network namespaces to be in use at once on
the same machine, without requiring elaborate infrastructure.
Overall this received positive reviews on the containers list but this
needs a wider review of the ABI as this is pretty fundamental kernel
functionality.
I have left out the pid namespaces bits for the moment because the pid
namespace still needs work before it is safe to unshare, and my concern
at the moment is ensuring the system calls seem reasonable.
Eric W. Biederman (8):
ns: proc files for namespace naming policy.
ns: Introduce the setns syscall
ns proc: Add support for the network namespace.
ns proc: Add support for the uts namespace
ns proc: Add support for the ipc namespace
ns proc: Add support for the mount namespace
net: Allow setting the network namespace by fd
net: Implement socketat.
---
fs/namespace.c | 57 +++++++++++++
fs/proc/Makefile | 1 +
fs/proc/base.c | 22 +++---
fs/proc/inode.c | 7 ++
fs/proc/internal.h | 18 ++++
fs/proc/namespaces.c | 193
+++++++++++++++++++++++++++++++++++++++++++
include/linux/if_link.h | 1 +
include/linux/proc_fs.h | 20 +++++
include/net/net_namespace.h | 1 +
ipc/namespace.c | 31 +++++++
kernel/nsproxy.c | 39 +++++++++
kernel/utsname.c | 32 +++++++
net/core/net_namespace.c | 56 +++++++++++++
net/core/rtnetlink.c | 4 +-
net/socket.c | 26 ++++++-
15 files changed, 494 insertions(+), 14 deletions(-) | http://article.gmane.org/gmane.comp.security.firewalls.netfilter.devel/35434 | CC-MAIN-2017-43 | refinedweb | 399 | 60.11 |
More on Custom Ant Tasks
Nesting Tasks and Conditions: Task versus ConditionBase
One final wrinkle that might surface is the case of needing to write a task that supports arbitrary condition types. Naturally, single-inheritance being what it is, you cannot subclass both Task and ConditionBase at the same time. On the other hand, a quick view of the documentation for the "if" task (provided in the ant-contrib package) indicates it is doing exactly this feat. A quick peek at the source code for the "if" task, however, indicates that it subclasses ConditionBase (and implements TaskContainer to allow any nested tasks). Yet, it provides an execute() method and functions apparently like any other first-class task. (For that matter, the standard condition task itself is a ConditionBase derivative that behaves like a task.)
The conclusion is that Ant has a little-known (at least little-publicized) secret: Your task doesn't exactly have to subclass ant's own "Task" class to work... simply having the execute() method, plus being taskdef'ed, is enough to work. Still, you do lose out on a bit of functionality that the Task class would provide you if you were to subclass from it, so weigh the effects of this carefully. (The condition and if tasks don't do anything that really requires such functionality.) You can still get and set project-level properties by virtue of ConditionBase also being a subclass of Ant's ProjectComponent class.
<project ...> <taskdef name="mytask" ... /> <typedef name="mycondition" ... /> <mytask ...> <mycondition> <!-- standard conditionals here --> </mycondition> <!-- standard or custom tasks nested here --> </mytask> </project>
What's Left?
Custom selectors
Another special-purpose type that Ant exposes to customizations is the selector type used in, for example, a fileset element. You can write your own logic to determine whether a given file encountered in the filesystem (as a fileset is being populated) should be included in the fileset's entries. To do this, implement the org.apache.tools.ant.types.selectors.FileSelector interface and provide an implementation for isSelected:
public class MyCustomSelector implements FileSelector { ... public boolean isSelected(File basedir, String filename, File file) { ... } ... }
This is a type, so declare this via a typedef statement. And of course, you may provide for attributes and other nested elements as with any custom type. Although I will not show an example here, the Ant manual shows a quick example of a selector that returns true only if the filename ends in ".java", but the selection logic can be as complex as you need it to be.
Much like the ConditionBase class, there is an analogous org.apache.tools.ant.types.selectors.BaseSelectorContainer class that you might want to look into, should you wish to write a custom task or type that allows arbitrary nested standard selector elements.
XML Namespaces
The more recent versions of Ant (the 1.6 branch) support the concept of XML namespaces. A namespace in XML is conceptually similar to namespaces in programming toolsets (like Java's concept "package"). The standard version of Ant includes the <property> element, so if you also create a custom task or type with that element name, you'll collide against the standard version. With an XML namespace prefix, you could say <acme:property> and get your version instead.
Ant gives you a few different ways to get a namespace prefix to work in your build files, but I will show just this one version that puts the "xmlns" attributes in the root element (that is, the <project> element) where XML geeks are likely to look for them. The only other thing you need to do is to match the value of the URI you mention in the xmlns attribute in a uri attribute in your taskdef and typedef elements:
<project xmlns: <acme:mytype ... /> </acme:mytask> </project>
Although many publicly available projects tend to use a web address (URL) as their URI, it can be any string in any format you want... just be sure they match. (If you make your custom ant code available in bid for fame and fortune, pick a stable URI and don't change it.) A URI value of INHOUSE_CODE_BY_TOM_DICK_AND_HARRY is just as functional (to Ant, anyway) as the URI in the above example.
Download the Code
You can download the code file that accompanies the article here.
Next Time
Custom Ant event loggers and Ant in your apps
You also can make use of the built-in Ant task code in your own Java applications and projects without having to invoke Ant on the command line. You also can hijack the default logging facilities to create Ant logging output in any custom format you need. I will cover these two options in a future article. Stay tuned.
Resources
About the Author
Rob Lybarger is a software engineer who has been using Java for nearly a decade and using Ant since its earliest days. He has used various versions of Windows, various distributions of Linux, and, most recently, Mac OS X. Although he knows a wide array of software languages, the cross-platform nature of Java and Ant has proven to be a valuable combination for his personal and professional efforts.
Page 4 of 4
| http://www.developer.com/lang/article.php/10924_3636196_4/More-on-Custom-Ant-Tasks.htm | CC-MAIN-2015-27 | refinedweb | 864 | 51.99 |
Subject: Re: [boost] [Interprocess] Named pipe interface proposal
From: Niall Douglas (ndouglas_at_[hidden])
Date: 2013-08-13 11:02:43
> > I would URGE you to make this exclusively a Boost.ASIO implementation.
>
> I like this idea. I wasn't sure it was appropriate though and frankly,
from having
> poked through the source a bit, ASIO is a bit intimidating in the way it's
> structured. But I'm sure that's mostly a lack of familiarity with it and
only
> vaguely understanding the core principles which can surely be remedied by
some
> study of the documentation.
I hear you on ASIO's intimidation!
(
t.AFIO_Documentation/doc/html/afio/introduction.html)
Due to a failure of its maintainer to timely address the bug (with possible dupes and), I ended up having to
reimplement a bug free alternative version which actually was quite painless
to do once you figure out how ASIO works. The hard part was definitely
trawling the source code to figure out why and how, but once you reach
understanding it's all fairly obvious.
BTW you should read the comments at as they mention an existing
named pipe implementation for Windows ASIO. Contacting the author might save
you some time.
> > 3. There seemed to be some confusion regarding named pipes on POSIX.
> > The only difference between Windows and POSIX named pipes is that the
> > former use the NT kernel namespace, within which the filing systems
> > are mount points, whereas the latter use the filing system namespace
> > directly. In my own code, I use a magic directory in /tmp as the
> > namespace for all my named pipes in the system in an attempt to
> > replicate a similar behavior to Windows, but there are many other ways
> > of doing the same thing.
> >
>
> Hmmm, I see what you're saying and I agree with it, but I'm also not sure
that
> it's strictly true that this is the "only" difference.
Correct, I meant "only semantic difference".
> Also, to clarify when you say
> POSIX named pipes, you are talking about the mkfifo call, correct?
I'm talking about any pipe which can be uniquely identified within the
system by some string identifier.
> And is there
> a reason why the mkfifo call is more desirable to use than UNIX domain
sockets?
Only consistency with Windows. Windows' pipes do offer message datagram
semantics like unix domain sockets, so one could duplicate semantics there
too. In my own personal code though I have never found the need.
> Also, FYI, I'm doing this project as an independent study through my CS
program.
> I'm getting close to the end of the quarter and I need to have something
> concrete to show for my efforts. Since I've already started down the path
of
> implementing this not inside of Boost.ASIO, for the purposes of my school
> project I'm going to continue with that. However, I plan to continue
working on
> it after the scholastic bit is finished, and then I would be interested in
> implementing it as part of ASIO.
Sure, no problem. I would still believe though that you'll write far less
code and it will be less effort to debug if it's exclusively ASIO. On that
basis, I would even say it's worth chalking up your existing implementation
as a learning experience and starting again.
That said, if your compsci department was like mine back in the day, they
give better grades to longer code which doesn't test the domain knowledge of
the grader. An ASIO implementation would be too short and too domain
knowledge specific for good grades I think. It's one of the reasons I got an
average 32% during my Software Engineering degree. | https://lists.boost.org/Archives/boost/2013/08/205785.php | CC-MAIN-2021-04 | refinedweb | 621 | 60.65 |
Talk:Extending Python with C++
From OLPC
Hi. When I try to execute the line:
python setup.py build_ext --inplace
I get the error message
Traceback (most recent call last): File "setup.py", line 2, in <module> from distutils import setup, Extension ImportError: cannot import name setup
Any ideas?
Also, is it possible to have separate header and implementation files for the C++ code?
-- Kevin S 68.146.220.249 18:11, 24 March 2008 (EDT)
- Yeah, you can add any additional source files to the list of files in setup.py. And when you make your SWIG .i file, just %include the header file. wade 09:15, 25 March 2008 (EDT)
Okay, it looks like the line should instead be
from distutils.core import setup, Extension
Now I just need to figure out why gcc can't find stdlib.h...
-- Kevin S 68.146.220.249 18:33, 24 March 2008 (EDT)
Aha, when there is not enough memory available on the OLPC, such as when you are running Browse, yum tries to fork some process which will not be created. It still claims success at the end, but it has not actually succeeded. If this happens to you you will need to shut down most of your activities and try again. In my case, I needed to
yum install glibc-headers
with all non-essential activities off. It looks like I am down to my own syntax errors now. -- Kevin S 68.146.220.249 19:06, 24 March 2008 (EDT) | http://wiki.laptop.org/go/Talk:Extending_Python_with_C%2B%2B | CC-MAIN-2014-41 | refinedweb | 253 | 84.47 |
Opened 3 years ago
Closed 3 years ago
#17730 closed Bug (fixed)
Change django.utils.htmlparser to django.utils.html_parser to avoid possible issues with case-insensitivity and the HTMLParser stdlib module
Description
Python Version: 2.6.5
OS: Ubuntu
Django==1.4b1
South==0.7.3
Unidecode==0.04.9
Unipath==0.2.1
Werkzeug==0.8.3
boto==2.1.1
django-debug-toolbar==0.9.4
django-extensions==0.7.1
===========
in utils/HTMLParser.py:
import HTMLParser as _HTMLParser (import succeeds)
As you see from below, _HTMLParser has an attribute called _HTMLParser.
dir(_HTMLParser)
['_HTMLParser', 'builtins', 'doc', 'file', 'name', 'package', 're']
However on line 11 of utils/HTMLParser.py, it tries to reference HTMParser without the underscore.
_HTMLParser.HTMLParser.init(self)
When I changed line 11 from the above to the following, it worked.
_HTMLParser._HTMLParser.init(self)
Image attached.
Attachments (3)
Change History (17)
Changed 3 years ago by un33k
comment:1 Changed 3 years ago by carljm
- Needs documentation unset
- Needs tests unset
- Patch needs improvement unset
- Resolution set to worksforme
- Status changed from new to closed
There is no such file django/utils/HTMLParser.py in the Django source tree or in the 1.4b1 source distribution, only django/utils/htmlparser.py. In your attached image, it appears that somehow you have both files. It seems that your django/utils/HTMLParser.py is shadowing the standard library HTMLParser module, and this is causing the import in htmlparser.py to import your stray HTMLParser.py rather than the real HTMLParser standard library module.
I have no idea how you came to have a django/utils/HTMLParser.py file, but it should be removed, and then I'd expect things to work normally.
comment:2 Changed 3 years ago by un33k
I have verified and there is no HTMLParser.py in django/utils.
Also verified that django-debug-toolbar was causing it. When I removed it, everything works fine.
Not sure why the stack trace is a bit misleading.
Will investigate further.
Thx
comment:3 follow-up: ↓ 7 Changed 3 years ago by gldnspud
- Resolution worksforme deleted
- Status changed from closed to reopened
Consider renaming django.utils.htmlparser to a different name, e.g. django.utils.html_parser.
This is very likely due to some platforms using case-insensitive filesystems. It is not limited to the use of django-debug-toolbar.
OSX is one example. When I try import django.utils.htmlparser within OSX, the version of Python appears to know about the distinction between the two, and handles imports properly. This is despite the fact that you can go into the .../django/utils directory and run cat HtMlPaRsEr.Py and it will happily show you the same output as cat htmlparser.py.
The way I ran into the error this ticket refers to is by using Parallels Desktop's shared folders feature to access my OSX filesystem from within an Ubuntu 10.04.3 virtual machine. The way Python is compiled in Linux does NOT know about the case insensitivity, yet the shared folders implementation exposes this -- you can go into the .../django/utils dir within the mounted filesystem in Linux, and type cat HtMlPaRsEr.Py and lo, there is the contents of the file.
All of this is unfortunate, but these are in fact realistic conditions for working on Django projects where you want your Django project to run inside a VM, but desire the use of an OSX-based editor and other tools.
comment:4 Changed 3 years ago by gldnspud
Indeed, I was able to confirm just now that doing the following allowed me to run tests and see them pass:
- Rename django/utils/htmlparser.py to django/utils/html_parser.py
- Line 7 of django/test/html.py, change from from django.utils.htmlparser import HTMLParser to from django.utils.html_parser import HTMLParser
Note: I was able to find no other references to htmlparser in the Django 1.4b1 code base (other than in EGG-INFO/SOURCES.txt which I assume to be auto-generated).
Changed 3 years ago by gldnspud
comment:5 Changed 3 years ago by gldnspud
Attached a diff per the contributor guidelines.
Also see and
comment:6 Changed 3 years ago by gldnspud
- Cc gldnspud added
- Has patch set
comment:7 in reply to: ↑ 3 Changed 3 years ago by ramiro
using Parallels Desktop's shared folders feature to access my OSX filesystem from within an Ubuntu 10.04.3 virtual machine. The way Python is compiled in Linux does NOT know about the case insensitivity, yet the shared folders implementation exposes this [...] All of this is unfortunate, but these are in fact realistic conditions for working on Django projects where you want your Django project to run inside a VM, but desire the use of an OSX-based editor and other tools.
I must say I disagree with the realistic conditions part. That's a very uncommon development setup and calling for the kind of trouble you are finding.
comment:8 Changed 3 years ago by aaugustin
Renaming a module is backwards incompatible, we can't do this lightly.
comment:9 Changed 3 years ago by carljm
- Summary changed from AttributeError: 'module' object has no attribute 'HTMLParser' to Change django.utils.htmlparser to django.utils.html_parser to avoid possible issues with case-insensitivity and the HTMLParser stdlib module
I would be interested in the results of further investigation by un3kk. If it really is possible for django-debug-toolbar to trigger this problem, that would be a serious issue.
On the whole, I am tempted to make the change suggested by gldnspud. I agree that the "case-insensitive filesystem accessed by Python from case-sensitive OS" case is not exactly common, but it would be an easy issue to avoid entirely with a relatively simple change. Relying on case-sensitivity for correct operation seems like something it doesn't hurt to avoid. I'm not too concerned about the backwards incompatibility, given that django.utils.htmlparser was added to trunk less than a month ago, has never been in a production release, and is undocumented and used only by a test helper.
Tentatively accepting, but open to arguments that it would be a bad idea to make this change.
comment:10 Changed 3 years ago by carljm
- Triage Stage changed from Unreviewed to Accepted
comment:11 Changed 3 years ago by aaugustin
I wasn't aware that this module is a recent addition. I withdraw my previous comment.
comment:12 Changed 3 years ago by SmileyChris
- Severity changed from Normal to Release blocker
comment:13 Changed 3 years ago by aaugustin
The public API of the HTMLParser module is the HTMLParser class and the HTMLParseError exception.
If we want django.utils.htmlparser to mimic this interface, we could expose HTMLParseError there, and import it from that module.
I'm attaching a patch for this technique.
Changed 3 years ago by aaugustin
comment:14 Changed 3 years ago by carljm
- Resolution set to fixed
- Status changed from reopened to closed
Debugger dump | https://code.djangoproject.com/ticket/17730 | CC-MAIN-2015-14 | refinedweb | 1,173 | 57.47 |
#include <c4d_scenehookdata.h>
A data class for creating scene hook plugins.
A scene hook is called on every scene prepare, for example before redraw and before rendering.
Use RegisterSceneHookPlugin() to register a scene hook plugin.
Called to initialize the scene hook, before all scene hooks and expressions in a scene are calculated.
Allocate here temporary data in the node.
Called to free the scene hook, after all scene hooks and expressions in a scene are calculated, before the drawing starts.
Free here temporary data allocated in InitSceneHook.
Called at the point in the priority pipeline specified by AddToExecution, or by RegisterSceneHookPlugin.
Called to add execution priorities.
By default returns false. In that case Cinema 4D will call Execute() at the priority specified by the RegisterSceneHookPlugin() call for the scene hook.
If overridden then insert points of execution in the list and return true. Heres is an example:
Cinema 4D will then call Execute() 2 times.
Called when the user clicks with the mouse in any of the editors views.
SceneHookData::MouseInput(node, doc, bd, win, msg)as last return, so that other plugins can also use this hook when it is their turn.
Called when the user types something in any of the editors views.
SceneHookData::KeyboardInput(node, doc, bd, win, msg)as last return, so that other plugins can also use this hook when it is their turn.
Called when the cursor is over the editor views to get the state of the mouse pointer.
Set the bubble help and cursor, for example:
Called when the display is updated to display arbitrary visual elements in the editor views.
Called to set information about how the active object should be displayed.
Initialize resources for the display control used in DisplayControl.
Free resources allocated in InitDisplayControl. | https://developers.maxon.net/docs/Cinema4DCPPSDK/html/class_scene_hook_data.html | CC-MAIN-2022-05 | refinedweb | 295 | 58.18 |
Use the Web-based Windows PowerShell Console
Published: February 29, 2012
Updated: June 24, 2013
Applies To: Windows Server 2012, Windows Server 2012 R2
Windows PowerShell® Web Access lets Windows PowerShell® users sign in to a Secure Sockets Layer (SSL)-secured website to use Windows PowerShell sessions, cmdlets, and scripts to manage a remote computer. Because the Windows PowerShell console runs in a web browser, it can be opened from a variety of client devices, including cell phones, tablet computers, public computing kiosks, laptop computers, or shared or borrowed computers. The web-based Windows PowerShell console is targeted at a remote computer that is specified by users as part of the sign-in process. This topic describes how to sign in to and start using the Windows PowerShell Web Access web-based console.
This topic does not describe how to use Windows PowerShell or run cmdlets or scripts. For information about how to use Windows PowerShell, and scripting resources, see the See Also section at the end of this topic.
In this topic:
- Supported browsers and client devices
- Differences in the web-based Windows PowerShell console
- See Also
Windows PowerShell Web Access supports the following Internet browsers. Although mobile browsers are not officially supported, many may be able to run the web-based Windows PowerShell console. Other browsers that accept cookies, run JavaScript, and run HTTPS websites are expected to work, but are not officially tested.
- Windows® Internet Explorer® for Microsoft Windows® 8.0, 9.0, 10.0, and 11.0
- Mozilla Firefox® 10.0.2
- Google Chrome™ 17.0.963.56m for Windows
- Apple Safari® 5.1.2 for Windows
- Apple Safari 5.1.2 for Mac OS®
- Windows Phone 7 and 7.5
- Google Android WebKit 3.1 Browser Android 2.2.1 (Kernel 2.6)
- Apple Safari for iPhone operating system 5.0.1
- Apple Safari for iPad 2 operating system 5.0.1
To use the Windows PowerShell Web Access web-based console, browsers must do the following.
- Allow cookies from the Windows PowerShell Web Access gateway website.
- Be able to open and read HTTPS pages.
- Open and run websites that use JavaScript.
Your Windows PowerShell Web Access administrator should provide you with a URL that is the address of your organization’s Windows PowerShell Web Access gateway website. By default, this website address is https://<server_name>/pswa. Before you sign in to Windows PowerShell Web Access, be sure that you have the name or IP address of the remote computer that you want to manage. You must be an authorized user on the remote computer, and it must be configured to allow remote management. For more information about configuring your computer to allow remote management, see Enable and Use Remote Commands in Windows PowerShell. The simplest method of configuring your computer to allow remote management is to run the Enable-PSRemoting -force cmdlet on the computer, in a Windows PowerShell session that has been opened with elevated user rights (Run as Administrator).
Open the Windows PowerShell Web Access website in an Internet browser window or tab.
On the Windows PowerShell Web Access sign-in page, provide your network user name, password, and the name of the computer that you want to manage (and on which you are an authorized user). If the Windows PowerShell Web Access administrator has instructed you to use a URI to a custom site or proxy server instead of a computer name, select Connection URI in the Connection type field, and then provide the URI.
The Optional Connection Settings section relates to the authorization requirements of the remote computer that you want to manage. For more information about the parameters that are equivalent to optional connection settings, see the Enter-PSSession cmdlet Help.
Typically, the credentials you use to pass through the Windows PowerShell Web Access gateway are the same that are recognized by the remote computer that you want to manage. However, if you want to use different credentials to manage the remote computer that you specified in step 2, expand the Optional Connection Settings section, and provide the alternate credentials. Otherwise, skip to step 6.
If the Windows PowerShell Web Access administrator has created a custom session configuration for Windows PowerShell Web Access users, type the name of the session configuration name in the Configuration name field. For more information about session configurations, see about_Session_Configurations on the Microsoft website.
Keep the Authentication type set to Default unless you have been instructed to do otherwise by the Windows PowerShell Web Access administrator.
Click Sign in.
Any of the following signs you out of a web-based Windows PowerShell session.
- Clicking Sign out in the lower right corner of the console. (Windows Server 2012 only)
- Clicking Save or Exit in the lower right corner of the console (Windows Server 2012 R2 only). Clicking Save saves and closes your Windows PowerShell Web Access session; you can reconnect to the session later. When you sign in to Windows PowerShell Web Access again, Windows PowerShell Web Access displays a list of your saved sessions; you can either select and reconnect to a saved session, or start a new session. The maximum number of open sessions that users are allowed, both saved and active, is configured by the gateway administrator.
Clicking Exit signs you out of the Windows PowerShell Web Access session without saving it.
- Attempting to sign in to manage a different remote computer in the same browser session, or in a new tab of the same browser session. (This does not apply if the gateway server is running Windows Server 2012 R2; Windows PowerShell Web Access running on Windows Server 2012 R2 does allow multiple user sessions in new tabs in the same browser session.) For more information about how to use more than one active session on the same computer, see “Connecting to multiple target computers simultaneously” in the Limitations of the web-based console section of this topic.
- 20 minutes of inactivity in the session. The gateway administrator can customize the inactivity time-out period; for more information, see Session management.
- If you are disconnected from a session in the web-based console because of a network error or other unplanned shutdown or failure, and not because you have closed the session yourself, the Windows PowerShell Web Access session continues to run, connected to the target computer, until the time-out period on the client side lapses. By default, this time-out period is 20 minutes, and is configured by the gateway administrator. The session is disconnected after either the default 20 minutes, or after the time-out period specified by the gateway administrator, whichever is shorter.
If the gateway server is running Windows Server 2012 R2, Windows PowerShell Web Access lets users reconnect to saved sessions at a later time, but you cannot see or reconnect to saved sessions until after the time-out period specified by the gateway administrator has lapsed.
- Closing the browser window or tab.
- Turning off the client device on which the browser is running, or disconnecting it from the network.
- Running the Exit command in the web console. This command does not work if the session configuration to which you are connected to is configured to support NoLanguage mode, or is in a restricted runspace.
If you want to sign in again, open the Windows PowerShell Web Access web page again, and sign in by following the steps in To sign in to Windows PowerShell Web Access in this topic.
After signing in to Windows PowerShell Web Access, a web-based Windows PowerShell console opens in your browser window or tab. Because the console is connected to the remote computer that you specified during the sign-in process, only those Windows PowerShell cmdlets or scripts that are available on the remote computer can be used in the console. This section describes other limitations of Windows PowerShell Web Access consoles, and differences between Windows PowerShell Web Access consoles and the installed PowerShell.exe console.
The majority of Windows PowerShell host functionality is available in the Windows PowerShell Web Access web-based console, but there are some features that are not available.
- Nested progress displays. Windows PowerShell Web Access displays a progress GUI for cmdlets that report progress, but only top-level progress information is displayed.
- Input color modification. The input color (both foreground and background) cannot be changed. The style of output, warning, verbose, and error messages can all be changed by running a script.
- PSHostRawUserInterface. Windows PowerShell Web Access is implemented over Windows PowerShell remote management, and uses a remote runspace. Windows PowerShell Web Access does not implement some methods in this interface; for example, any command that writes to the Windows console. Commands such as PowerTab do not work in Windows PowerShell Web Access.
- Function keys. Windows PowerShell Web Access does not support some function keys, in many cases because the commands are reserved by the browser.
- Double-hop. You can encounter the double-hop (or connecting to a second computer from the first connection) limitation if you try to create or work on a new session by using Windows PowerShell Web Access. Windows PowerShell Web Access uses a remote runspace, and currently, PowerShell.exe does not support establishing a remote connection to a second computer from a remote runspace. If you attempt to connect to a second remote computer from an existing connection by using the Enter-PSSession cmdlet, for example, you can get various errors, such as “Cannot get network resources.”
To avoid double-hop errors, your administrator should configure CredSSP authentication in your organization’s network environment. For more information about configuring CredSSP authentication, see CredSSP for second-hop remoting on the Microsoft website. You can also provide explicit credentials when you want to manage a second remote computer; implicit credentials are unlikely to allow the second hop.
- Windows PowerShell Web Access uses and has the same limitations as a remote Windows PowerShell session. Commands that directly call Windows console APIs, such as those for console-based editors or text-based menu programs, do not work because the commands do not read or write to standard input, output, and error pipes. Therefore, commands that launch an executable file, such as notepad.exe, or display a GUI, such as
OpenGridViewor
ogv, do not work. Your experience is affected by this behavior; to you, it appears that Windows PowerShell Web Access is not responding to your command.
- Tab completion does not work in a session configuration with a restricted runspace or one that is in NoLanguage mode. Although administrators can configure a session to support tab completion, it is discouraged for security reasons, because it can expose the following information to unauthorized users.
- Internal file system paths
- Shared folders on internal computers
- Variables in the runspace
- Loaded types or.NET Framework namespaces
- Environment variables
- Users who are signed in to a NoLanguage session configuration or a restricted runspace in Windows PowerShell Web Access cannot run the Exit command to end the session. To sign out, users should click Sign Out on the console page.
- Connecting to multiple target computers simultaneously. If the gateway server is running Windows Server 2012, Windows PowerShell Web Access allows only one remote computer connection per browser session; it does not allow users to sign in once, and connect to multiple remote computers by using separate browser tabs. When you open a new tab or new browser window, Windows PowerShell Web Access prompts you to disconnect your current session and start a new session, so that you can connect to the new (or the same) remote computer. If two or more separate sessions to different remote computers are desired, however, a feature in Internet Explorer lets you create a new session. To start a new browser session in Internet Explorer, press ALT, open the File menu, and then select New Session. Then, open the Windows PowerShell Web Access website in the new session, and sign in to access another remote computer.
When the Windows PowerShell Web Access gateway is running on Windows Server 2012 R2, users can open multiple connections to remote computers in different browser tabs. If you want to open more than one connection to a remote computer by using the web-based Windows PowerShell console, check with your Windows PowerShell Web Access gateway administrator to see if this feature is supported by the gateway server.
- Persistent Windows PowerShell sessions (Reconnection). After you time out of the Windows PowerShell Web Access gateway, the remote connection between the gateway and the target computer is closed. This stops any cmdlets or scripts that are currently in process. You are encouraged to use the Windows PowerShell -Job infrastructure when you are performing long-running tasks, so that you can start jobs, disconnect from the computer, reconnect later, and have jobs persist. Another benefit of using -Job cmdlets is that you can start them by using Windows PowerShell Web Access, sign out, and then reconnect later, either by running Windows PowerShell Web Access or another host (such as Windows PowerShell® Integrated Scripting Environment (ISE)).
- Console resizing. The PowerShell.exe console window can be resized in the following three ways.
- Drag and adjust the console window size with a mouse
- Change the height and width properties by using a GUI for console properties
- Changing the height and width of console windows with a cmdlet
The console window for Windows PowerShell Web Access can be configured by using the cmdlets as follows. In the following example, a user changes the width of Windows PowerShell Web Access console to 20.
Additional examples for customizing the console view are available in the Windows PowerShell Team Blog.
See Also | http://technet.microsoft.com/en-us/library/hh831417(d=printer) | CC-MAIN-2014-23 | refinedweb | 2,273 | 51.28 |
First off, I use: APC, W3TC, PHP5, Wordpress 3.8, Apache 2.2 and am getting a lot of "Cache Misses"
Still don't really understand Varnish that well. Here are some stats I got from the Unixy backend from a few minutes running:
client_conn: 3744
client_drop: 0
client_req: 3910
cache_hit: 914
cache_miss: 2347
I changed my Varnish memory to 3GB of RAM (out of 8 total).
Is it normal that Varnish only caches pages that are hit frequently? So let's say you have a site with 10,000 pages, is Varnish capable of keeping all those in the cache or does it only cache a certain amount of frequently requested pages?
So my question really is how I can improve Varnish to cache more pages and keep them in the cache for a long time (mostly static pages that dont need to be refreshed a lot)
3GB should be enough, seriously. If you actually hit the limit, you won't have cache miss but cache drop which is, in your case: 0.
So the memory is probably not the problem.
The varnish memory usage is pretty straight forward, it uses not much memory to work, and most of the memory is used to store objects, object is about your webpages, so an html page of 50kb cached in varnish will use about ~50kb in varnish.
HOWEVER, if your object and therefore its associated object hash is different, for example because there are different query parameters (not impacting the contact but used to track for example), therefore each object will be cached separately.
here is the default vcl to compute hash for object:
sub vcl_hash {
hash_data(req.url);
if (req.http.host) {
hash_data(req.http.host);
} else {
hash_data(server.ip);
}
return (hash);
}
As you can see it is based on the full url and the host. It exists a querystring-vmod to sort and/or removes query params to increase the hit count.
This may be a good start to check if your object are not considered different by varnish (in most case it is because of query params).
But in your case I actually suspect that you've cookies, and/or wrong cache control headers.
By default, varnish will ignore all requests with cookies, increasing your cache miss count.
sub vcl_recv {
// ...
if (req.http.Authorization || req.http.Cookie) {
/* Not cacheable by default */
return (pass);
}
}
If you actually know what you're doing you may remove cookies from requests and force cache of your object but be careful, you may cache an admin page this way which will be delivered to guests.
For a example, you may define which url should be cached and set a Cache-Control: public header, and in your vcl, detect a public Cache-Control header, remove cookies, and cache.
Cache-Control: public
Cache-Control
But again, be careful.
EDIT: You may be interested in this article: Varnish and Wordpress on the Varnish docs
On top of the Unixy Varnish config I added this after researching various configurations, maybe some of it is redundant but my cache HIT ratio is a lot better now like 60% and I managed to get the CPU load from 3 down to 0.10 - 0.50
if (!(req.url ~ "wp-(login|admin)")) {
unset req.http.cookie;
}
if ( req.url ~ "(?i)\.(png|gif|jpeg|jpg|ico|swf|css|js|html|htm)(\?[a-z0-9]+)?$" ) {
unset req.http.cookie;
}
if (req.http.Cookie) {
set req.http.Cookie = regsuball(req.http.Cookie, "(^|; ) *__utm.=[^;]+;? *", "\1");
if (req.http.Cookie == "") {
remove req.http.Cookie;
}
}
if (req.request == "PURGE") {
return (lookup);
}
Also 3GB is a little overkill, I may change it back 1 or 2GB .. even with 10,000 pages or more, but I will let it run for 24 hour and see
By posting your answer, you agree to the privacy policy and terms of service.
asked
1 year ago
viewed
213 times
active | http://serverfault.com/questions/574949/understanding-varnish-can-it-cache-10-000-static-pages-on-a-site/574955 | CC-MAIN-2015-11 | refinedweb | 650 | 70.33 |
src/bview-server.c
The Basilisk View server
This simple server waits for Basilisk View commands on standard input and returns PPM images on standard output.
Optional file names of either Basilisk View command files (with the .bv extension) or Basilisk snapshot files can be given on the command line.
It can run in parallel using MPI.
It is typically connected to a client such as bview-client.py, as automated by the bview script.
Installation
The server is not installed by default and relies on additional libraries which need to be installed first.
Once either
libfb_osmesa.a or
libfb_glx.a have been installed, the
config file needs to define the OPENGLIBS environment variable accordingly i.e. using either
OPENGLIBS = -lfb_osmesa -lGLU -lOSMesa
or
OPENGLIBS = -lfb_glx -lGLU -lGLEW -lGL -lX11
For Mac OSX use:
OPENGLIBS = -L/opt/local/lib/ -lfb_osmesa -lGLU -lOSMesa
See config.gcc and config.osx for examples. Once this variable is defined in config, the Basilisk servers can be compiled using:
cd $BASILISK make bview-servers
For OSX 10.9 and above, you may see some warnings about deprecated functions. You can safely ignore them.
Implementation
#include "view.h" int main (int argc, char * argv[]) { Array * history = array_new(); view (samples = 1); for (int i = 1; i < argc; i++) { if (strlen (argv[i]) >= 3 && !strcmp (&argv[i][strlen(argv[i]) - 3], ".bv")) { if (!load (file = argv[i], history = history)) exit (1); } else { if (!restore (file = argv[i], list = all)) { fprintf (ferr, "bview-server: could not restore from '%s'\n", argv[i]); exit (1); } restriction (all); fields_stats(); } } if (history->len) save (fp = stdout); char line[256]; FILE * interactive = stdout; do { line[0] = '\0'; if (pid() == 0) fgets (line, 256, stdin); #if _MPI MPI_Bcast (line, 256, MPI_BYTE, 0, MPI_COMM_WORLD); #endif if (!strcmp (line, "interactive (true);\n")) interactive = stdout, line[0] = '\0'; else if (!strcmp (line, "interactive (false);\n")) interactive = NULL, line[0] = '\0'; } while (process_line (line, history, interactive)); array_free (history); } | http://basilisk.fr/src/bview-server.c | CC-MAIN-2018-43 | refinedweb | 320 | 67.25 |
Important: Please read the Qt Code of Conduct -
Macdeployqt does not include thirdparty modules
I used Bacon2D to make a little game, the setup instructions are here:
But when I used "macdeployqt Game.app" to make a independent app, it didn't include any file of Bacon2D.
@
$ macdeployqt Game.app
$ ./Game.app/Contents/MacOS/Game
QQmlApplicationEngine failed to load component
qrc:/main.qml:3 module "Bacon2D" is not installed
@
main.cpp:
@
#include <QGuiApplication>
#include <QQmlApplicationEngine>
int main(int argc, char *argv[])
{
QGuiApplication app(argc, argv);
QQmlApplicationEngine engine; engine.load(QUrl(QStringLiteral("qrc:/main.qml"))); return app.exec();
}
@
Anyone can help?
Oh, it seems that I asked at the wrong place. Can you move this topic to "3rd Party Software" or "Tools"? :-$
- SGaist Lifetime Qt Champion last edited by
Hi and welcome to devnet,
Which version of Qt/OS X/Xcode are you using ?
Qt 5.3.2 on OS 10.9.5, Xcode Version 6.0.1
Bacon2D was install in $HOME/Qt/5.3/clang_64/imports | https://forum.qt.io/topic/46903/macdeployqt-does-not-include-thirdparty-modules | CC-MAIN-2020-40 | refinedweb | 167 | 52.56 |
This chapter contains these topics:
What Is the Unified C API for XDK and Oracle XML DB?
Using the XML Parser for C
XML Parser for C Calling Sequence
XML Parser for C Default Behavior
DOM and SAX APIs Compared
The single DOM is part of the unified C API, which is a C API for XML, whether the XML is in the database or in documents outside the database. DOM means DOM 2.0 plus non-standard extensions in XDK for XML documents or for Oracle XML DB for XML stored as an
XMLType column in a table, usually for performance improvements.
The unified C API is a programming interface that includes the union of all functionality needed by XDK and Oracle XML DB, with XSLT and XML Schema as primary customers. The DOM 2.0 standard was followed as closely as possible, though some naming changes were required when mapping from the objected-oriented DOM specification to the flat C namespace (overloaded
getName() methods changed to
getAttrName() and so on).
Unification of the functions is accomplished by conforming contexts: a top-level XML context (
xmlctx) intended to share common information between cooperating XML components. Data encoding, error message language, low-level memory allocation callbacks, and so on, are defined here. This information is needed before a document can be parsed and DOM or SAX output.
Both the XDK and the Oracle XML DB need different startup and tear-down functions for both contexts (top-level and service). The initialization function takes implementation-specific arguments and returns a conforming context. A conforming context means that the returned context must begin with a
xmlctx; it may have any additional implementation-specific parts following that standard header.
Initialization (getting an
xmlctx) is an implementation-specific step. Once that
xmlctx has been obtained, unified DOM calls are used, all of which take an
xmlctx as the first argument.
This interface (new for release 10.1) supersedes the existing C API. In particular, the
oraxml interfaces (top-level, DOM, SAX and XSLT) and
oraxsd (Schema) interfaces are deprecated.
When the XML resides in a traditional file system, or the Web, or something similar, the XDK package is used. Again, only for startup are there any implementation-specific steps.
First a top-level
xmlctx is needed. This contains encoding information, low-level memory callbacks, error message language, and encoding, and so on (in short, those things which should remain consistent for all XDK components). An
xmlctx is allocated with
XmlCreate().
xmlctx *xctx; xmlerr err; xctx = (xmlctx *) XmlCreate(&err, "xdk context", "data-encoding", "ascii", ..., NULL);
Once the high-level XML context has been obtained, documents may be loaded and DOM events generated. To generate DOM:
xmldocnode *domctx; xmlerr err; domctx = XmlLoadDom(xctx, &err, "file", "foo.xml", NULL);
To generate SAX events, a SAX callback structure is needed:
xmlsaxcb saxcb = { UserAttrDeclNotify, /* user's own callback functions */ UserCDATANotify, ... }; if (XmlLoadSax(xctx, &saxcb, NULL, "file", "foo.xml", NULL) != 0) /* an error occured */
The tear-down function for an XML context,
xmlctx, is
XmlDestroy().
Once an
xmlctx is obtained, a serialized XML document is loaded with the
XmlLoadDom() or
XmlLoadSax() functions. Given the Document node, all API DOM functions are available.
XML data occurs in many encodings. You have control over the encoding in three ways:
specify a default encoding to assume for files that are not self-describing
specify the presentation encoding for DOM or SAX
re-encode when a DOM is serialized
Input data is always in some encoding. Some encodings are entirely self-describing, such as UTF-16, which requires a specific BOM before the start of the actual data. A document's encoding may also be specified in the
XMLDecl or MIME header. If the specific encoding cannot be determined, your default input encoding is applied. If no default is provided by you, UTF-8 is assumed on ASCII platforms and UTF-E on EBCDIC platforms.
A provision is made for cases when the encoding information of the input document is corrupt. For example, if an ASCII document which contains an
XMLDecl saying
encoding=ascii is blindly converted to EBCDIC, the new EBCDIC document contains (in EBCDIC), an
XMLDecl which claims the document is ASCII, when it is not. The correct behavior for a program which is re-encoding XML data is to regenerate the XMLDecl, not to convert it. The
XMLDecl is metadata, not data itself. However, this rule is often ignored, and then the corrupt documents result. To work around this problem, an additional flag is provided which allows the input encoding to be forcibly set, overcoming an incorrect
XMLDecl.
The precedence rules for determining input encoding are as follows:
1. Forced encoding as specified by the user.
2. Protocol specification (HTTP header, and so on).
3.
XMLDecl specification is used.
4. User's default input encoding.
5. The default: UTF-8 (ASCII platforms) or UTF-E (EBCDIC platforms).
Once the input encoding has been determined, the document can be parsed and the data presented. You are allowed to choose the presentation encoding; the data will be in that encoding regardless of the original input encoding.
When a DOM is written back out (serialized), you can choose at that time to re-encode the presentation data, and the final serialized document can be in any encoding.
The native string representation in C is NULL-terminated. Thus, the primary DOM interface takes and returns NULL-terminated strings. However, Oracle XML DB data when stored in table form, is not NULL-terminated but length-encoded, so an additional set of length-encoded APIs are provided for the high-frequency cases to improve performance (if you deliberately choose to use them). Either set of functions works.
In particular, the following DOM functions are invoked frequently and have dual APIs:
The API functions typically either return a numeric error code (0 for success, nonzero on failure), or pass back an error code through a variable. In all cases, error codes are stored and the last error can be retrieved with
XmlDomGetLastError().
Error messages, by default, are output to
stderr. However, you can register an error message callback at initialization time. When an error occurs, that callback will be invoked and no error printed.
There are no special installation or first-use requirements. The XML DOM does not require an ORACLE_HOME. It can run out of a reduced root directory such as those provided on OTN releases.
However, since the XML DOM requires globalization support, the globalization support data files must be present (and found through the environment variables ORACLE_HOME or ORA_NLS10).
The C API for XML can be used for
XMLType columns in the database. XML data that is stored in a database table can be accessed in an Oracle Call Interface (OCI) program by initializing the values of OCI handles, such as environment handle, service handle, error handle, and optional parameters. These input values are passed to the function
OCIXmlDbInitXmlCtx() and an XML context is returned. After the calls to the C API are made, the context is freed by the function
OCIXmlDbFreeXmlCtx().
An XML context is a required parameter in all the C DOM API functions. This opaque context encapsulates information pertaining to data encoding, error message language, and so on. The contents of this XML context are different for XDK applications and for Oracle XML DB applications.
For Oracle XML DB, the two OCI functions that initialize and free an XML context have as their);
New
XMLType instances on the client can be constructed using the
XmlLoadDom() calls. You first have to initialize the
xmlctx, as in the example in Using DOM for XDK. The XML data itself can be constructed from a user buffer, local file, or URI. The return value from these is an
(xmldocnode *) which can be used in the rest of the common C API. Finally, the
(xmldocnode *) can be cast to a (
void *) and directly provided as the bind value if required.
Empty
XMLType instances can be constructed using the
XmlCreateDocument() call. This would be equivalent to an
OCIObjectNew() for other types. You can operate on the
(xmldocnode *) returned by the above call and finally cast it to a
(void *) if it needs to be provided as a bind value.
XML data on the server can be operated on by means.
The following table describes a few of the functions for XML operations.
Here is an example of how to construct a schema-based document using the DOM API and save it to the database (you must include the header files
xml.h and
ocixmldb.h):
; }
Here is an example of how to get a document from the database and modify it using; }
The XML Parser for C is provided with the Oracle Database and the Oracle Application Server. It is also available for download from the OTN site:
It is located in
$ORACLE_HOME/xdk/ on UNIX systems.
readme.html in the
doc directory of the software archive contains release specific information including bug fixes and API additions.
The XML Parser for C checks if an XML document is well-formed, and optionally, validates it against a DTD. The parser constructs an object tree which can be accessed through a DOM interface or the parser operates serially through a SAX interface.
You can post questions, comments, or bug reports to the
XML Discussion Forum at.
There are several sources of information on specifications:
The memory callback functions XML_ALLOC_F and XML_FREE_F can be used if you want to use your own memory allocation. If they are used, both of the functions should be specified.
The memory allocated for parameters passed to the SAX callbacks or for nodes and data stored with the DOM parse tree are not freed until one of the following is done:
XmlFreeDocument() is called.
XmlDestroy() is called.
If threads are forked off somewhere in the init-parse-term sequence of calls, you get unpredictable behavior and results.
Table 14-3 lists the datatypes used in XML Parser for C.
Figure 14-1 describes the XML Parser for C calling sequence as follows:
XmlCreate() function initializes the parsing process.
The parsed item can be an XML document (file) or string buffer. The input is parsed using the
XmlLoadDom() function.
DOM or SAX API:
DOM: If you are using the DOM interface, include the following steps:
The
XmlLoadDom() function calls
XmlDomGetDocElem().
This first step calls other DOM functions as required. These other DOM functions are typically node or print functions that output the DOM document.
You can first invoke
XmlFreeDocument() to clean up any data structures created during the parse process.
SAX: If you are using the SAX interface, include the following steps:
Process the results of the parser from
XmlLoadSax() using callback functions.
Register the callback functions. Note that any of the SAX callback functions can be set to
NULL if not needed.
Use
XmlFreeDocument() to clean up the memory and structures used during a parse, and go to Step 5. or return to Step 2.
Terminate the parsing process with
XmlDestroy()
The sequence of calls to the parser can be any of the following:
XmlCreate() - XmlLoadDom() - XmlDestroy()
XmlCreate() - XmlLoadDom() - XmlFreeDocument() -
XmlLoadDom() - XmlFreeDocument() - ... - XmlDestroy()
XmlCreate() - XmlLoadDom() -... - XmlDestroy()
Figure 14-1 XML Parser for C Calling Sequence
The following is the XML Parser for C default behavior:
Character set encoding is UTF-8. If all your documents are ASCII, you are encouraged to set the encoding to US-ASCII for better performance.
Messages are printed to
stderr unless an error handler is provided.
The default behavior for the parser is to check that the input is well-formed but not to check whether it is valid. Theproperty "validate" can be set to validate the input. The default behavior for whitespace processing is to be fully conforming to the XML 1.0 specification, that is, all whitespace is reported back to the application but it is indicated which whitespace is ignorable. However, some applications may prefer to set the property "discard-whitespace"which discards all whitespace between an end-element tag and the following start-element tag.
Oracle XML parser for C checks if an XML document is well-formed, and optionally validates it against a DTD. The parser constructs an object tree which can be accessed through one of the following interfaces:.lLoadSax() call. A pointer to a user-defined context structure can also be included. That context pointer will be passed to each SAX function.
The XML Parser and XSLT Processor can be called as an executable by invoking
bin/xml:
xml [options] [document URI] or xml -f [options] [document filespec]
Table 14-4
demo/c/ subdirectory for full details of how to build your program.
The
$ORACLE_HOME/xdk/demo/c/ directory contains several XML applications to illustrate how to use the XML Parser for C with the DOM and SAX interfaces.
To build the sample programs, change directories to the sample directory (
$ORACLE_HOME/xdk/demo/c/ on UNIX) and read the
README file. This file explains how to build the sample programs.
Table 14-5 lists the sample files:
Table 14-6 lists the programs built by the sample files: | http://docs.oracle.com/cd/B13789_01/appdev.101/b10794/adx12api.htm | CC-MAIN-2015-40 | refinedweb | 2,184 | 54.63 |
This C++ Program which prints the lines of a file from bottom to top. The program creates an input file stream, reads a line on every iteration of a while loop and saves every line in a string vector. The for loop prints the lines from the end of the vector to the start of it.
Here is source code of the C++ program which prints the lines of a file from bottom to top. The C++ program is successfully compiled and run on a Linux system. The program output is also shown below.
/*
* C++ Program to Print Lines of a File from Bottom to Top
*/
#include <iostream>
#include <fstream>
#include <vector>
int main()
{
std::string line;
std::vector<std::string> v;
std::ifstream file("main.cpp");
while (getline(file, line))
{
v.push_back(line);
}
/* Printing the lines from Bottom to Top */
for (int i = v.size() - 1; i >= 0; i--)
{
std::cout << v[i] << std::endl;
}
return 0;
}
$ g++ main.cpp $ ./a.out } } std::cout << v[i] << std::endl; { for (int i = v.size() - 1; i >= 0; i--) } v.push_back(line); { while (getline(file, line)) std::ifstream file("main.cpp"); std::vector<std::string> v; std::string line; int count = 0; { int main() #include <vector> #include <fstream> #include <iostream> */ * C++ Program to Print Lines of a File from Bottom to Top /*
Sanfoundry Global Education & Learning Series – 1000 C++ Programs.
If you wish to look at all C++ Programming examples, go to C++ Programs. | http://www.sanfoundry.com/cpp-program-print-lines-bottom-top/ | CC-MAIN-2017-30 | refinedweb | 243 | 73.98 |
Ticket #2541 (closed Bugs: fixed)
Asio not working on windows due to QueueUserAPC missing in global namespace
Description
Hi Chris,
I just thought I open a ticket here for better handling: The problem has been described by someone else, but I have it too. It's quite simple, although perhaps not the solution.
Basically, Asio in 1.37 is not compiling on windows. I get the following error: 'QueueUserAPC' : is not a member of 'operatorglobal namespace
Greetings and Thanks...
Stephan
Attachments
Change History
comment:1 Changed 8 years ago by steven_watanabe
- Owner set to chris_kohlhoff
- Component changed from None to asio
comment:2 Changed 8 years ago by chris_kohlhoff
This is due to _WIN32_WINNT not being defined when Windows.h is first included and/or the value of the #define being changed before asio.hpp is included. To work correctly, _WIN32_WINNT should be defined on the compiler command line or in the project options.
comment:3 Changed 8 years ago by chris_kohlhoff
- Status changed from new to closed
- Resolution set to fixed
comment:4 Changed 8 years ago by Stephan Menzel <stephan.menzel@…>
- Status changed from closed to reopened
- Resolution fixed deleted
Hi Chris,
I'm not sure it's that easy. _WIN32_WINNT is set here in the project options (MSVC2005) and never changes it's value within my project as far as I can see.
Here's the cmdline options:
/Od /I <several includes> /D "WIN32" /D "_WINDOWS" /D "_DEBUG" /D "WIN32_LEAN_AND_MEAN" /D "_WIN32_WINNT" /D "_CRT_SECURE_NO_WARNINGS" /D "BOOST_ALL_DYN_LINK" /D "CMAKE_INTDIR=\"Debug\"" /D "_WINDLL" /D "_MBCS" /FD /EHsc /RTC1 /MDd /Fo"commons.dir\Debug
" /W3 /nologo /c /Zi /TP /errorReport:prompt
Thanks for caring though!
HTH,
Stephan
comment:5 follow-up: ↓ 8 Changed 8 years ago by chris_kohlhoff
comment:6 Changed 8 years ago by Stephan Menzel <stephan.menzel@…>
- Status changed from reopened to closed
- Resolution set to fixed
OMG, should've known.
Works, thank you very much and sorry for the trouble. To hell with windows and all those defines.
Cazart,
Stephan
comment:7 Changed 8.
........ | https://svn.boost.org/trac/boost/ticket/2541 | CC-MAIN-2016-44 | refinedweb | 337 | 63.29 |
How to Upload Image to AWS S3 Bucket with React & NodeJS
A row of the same width elements is a frequent layout, and it would be handy to have a React component instead of writing the same CSS over and over.
Let me show a few examples where I use the
SameWidthChildrenRow component. (On YouTube) Here we have a modal with a form on one side and an image on another. Then we have three cards of equal size. And there is a list of projects with wrapping cards.
The component takes three optional parameters: a gap between elements, minimum width of children, and row height. We display elements using CSS grid with the grid-template-columns attribute.
import styled, { css } from "styled-components" import { getCSSUnit } from "ui/utils/getCSSUnit" interface Props { gap?: number minChildrenWidth?: number rowHeight?: number fullWidth?: boolean } export const SameWidthChildrenRow = styled.div<Props>` display: grid; grid-template-columns: repeat( auto-fit, minmax(${({ minChildrenWidth }) => getCSSUnit(minChildrenWidth || 0)}, 1fr) ); ${({ gap }) => gap && css` gap: ${getCSSUnit(gap)}; `} ${({ rowHeight }) => rowHeight && css` grid-auto-rows: ${getCSSUnit(rowHeight)}; `} ${({ fullWidth }) => fullWidth && css` width: 100%; `} `
To make the component work with any number of children, we pass auto-fit to the repeat function as the first argument. Also, auto-fit makes elements wrap to a next when there is not enough space instead of creating an overflow. To define the width of children, we use the min-max function. We'll pass the
minChildrenWidth as the min argument and one frame as the max. To add px to the value, I use the getCssUnit helper.
Finally, we'll define gap and
grid-auto-column if there are props. | https://radzion.com/blog/same-width/ | CC-MAIN-2022-40 | refinedweb | 272 | 62.98 |
Member
75 Points
Jul 29, 2011 04:48 AM|info2ambrish|LINK
#region Serializer Overriders //What is this
private static XmlAttributeOverrides AppointmentListOverrides { //What is work of this property
get {
XmlAttributeOverrides xOver = new XmlAttributeOverrides();
xOver.Add(typeof(List<Appointment>), new XmlAttributes { XmlRoot = new XmlRootAttribute("Appointments") });
return xOver;
}
}
#endregion
Contributor
2571 Points
Jul 29, 2011 05:16 AM|Shuvo Aymon|LINK
If I am not wrong this methode is used to override an existing element while serialization. below link shows a very simple example to understand.
Member
75 Points
Jul 29, 2011 05:41 AM|info2ambrish|LINK
Any body reply me
In this code section
namespace AcusisMG.Models {
public class AppointmentModel {
}}//Namespace close here but in same page define a region
it means its create region that worj loke a seperete class
#region Appointment Helper
class AppointmentHelper {}
#endregion
can i create this region fielsd in seterate class??
I am very confuser about this code pls help me.
thanks for support
All-Star
94120 Points
Jul 31, 2011 09:55 PM|decker dong - msft|LINK
info2ambrishcan i create this region fielsd in seterate class??
A region can be reguared as a comment to comment for a large snippet of codes as a whole. So it will be ignored by the compiler when compilling.
Plz see:
According to your problem. I think if you create a partial class, then you can create the same class with the same name but with the partial key word.
Perhaps I think you've mixed the concepts.
Thanks again.
3 replies
Last post Jul 31, 2011 09:55 PM by Decker Dong - MSFT | https://forums.asp.net/t/1705214.aspx?What+is+mean+by+following+code+ | CC-MAIN-2017-47 | refinedweb | 264 | 52.49 |
hej,
I began the month with the remainder of the namespace cleanups. Should be all
fine now. The ktorrent guy was not giving in. Well that's their way of handling
it then.
I have registered buzztard with the translation project [1]. All strings are frozen
for 0.4. Now of course I look for translators who are willing to help.
During testing, I discovered that for some bpm and tick resolutions, notes where
swallowed. This was due to different rounding behaviour in the sequencer and the
plugins. This is now fixed. As a side effect, I can now render in any sampling
rate. That will help my mameo version :)
Have fun,
buzztard core developer team
--
[1] | https://sourceforge.net/p/buzztard/news/2008/10/buzztard-project-status-01102008/ | CC-MAIN-2017-26 | refinedweb | 117 | 87.11 |
for connected embedded systems
vfork()
Spawn a new process and block the parent
Synopsis:
#include <process.h> pid_t vfork( void );
Library:
libc
Use the -l c option to qcc to link against this library. This library is usually included automatically.
Description:
This function spawns a new process and blocks the parent until the child process calls execve() or exits (by calling _exit() or abnormally).
Returns:
A value of zero to the child process, and (later) the child's process ID in the parent. If an error occurs, no child process is created, and the function returns -1 and sets errno.
Errors:
- EAGAIN
- The system-imposed limit on the total number of processes under execution would be exceeded. This limit is determined when the system is generated.
- ENOMEM
- There isn't enough memory for the new process.
Classification:
Caveats:
To avoid a possible deadlock situation, processes that are children in the middle of a vfork() are never sent SIGTTOU or SIGTTIN signals; rather, output or ioctls are allowed and input attempts result in an EOF indication.
See also:
execve(), _exit(), fork(), ioctl(), sigaction(), wait() | http://www.qnx.com/developers/docs/6.3.0SP3/neutrino/lib_ref/v/vfork.html | crawl-003 | refinedweb | 183 | 54.93 |
Hello, We would like to have debug and release versions of our scripts. However since the scripts are directly used by the 'users' and they are not real software guys...maintaining two different scripts and then keeping them synchronized across 15-20 workstations etc is not something that the management wants. Scripts are complex enough that we cannot abstract out all the variables into config files....which might have been easier for users (just change parameters in a config file) *Is there a way to create a conditionally compilable Python script ?* Some facility that would prevent from code getting compiled into ".pyc"....something like the old #ifdef #endif preprocessor directives....is there a Python preprocessory available :) if thats doable I can ask them to make all experimental modifications within the conditional directives. I could still ask them to do that using simple if's and bool parameters, however, putting too many ifs might degrade the performance of these scripts. ("the lesser the branches the better it is for processor performance...more so for super scalar processors") We cannot use the, often unknown, __debug__ flag, because our users would like to simply double-click on a python file, which means to use the -O or -OO options (which sets __debug__ to False) we'd have to make windows python command line have these, and then double clicking would be of no use if you want the run stuff inside the __debug__. Any and every help is most welcome :) Thanks and best regards, Vishal Sapre On Wed, May 27, 2009 at 1:25 PM, Sam's Lists <samslists at gmail.com> wrote: > Anand--- > > Thanks, that worked great. > > -Sam > > > On Tue, May 26, 2009 at 7:34 PM, Anand Chitipothu <anandology at gmail.com>wrote: > >> >> > pattern = u"£\d" >> > >> > m = re.search(pattern, text, re.UNICODE) >> > print m.group(0) >> >> Your text is in utf-8 encoding and pattern in unicode. >> Make text unicode solves the issue. >> >> text = u"The Price £7" >> pattern = u"£\d" >> m = re.search(pattern, text, re.UNICODE) >> print m.group(0).encode('utf-8') >> >> Anand >> _______________________________________________ >> BangPypers mailing list >> BangPypers at python.org >> >> > > > _______________________________________________ > BangPypers mailing list > BangPypers at python.org > > > -- Thanks and best regards, Vishal Sapre --- "So say...Day by day, in every way, I am getting better, better and better !!!" "A Strong and Positive attitude creates more miracles than anything else. Because...Life is 10% how you make it, and 90% how you take it" "Diamond is another piece of coal that did well under pressure” "Happiness keeps u Sweet, Trials keep u Strong, Sorrow keeps u Human, Failure Keeps u Humble, Success keeps u Glowing, But only God Keeps u Going.....Keep Going....." -------------- next part -------------- An HTML attachment was scrubbed... URL: <> | https://mail.python.org/pipermail/bangpypers/2009-June/001908.html | CC-MAIN-2019-47 | refinedweb | 455 | 73.78 |
Calculate simple interest in Kotlin:
In this kotlin programming tutorial, we will learn how to calculate simple interest by using the user provided values. The user will enter the values and the program will calculate the simple interest.
Algorithm :
Our program will use the below algorithm :
- Create three variables to store the_ principal amount, rate of interest and number of years_ to calculate the simple interest.
- Calculate the simple interest and store it in a different variable.
- Print out the simple interest.
- Exit.
Kotlin program :
import java.util.Scanner fun main(args: Array<string>) { //1 val scanner = Scanner(System.`in`) //2 print("Enter principal amount : ") var p:Int = scanner.nextInt() //3 print("Enter rate of interest : ") var r:Int = scanner.nextInt() //4 print("Enter number of years : ") var n:Int = scanner.nextInt() //5 var SI:Int = (p*n*r)/100 //6 println("Simple interest : "+SI) }
Explanation :
The commented numbers in the above program denote the step numbers below :
- Create one Scanner object to read the user input. This is the same Scanner class object that we use in Java.
- Ask the user to enter the principal amount. Read it using the scanner object and save it in variable p.
- Ask the user to enter the rate of interest. Read it and store it in variable_ r_.
- Ask the user to enter the number of years. Read it and store it in n
- Calculate the simple interest and store it in the variable SI.
- Print out the result to the user.
Sample Output :
Enter principal amount : 100 Enter rate of interest : 10 Enter number of years : 10 Simple interest : 100 Enter principal amount : 1200 Enter rate of interest : 12 Enter number of years : 4 Simple interest : 576
You can download this program from [here]()._ | https://www.codevscolor.com/kotlin-calculate-simple-interest | CC-MAIN-2021-10 | refinedweb | 294 | 57.57 |
Recall that the Python datastore API represents entities using
objects of classes named after kinds. Example 5-1
shows Python code that creates three
Player entities
for an online role-playing game.
Example 5-1. Python code to create several entities of the kind Player
from google.appengine.ext import db import datetime class Player(db.Expando): pass player1 = Player(name='wizard612', level=1, score=32, charclass='mage', create_date=datetime.datetime.now()) player1.put() player2 = Player(name='druidjane', level=10, score=896, charclass='druid', create_date=datetime.datetime.now()) player2.put() player3 = Player(name='TheHulk', level=7, score=500, charclass='warrior', create_date=datetime.datetime.now()) player3.put()
Once again, we’ll use
Expando to keep the examples
simple. As we start talking about queries, the importance of using a
consistent layout, or schema, for entities of a kind
will become apparent.
The Python API provides two ways to formulate queries, one using an object-oriented interface and one based on GQL.
The first way to formulate a query is with an instance of the
Query class. A
Query object can be constructed
in one of two ways, with equivalent results:
q = db.Query(Player) q = Player.all()
In both cases,
q is assigned a new
Query
instance that represents all entities of the kind
Player. The query is not executed right away; right now it’s just a question waiting to be asked. Without filters or sort orders, the object represents a ... | https://www.safaribooksonline.com/library/view/programming-google-app/9780596157517/ch05s04.html | CC-MAIN-2016-50 | refinedweb | 241 | 50.23 |
C++ API: Unicode String. More...
#include <cstddef>
#include "unicode/utypes.h"
#include "unicode/char16ptr.h"
#include "unicode/rep.h"
#include "unicode/std_string.h"
#include "unicode/stringpiece.h"
#include "unicode/bytestream.h"
Go to the source code of this file.
Unicode String literals in C++.
Note: these macros are not recommended for new code. Prior to the availability of C++11 and u"unicode string literals", these macros were provided for portability and efficiency when initializing UnicodeStrings from literals.
They work only for strings that contain "invariant characters", i.e., only latin letters, digits, and some punctuation. See utypes.h for details.
The string parameter must be a C string literal. The length of the string, not including the terminating
NUL, must be specified as a constant.
Definition at line 113 of file unistr.h.
Unicode String literals in C++.
Dependent on the platform properties, different UnicodeString constructors should be used to create a UnicodeString object from a string literal. The macros are defined for improved performance. They work only for strings that contain "invariant characters", i.e., only latin letters, digits, and some punctuation. See utypes.h for details.
The string parameter must be a C string literal.
Definition at line 131 of file unistr.h.
This can be defined to be empty or "explicit".
If explicit, then the UnicodeString(const char *) and UnicodeString(const char16_t *) constructors are marked as explicit, preventing their inadvertent use.
In particular, this helps prevent accidentally depending on ICU conversion code by passing a string literal into an API with a const UnicodeString & parameter.
Definition at line 166 of file unistr.h.
Referenced by icu::UnicodeString::UnicodeString().
Desired sizeof(UnicodeString) in bytes.
It should be a multiple of sizeof(pointer) to avoid unusable space for padding. The object size may want to be a multiple of 16 bytes, which is a common granularity for heap allocation.
Any space inside the object beyond sizeof(vtable pointer) + 2 is available for storing short strings inside the object. The bigger the object, the longer a string that can be stored inside the object, without additional heap allocation.
Depending on a platform's pointer size, pointer alignment requirements, and struct padding, the compiler will usually round up sizeof(UnicodeString) to 4 * sizeof(pointer) (or 3 * sizeof(pointer) for P128 data models), to hold the fields for heap-allocated strings. Such a minimum size also ensures that the object is easily large enough to hold at least 2 char16_ts, for one supplementary code point (U16_MAX_LENGTH).
sizeof(UnicodeString) >= 48 should work for all known platforms.
For example, on a 64-bit machine where sizeof(vtable pointer) is 8, sizeof(UnicodeString) = 64 would leave space for (64 - sizeof(vtable pointer) - 2) / U_SIZEOF_UCHAR = (64 - 8 - 2) / 2 = 27 char16_ts stored inside the object.
The minimum object size on a 64-bit machine would be 4 * sizeof(pointer) = 4 * 8 = 32 bytes, and the internal buffer would hold up to 11 char16_ts in that case.
Definition at line 204 of file unistr.h.
Constant to be used in the UnicodeString(char *, int32_t, EInvariant) constructor which constructs a Unicode string from an invariant-character char * string.
About invariant characters see utypes.h. This constructor has no runtime dependency on conversion code and is therefore recommended over ones taking a charset name string (where the empty string "" indicates invariant-character conversion).
Definition at line 93 of file unistr.h. | http://icu-project.org/apiref/icu4c/unistr_8h.html | CC-MAIN-2018-34 | refinedweb | 563 | 51.34 |
How to use *args and **kwargs in Python
Using
*args and
**kwargs when calling a function¶
This special syntax can be used, not only in function definitions, but also when calling a function.
def test_var_args_call(arg1, arg2, arg3): print "arg1:", arg1 print "arg2:", arg2 print "arg3:", arg3 args = ("two", 3) test_var_args_call(1, "} test_var_args_call(1, **kwargs)
Results:
arg1: 1 arg2: two arg3: 3
See also (updated 2009-04-12)
- Section 4.7 More on Defining Functions in the Official Python Tutorial
- PEP 3102 Keyword-Only Arguments
- Section 5.3.4 Calls in the Python Reference Manual. :-)
Thanks,
I love python magics :)
Emma --
First, you have to ask yourself why you raising the error is better than letting the system raise the error.
In other words, self.myfunc could consist of just:
self._myfunc_help(**kwargs)
Or, better, the caller could just call _myfunc_help directly.
You don't really need to copy from kwargs to kwargsdict. And you don't need to redundantly specify 'keys' in the for loop:
for key in kwargs: if not key in expected: raise ... self._myfnc_help(**kwargs)
You could also play around with things like:
expected = set(['a', 'b', 'c']) got = set(kwargs.keys()) if bool(got - expected): raise ...
ces,
Thank you for your comment. I fixed the formatting of your comment by putting 4 spaces before each line of your code blocks.
Good morning everyone, I have an urgent question regarding *args and there is NOWHERE ELSE a discussion around it...
I need to pass TWO non-keyworded, variable-length argument lists to my class and instance. Somebody said that the word 'args' can be different since we use * in front... so my question is: can I pass something like
(someargs, *args, *myotherargs)?
THANKS!! Angelica.
Excuse me all... the asteriscs * are not apprearing in my previous parenthesis... args should read *args, with asterix myotherargs should read *myotherargs, with asterix... someargs shouldn't have the asterix though..
thanks!
Angelica,
I fixed the formatting of your comment.
Regarding your question, I don't think there is a way to have two variable length argument lists. How about passing two lists as regular positional arguments?
Thanks Eliot, You are right, I tried that option last week. I already created my args as the sum of two lists and it worked... so I use args first as my plain variable length list in one method, and for the next method, I do args = args + moreargs. My class is running now!
Angelica.
This is great; clear as a bell, and not to be found in my Python book! I would be interested in knowing whether there are any wrinkles to keep in mind when using *args and *kwargs with classes, as opposed to functions.
Much love man. This is what I needed and you put it so clear. Thank you
Thanks for the clarification, and I think you've got the most creative and bizarre domain I've seen in a while. Cheerio.
Nice - clear and thorough, very helpful, thanks
Conventions aside, must they be named "args" and "kwargs"?
What's the significance of the '*' and '**'. Does the former declare a tuple and latter a dictionary?
John,
"args" and "kwargs" are not the required names-- you can use whatever names you like.
Regarding the significance of
* and
**, this is the special syntax used to specify variable length arguments.
Great, concise explanation :)
Thanks for the concise tutorial. Perfect.
Thanks, very helpful! Great blog
great concise explanation. thanks a ton!!
Thanks for the simple explanation!
So, I have a very specific question. I have function definition like this:
def my_func(var1='test', *args, **kwargs):
If I call that function like this:
my_func('arg1', 'arg2', 'arg3')
then 'arg1' seems to always be interpreted as the argument to var1 with only 'arg2' and 'arg3' being added to args. But what I wanted was for all of my arguments to be put in args. Is that possible?
I only want to override the default for var1 by explicitly doing so. I guess I wasn't counting on my keyword definition for var1 to also be positional in this case. Any ideas?
Doug,
You should probably not mix positional and keyword arguments as you're doing.
When moving a named argument changes the behavior, that's a clue that something is not right. Consider this,
my_func('arg1', 'arg2', 'arg3', var1='var1_arg')
which will throw a TypeError, because there are multiple values for var1. Ambiguity is bad, and Python doesn't know what to do.
How about doing something like
if not var1: var1='default_value'
in the body? That way you can keep a default value, and change it at will. To make this work, don't specify var1 in the function definition.
-Ryan
Thanks. The explanation was very helpful. I had been using my own homebrew method based on function arguments of dictionary (hash) type for passing named arguments. I was forced to do this in Perl as it had nothing of this sort built in. I was glad to find out that Python has this. This is one more reason to switch to Python.
Thanks, It helped me!
Thank you!
Kilian
Thanks for explaining this; I was getting tired of seeing this all over the Tipfy documentation and not understanding it.
Two thumbs up. Thanks.
This was very helpful in my work on fitting statistical distributions using scipy, thank you for helping me by posting this. Excellent explanation, well done.
James
Thank you for this, your explanation was very useful.
Wonderful post. Straight to the point! I wish the python doc were that clear.
Thank you
cool. nice and helpfull. thanks.
Excuse me all... the asteriscs * are not apprearing in my previous parenthesis... args should read args, with asterix myotherargs should read myotherargs, with asterix... someargs shouldn't have the asterix though..
I was glad to find out that Python has this. This is one more reason to switch to Python.
This is the perfect tutorial that I have read in my experience!Thanks
Nice post, very helpful. This was definitely the refresher on this piece of syntax that I needed.
Very educational .. i just took this post , translated it to spanish and did a few comments, you can see it on:
Thanks for the clear explanation. I was puzzled by this for quite a while.
Thank you so much for the clear explanation. It's been a real life saver.
great description! thanks.
short and clearly, thx!
Thanks for very Good explanation.
Thanks for kwargs...!
I'm trying to handle default values for this system, and I've got two ideas, wondering what others think.
defaults = {s0 : v0, s1 : v1} def test(**kwargs): defaults.update(kwargs) do_stuff(defaults)
And then another idea:
defaults = {s0 : v0, s1 : v1} def test(**kwargs): kwargs.setdefault(*defaults.items()) do_stuff(kwargs)
Is there a prettier way?
Great job, thanks.
Seriously, awesome. I keep forgetting and keep coming back to this site for the same old explanation.
Thanks for doing this.
Thanks for all this help. I have been to this site a few times now. This won't be the last.
Hi, thanks for this great help. Very valuable.
Very helpful. Thanks.
You are very good teacher! Thanks!
thanks a lot
Thanks a lot
Thank you for the clear & concise explanation.
thanks for the clear explanation, but why do you say
**kwargs passes 'a keyworded, variable-length argument list'?
What is that ? It took me some time to figure out that that is actually a Python dictionary. Why not call it that ?
Great explanation! I find myself coming to your blog often.
Great explanation, thank you so much.
Thx, This explanation are real cool!
Thanks, really helpful.
brilliant, thanks a bunch!
thanks!
I love straight-to-the-point explanations like this. Thanks!
Great explanation!
thanks. excellent explanation!
I love you. Too much? Then thank you very, very much. I've been trying to find a good explanation for a while now...
Just another thanks here :)
It looks like this is one of the basic concepts that many people seem to have a hard time finding either in docs or tutorials.
Beautifully explained here!
This is the best way to explain any topic. Thanks!
Very nice explanation of /*, the best i've ever found on the net.
Thanks for the explanation, very easy to understand and exactly what I was looking for.
Amazing how this post remains so useful even though it has been four years since it saw the light of day.
Thanks, I gained more insight into the use of the kargs argument even though I had already used them. The concepts are similar to the ones used in the command line parsing module argparse for giving instant POSIX behaviour to your python 2.7.x scripts:
thanks for this!!! Super easy to understand!
This article was easy to understand. I saved it for my own reference.
Must be good to know an article 4 years old is still helping Python novices to this day.
Thanks for this, really useful!
thank you! simple and neat!
Helpful explanation. Thank you.
Thank you, easy and helpful)
Thanks for explanation, I liked your blog and added to my feeds, best regards!
This for this simply -yet, comprehensive tutorial on kwargs. Although there are lots of examples all over the web, but none comes close to explaining it as much as you did here.
Nice work.
Hey thanks for the amazing explanation.
Very easy and straightforward explanation. Thanks! ps: I came here because cs253 on Udacity course
Thanks so much. You have made our lives much easier.
disqus:2003518103
Thank you so much. You made it easy.
disqus:2782011780
It makes sense now!
disqus:2972235839
I just wonder if the order in which the arguments ({"arg3": 3, "arg2": "two"})are passed unordered to the function in the keyworded form example. Is it just to underline that you are calling the arg by their name so order doesn't matter... or I am getting it wrong?
disqus:3203281722
good post
disqus:3314099117
You should point out, that the keys in mydict have to be exactly named like the parameters of function. Otherwise it will throw a typeError
disqus:3428025496
It's really good!
disqus:3502626420
going through a python bootcamp now. 9 and 5 years on, your post is still helpful =) thanks!
disqus:3556273117 | https://www.saltycrane.com/blog/2008/01/how-to-use-args-and-kwargs-in-python/ | CC-MAIN-2018-13 | refinedweb | 1,719 | 76.93 |
Product Version: NetBeans IDE Dev (Build 200902190601)
Java: 1.6.0_10; Java HotSpot(TM) Client VM 11.0-b15
System: Linux version 2.6.27-12-generic running on i386; UTF-8; en_US (nb)
See also my comments in issue 158068 (and 119922). This issue introduced some relatively visible inconveniences to the
workflow with the JUnit tests, summary follows:
-----------
- There is no "Debug test" item in file's context menu in the Project's view (previously, "debug file" did the job, but
now it just says there is no main method in the file)
- I cannot run/debug a normal test from the editor's context menu as there is no item for it (please add items for
debugging and running a JUnit test file to the editor's context menu), but there are items Run File/Debug file, that
usually just say there is no main class...
- I don't understand the logic behind this: "Test file" invoked above a JUnit test class runs the test... ? IMO "Test
file" invoked above JUnit test should run the test for that test (it should test the file). "Run Test"/"Debug Test"
would make much better sense than "Test File"/"Debug Test File"... "Test file" makes more sense above the class it is
supposed to test...
-----------
First two points are very inconvenient for me, because you cannot invoke an action that is associated with a file using
the file contextual menu (neither in the editor, nor in the Projects view), you must use a global action from the main menu.
Third point is a naming issue (actions name doesn't explain what the action does).
Imho, whole this UI change is completely wrong, we should have said that main-class driven test are not supported or make some new action for it. But
since it seems that majority likes it I'll fix this one for 7.0.
msauer: My sentiments exactly... Users who are used to the current workflow will be pretty angry with this change...
> or make some new action for it
Yes, this would be much better solution, to add items to run/debug file as a java main class (only when the file has a
main class)...
I agree with joshis that this change is significant regression in usability. At least Run/Debug file should fallback to
previous behavior if there is no main method.
> Run/Debug file should fallback to previous behavior if there is no main method
+1 on that. Not an ideal solution but definitely should be done in 6.7. Of course needs change in all Java project types
simultaneously.
*** Issue 158455 has been marked as a duplicate of this issue. ***
I've introduced the requested fallback for j2seproject. Reassigning to web -- please adjust your code in a similar way so that this issue may be closed.
---
Integrated into 'main-golden', will be available in build *200904290201* on (upload may still be in progress)
Changeset:
User: Max Sauer <msauer@netbeans.org>
Log: #158812: Inconvenient debugging JUnit test since the fix of issue 158068 and 119922 -- fallback for j2seproject
Product Version: NetBeans IDE 6.7 RC1 (Build 200905280001)
Java: 1.6.0_13; Java HotSpot(TM) Client VM 11.3-b02
System: Linux version 2.6.28-11-generic running on i386; UTF-8; en_US (nb)
Not fixed for J2SE project. I have created a J2SE project (Java Application) with a simple JUnit test:
package maintain;
import junit.framework.TestCase;
public class DeleteProjects extends TestCase {
@Override
public void setUp() throws Exception {
}
public void testNew() throws Exception {
}
}
I invoked Run/Debug above the rest file (in editor):
> run:
> Exception in thread "main" java.lang.NoSuchMethodError: main
> Java Result: 1
> BUILD SUCCESSFUL (total time: 0 seconds)
> debug:
> Exception in thread "main" java.lang.NoSuchMethodError: main
> Java Result: 1
> BUILD SUCCESSFUL (total time: 2 seconds)
Is this issue really going to be in 6.7? I am tempted to push the priority because it is annoying.
> I've introduced the requested fallback for j2seproject.
The same fallback is in apisupport projects as well, see issue #158904.
*** Issue 152741 has been marked as a duplicate of this issue. ***
@joshis : There is some additional problem with Compile-on-save -- if you turn it off, it will start to work. In case you think this has to be fixed, please
discuss with Marian and open a new issue. Otherwise, I'll have a look for 6.8.
@joshis: I've fixed it for j2seproject with CoS also. Could you please verify? Thanks.
---
I will as soon as it is in dailies. Thank you, msauer!
Integrated into 'main-golden', will be available in build *200905290201* on (upload may still be in progress)
Changeset:
User: Max Sauer <msauer@netbeans.org>
Log: #158812: Fixing j2se with compile-on-save on
Is it possible to fix this in the 6.7 patch 1 (I mean the fix for J2SE)? Some users are complaining about this in
nbusers. Thank you...
It does not look like the patch is directly applicable to web project and other EE project types, the code looks quite
different. What do you think David?
Shouldn't the code that handles this be somehow shared among all the project types in java.api.common? It sounds like
there is nothing web-specific in this. At least some utility methods, or a common superclass for the ActionProviders...
b00ed455a8f7
I implemented similar fallback to web project - if Run/Debug File is executed on a unit test which does not have main
method then instead of showing "no main class" dialog an attempt is made to execute file as unit test.
Integrated into 'main-golden', will be available in build *200907070200* on (upload may still be in progress)
Changeset:
User: David Konecny <dkonecny@netbeans.org>
Log: #158812 - fallback runSingle/debugSingle to run/debug single junit test if main() is not present
Verified in 200907070200
The fix has been ported into the release67_fixes repository.
I've tried to verify in 6.7.1 RC build, but I'm facing a regression against 6.7. I've filled new issue #168807 since
I'm not sure this fix has caused the problem. Issue #168807 is reproducible in trunk and 6.7.1 not in 6.7 fcs.
Would be good to fix issue #168807 in 6.7.1 before publishing it to avoid the regression.
verified.
NetBeans IDE 6.7.1 (Build 200907202301) | https://netbeans.org/bugzilla/show_bug.cgi?id=158812 | CC-MAIN-2016-07 | refinedweb | 1,064 | 73.37 |
Subdomain DNS for VMWare/Hyper-V Virtual Lab on a MAC
Scenario
I have a Windows 7 VM that I do general development on in addition to writing Java or other code on my Mac. Sometimes I want to push code from my Windows 7 VM to a virtual Windows Server Lab set of VMs. Other times I want to write a program on the Mac that communicates with servers in my virtual lab. Direct IP address connection is always possible across these machines butI want name based address resolution so that I can test software the same way it would be in our data center.
The virtual lab is powered down most of the time so the DNS solution must work well for general internet traffic when that lab's DNS server is unavailable.
The virtual lab is powered down most of the time so the DNS solution must work well for general internet traffic when that lab's DNS server is unavailable.
The virtual lab has its own AD server that registers all the Domain members host names and IP addresses. In my case, I have it act as a subdomain of a domain that I have. The subdomain DNS is visible to machines on that private network whether they are in the AD Domain or not.
Option 1: Routing all VM DNS through AD/DNS
I didn't use this option because I only run my Virtual Lab part of the time.
host MyDevMachine { hardware ethernet 00:15:5D:90:84:03; fixed-address 172.16.144.104; option domain-name-servers 172.16.144.100; }
Option 2: Routing DNS through the Mac Using ResolverI used this option because
- The Mac itself can use DNS to access the virtual lab machines by name.
- DNS works well whether the virtual lab, with it's DNS, is up or not.
Unix machines, in genera, use /etc/resolv.conf to tell them where to find their DNS nameservers. This file can be modified through the Network control panel or effectively modified via DHCP at startup. The Mac can also be configured to use specific DNS servers for specific domains in a way that is unaffected by the control panel or DHCP. When looking for a DNS server for a domain:
- The Mac first looks for a file with that domain name in the /etc/resolver directory. Assuming that file exists, it uses the server specified in that file to provide DNS namespace to address support.
- If step 1 fails then the Mac then looks at the servers in resolv.conf and uses those servers to provide DNS resolution
Configuring the Mac to use Alternative DNS for Specific Subdomains
This must be done with an account that has elevated privileges or the ability to sudo. You can do this with GUI tools or with a shell prompt.
- Create the directory /etc/resolver. It does not exist, by default.
- Create a file with the fully qualified domain name of your virtual lab. In my example the file name is /etc/resolver/virtdev.freemansoft.com
- Add two lines to the file
- domain <your domain>
- nameserver <ip of your DNS server on the private domain>
The changes are picked automatically up. You can verify this by using the nslookup command in a terminal window. Here are the contents my /etc/resolver/virtdev.freemansoft.com file.
nameserver 172.16.144.100 domain virtdev.freemansoft.com
Works for Linux Guests and the Mac Itslef
Options Not Considered
I never considered the option of editing the windows host file or editing the network adapter settings. This wouldn't work for the Mac itself and it would require that every consumer of that private network/domain be modified to know about the private network's DNS server. I wanted something that would work for any number of virtual machines without having to modify each individual machine.
Conclusion
Modifying the Mac DNS resolver to support a virtual domain makes it easy to provide support for programs on the Mac, on linux guests and non-AD domain windows machines. The virtual lab, with its DNS domain, appears to the host and guests as if it is a "real" domain on the internet making it possible to test code the same way you would if you were in your data center or in some cloud deployment. | http://joe.blog.freemansoft.com/2013/02/subdomain-dns-for-vmwarehyper-v-virtual.html | CC-MAIN-2019-22 | refinedweb | 725 | 60.75 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.