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
Home -> Community -> Mailing Lists -> Oracle-L -> RE: SEGMENT SPACE MANAGEMENT AUTO hangs on 9.2.0.4 on Linux Tanel is right. An unkillable process represents one that is in an interruptible wait context on system response (i.e. a system call). If you waited long enough, it would probably return (or the box would crashed). What's an indication of a real hung process/serious kernel bug is where the process is waiting on something, but the kernel isn't servicing it anymore. Thanks, Matt -- Matthew Zito GridApp Systems Email: mzito_at_gridapp.com Cell: 646-220-3551 Phone: 212-358-8211 x 359 <> -----Original Message----- Tanel Poder Sent: Monday, September 29, 2003 11:55 AM To: Multiple recipients of list ORACLE-L Hi! If your server process couldn't be even killed, then probably it was waiting on kernel IO or smth like that. This is a case when a process can't be killed just like that, even with -9. I assume you already tried to isolate the problem, by creating smaller file or removing auto segment space management clause? Tanel. ----- Original Message ----- To: Multiple recipients of list ORACLE-L <mailto:ORACLE-L_at_fatcity.com> Sent: Monday, September 29, 2003 5:44 PMReceived on Mon Sep 29 2003 - 11:24:43 CDT
http://www.orafaq.com/maillist/oracle-l/2003/09/29/1851.htm
CC-MAIN-2016-36
refinedweb
212
56.76
.NET From a Markup Perspective A question popped up on an internal email distribution list today about how to expose a WCF service using WebGet and how to post POX (plain old XML) to that service using the .NET 3.5 WebInvoke attribute. That part's easy, but the harder part is figuring out how to use Fiddler as a client to invoke the service. If you aren't using Fiddler yet, run and download it... seriously, I'll wait here while you go do that right now. There's a lot to the web programming model in .NET 3.5. Lemme 'splain... no, there is too much, lemme sum up. .NET 3.5 supports a RESTful programming model, also known as a web programming model, using WCF. It is really slick in that you can use HTTP GET for services by applying a WebGet attribute to your method. Similarly, you can use the other HTTP verbs (10 points to anyone who correctly identifies the others that aren't POST) using the WebInvoke attribute. Both of these attributes allow you to control the URI through a feature called a UriTemplate, basically a placeholder for portions of the URI. To build this sample, I started by going to the MSDN documentation and found the topic "How to: Create a Basic Web-Style Service." That sample is a good start, but I wanted to show how to use complex types and UriTemplates. I modified it just a bit, and presto: instant RESTful service. using System.ServiceModel; using System.ServiceModel.Web; using System.Runtime.Serialization; namespace Microsoft.WebProgrammingModel.Samples { [ServiceContract] public interface IService { [OperationContract] [WebGet(UriTemplate="customers/{id}")] Customer GetCustomer(string id); [OperationContract] [WebInvoke(UriTemplate="customers")] Customer PostCustomer(Customer c); } public class Service : IService { public Customer GetCustomer(string id) { return new Customer { ID = id, Name = "Demo User" }; } public Customer PostCustomer(Customer c) { return new Customer { ID = c.ID, Name = "Hello, " + c.Name }; } } [DataContract(Namespace="")] public class Customer { [DataMember] public string ID { get; set; } [DataMember] public string Name { get; set; } } class Program { static void Main(string[] args) { Uri baseAddress = new Uri(""); using (WebServiceHost host = new WebServiceHost(typeof(Service), baseAddress)) { host.Open(); Console.WriteLine("Press any key to terminate"); Console.ReadLine(); } } } } Now, the hard part... copy it into a Console app, add references for System.ServiceModel, System.Runtime.Serialization, and System.ServiceModel.Web, and hit F5 in Visual Studio. Once it's running, how do you actually use this service? Turns out, it's simple. The method decorated with the WebGet attribute enables this to be called with a simple HTTP GET verb, which you can enter into your browser's URL and see how to use: The trickier part is understanding how to use HTTP POST. The URI is straightforward, we are going to be posting to: What's tricky is determining what to put in the HTTP headers and the request body. We need to define the content type that we are going to POST to the service, in our case it is the MIME type application/xml. We should also define the content length in the HTTP header before sending to the service. As for what to put in the request body, that part is easy... that's our Plain Old XML (POX) that we want to post to the service. The Customer type that I defined before explicitly uses an empty string for the namespace, which makes forming the request body just a little easier. You can see a screen shot of Fiddler below: Building RESTful web services with WCF is scary easy. Zen of the Web Programming Model (Part 1) HTTP/POX Programming Basics WebServiceHost vs ServiceHost Creating a JSON Service with WebGet and WCF 3.5 Using WCF WebHttpBinding and WebGet with nicer Urls Picture Services shows off WCF Web Programming Podcast with Jon Udell Looks like this is an interesting topic to a lot of people since part 1 of this series made it to the Kirk Eveans wrote a blog post about Creating RESTful Services Using WCF , which gives youa good understanding Someone commented on an earlier blog post I did on REST, POX/POJO and WCF and the comment read: How about
http://blogs.msdn.com/kaevans/archive/2008/04/03/creating-restful-services-using-wcf.aspx
crawl-002
refinedweb
696
53.71
I’m getting an import error related to the 2019.02.19 change. A plain import regex is broken. Python 3.6.7 (default, Nov 16 2018, 22:33:19) [GCC 6.3.0 20170516] on linux Type "help", "copyright", "credits" or "license" for more information. >>> import regex Traceback (most recent call last): File "<stdin>", line 1, in <module> File "/usr/local/lib/python3.6/site-packages/regex.py", line 400, in <module> import regex._regex_core as _regex_core ModuleNotFoundError: No module named 'regex._regex_core'; 'regex' is not a package I suspect the issue is from this line: I also have the same issue, python 3.6.7 GCC 8.2.0, regex as installed by pip3. Fixed in regex 2019.02.20. Issue #315was marked as a duplicate of this issue. regex 2019.02.20 seems to have been released without checking the source code into version control. Fixed in regex 2019.02.21.
https://bitbucket.org/mrabarnett/mrab-regex/issues/314/import-error-no-module-named
CC-MAIN-2020-50
refinedweb
154
79.36
How can I create a boxplot for a pandas time-series where I have a box for each day? Sample dataset of hourly data where one box should consist of 24 values: import pandas as pd n = 480 ts = pd.Series(randn(n), index=pd.date_range(start="2014-02-01", periods=n, freq="H")) ts.plot() ts.plot() If its an option for you, i would recommend using Seaborn, which is a wrapper for Matplotlib. You could do it yourself by looping over the groups from your timeseries, but that's much more work. import pandas as pd import seaborn import matplotlib.pyplot as plt n = 480 ts = pd.Series(np.random.randn(n), index=pd.date_range(start="2014-02-01", periods=n, freq="H")) fig, ax = plt.subplots(figsize=(12,5)) seaborn.boxplot(ts, ts.index.dayofyear, ax=ax) Which gives: Note that i'm passing the day of year as the grouper to seaborn, if your data spans multiple years this wouldn't work. You could then consider something like: ts.index.to_series().apply(lambda x: x.strftime('%Y%m%d')) Edit, for 3-hourly you could use this as a grouper, but it only works if there are no minutes or lower defined. : [(dt - datetime.timedelta(hours=int(dt.hour % 3))).strftime('%Y%m%d%H') for dt in ts.index]
https://codedump.io/share/Uw2xjaehNNCS/1/time-series-boxplot-in-pandas
CC-MAIN-2017-30
refinedweb
224
67.15
Details - Type: Bug - Status: Closed - Priority: Blocker - Resolution: Fixed - Affects Version/s: Scala 2.10.0 - Fix Version/s: Scala 2.10.1 - Component/s: Misc Compiler - Labels: - Environment: Scala 2.10, Play 2.1-RC2 Description Hello. We're migrating from Play 2.0 & Scala 2.9.1 to Play 2.1 & Scala 2.10 and we have encountered a weird compiler error. I think it's from this code: def mockIso = { val isochrone = mock[Isochrone] when(isochrone.rankPoints( time.eqM, startTime.near, mode.eqM, origin.eqM, points.eqM, accuracy.eqM )(Remote.timeout.eqM)).thenReturn(promiseOpt(expected)) isochrone } The eqM is defined in trait Mocks which is mixed into the test class (using scalatest here). object Mocks { // Time precision in milliseconds private[this] val TimePrecision = 1000 implicit class AnyMatchers[T](val o: T) extends AnyVal { def eqM = M.eq(o) } implicit class DateTimeMatchers(val instant: DateTime) extends AnyVal { def within(millis: Int) = M.argThat(new Within(instant, millis)) def near = within(TimePrecision) } } trait Mocks extends MockitoSugar { implicit def AnyMatchers[T](o: T) = Mocks.AnyMatchers(o) implicit def DateTimeMatchers(o: DateTime) = Mocks.DateTimeMatchers(o) } The crash info is attached to the bug below. My project configuration: import sbt._ import Keys._ import play.Project._ object ApiBuild extends Build { val appName = "tt-api" val appVersion = "1.0" object V { val Akka = "2.1.0" } object S { val test = "test" } val appDependencies = Seq( //"org.scalaz" %% "scalaz-core" % "6.0.4", // Java libraries // Google geocoding library "com.google.code.geocoder-java" % "geocoder-java" % "0.9", // Emailer "org.apache.commons" % "commons-email" % "1.2", // CSV generator "net.sf.opencsv" % "opencsv" % "2.0", // Scala test libraries "org.scalatest" %% "scalatest" % "2.0.M5b" % S.test, "org.scalacheck" %% "scalacheck" % "1.10.0" % S.test, "com.typesafe.akka" % "akka-testkit_2.10" % V.Akka % S.test, //"org.scalamock" %% "scalamock-scalatest-support" % "3.0" % S.test // Java test libraries "org.mockito" % "mockito-all" % "1.9.0" % S.test ) /** Custom tasks **/ val igLib = RootProject(file("vendor/ig-lib")) lazy val main = play.Project( appName, appVersion, appDependencies ).settings( scalaVersion := "2.10.0", scalaBinaryVersion := "2.10", scalacOptions ++= Seq("-feature"), // Add your own project settings here resolvers ++= Seq( "Sonatype Snapshots" at "", "Sonatype Releases" at "" ), // When doing test runs do not launch them in the aggregated projects. aggregate in test := false, aggregate in testOnly := false, // Scalatest compatibility testOptions in Test := Nil // parallelExecution in Test := false ).dependsOn(igLib % "compile->compile;test->test") .aggregate(igLib) } I'm not sure what else I can provide, but just ask if you need any more information. Meanwhile - perhaps anyone can give me a hint what's happening and how to work around this? Activity Self-contained sbt project repro. See ImplicitsBug.scala for step-by-step instructions on how to reproduce this. Thanks a lot for the detailed test case; I'm looking into this now. I've also just tried to create idea project from this test case. When using FSC as a compiler in Idea everything compiles fine each time, so this might be a bug in SBT. You've given me enough to work with, but in the future if you want provide a reproduction of a SBT induced scalac bug, you can just run with set logLevel := Level.Debug, and then run the sequence of commands. You will see what classpath/options/sourcefiles are passed to scalac at each step. Reproduced with vanilla scalac: Hm. This is really annoying in development. Is this fixed? Should I build scala from master or something? The fix will be delivered in 2.10.1. Ok, it seems I've tracked down the bug and it has nothing to do with mockito. Instead it seems that the bug is in implicit class handling logic in the compiler between compiles. On some projects even sbt clean does not help. Please take a look at attached implicits-bug.tar.bz2 file.
https://issues.scala-lang.org/browse/SI-6976
CC-MAIN-2014-15
refinedweb
641
54.49
Currently, for reading multiple files sequentially into a program, I'm using a vector of ifstream objects on the following lines: #10952305 - Pastie However I'd also like to check if the same can be achieved using (eventually, smart) pointers and to this end I'm trying to first write a program that reads a single file using a fstream pointer. My code is below; it compiles but when run produces no output and neither does main() return. Any advice, as always, would be much appreciated. Thanks Code:#include <iostream> #include <fstream> #include<vector> #include<string> #include<algorithm> #include<iterator> #include<sstream> using namespace std; int main() { vector<string> words; string path = "F:\\test1.txt";//file has one word on each row {"changed \nshares \ndeclined"}; ifstream File(path); ifstream* f_ptr = &File;//want to get the basics right before trying smart pointers; f_ptr->open(path);// end result is the same even if I use path.c_str() instead; if(f_ptr->is_open()){ while(!f_ptr->eof()){ string line; getline(*f_ptr, line);//think problem might be here, is f_ptr being dereferenced properly?; stringstream stream(line); copy(istream_iterator<string>(stream),istream_iterator<string>(),back_inserter(words)); } } delete f_ptr; for(auto& itr : words){ cout<< itr <<"\n"; } }
https://cboard.cprogramming.com/cplusplus-programming/171503-using-fstream-pointers.html?s=8702ce98980df3519ac6730bf223f36f
CC-MAIN-2021-04
refinedweb
197
50.67
The typical way for Django applications to interact with data is through Django models. A Django model is an object orientated Python class that represents the characteristics of an entity. For example, an entity can be a person, a company, a product or some other concept used by an application. Because data is at the center of modern applications and the Django framework enforces the DRY (Don't Repeat Yourself) principle, Django models often serve as the building blocks for Django projects. Once you have a set of Django models representing an application's entities, Django models can also serve as the basis to simplify the creation of other Django constructs that operate with data (e.g. forms, class-based views, REST services, Django admin pages), hence the importance of Django models as a whole. In this chapter you'll learn about the core behaviors of Django models, including how to create models and how to use migrations which are central to working effectively with models. Next, you'll learn about the default behaviors of Django models and how to override them with custom behaviors. In addition, you'll learn about the different data types available to create Django models, the different relationships available for Django models and how to manage database transactions with Django models. Next, you'll learn more about migration files, including the various ways to create migration files, how to rename migration files, how to squash multiple migration files into a single migration file, the meaning behind each migration file element so you can edit migration files with confidence and the procedure to rollback migration files. In addition, you'll learn about the various Django tools designed to ease the work between Django models and databases, such backing-up and loading model data with fixture files, including how to load initial data into Django models. Next, you'll learn about Django signals which support the software observer pattern in Django models. Finally, you'll finish the chapter learning how to declare Django models outside of their default location, as well as how to configure multiple databases and use them with Django models. This chapter assumes you've already set up a database for a Django project. If you haven't set up a database, see Chapter 1 on setting up a database for a Django project. Django models and the migrations workflow Django's primary storage technology is relational (i.e. out-of-the-box it can connect to SQLite, Postgres, MySQL or Oracle), so a Django model is designed to map directly to a relational database table. This means instances of a Django model are stored as rows of a relational table named after the model. For example, for a Django model class named Store, by default Django performs database CRUD (Create, Read, Update and Delete) operations on a database table called <app_name>_store, where each of the model's Store instances represent database rows and a model's fields (e.g. name, address, city, state) map to database table columns. Because Django models revolve around data, they are prone to change. For example, a Django model named Store can suddenly require the modification of its original fields due to business requirements (e.g. the addition of a new field like telephone). Maintaining these Django models changes throughout time is also an important aspect of Django models and is managed through the use of migration files. Create Django models Django models are stored in models.py files located inside Django apps. As soon as you create a Django app, an empty models.py file is added to the app for future use. If you're unfamiliar with the term Django app, see the Chapter 1 section on setting up Django content. Listing 7-1 illustrates a sample Django model definition. Tip Remember the book's code is at , if you find it easier to follow along with a pre-typed and structured application. Listing 7-1 Django model class definition in models.py from __future__ import unicode_literals from django.utils.encoding import python_2_unicode_compatible from django.db import models @python_2_unicode_compatible class Store(models.Model): #id = models.AutoField(primary_key=True)# Added by default, not required explicitly name = models.CharField(max_length=30) address = models.CharField(max_length=30) city = models.CharField(max_length=30) state = models.CharField(max_length=2) #objects = models.Manager()# Added by default, to required explicitly def __str__(self): return "%s (%s,%s)" % (self.name, self.city, self.state) The first two lines in listing 7-1 import the functionality required to run Python classes in Django using both Python 2 and Python 3. If your Django project will just run on Python 3, you can omit these import statements. The third line in listing 7-1 imports the django.db.models package which is necessary to access Django model functionality in the class definition. Next, you can see the class Store(models.Model) statement. The @python_2_unicode_compatible annotation is required to run the class on Python 2, but if you just use Python 3 you can omit this annotation. After the main class definition in listing 7-1, you can see four fields with the models.CharField data type which qualifies the fields as character strings. Further restricting the acceptable values for each field is the max_length argument for models.CharField (e.g. max_length=30 indicates the maximum length for the character field is 30 characters). For the moment, don't worry about the models.CharField field definitions. There are many other data types and arguments supported by Django's models package, I'll describe all of these options in the next section on Django model data types. In addition, notice the Django model in listing 7-1 has the id and objects fields. In this case, I commented them out with # because you don't need to explicitly declare them, both are automatically added to all Django models, but I put them there so you know they exist. The id field is a Django AutoField data type, that behind the scenes creates an integer table column that increments automatically. For example, when you create the first Store record, the id field is set to 1 by the database, for the second Store record the database sets the id field to 2, and so on. The intent of the id field is to make record searches easier and more efficient. Because the id represents a unique number to identify a record, it's used as a reference, which is also used as a database table's primary key and as an index to speed up record access. While you can override various behaviors of this default id field (e.g. change the field name), I'll leave the details of the id field for a later section and another section on model operations and the importance of the id field. The objects field is a Django model's default model manager, charged with managing all the query operations associated with a Django model. Future sections in this chapter describe the model manager objects field and the following chapter also describes the use of Django model managers. Tip If you want to know more about the id field added by default to all Django models: Table 7-1 describes the AutoField data type which is the basis for the id field; the section 'Django model data types' later in this chapter describes the purpose of the primary_key attribute used by the id field; and the save() method described in the 'Model methods' section later in this chapter describes the practical aspects of the id field. Finally, in listing 7-1 you can see the class method definition for __str__ which is a standard Python method -- part of what are called 'magic methods' -- that are helpful when attempting to view or print instances of Django models. The __str__ method defines a human readable representation of a class instance (e.g. a Store model instance based on listing 7-1 is output by its name, city and state field values). Django model definitions even when placed in an app's models.py file still aren't discoverable by Django. In order for Django to discover model definitions in models.py files, it's necessary to declare apps as part of the INSTALLED_APPS variable in settings.py. Listing 7-2 illustrates an INSTALLED_APPS definition to discover Django models in the coffeehouse.stores app. Listing 7-2. Add app to INSTALLED_APPS in Django settings.py to detect models.py definitions INSTALLED_APPS = ( 'django.contrib.admin', 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.messages', 'django.contrib.staticfiles', 'coffeehouse.stores', ) As you can see in listing 7-2, in addition to the default apps declared in INSTALLED_APPS the coffeehouse.stores app is added at the end. This tells Django to inspect the models.py file in the coffeehouse.stores app to take into account any Django model definitions in it. After the previous steps, an app's Django model definitions in models.py are ready for use. In the next section, I'll describe Django model migrations and the workflow associated with models in models.py files. Migrations and the Django model workflow Let's start with an illustration of how the Django models workflow operates with migrations thrown into the mix. Figure 7-1 shows the Django models workflow with migrations. Figure 7-1 Django workflow for models with migrations Illustrated on the top-left side of figure 7-1, the workflow starts when you add or modify Django models on a models.py file. Once you deem the changes made to a models.py file are considerable or want them reflected on a database, you need to create a migration file. Migration files provide a step-by-step snapshot of the changes made to a models.py file, whether you add, remove or modify content from the models.py file. In order to create migration files you use the makemigrations management command. When you run this command, Django scans the models.py files for all Django apps declared in INSTALLED_APPS, if Django detects a change to a models.py file, it creates a new migration file for the app. This process functions like a version control system, where migration files reflect changes made to models.py from a prior a migration file, and the entire series of migration files tells the whole evolution of an app's models.py file. As you can see in figure 7-1, migration files are stored in a /migrations/ sub-directory inside an app, alongside the models.py file they track. And by default, migration files use the naming convention <number_shortdescription> so it's easy to track in what order they were created and what it's they contain. Next, lets run makemigrations on the Django model you created in the last section. Listing 7-3 illustrates this sequence and adds the stores argument to limit the migration process to the stores app -- if you run makemigrations without any argument, Django inspects the models.py for every app in defined in the INSTALLED_APPS variable in settings.py. Listing 7-3. Django makemigrations command to create migration file for changes made to models.py [user@coffeehouse ~]$ python manage.py makemigrations stores Migrations for 'stores': 0001_initial.py: - Create model Store After running makemigrations stores in listing 7-3, you can see the migration file 0001_initial.py. The file is given this name because it's the first migration parting from an empty models.py. Future changes to the models.py generate migration files named 0002., 0003... Turning our attention back the the workflow in figure 7-1, migration files by themselves are just a first step in the Django models workflow. Next, you can either preview or apply these migration files so the models become part of a database. To preview the actual SQL statements for a migration before they're applied to a database you run the sqlmigrate <app_name> <migration_name> command. Listing 7-4 illustrates the sqlmigrate sequence for the migration file from the last step. Listing 7-4. Django sqlmigrate command to preview SQL generated by migration file [user@coffeehouse ~]$ python manage.py sqlmigrate stores 0001 BEGIN; CREATE TABLE "stores_store" ("id" integer NOT NULL PRIMARY KEY AUTOINCREMENT, "name" varchar(30) NOT NULL, "address" varchar(30) NOT NULL, "city" varchar(30) NOT NULL, "state" varchar(2) NOT NULL); COMMIT; As you can see in listing 7-4, the migration file 0001_initial.py for the stores app is set to run an SQL statement that creates a database table named stores_store with field names that correspond to the Django model from listing 7-1. Tip You can change a Django model's default database table name with the db_table Meta class option, the 'Model meta class' section describes this in detail. Previewing the SQL statements generated by a migration file might not seem too exciting at this stage, but it can be very helpful in other circumstances. For example, if you make complex changes to a Django model or your database is relatively large, it's beneficial to preview the SQL before applying the migration file directly to a database. Finally, the last step in the workflow for Django models is to apply the migration files to a database with the migrate command. Listing 7-5 illustrates this sequence and adds the stores argument to limit the process to the stores app -- if you run migrate without any argument, Django processes the migration files for every app in a project. Listing 7-5 Django migrate command to execute migration files on database [user@coffeehouse ~]$ python manage.py migrate stores Operations to perform: Apply all migrations: stores Running migrations: Applying stores.0001_initial... OK In listing 7-5 the stores.0001_initial migration is run against the database. This means the SQL presented in listing 7-4 is executed against the database. Caution Be careful manipulating the database directly without applying the same changes via Django migrations, as this can lead to inconsistencies and errors. Tip If you don't want a Django model to use migrations, you can use the managed Meta class option, see the 'Model meta class' section for details. To keep track of applied migrations, on the bottom-left side of figure 7-1 you can see the use of the showmigrations management command. The showmigrations command outputs a list of project migrations, with an X besides those migration files that have been applied to a database. It's worth mentioning the showmigrations command obtains its data by inspecting migration files in migration folders and the django_migrations database table that keeps track of applied migrations.
https://www.webforefront.com/django/setupdjangomodels.html
CC-MAIN-2021-31
refinedweb
2,440
54.22
Hello Wim and Brett, Thank you for your comments. Since PyDEV plugin does not read $HOME/.pystartup, touching functions/ classes is not a solution. Because it analyze the syntax and structures of python modules to be imported not on-the-fly but when I set the PYTHONPATH from Eclipse's preference panel. >> import ROOT >> h = ROOT.TH1D("h", "", 100, 0, 1) >> >> it says "Undefined variable from import: TH1D". > > That I don't understand? This is an error from the auto syntax checker in Eclipse + PyDEV. I agree that auto loading of all classes when importing ROOT, is not sufficient. Therefore it will be good idea if I can load all classes only when importing ROOT from Eclipse + PyDEV. Regards, OKUMURA, Akira oxon/02/06, at 3:07, WLavrijsen_at_lbl.gov wrote: > Akira, > >> For example, when I type 'ROOT.' in a Eclipse editor window, PyDEV >> lists >> completion candidates, but there are only > > this list will grow as parts from the ROOT namespace are used. At > issue is > that generating place holders for all available classes would be > very memory > intensive, and given that the auto-loader can always get more (e.g. > user > defined) classes it would never be a complete picture anyway. > > Note that in general external functions do not provide informative > to the > python inspection tools. A couple of days ago, I checked in some new > code > that actually improves on that situation for PyROOT bound methods > (this is > for PyPy, but works great with pydoc as well). One addition that may > work > up to an extent (auto-loader again ...), would be the > reimplementation of > __dir__, but that is a python2.6 feature only. > >> > >> How can I make PyDEV recognize all classes/functions/variables of >> ROOT? > > You could "touch" the ones that you like to use (or all the classes > that > are in ROOT's class table) in a python startup file. Not sure > whether that > is the way you want to go, though ... > > Best regards, > Wim > -- > WLavrijsen_at_lbl.gov -- +1 (510) 486 6411 -- Received on Fri Feb 06 2009 - 02:47:02 CET This archive was generated by hypermail 2.2.0 : Fri Feb 06 2009 - 17:50:01 CET
https://root.cern.ch/root/roottalk/roottalk09/0064.html
CC-MAIN-2017-30
refinedweb
360
75.3
004 I I N, A 1, 1 Former inmates file federal lawsuit DAVE PIEKLIK dpieklik@chronicleonline.com Chronicle Four former inmates of the Citrus County Detention facility in Lecanto are suing the private company that runs the facility and two former cor- rections officers, saying their food was tampered with. In a nine-count federal lawsuit filed Friday afternoon, the inmates say they were forced to eat food that con- tained bodily waste from at least two, guards at the jail. The lawsuit claims the inmates' civil rights were violated, including accusations of torture, by. being forced to eat the tainted food. "They couldn't go and say, '1 want something else to eat, I want some- thing else to drink' They couldn't go use the telephone, they can't scream for help." said Bill Grant, the attorney who filed the lawsuit. "Because their assailants were the same ones ChrE Snan'' of the yE PAGI A A*Ot CIT RU0 'x COUNTY WWc ,hr.r,,iCleonline corn it S. ~* I I .. ~.' leges torture at jail Crlronicile ie Four former inmates of the Citrus County Detention facility are suing CCA, the private company that operates the facili- ty for Citrus County. charged for their protection, and they disgusting way." filed with the U.S. District Court for violated that in the most obscene and The complaint was electronically the Middle District of Florida in Pipe dream may be much cheaper Tampa. At their Inverness office. Grant and his partner,; Bo Samargya, said there will likely be more victims named in the case, and they are seek- ing punitive damages. "They had been getting very sick," Grant said of inmates eating the food. The lawsuit accuses former correc- tions officers Kevin Hessler and Alexander Diaz of urinating and defe- cating in food and drink given to Javon Walker, Jeffrey Young. Lanrry Robbins and Greg Platt, all former inmates housed in the jail's segrega- tion unit. The unit separate from other inmates is for those consid- ered a safety risk to themselves or staff. The lawsuit says the incidents occurred on several occasions between Nov. 1 and Dec. 31,2004. The complaint accuses the former guards of cruel punishment, torture and bat- tery Corrections Corporation of America, the jail's operator, is also named in the lawsuit and is charged with negligent hiring. The lawsuit Please see JAI;-.L/Page 4A E LMI P I r^ -, I n* Comm issioner: Chassahowitzka water, sewer bill could be less than original estimates MIKv WRIGHT mwright@chronicleonline.com Chron ichl The eye-bulging assessment projec- tions that had Citrus County commis- sioners postponing plans to expand water and sewer to Chassahowitzka were based on a study that didn't come close to determining how many cus- tomers the system could have. a com- missioner said Friday Commissioner Gary Bartell told the. Citrus County Chamber of Commerce that the early estimate of about 600 equivalent residential units, or ERUs, Church ponders property promise Members unsure of offered deal TERRY WITT terrywitt @chronicleonline.com Chronicle Realticorp officials offered a, small fortune Thursday night to the St. Benedict Catholic Church if parishioners would support a large commercial development next door, but many members were openly skeptical. Church members peppered company representatives with .,_ questions for nearly two hours despite promises that Realticorp would buy a 36- acre parcel owned by the Diocese north of the church for $130,000, and would give the church a cash donation of $130,000. "You're going, to have to change your name to Santa Claus," said parishioner Don Fro Drnek "I don't see how we can stu turn it down." the the Please see CHURCH/Page 4A Chassahowitzka project has the poten- tial to have a significant impact on the sticker-shock assessments that residents were looking at. Because the county received only one hil anrjl it nnvioi n>, (CR m ill n i holi h hn didn't include any businesses or vacant ,u dIU I d sid IiU llilcedll Iwas Umenai land on U.S. 19 that extend from expected, residents faced an assessment Homosassa to Miss Maggie Drive in in the$10,000 range otrwaterand sewer, Chassahowitzka. plus the cost to hook into the system. By adding those properties, the num- The county has already constructed a ber of ERUs jumps to more than 1.300, force main between Yulee Drive in Bartell said. Homosassa and Miss Maggie Drive. Property owners are assessed their Bartell said he doesn't know why a portion of the sewer and water project consultant hired to estimate the number based on the number of ERUs. Homes of ERUs didn't count any of the U.S. 19 typically have one, while restaurants properties. may have several. "Why should the residents of Vacant. property may be assessed Chassahowitzka pay the assessment for based on its size and zoning, Bartell"people on 19 who willbenefit9" Bartell said. said following the chamber meeting. The increase in ERUs for the He also reported that Sen. Mike Fasano, R-Ne%\ Port Richey, and Rep. Charlie Dean, R- Inverness, have assured G.r county officials that $4 Bateti million in grants for the commissioner project are not in jeop- says project ardy. may cost less. He said both legisla- tors have asked for $2 million for Chassahowitzka. With the increase in ERUs and the potential for more grant money.: the assessment may be reduced even further, he said. "Instead of $10,000 for the two sys- tems," he said. "it could potentially be $5,000 or less." The commission is expected to dis- cuss tile proje6t-at its Tuesday meeting;- which begins at lip.m. in the courthouse in Inverness. Looking into history CATHY KAPULKA/Chronide m left, chaperones Barbara Decker and April Phillips, along with Crystal River Middle School math teacher pawn Stewart and dent Billy Clark, 12, look into the barrel of an original 1864 Parrott Rifle on Friday as Harvey Linscott explains the history of cannon during a demonstration at the Ninth Annual Civil War Reenactment battlefield. Students from area schools made ir way through the, battlefield and campsites as reenactors explained about life during the Civil War. X Annie's Mailbox ... 7C i Movies .......... 8C Q Comics ....... 8C z Crossword ....... 7C - Editorial.. ...... 10A Horoscope ....... 8C Obituaries ... .... 6A Stocks .......... 8A Four Sections SIIIl8 lllllll4578 20025 5 A guide to building in Citrus County Building for the future Financing church growth can be a sacrifice, and giving back to God seems to be an important ethic in the Christian community. 1C Interior secretary Z steps down 0 . *- U.S. Secretary < of the Interior Z Gale Norton resigns from Bush's cabinet after serving for five years at that post., 12A Weekend rife with fun goings-on * Wonders in store this weekend./2A M A second autopsy is planned for a boy who died at a boot camp./3A * Citrus Economic Development Council plans to restructure its rates./3A Ow.. Su ba LMp' (U 0) (U 10- () m f 05 Ocn 0 -4-I Learn about the history of Beverly Hills, plus what to do about termites arid how to conserve water, in today's Blueprints. ID HIGH 80 LOW 60 FORECAST: Partly cloudy and warm, with southwesterly breezes into the evening. PAGE 2A I I ** ENTERTAINMENT Weekend exploding with entertainment , low IM0 * 0 4wma m 41 S. a .~ S 04 m m 4W SUSAN RODRIGUEZ Chronicle intern Wanna make a splash? See a band? Hear cannons that boom? This is the weekend! The Mickey Finn Band performs for a Kiwanis Club of Homosassa Springs fundraiser at Curtis Peterson Auditorium in Lecanto. Performance times are 2 p.m. ahd 7 p.m. today. Tickets are $15 and will be on sale at the door Learn how to keep your lawn beauti- ful without draining precious resources at a Water Wise Fiesta from 9 a.m. until 3 p.m. today at the Citrus County Cooperative Extension Office, 3650 W Sovereign Path, Lecanto. Admission and parking are free. Highlights of the daylong program are seminars every hour, exhibits and vendors. * The ninth annual Civil War Reenact- ment continues today and tomorrow, 9 a.m. to 4 p.m., at Holcim Ranch, seven miles north of Crystal River on U.S. 19? Mock battles complete with 30 cannons and mortars start at 2 p.m. both days. More than 300 re-enactors in period costume are expected to participate. A non-denom- inational church service will start at 10 a.m. Sunday in the steel barn at the reen- actment site. Admission donation is $4 for adults and $2 for children 9 to 17. Children 8 and younger get in free. Citrus Jazz Society's next jam session will be at 1:30 p.m. Sunday at the Loyal Order of the Moose Lodge, 1855 S. hi SbCPYlrg ted MIatei . SyndicatedLConten able.from Commercial News mm4P- _- b Suncoast Blvd., Homosassa. Drinks and light snacks are available for purchase. Admission is $5 for nonmembers. CFCC Performing Arts Series will present John Davidson in Concert at 3 p.m. Sunday at Curtis Peterson Auditorium. Davidson, a star of stage and screen, will perform with his three-piece band. Tickets are $15 for general admis- sion and $17 for reserved seats. "The Miracle Worker" continues on stage this weekend at the Art Center Theatre. The drama focuses on Helen Keller, who was blind and deaf, and her tutor's efforts to teach her to communi- cate. Performance times are 7:30 p.m. today and 2 p.m. Sunday. Tickets are $15. The theater is at 2644 N. Annapolis Ave., Hernando. Call 746-7606. Ongt* - m-u -wp w" Km rial 'Pro *mob -m -40 U- ~ __ -e p 0mmo 4-0 40 qw 40 0 410M - 0 -am40o domm- o -on 4D 4W -Q ft E 40 ft 4aw 4mo Mu 40 w em - 400 40a4 40 0 4b 0 4w 9. -f 4010 -- 40 m am A 04 dm qe 0 m 4ammm0@0 lWft so 0 %W__=_ ividers" mmw 0%a 0 10 00 O D 'Wafoo'sam a A6ana -t-p fr - - - *CO -mm- 4p 0 0 - 0 0 S qm a 0 S - 4m -03* qmm w - -C -a = ~ 4W - 4W0 - 0 ~ 4W -~ ~ ~ 4W -~ 4W S -qbp~ 4W 0 4W to0 00 SO - 0 0 a Ce '41.-.obm 4W a - 4W 4W 4W - a ~ 4W Ao- -am Erw * * 09 m . * S. 0' * 0 0 4W 4W 0 * 4W S me. ?0. ?0; 09 a .0 me * 4W 0 :I * * 9 S. 0 0 0 0 0 0 * 0 0 0 * 4W * 0 * 4W 0 4W. 4W 0 * S. 4W . 4W * 0 4W 4W 0 n * S. 0 * 0 0 * 0 0 0 - - 4W 040 a 0: ~ 4W 4w ~4W * 4W * - * *0 a a * *0- 46 4w g - 0 = --ow-4W ai m*4om4 dom40.p 40 co b- f~ so 40b0 0- 4W "b Ow 0 WAP4 Avail a& - * a oomla - -w 4b~* Gom a.V: 44M0 4NM~ dm opwo% r o- 48-40 .- .1m w 4WD + a4 a C 41M 4w f4mjj a "No qlqm QWMNENM quimm qw qw :MO:L 4b - 6imi; d o o 0 j= I' .~ /" ~ \ __ -~ ~-, / .1 .. ^;^' s.Jy' SATURDAY MARCH 1 1, 2006 A*dh"atAd ~~ a aw - 0 * mo -- "Copyrighted Material - - Syndicated Content -_- Available from Commercial News Providers" .0 .0 -~ - - - w ---~~ A -~ .0~~~ - ~. -- ~ - -0 ~ - - ft ob m .- . 41 db- .00 -..m. . ~ ~ .0 00- 4b a-0w *a boow -- b. f b -a -~0 .0- -m- w - -wb - EDC scales rates to attract members MIKE WRIGHT mwright@chronicleonline.com Chronicle In hopes of boosting its membership, the Citrus County Economic Devel- opment Council on Thursday approved a restructured dues schedule aimed at attracting smaller businesses. The new schedule also aims at attracting "sponsor-level investors" for the annual TnduiitryAppreciation Week luncheori and barbectie ". each)i September ,; i - Dues for those larger companies won't change, but the ne%\ schedule throws in incentives such as tickets to the luncheon or barbecue and special recognition at EDC events. Plus, as a way to entice businesses of up to 10 employees that already belong to. other business groups, such as the chamber of commerce, the EDC will give them a one-year, free link from the EDC Web site, a savings of $25. EDC members and executive direc- tor Brett 'Wattles said the idea is to attract more members, not necessarily more dues. "We're just trying to get more people in and get more people involved," Wattles said. "We're mainly after get- ting more people."' The EDC, established in 1999, has about 40 members that contribute about $18,000 annually in dues, Wattles said. Dues had ranged .from $150' basic investment to $5,000 for employers with 500 workers or more. Progress Energy is the only company that fits the top bill. The new rate structure drops the basic investment for companies up to 10 employees to $50 a year, plus $25 to have the company's Web site linked to the EDC Web site. That Web fee will be waived, the first year if the small com- pany is also a member of the chamber of commerce, builders association or association of Realtors. The higher rates range from $250 a year for companies with 11 to 24 employees, to the $5,000 rate. Those rates will stay the same, but each category now has incentives. The EDC also wants to change the .location of the annual barbecue from the former Hollinswood Ranch in northwest Citrus County to the Citrus County Fairgrounds in InvernesS. Wattles and EDC president Jack Reynolds explained that weather always played a factor in barbecue attendance. With the new covered pavilion at the fairgrounds, that takes weather out of the picture, they said. 40m -mim 41 -bm MATTHEW BECK/Chronicle Trooper Ronnie Dunigan of the Florida Highway Patrol inspects the wreckage of this Ford pickup truck Friday afternoon along U.S. 19 north of Crystal River. The trooper said the driver didn't have a license with him, but the truck Is regis- tered to Christopher Carver, of an unknown address. According to Dunigan, the driver was headed southbound on U.S. 19 and veered into the median, overcorrected and flipped at least once, coming to rest upside-down on the west shoul- der of the highway. The driver was ejected from the cab during the single-vehicle accident. He was flown by medical helicopter to Shands Hospital in Gainesville. SECO announces cost reduction ISpecial to the Chronicle Sumter Electric Cooperative (SECO) announced it will lower the cost of elec- tricity used by its customers. For the average SECO member using 1,000 kilowatt-hours, the price would drop from $112.95 down to $106.95. The 5.3 percent reduction fulfills a pledge SECO made to its customers/ members to drop the cost of electricity as quickly as possible once fuel prices, in particular natural gas, moderated and the utility repaid its fuel purchases. Co-ops like SECO are not-for-profit entities and keep only enough margins to pay for operations and to insure the co-op remains financially stable. Excess margins are returned to the members in the form of capital credits. The co-op's biggest expense is paying for fuel charges passed on to the co-op by the generating facilities. Nearly 70 percent of their annual revenue goes to cover that cost alone. SECO is the eighth largest electric co- op in the nation, serving nearly 150,000 members and could add as many as 12,000 to 14,000 new members in 2006. SECO's service territory is nearly 2,000 square miles and includes Lake, Marion, Sumter, Citrus, Pasco, Levy and Hernando counties. "Copyrighted Material !-. - S --- Ti Syndicated Content - *-~ Available from Commercial News Providers'" - A story on Page 1 A of Friday's edition, titled, "Officer arrested on sex charges," con- tained incorrect information. Jeffrey Michael Hickey, 25, is employed by the Marion County Correctional Institute. The Chronicle regrets the error. body mom County BRIEFS Watch bike riders along trail today Riders with the American Lung Association's Clean Air Bike Ride will be coming through Inverness on the With- lacoochee State Trail from 9 a.m. to 2 p.m. today. More than 700 riders prereg- istered, and an additional 200 to 250 walkup registrations are expected. Annual count gives manatee population Crystal River National Wildlife Refuge staff counted 178 mana- tees during an aerial survey Friday. The survey route stretches from the Cross Florida Barge Canal, near Inglis, south to the Homosassa River. Included along this route are the Crystal River, Kings Bay, Salt River, and the Homosassa River, which includes the Blue Waters. Support Services moves to Lecanto Citrus County's Community Support Services Division will begin moving Tuesday to the new Citrus County Resource Center in Lecanto. The current office in the Lecanto Govern- ment Building will remain open during the move. The Resource Center at 2804 W. Marc Knighton Court is expected to be open to all citi- zens beginning Monday, March 20, for anyone interested in visit- ing Senior Care Service, the Nature Coast Volunteer Center, veterans services and/or social services. Beverly Hills board to meet Monday The Beverly Hills MSBU (Municipal Services. Benefit Unit) Advisory Board will meetat.10O -a.m. Monday i. the communityy; :bUildirig,; Civib Circle. " The 2006-07 budget must be .approved by county directive. Mowing and trimming bids for the year will be reviewed, new signage at the base of Beverly Hills Boulevard near the Community Building will be dis- cussed, an irrigation proposal for plantings along Forest Ridge Boulevard should be approved, and the feasibility of partnering with the county to replace sod on Roosevelt and Beverly Hills Boulevards will be studied. Charges dropped for Inverness woman Felony charges have been dropped for an Inverness woman arrested in January in Hernando County. Shirley Franklin Greene, 52, was arrested Jan. 22, on charges of aggravated battery and aggravated assault. According to an arrest report from the Hernando County Sheriffs Office, Greene had slashed her husband, Joseph 'Greene, across: the abdomen with a folding knife. The woman with Joseph Greene had said that Shirley Greene had tried to cut her also, according to the report. The woman was unin- jured, but Joseph Greene's 7 1/2-inch cut required several stitches. Both the woman and Joseph Greene have since told authori- ties the event was an accident and the state Attorney's Office has dropped the charges. Shirley Greene is the Citrus County School District's food services director, and after the arrest was placed on paid administrative leave. Greene has since returned to work, according to personnel director Steve Richardson. From staff reports Correction * - - o 4A SATURDAY, MARCH 11, 200 'CITRUS COUNTY (FL) CHRONICLE I, JAIL Continued from Page 1A says CCA was aware of the accusations but allowed the guards to continue working in the segregation unit The lawsuit centers on a Feb. 16, 2005, telephone hearing TI between a for- mer jail crimes employee and the Office of inmate wc Employment Appeals in done so Tallahassee. Char es like this Mulligan, a for- (C^f^ mer supervisor crre at the facility, officer) was fired Dec 3, oi 2004, for a "vio- have lation of com- pany policies arrested. and proce- dures," accord- would ha ing to a termi- -nation notice. made. At the hear- ing, Carlos Melendez, the Bo jail's warden, one of the said Mulligan attorney's was fired after representing the a subordinate four former inmates in the told him he put federal lawsuit. human waste in an inmate's juice jug, and that Mulligan didn't report it Melendez testified Mulligan and the subordinate, whom he identified as Hessler, were fired. He also said he learned Diaz acknowledged doing the same thing, though he denied it when confronted by Melendez. Grant, who was at the hear- ing representing Mulligan, asked if Melendez notified law enforcement or asked to have the incidents investigated. "No we have not," Melendez replied, according to a hearing transcript Contacted at its headquar- ters in Tennessee, CCA spokesman Steve Owen said Hessler and Diaz were fired, along with a third employee, after the company learned about the accusations. "We have a zero tolerance policy for conduct of this nature. Senior management acted swiftly and appropriate- ly," he said. While unaware of any crimi- ,CHURCH Continued from Page 1A Realticorp, a land develop- ment company, owns 263 acres of property between West Venable Street and the church property south of Crystal River It is proposing to build a large commercial development on the property with a residential subdivision behind the stores. The meeting with church members was aimed at win- ning their support On the southern tip of Realticorp's land is about 36 acres of diocese land that Realticorp would like to buy. The land is just north of the church and would help the company meet county regula- tions. The county is requiring Realticorp to build a frontage road running from West Venable Street to the Ozello Trail traffic light The compa- ny's plan is to make improve- ments to the light that would make entering and exiting the church easier and safer. The traffic light would also be the south entrance for the compa- ny's commercial town center The land owned by the Diocese would allow Realticorp to extend the frontage road all the way to the Ozello traffic light, thus meet- ing the county requirement. But one church member pointed out that the design of the development would send much of the traffic from the sprawling shopping center and residential area behind it to ir a nal investigation into the con- duct of the jail employees, Owen said the problems had been resolved. He also ques- tions Grant's motives for being involved in the initial case with Mulligan, and now the lawsuit Meanwhile, Grant is asking for an investigation into the jail, and points at other inci- dents in sur- r o u-n ding these are counties at CCA-operated . If the jails, including suicides. would have Samargya said charges mething should be filed in this case. s to the "These are crimes," he Actions said. "If the he would inmate would he would have done been something like this to the (cor- A report sections offi- cer), he would ive been have been arrested. A report would have been Samargya made." Samargya Several cluding the FBI, U.S. At- torney and L A State Attorn- ey's office, were notified, Grant said. He believes the inmates de- serve "a battery of tests," because they could have been exposed to disease. Grant said many had com- plained their food had a bad taste and odor, and they suf- fered vomiting, stomach cramps and nausea. The law- suit says the inmates suffered "injury, pain and emotional distress." Grant also said at least one inmate has been "fairly sick" since. He said he and Samargya will not agree to any settlement in the case, and want the lawsuit to be heard by a jury. Along with using Mulligan as a witness in the case, Grant also expects other guards to be named later in the lawsuit, some who, he says, still work at the jail. "Let's start an investigation, and let's get these people out that are doing this, out of jail,"' he said. 'Orput them back in it, only this time, in orange."' the Ozello traffic light adjacent 0 An to the church. He wondered church d how the church would benefit $15,000 to from the new light with that the timing much traffic using it. on the t The resident estimated 5,000 Trail. Re cars and 14 to 15 tractor-trailer set timing trucks from Wal-Mart would fic light use the traffic light daily. enough t( Realticorp has offered church se $667,000 in inducements and On t benefits to the church and dio- Realtico] cese in exchange for support of diocese the commercial project future co: .T h e s e .; include: $130,000. to You're buy the 36 acres owned by going to have 1 the diocese north of the change yor nan church. $130,000 to Santa Claus donation to the church. I don't see ho0 Extending central sewer we can turn it to the church at down. no cost, W n. improvements worth $100,000. Don Dri Improving parish the traffic light at the intersec- tion of Ozello Trail and U.S. 19, estimated to their south be worth $155,000. cost to pa Construction of three new But if t church driveways and a new Realtico: connector road to U.S. 19, esti- eventually mated to be worth $125,000. the sewe: Analysis of the church church v structure to ensure construc- the $100,( tion activity doesn't damage The ot the building. The study would the chur( be worth $12,000. The company Realtico has agreed it would be respon- sible for any damage from vibration. -V _- For those who know a good investment when they see one. Arthur Rutenberg Homes For more information call (352) 726-7480 or visit arhomes.com Premier Building Group. Inc- an Independent trancnise NCGCO3831 engineering study on riving patterns worth i help the company set ig intervals properly traffic light at Ozello alticorp is willing to g intervals so the traf- would stay green long o avoid backups when services conclude. the other hand, rp officials and the said there would be sts to the church if the commercial project dies. Those costs could be as much as $225,000. One such cost would be sewer. The city of Crystal River is planning to -extend central sewer down to Penn Drive, in the middle of Realticorp's property. Real- ticorp is will- ing to extend the sewer far- :h to the church at no parishioners. he church turns down rp's offer, it would ly have to connect to r line anyway, and the would have to absorb 000 cost. other possible cost to ch if it turns down the rp offer would be to S. wv nek honer. For the RECORD Crystal River Police DUI arrest Gregg Alan Piotti, 25, 3360 N. Holiday Drive, Crystal River, at 6:14 p.m. Thursday on a charge of driving under the influence. Bond was set at $500. Citrus County Sheriff DUI arrest Patrick Mark Dillard, 38, 7978 Cyprian Court, Homosassa Springs, at 4:50 p.m. Thursday on a charge of driving under the influence and causing damage/injury. Bond was set at $500. Domestic battery arrest Jennifer C. Birkhimer, 22, Inverness, at 6:29 p.m. Thursday on a domestic battery charge. According to an arrest report, Birkhimer hit a man in the face, chest and head. She is being held without bond. Other arrests Wayne Henry Dixon, 24, 150 N. Sportsman Point, Inverness, at 11:03 p.m. Thursday on a charge of petit theft. Bond was set at $250. William Jesse Cutler, 19, 4802 N. Mulberry Loop, Beverly Hills, at 3:19 a.m. Friday on a charge of possession of drug paraphernalia. Bond was set at $500. Burglaries SAn attempted burglary, reported ON THE NET For more information about arrests made by the Citrus County Sheriff's Office, go to and click on the link to Daily Reports, then Arrest Reports. at 1:41 p.m. Monday, March 6, between 9 a.m. and 1:30 p.m. Monday, March 6, at a residence in the 12000 block of N. Osborne Avenue, Dunnellon. 1Aburglary, reported at 1:42 p.m. Monday, March 6, between 6 p.m. Sunday, March 5, and 1 p.m. Monday, March 6, at a location in the 6300 block of S. Suncoast Boulevard, Homosassa. A burglary, reported at 10:16 p.m. Monday, March 6, between 10:16 and 10:21 p.m. Monday, March 6, at a residence on S. Tyler Street, Beverly Hills. SAburglary, reported at 3:42 p.m. Tuesday, March 7, between 9 a.m. and 3:20 p.m. Tuesday, March 7, at a residence in the 8400 block of W. Buckwood Court, Homosassa. Thefts A theft, reported at 9:19 a.m. Monday, March 6, between 2 p.m. Sunday, March 5, and 9 a.m. Monday, March 6, in a business parking lot in the 5200 block of W. Dunnellon Road, Dunnellon. A theft, reported at 9:49 a.m. Monday, March 6, between 8 a.m. Sunday, March 5, and 4 a.m. Monday, March 6, from the roadway in the 8800 block of E. Moonrise Lane, Floral City. A theft, reported at 10:20 a.m. Monday, March 6, occurred after midnight Dec. 5, 2005, at a business in the 2400 block ofW. Highway 44, Inverness. A theft, reported at 11:47 a.m. Monday, March 6, occurred after midnight Jan. 17 at a business in the 2400 block of W. Highway 44, Inverness. W A theft, reported at 1:05 p.m. Monday, March 6, between 12:45 p.m. and 1:05 p.m. Monday, March 6, at a business in the 5300 block of W. Gulf to Lake Highway, Lecanto. A theft, reported at 7:38 p.m. Monday, March 6, between 12:30 p.m. and 8:30 p.m. Monday, March 6, at a residence in the 5400 block of W. Oakbud Court, Homosassa. E A theft, reported at 11:14 a.m. Tuesday, March 7, between 9 a.m. Friday, Feb. 24, and 5 p.m. Thursday, March 2, at a residence in the 8500 block of E. Hooker Place, Floral City.. A theft, reported at 1:14 p.m. Tuesday, March 7, at 1:50 p.m. Tuesday, March 7, at a business in the 300 block of N. Suncoast Boulevard, Crystal River. ' An auto theft, reported at 4:56 p.m. Tuesday, March 7, between 6 p.m. Saturday, March 4, and 9 a.m. Monday, March 6, from N. Florida Avenue, Inverness. SA theft and vandalism, reported at 4:02 a.m. Wednesday, March 8, between midnight and 2 a.m. Wednesday, March 8, in a business parking lot in the 3800 block of E. Gulf to Lake Highway, Inverness.: Vandalisms A vandalism, reported at 8:10 a.m. Monday, March 6, between 10 p.m. Sunday, March 5, and 9 am. Monday, March 6, to a mailbox in the 600 block of Highland Avenue, Inverness. A vandalism, reported at 1:32 p.m. Monday, March 6, between 1 p.m. and 1:30 p.m. Monday, March 6, at a business on W., Lemon Street, Beverly Hills. A vandalism, reported at 2:59 p.m. Monday, March 6, between 2:45 p.m. and 3 p.m. Monday, March 6, to a business on Regina Boulevard, Beverly Hills. A vandalism, reported at 9:21 p.m. Tuesday, March 7, between 8:45 p.m. and 9:15 p.m. Tuesday, March 7, at a business in the 5500 block of W. Homosassa Trail, Lecanto. A vandalism, reported at 11:38 p.m. Tuesday, March 7, at 10:30 p.m. Tuesday, March 7, in a busi- ness parking lot in the 200 block of N. Suncoast Boulevard, Crystal River. 411.o .a m 410a ob. ap..- Fqp V mm %.4 qmpm- o 4 do m qb -Mmw --d build a section of the frontage road, according to county Development Services Director Gary Maidhof, who took part in the meeting. Maidhof said the county is requiring construction of the road as part of the U.S. 19 Access Management Plan. He said the requirement for the church to build a section of the road would come into play if the church were to expand or build a new facility. The estimated cost to the church would be about $125,000, but Realticorp would pick up the tab if the develop- ment goes forward. Steve Zientek, the diocese's real estate management offi- cial, said Realticorp was offer- ing a decent proposal. He said he sees this type of growth all over the five-county area of the diocese. "It's a pretty decent propos- al. They've worked hard," Zientek said. Zientek said the church could be facing a half million dollars in expenses if mem- bers are not convinced the Realticorp offer is a good one. He noted the Realticorp plan would leave the church property intact Most of the construction activity would occur on prop- erty the diocese currently owns and would sell to Realticorp. "If we're not able to success- fully negotiate this, we'll have to pay this money out of our own pockets," Zientek said. - - - ~- ,#f9jC IT R US 0 UN T Y -HRONICLL Florida's Best community Newspaper Serving Florida's Sest Community To start your subscription: Call now for home delivery by our carriers: Citrus County: (352) 563-5655 Marion County: 1-888-852-2340 or visit us on the Web at .html to subscribe. 13 wks.: $34.00* 6 mos.: S59icleonllne.com Where to find us: Meadowcrest office Inverness office 44. Coun1heus Du rkcpksandsar Dr | uDr S"*a* 0 N. 1624 N. Meadowcrest Blvd. 106 W. Main St., Crystal River, FL 34429 Inverness, FL 34450 Beverly Hills office: Visitor Tn' ma, GIM"Copyrighted Materilal Syndicated Content- : Available from Commercial News Providers" LECANTO -TREETOPS PLAZA 1657W GULFTO LAKE HWY HOURS: MON.-FRI.9 AM- 5 PM 7ff TOLLFREE1.877746.0017 Evening andWekLnd EEbyAppoinmn 527 0 I 2- 1 1 uV ert *ic I. --m--I mall- I- 4 -s- -.4 40 -fp E- -4 - bp q o-ft A mw o- =mm -do. b- -mma 4ow m -Mm I K ~N '-1 ~ MARCH I 1, 2006 -, Bike for Lung Association Clean air ride set for state trail Saturday Special to the Chronicle It's time to register for the American Lung Association's 10th annual Clean Air Bike Ride along. the beautiful Withlacoochee State Trail, listed in National Geographic's Top 20 Bike Trails. Participants will enjoy the atmosphere of the longest paved trail in Florida with its wildlife and all the' beauty of nature while raising money for a good cause.. . The ride will be Saturday rain or shine. Riders may start between 7 and 9 a.m. This ride begins at the Ridge Manor Trailhead of the Withlacoochee State Trail and winds through Pasco; Hernando and Citrus counties. The trailhead is one mile east of 1-75 at State Road 50 (exit 301) near SunTrust Banks recently completed their United Way 2005-06 Campaign with local employees raising $6,377. Marie Straight, area manager for Citrus and Sumter counties, is a volunteer member of the United Board of Directors and serves as chairperson of the Audit/Ethics Committee. From left are: Chris Giacalone, branch manager, Citrus Hills office; Mary Pericht, branch manag- er, Inverness; isa Stocker, branch man- ,ager, west Inverness; Karen Wasey. branch manager, Meadowcrest; Glenda Mitchell, branch manager, Sugarmill Woods; Marie Straight, area manager, Citrus/Sumter counties; Amy Delapaz, branch manager, Beverly Hills; Russell Raml, business banking relationship man- ager, Crystal River; Patty Silvey, branch manager, Crystal River Office; and Lor Lee, branch manager, Homosassa Office. Special to the Chronicle Brooksville. Participants may choose a ' 12-, 20-, 48- or 100-mile route. Cost is $25 ($12 for children 12. and younger accompanied by adult), which includes a T-shirt, continental break- fast, light lunch and SAG snacks. Event T-shirts are guaranteed to riders regis-, tered by Feb. 27. Walk-up registration includes T-shirt if available. Incentives are given for raising additional pledges. All registrants are entered in a drawing for a mountain bike donated by Action, Wheel Sport in St. Petersburg. On the mark :'The first'0of-a total of four vehicles'has been striped with new markings. "The striping scheme was selected by the offi- cers and approved by council," Chief Burch said. "We are quite proud ot the new look and will migrate to these mark- ings as we replace vehicles." Special to the Chronicle News NOTES Sons of Norway, to meet today Sons of Norway, Sun Viking Lodge 607, will meet at 6:30 p.m. today at the Senior Citizens Club of Hemando County on E. 7925 Ranbouy Road off U.S. 19 and Forest Oaks. A St. Patrick's Day celebration is planned with a corned beef and cabbage dinner, catered by La Fontana. Cost is $10 per person. For reservations, call.Gail Martinsen at (727) 863-3145 or Jan Link at (352) 686-6538. Bonsai club to work with mini landscapes Buttonwood Bonsai Club will meet at 9:30 a.m. Saturday at First Presbyterian Church, 1501 Southeast U.S. 19, Crystal River. Members will assemble rocks collected from the barge canal area into planters for miniature landscapes Bonkei (Japanese), or Penjing (Chinese). The April meeting will be a fol- low-up, where the members will plant rooted miniature Fukien tea into ,their rock landscapes. For information, call president Sandi Seeders at 563-0221 or Clay Gratz at 563-2156. As usual, the meetings are open to the public and visitors are wel- come. PET SPOTUGHT Photos cannot be returned without a self-addressed, stamped envelope. Group photos of more than two pets cannot be printed. Send photos and information to Pet Spotlight, c/o Citrus County Chronicle, 1624 N. Meadowcrest Blvd., Crystal River, FL 34429. Special to the Chronicle Five members of USCG Auxiliary Homosassa Flotilla 15-04 received qualification awards at the regular monthly meeting of the flotilla, on Feb. 7. Each award recognizes the individual for completing rigorous training and passing the final exam, which qual- ifies him/her to participate in the specialty mentioned. The diversity of specialties indicates the breadth of training that is avail- able in the auxiliary. Pictured, from left, are: L. "Pete" Haggarty, qualified for vessel examiner; Don Eastman, qualified for radio watchstander; Harold Imhoff, flotilla commander; Ray Koeppel, received the aux. op. designation; Bill Bream, qualified for radio watchstander; Vincent Onorio, qualified for radio watchstander; and George Dooris, flotilla vice commander. The American Lung Association is the oldest voluntary health agency in America, and all proceeds help support its programs and services. To receive a registration form, call (800) 771-5863. Those who register will receive a packet of information on local special events and ,camping facilities. Registration can also be done electron- ically by clicking on the Clean Air Bike Ride logo: on ALA's Web site after clicking on Gulfcoast Events. .- :. v :.:.. ", ::. .. . ! ,: :L ";. ': : . Birthday -W - Special to the Chronicle Midnight turned 7 years old March 1 and lives with Ernes Simonson In Inverness. SunTrust gives to United Way *'V2~"~ \V ~ February qualification awards ==Z ; =" ," ... 7..- -,:. -. ..=. ... , .d ,'. T = l . / Shalyn Barker PLATE Dance, dreams unite It always gets so exciting around the studio as the recital draws nearer. Costumes are starting to i come in and our students are really starting to perfect their dances. It truly is one of my favorite and busiest times of the year. This year, our recital is called "Dreams of Dance" and signifies the dancer in all of us. It also is a great theme this year since my mother is turning 50 years old three days before our recital. Since she's been dancing her whole life, it seems as though the dream of dance in our family has been alive for 50 years. One of our favorite things to do as the recital gets clos- er is to show off our dances. Having two studios means having two classes going on at .the same time so the students can show each other their dances. Each class performs and then par- ticipates as a "good audience" - clapping and giving words. of praise to one another Last week. my mother asked my class over to watch her junior advanced ballet class. These particular stu- dents have been with us rfol;" more than a year and have truly excelled in their dance lessons. They are dancing in the recital to a new version of the song "A Dream is a Wish Your Heart Makes." As I watched then dance, I saw how proud they were - they were counting to the beat, pointing their toes and truly showing a beautiful emotion on their faces to match the feelifig of the dance. I looked at each one of them working together and thought of all the things they have going on in their lives, too. Butyet, all 16 of them only focused that moment on the dance working together to create something so beauti- ful. As they finished and looked to my face for applause, my.eyes welled up with tears. I just shrugged my shoul- ders and told them I just couldn't help it. They were just too beautiful. ' What a job I'm blessed with! Shalyn Barker resides with her husband, Patrick, and daughter, Emmy, in the Beverly Hills area. All three are lifelong residents of Citrus County. She can be reached at citiusamom@yahoo.com. , Pet SPOTLIGHT M Win, CITRUS COUNTY (FL) CHRONICLE Agnes Angeli, 82 BEVERLY HILLS Agnes Angeli, 82, Beverly Hills, died Thursday, March 9, 2006, in Hernando. Mrs. Angeli was a homemak- er and she came here from Palatine, Ill., in 1985. She was Catholic. Survivors include her hus- band of 56 years, Fred Angeli of Beverly Hills; son, Robert Angeli and wife Peggy of Holland, Mich.; daughter, Rosita Angeli of Miami Beach; three grandsons, John. Angeli, Tim Angeli and Dan Angeli, all of Holland, Mich.; sister, Frances Reichardt of Sun City, Ariz.; and several nieces and nephews. Fero Funeral Home, Beverly Hills. Carol Austin, 75 HOMOSASSA Carol Jean Austin, 75, Homosassa, died Thursday, March 9, 2006, at Citrus Memorial Health System in Inverness. She was born March 27, 1930, in Princeton, W Va., to John and Ethel Holdren, and moved to this area 40 years ago from Killarney, WVa. Mrs. Austin was a homemak- er. She enjoyed gardening, reading and taking care of her family. She was a member of the First Assembly of God Church in Homosassa. Survivors include her hus- band of 60 years, Elmer Austin of Homosassa; two sons, Ray Austin and wife JoAnn of Coal City, W Va., and Alan Austin and wife Brenda of Niota, Tenn.; one stepson, Denver Austin and wife Jane of New Castle, Va.; one daughter, Carolyne Austin of Homosassa; two brothers, David Holdren and wife Jo of Beckley, W Va., and John Holdren of Homosassa; two sisters, Ronnie Dillard and husband Jere of Homosassa and Charlotte McKinney and hus- band Herbert of Beckley, W Va.; six grandchildren; 11 great-grandchildren; and numerous nieces and nephews. Strickland Funeral Home, Crystal River. Madeleine Demesy, 85 D.UNNELLON Madeleine T. Demesy, 85, Dunnellon, died Friday, March 3, 2006, at Ocala Regional Medical Center. Mrs. Demesy was born in Turkey and She moved here 25 years ago from Long Island, N.Y. She was a homemaker and a member of the Armenian Catholic faith. Survivors include her hus- band of 52 years, Albert E. Demesy of Dunnellon; and best friends, Mary and Edward Starzyk of Dunnellon. Fero Funeral Home, Dunnellon. Lois Hall, 66 INVERNESS Lois Irene Hall, 66, Inverness, died Thursday, March 9, 2006. She was born Feb. 25, 1940, in Hazard, Ky., to Ova and Lula Mae (Nichols) Combs and she moved here in 2003 from Fairborn, Ohio. Mrs. Hall was a homemaker. She enjoyed spending time with her grandchildren and shopping. She was a member of the Apostolic United Pentecostal Church of God, Inverness. Survivors include three sons, David Allen of Dallas, Texas, John Allen of Inverness and Don Allen, of St. Petersburg; three sisters, Gerry Wright of Fairborn, Ohio, Marie Gevedon and hus- band James of Knoxville, Tenn., and Blondie Combs of Frostproof; four grandchil- dren; and one great-grand- child. Hooper Funeral Home, Inverness. H.G. Nick Knott, 81 DUNNELLON H. G. Nick Knott, 81, Dunnellon, died Thursday, March. 9, 2006, at The Legacy House Hospice. A native of Washington, D.C., he moved to this area 15 years ago from Delray Beach. Mr. Knott was a retired plumber and he served with the United States Navy. He was a member of the Lake Tropicana Volunteer Fire Department He was predeceased by his wife of 56 years, Betty Knott, in 2001. Survivors include two daughters, Virginia Hunter and husband Dan of Dunnellon' ,and I, Melinda Flowers of Crystal Beach; four sons, Thomas Knott and wife Martha of Boynton Beach, Gerald Knott of Boynton Beach, David Knott of Delray- Beach and Kevin Knott of Boynton Beach; and eight grandchildren. Fero Funeral Home, Dunnellon. Ernest 'E.A.' Lanier, 92 WILDWOOD Ernest Audory "E.A" Lanier, 92, Wildwood, died Thursday, March 9, 2006. Mr. Lanier was born in High Springs and was a lifetime area resident ' He was a self-employed farmer and an avid hunter and fisherman. He was preceded in death by his wife, Verona Ida Lanier, and daughter, Maple L. Hinkle. Survivors include six sons, Audory Ernest "A.E." Lanier of Morriston, Ordway Wayne "O.W" Lanier of Mississippi, Earl W Lanier and Marvin S. Lanier both of Wildwood, Steve R. Lanier of Panama City and Richard Lanier of Bell; and one daughter, Betty Gail Stormen of Crystal River. Roberts Funeral Home, Dunnellon. Edward Maguire, 55 HOMOSASSA Convalescent Center. Born Oct. 29, 1920, in Birmingham, Ala., he moved to this area in 1981 from Wilmington, Del. Mr. McEachin was a retired chemical engi- neer with DuPont He served in the U.S. Army Air Corps dur- ing World War II. He was the first soldier from Alabama to be wounded during World War II. He was a member of First United Methodist Church of Homosassa. He was predeceased by his first wife, Vonda McEachin, in 1993. Survivors include his wife of eight years, Onlee McEachin of Homosassa; two sons, Eugene. M. McEachin Jr. of New Orleans, La., and Peter K. McEachin of Homosassa; three daughters, Mignon Doran and husband Steve of Crystal River, Barbara Downward and hus- band Frank of Palm Harbor and Marcie McEachin of Austin, Texas; five grandchil- dren: and three great-grand- Edward J. Maguire, 55, children. Homosassa, died Wednesday, 'Wilder Funeral Home, March 8,2006, in Crystal River. Homosassa Springs. Born Nov. 5, 1950, in Fort Riley, Kan., to Gypsy Edward John Mickelson, 88 and Catherine YANKEETOWN Fi z z e YAN KEETOWN Maguire, he Gypsy Jo Mickelson, 88, moved to this Yankeetown, died Thursday, area in 2003 March 9, 2006, in the Woodland from Westin. Terrace .Nursing Home in Mr. Maguire Hernando. was an Edward .Mrs. Mickelson was born investor. He Maguire May 2, 1917, in Akron, Ohio, to earned a bach- Claude and' Annabelle elor's degree (Harmison) Davis and moved in business here in 1982 from Perry. administration She was a retired elemen- from Nova Un- tary school teacher and a diversity in Fort homemaker. Lauderdale. Mrs. Mickelson was He was a United States Episcopalian. Marine, serving during Vietnam. Survivors include her hus- He was a member of St. band of 64 years, Elnor Benedict Catholic Church, a Mickelson; two sons, Michael 3rd Degree Knights :of Mickelson of Greenville, S.C., Columbus No. 6954 and 4th and Alan Mickelson of Gulf Degree Knights of Columbus Shores, Ala.; one daughter, Cardinal Spellman Assembly Ellann Nakache of Bell- No. 1547. Harbor; one sister, Patricia of Survivors include his wife of Maine; and nine grandchil- 35 years, Tina Maguire of dren. Homosassa; daughter, Lynnelle Chas. E. Davis Funeral Home Mays of N. Miami Beach; and with Crematory, Inverness, granddaughter: Nichole Mays. Hooper Funeral Home, David' Homosassa. Eugene .McEachin, 85 LECANTO Eugene M. McEachin, 85, Lecanto, died Thursday, March 9, 2006, at Surrey Place Stewart, 87 HOMOSASSA David J. Stewart, 87, Homosassa, died Thursday, March 9, 2006, at Hospice House of Citrus County in Lecanto. Born Nov. 6, 1918, in Chicago, Ill., he moved to this area in 1985 from Belleair Beach. Mr. Stewart owned and oper- ated the Yard Arm and Crow's Nest Island with his son-in-law, Robert Bohnsack. He served in the U.S. Army during World War II. Mr. Stewart was an avid collector of antique weapons. He was a former member of the Masons and he was Protestant. Survivors include his wife, Martha Nay Stewart of Homosassa; daughters, Gayle Stewart of Largo and Donna Jean Bohnsack and husband Robert of Crystal River; four grandchildren; four great- grandchildren; and two step- sons, Joel Wainwright and George Wainwright both of Land 0' Lakes. Wilder Funeral Home, Homosassa Springs. Eva Todesca, 90, INVERNESS Eva Bertha Todesca, 90, Inverness, died Friday, March 10, 2006, at Highland Terrace. Born June 29, 1915, in Bostoin, Mass., to the late Milton and Emma Weigold, she moved to this area in 1986 from Encino, Calif. Mrs. Todesca was a home- maker and she enjoyed needle- working and loved to write let- ters. She was Catholic. She was preceded in death by her husband, Joseph Todesca, Aug. 25, 2000; a brother, Milton Weigold; and one sister, Ruth Schmidt Survivors include two sisters, Elizabeth Schwenzfeier and Charolete Savage, both of Inverness. Chas. E. Davis Funeral Home with Crematory, Inverness. Robert 'Robbie' Williamnson II, 15 LE.CANTO Robert "Robbie" Williamson II, 15, Lecanto, died Monday, March 6,2006, at his home. Born May 4,1990, in Inverness to Robert A Williamson I and Patty VanOchten Williamson, he % - was a lifelong -' resident of Citrus Countym. Robbie was. a ' student at the . Renaissance ,. Center He wasa a ' good student and received Robert several awards. wi.. amson II He -enjoyed fishing and motorcycles. Survivors include his father, Robert A. Williamson I of Crystal River; mother, Patty VanOchten Williamson of Lecanto; brother, Drew Williamson of Lecanto; half- brother, Darren Mitchel Williamson of Crystal River; maternal grandmother, Millie Braden of Lecanto; paternal grandmother, Linda Roach of North Carolina; great grandpar- ents, Shirley and Devere VanOchten of Port Richey; uncles, Ronald VanOchten of Crystal River, Otho Williamson of Georgia, Charlie Williamson of Jacksonville, Andrew Williamson and James Williamson both of North Carolina; aunts, Debra Perry of Homosassa, Kim Greenwell of Lecanto, Dedra Blaine of North Carolina, Debbie Buttenhausen of Brooksville, Angela Hibbard of Kentucky, Vella Mae Williamson of Vermont and Joyce Williamson of North Carolina; great aunt, Mary Jowers of Lecanto; and numer- ous cousins and friends. ',.Wilder Funeral Home, Homosassa Springs: Funeral NOTICES Carol Jean Austin. Funeral services for Carol Jean Austin, 75, of Homosassa, will be con- ducted at 11 a.m. Monday, March 13, 2006, at the Strickland Funeral Home Chapel in Crystal River with Pastor Edward Bender officiat- ing. Interment will be at the Stage Stand Cemetery in Homosassa following the serv- ice. Friends may call at the funeral home from 2 p.m. until 5 p.m. Sunday, March 12,2006. Edward J. Maguire. A funeral mass for Mr Edward J. Maguire, age 55, of Homosassa, will be conducted at 10 a.m. Monday, March 13, 2006, at St Benedict Catholic Church under the direction of Hooper Funeral Homes, with Fr. Michael officiat- ing. Interment will be at the Calvary Catholic Cemetery, Cleveland, Ohio, Friends may call from 2 to 5 p.m. Sunday, March 12, 2006, at the Homosassa Chapel of Hooper Funeral Homes. David J. Stewart A memorial service of remembrance for David J. Stewart, 87, of Homosassa, will be conducted at 2 p.m. Tuesday, March 14, 2006, at the Wilder Funeral Home, Homosassa Springs, with Chaplain Lany Geiger officiat- ing. Friends may call from 5 to 7 p.m. Monday, March 13, 2006, at the funeral, home. In lieu of flowers, donations may be sent to Hospice. House of Citrus County, 3350 W Audubon Park Path, Lecanto, FL 34461. Wilder Funeral Home is assisting the family with the arrangements. - wedi. ebebkw -y bw bmdhkhq aw-ad apo 4b O.- -m- -M.mm 4L e _____ w4- N. = 0-o ' "Copyrighted.Material-'. --. owso Svndicated Content'-.- * - - a .~. ~ - - - -- - a - = & 411- -0 _- - a-" - S Available from Commercial News Providers'.. ... * 0 a~~- - AP-- -- W - 0.a- - --d ft .'f-..t mm -e - -- -- 4100- _OEM p* doom --do o- -ft- -~.. -a.- - - - - a dw -.4b4 ... ___ -~ -~-- = - __ & ___ a - - -- - o~ C %: -g-k 0 kp- r~rse ~- - ow 0 .w- 0 IV - a ~0 0 a - a C C - -- 0 e .- - S - a - - -a - * S. - - lip -aa.a. & 2 1 HOWARD STYX Service: Sat., 1pm Hernando Church of the Nazarene LEE GRISSOM Service: Sun 1pm RICHARD MILLER Visitation: Sun., 3-4 pm GYPSY JO NICKELSON Private Cremation Arrangements 726-8323 OPEN HOUSE TODAY 11 AM to 3 PM Sunday DIRECTIONS Take Hwy. 41 North. Turn left on Citrus Springs Blvd. at the fountains. Take right on Deltona at Cumberland Farms. Take right on Elkcam. Take left on Vespero. Brand new quality construction. 3/2/2 in nice area of Citrus Springs. Walk to the Trail. Cathedral ceilings, oak cabinets, insulated windows, wood laminate floors, lots of tile, 9" insulated french door unit that leads to 12 x 14 lanai. Numerous upgrades. Immediately available. Come see the quality in the 6 country. Call Steve George at 422.4012. $209,000 F*nW :STURDAYj, Nx, 1,&UK Obituaries a o a . qU ..:-.:- * * S ~ Steve George );F'incHoars Building Contractor/Realtor O'l-se Hedick 422-4012 5 Ifilliant Id/ hine Beverli, Ifills 746-3390 Proven Perfimner In Fine flame Sa/ev CUL IqArYlRnAV MARCH 11- 2006 4 0. 'W. 41 4 SATURDAY, MARCH 11, 2006 7A CITRUS COUNTY (FL) CHRONICus P A I D 857767 A D V E R T I S E M E N T 'HOMELESS' CHURCH COUNTS ITS BLESSINGS The families of the Anglican Church of Our Redeemer of Beverly Hills may be temporarily without a permanent building for services, but all share in joyful enthusiasm and inspirational worship each Sunday at the Hooper Chapel in Beverly Hills. 'We don't of course think of ourselves as 'homeless', said a spokesman recently, 'because the Church is not a building. The Church is first of all the Body of Christ, composed of all believers who acknowledge Jesus Christ as Lord and Savior. So He is in our midst no matter where we worship together.' The Our Redeemer congregation has been meeting at the Hooper Chapel in Beverly Hills for the past year, since they took the decision to leave the Episcopal Church USA and be linked directly to the world-wide Anglican communion, in union with almost one hundred other former Episcopal churches who have formed the Anglican Mission in America (AMiA). This decision meant that their rector, the Rev. Frank D. Gough II, left his salary, pension, insurance and all the facilities of their former church, and the congregation left the newly built church to which they had contributed financially and in many key roles. But all at Our Redeemer feel that it was a choice Gqd wanted them to make, despite the difficulties. 'We were very grateful to Lowell and Dwight Hooper of the Hooper Funeral Homes who generously offered us the use of the beautiful chapel,' the spokesman said. 'All along, we've had a strong sense of God with us,' he added. 'We as a church family feel strengthened by God to begin. this new work, and there's an incredible amount of energy, both spiritual and physical, to do all that He wants us to do. Younger members are discovering new gifts with which to serve God, and older members are finding the strength to meet new challenges and conquer them. It's fantastic!' 'Our commitment is first of all to Jesus Christ as our Lord and Savior,' said their rector, Rev. Gough. 'There's no point in building an edifice or forming a group with anything else in mind. When we meet, whether in a member's home or in a rented chapel, Jesus Christ is the center of our thoughts and activities.' Secondly, we are committed to the Word of God as our basis and authority of living. Some may want to 'modernize' the rules God has set down, but we believe that the Bible provides an up-to-date guide for all aspects of living. We study, we absorb, and we memorize Scripture which helps Some of the "Our Redeemer" Family us through the minefields of modern life. 'And we follow our Lord's command to 'Love one another'. That means helping each other in time of need, and also reaching, out into the community to share what we have with others. There are parents out there having; difficulties within the family, and older people who feel isolated. We want to provide them with a family's concern and love.' Services are held at the Hooper Beverly Hills Chapel, 5054 N. Lecanto Highway, Beverly Hills, The Holy Eucharist is said Sundays at 7:30 am and sung at 9 am. There is a Youth program both Sunday mornings and .Sunday evenings, and Wednesday at 6:30 pm. The church office telephone is (352) 746-5920, with the secretary available Mondays through Thursday mornings. The rector's cell phone is (352). 302-3423 and he can be reached at this number at any time. FAMILY WITH A HOUSEFUL OF TALENT I I A large house in Citrus Hills is a familiar spot for many Our Redeemer members as numerous meetings throughout the week are held there. It's the home of Michael and Heather Orgill, who open their doors to Bible studies, choir practice and youth activities during the week. Michael,- a building contractor, is Senior Warden of the vestry, and his wife Heather leads the music group, plays the guitar, arranges the music for Sunday services and attends other church activities throughout the week. But she is also a full-time employee at a juvenile correction center, where she works in payroll, and also arranges music programs for the boys there, and church services with various local churches participating. The Orgill children, Alexander (12) and Katherine (10) are also active in their church. Alexander plays the guitar or organ each week and Katherine is an acolyte. She also sings in the choir and plays the violin. 'It's just what my parents did before me,' Heather explained recently. 'I was brought up to love the Lord and His church, and to serve Him in whatever way I could. My sisters and I sang regularly in church together. Now I'm teaching my children the same thing.' 'Enjoying worship and fellowship in the House of the Lord is the best legacy we can leave for the children. Michael and I are of one mind in this. Serving the Lord can only enrich one's life. And as a family doing this together, it's even a greater blessing. That's what Michael and I pray our children will do when they are parents.' MOTHERAND DAUGHTER REUNITED AFTER 29 YEARS Twenty-year-old Vicki Weiss made a decision that would be unthinkable today. But the year was 1955 and she was unmarried and pregnant. The only alternative, she felt, was to give up her baby for adoption. Five days after her daughter was born, she said goodbye to her. And -never saw her again for 29 years. Several months ago Vicki and her daughter Susan spent Sue's birthday together in Las Vegas. Since their reunion they see each other frequently and. e-mail each other constantly. 'One of the most amazing experiences of my life was my first telephone call from Sue,' Vicki Holland said recently. 'It was like a dream because for. years I had fantasized exactly that phone call: that one day I would pick up the telephone and hear a strange voice saying: "Mrs Holland? This is Susan Joseph".' 'But I consider it a miracle because only that morning in church I looked down at my Bible and it had fallen open at the 54th chapter of Isaiah. "You will forget the shame of your youth...when you were rejected..." it said. "But although I hid my face from you for a moment, with everlasting mercies have I gathered you..." .'I wondered at the time who that referred to, as it made such a powerful impression on me,' Vicki explained. 'Hours later, Sue's telephone call came through.' That wasn't the only time that a Bible quotation was used to foretell something. Constantly, she, says, the Scriptures give' direction, guidance, warnings, assurance and peace. 'The Bible is the Manufacturer's Instruction Manual,' she says. 'How can we go through life without getting * direction from our Maker? It's the dilemma of modern man that he feels he doesn't need God, but look at where that gets him! I have been studying the Bible for fifty years,' she adds, 'and I'm still learning so much from it!' FROM PRISON TO PRIESTHOOD REV FRANK GOUGH 19-year-old Frank Gough was well known in the courts of West Palm Beach, and yet was not expecting the sentence handed down that day in 1979 for armed robbery: 'LIFE PLUS FIVE YEARS.' After years of delinquency and spells in juvenile facilities, he was facing the rest of his life behind bars. On the surface, he was an aggressive, fearless ringleader. Inside, he was terrified. Only one man in the prison seemed to Frank to be without fear. After a few years, Frank asked him: 'What's your secret?' Bill said: 'Just Jesus.' Frank was in the fourth' year of, his sentence when those two words changed, his life. He began by facing .up to what he had done. He finally admitted his crimes. Then he began to read the Bible. He began to allow God's words to flow in his veins. He felt the Holy Spirit teaching him, deepening his experience. This was no empty 'jailhouse conversion'. Miraculously, within two years Frank was. granted parole. He immediately became immersed in youth work at his local Episcopal Church while working in marina management. He remained a volunteer, and later professional Youth Minister for 16 years. Over time, various clergy .and parishioners began to make the unbelievable suggestion: 'You should be a priest!' In time, Frank realized it was God directing him. At age 37, he completed 4 years of college in just 18 months. In 1997 he enrolled in The School of Theology at The University of the South, and he received his Master of Divinity degree in 2000. Rev. Frank D. Gough II arrived "in Beverly. Hills in late spring of 2000 to begin, his ministry, with wife Sharon and children Lacey and Trey. He felt called of God to begin a new work through founding the Anglican Church of. Our Redeemer of Beverly Hills in 2004. 'Ipreach salvation through Jesus Christ to all who will believe,' Father Frank said recently. 'I can speak from experience that God can and will reach down to save anyone, no matter where they have been, or what they have done. His love is so much greater than our sins. Ask me; I know!' AGNOSTIC SCIENTIST CONVERTED TO CHRIST PROF TONY HOLLAND Church member Professor Tony Holland headed British' Aid projects in renewable energy for India and Mexico during the 80s and 90s, projects he said God gave him as he prayed. His widow was recently talking about his life and accomplishments. 'He was educated irf Britain at ,the universities of Durham, Oxford, and London, and earned two doctors degrees in chemical engineering,' she said. 'He was an agnostic during his university .days,' she added, 'but after hearing a.sermon in a London church, he began to re- evaluate his philosophy. After that, he not only acknowledged the existence of God but he came to realize Jesus as his Saviour and Lord. That, he always felt, was the most important thing he had ever done.' Professor Holland went on to become the youngest professor at the time at the' University of Salford in England, and before his recent death wrote 13 textbooks and 235 technical ,papers. When one reporter asked him about his achievements, he said: 'Man loves to take credit for achievements, but all intelligence comes from the Lord. He alone created the human brain. It's so unworthy of us to try to snatch the .credit from Him.' Professor Holland insisted that mankind's greatest achievement was to reach out and touch the Creator of the universe in prayer and to actually receive clear direction and guidance in return. 'Men and women could enjoy a new dimension in living by responding to Jesus Christ and receiving God's Holy Spirit,' he said. 'I am continually, amazed that most people fail to appreciate this.' Professor Holland had just been appointed to a new post at the University of Morelos in Cuernavaca, Mexico when he became ill. Although -he knew he was weeks away from death, he told every friend who visited him: 'I know where I'm going! There is nothing to fear when you know the Lord is there, waiting to receive you! I just hope I'll meet you there, too!' VINDICATED AFTER FALSE A CCUSA TIONS Career nurse and Nursing Home executive Orinthia King was devastated in June 2004 when early one morning she was confronted with three police cars, a state investigator, his assistant and a sheriff's officer. Within minutes she was informed she would be arrested on allegations of neglect within the nursing home. She was placed in handcuffs and taken to prison. Thus began 16 months of a nightmare for this quiet, modest and conscientious nurse. She was faced with a possible penalty of 15 years in prison for allegedly neglecting a patient in the facility where she worked. She was obliged to spend many thousands of 'dollars on legal assistance due to the false accusation of one disgruntled nurse, despite the fact that the patient's husband insisted that Miss King had provided excellent care for his wife. Month after month she attended court without a resolution of. her case. The suspense and worry took a mental, physical and financial toll. Finally, last October, the judge dismissed all charges after he ruled the accusations were unfounded. Miss King, a committed Christian, found strength in prayer and' her strong belief that God would vindicate her. She was also encouraged by the support of Father Frank and fellow members of Our Redeemer. They regularly accompanied her to court, many times in vain, as the court sessions were adjourned again and again. Miss King recently told friends and supporters about how, the experience, terrible though it was, strengthened her faith. She said: 'Now that it is over, I have been able to look back and see how God was at work. The outpouring of love and kind words of support were so reassuring. I found strength from friends I knew I could count on, and learned about others I didn't realize who cared.' Miss King said the months --of accusations and fear of imprisonment did something else: it caused her to dedicate more time to her spiritual life. She began to read the Word of God more than ever before. She learned to receive, and she learned patience. I learned that it was necessary to tell Jesus all about it,' she said, 'then let go of worry and concern. I had to let God's comfort and guidance take charge, knowing that God is always with me. He graciously removes and helps us overcome all difficulties.' But could she ever forgive those who caused her sixteen months of pain and the threat of losing her freedom? 'As I pray the Lord's Prayer,' she said, 'I keep in mind that we all make mistakes. Jesus did not condemn us; He died for us. I forgive as I remember that God is in control. And I continue to pray that God will let me forget the hurt and .pain, and let me remember only the many blessings I receive each day!' CITRUS COUNTY (FL) CHRONICLE SA sATURDAY, MARCH 11, 2006A TH ARKTI RVE MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg NortelNet 611442 3.02 -.07 Lucent 356737 2.83 +.01 Motorola 349313 20.88 -.40 AT&TInc 274714 27.23 +28 GenElec 257289 33.65 +.4A GAINERS ($2 OR MORE) Name Last Chg %Chg Voltlnf 27.22 +2.04 +8.1 EducRity 14.43 +.97 +7.2 VidSanNig 17.39 +1.13 +6.9 GerbSc 10.68 +.67 +6.7 NewMarket 38.75 +2.40 +6.6 LOSERS (52 OR MORE) Name Last Chg %Chg Chiqutawt 4.30 -.33 -7.1 LamSessn 22.37 -1.62 -6.8 Terex If 70.00 -4.59 -6.2 AFrancewt 2.12 -.13 -5.8 GolUnhas s 25.52 -1.58 -5.8 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Vnolume 2.36.2 952 136 3,450 113 35 , 1615866.80 MOST ACTIVE (S1 oRn ORe) Name Vol (00) Last Chg SPDR 532129 128.59 +1.21 iShRs2000s394509 72.32 +1.10 SemiHTr 357865 35.93 +.01 SP Engy 208198 51.39 4.28 OilSvHT 111565 134.36 +.95 GAINERS (52 OR MORE) Name Last Chg '.Chg Hyperdyn n 2.80 +.62 +28.4 PatientSsh 3.09 +.44 +16.6 AtlTele 46.50' +5.51 +13.4 EasyGrd pf 2.95 +.30 +11.3 I-Traxh 3.60 +.36 +11.1 LOSERS ($2 Ol MORE) Name Last Chg =oChg VendingD 2.20 -.30 -12.0 MediaSdci 3.67 -.42 -10.3 Nephros 2.16 -.24 -10.0 Q Comm 2.44 -.26 -9.6 Minrad n 2.37 -.24 -9.2 DIARY k.van3r:c Declined Unchanged Total issues New Highs New Lows- Volume MOST ACTIVE (51 OR MORE) Name Vol (00) Last Chg Nasd109Tr 1225554 40.56 +.04 JDS Uniph 623978 3.70 -.10 Intel 613424 19.85 +.10 Cisco 482828 20.82 +.38 SunMicro 454433 4.58 +.07 GAINERS ($2 OR MORE) Name Last Cng -Cng Uttelfuse 31.90 +5.31 +20.0 Trimeris 13.69 +1.95 +16.6 Vimicron 14.20 +1.88 +15.3 AClaim 2.39 +.29 .+13.8 Nestor n 3.54 +.43 +13.8 LOSERS (S2 OR MORE) Name Last Chg ..Cng NPS Phm 8.77 -5.27 -37.5 AllionHI n h 12.74 -3.06 -19,4 Bonso 4.44 -.81 -15.4 QuanFuel 3.44 -.60 -14.9 Ronson 3.82 -.61 -13.8 DIARY A.mance. i .-60 Declined 1,030 Unchanged 147 Total issues 3,137 New Highs. 79 New Lows 49 327.076.049 Volume Heie ale the 825 mostly active stocks on thie Jew York 'Stock Echange, 765 most active r n the Nasdaq Nalional Markel arnd 116 most alive orn the American SticCk E are wornh at least 1S5 and changed 5 percent .;.r more in price iUnderliingn for 51.1 mostly ai:ve orn, YSE and Nasdaq anid 25 most active on Amex Tables show name. price and rnel .cnange, and one to two additional fields rotated through the week. as follows Div: Current annual divided rate paid on Sock. based on latest quarterly or senmiannual declaration, unless olherwise footnoted. Name: Stocks appear alphabelically byc Ir company's lull narnme (nol its at:breviaiion; Names consisilrig tl initial. appear at Ihe beginning 01 each lettler' list Last: Price stocK was trading at where eChange ClOled lor Ihe day Chg: Loss or rain for the day. No change indicated by . 'a ACt'' .1, A. Stock Footnotesx .c- PE gr~ul~rirtrw 3i. in iv roa bme, 311- id .. ~ivrrt-v~ ~ ~~~ d W.rr4r'ar, .5 t "... .1.iei W -iiLfj',. iirr w.1 12mc,. -c 7nmror, rVmiT ,11 11d ' o, trim ki-nr.r.. 6a.Ewirvn.ge Ermeryig &q CoFror.iry ,lep 3 1-,.. idvid, andr,-3 . . . ,r eri .yii-un. b. .'I. i i ocr,. rem rar1 y rEqp r C-ITr ia. -iv*'i -,pxij 3.3 .r pifij. I+i, .v,,, 51k*i3ri,di Ir. IALIW, nq ,raf I T,5.N, yiirOh.nIaIlu' wie, %nlyImI~ rcmie bjis~~ivq orlrli-diflg -1 Pren.'i l',. ri.113 umPI -Pmr0r,,rt,, F- I1.:.I.rc,iy..Eirgiiniar5.rE ri p,,M3.rr1-pi~e -CIC~i-.i 6,r.j -rvry~i..iurrj.nPEci.,l ii wo rt A inrItu i. ve-.,rit, yrat a icillrI~i p.:&E ix 1 nr vpl1D i rva ai r 1perc.Irni T.. arr,,Ire Ilvt .e,.hi Tradve. ml ti;l ft ,e nli er hi .i ccv i I .ua y,J .Wreon. -:11 ,,.v mravie l.ie-j rdrami a~lleng apurcruiE& Of eIxc UJ N-.i '? v. ~r 3`1n r, ,.urfil i , col'itio more ni',iar,vx-, *ec,jntv I inp. cr.t, Iix whrt p?.:viv, r.,-,. imp .)r .- ,. . rEnr.11fli234 .r,.,r iina !: t.Uria lawi ~vAppyis-ri, rni iriI lhi viny Dividend Footnotes: a E016 .iI'.iOiE widE aur rm .Dv r, ~i,, r, Iv~j.i r,i 5 r~nvi~ i pivi .1i:io c L qu, vlng dji. lJ-ri ja-Aa Sn uarn .:lc.Irr.3 L.,.i it'd ", 6yEi12 MC.,ir. I Civeri anr.AFi ol, vehikvh nia-,rvi b1 i ro:l e.:rl ciid arild err. ,uflc,iinni-i IF in ol.i..iadr~d t pas ai iii clx r -priia, to:ieg i rye I umiT,.l iI,Id.Ur c sidir6,11'r M -)E Il rimn 1 d, di-d vat ui o led or dI. ,do Oti I.,ki.,,d .-.Arr a,-i th,,-. a, currii1.yl,.3 l'. ii r i-t-ildwIoar,.i.i 3 .rv c-'arP.Ina, lvji IF.derd, rimital I nii i.: ii1,r, 1te~d ho .,-, r 0.1.1.1i5,vhipaid irn Fitr.et r:rir. lu 4 ilr a, dend I Fid ,ar . ~r.Frc~vili :.r, Source: The Associated Press. Sales figures are unofficial. 1,773,989,079 STOC S O LCAITEES YTD Name Div YId PE Last Chg %Chg Name Div YId PE Last +.28 +11:2 LowesCos .24 +.08 +4.5 McDnlds .67 +.40 -.4 Micrnsoft .36 t+f05 ci +26. +.05 +26.8 +.19 +1.2 +.50 -3.2 +.07 +17.5 +.46 +23.9 +.26 +5.4 +.20 -5.6 +1.09 +14.0 +.09 +1.6 +.45 -4.0 +.30 +11.4 +.61 +1.9 +.10 -20.5 +.55 -.8 Motorola .16 Penney .72 ProgrssEn 2.42 SearsHIdgs SprintNex ..10 TimeWarn .20 UniFirst .15 VerizonCml.62 Wachovia 2.04 WalMart .67 Walgrn .26 52-Week Net % YTD 52-wk High Low Name Last Chg Chg % Chg % Chg 11,159.18 10,000.46 Dow Jones Industrials 11,076.34 +104.06 +.95 +3.35 +2.80 4,537.37 3,348.36 Dow Jones Transportation 4,456.04 +40.90 +.93 +6.20 +16.28 438.74 346.46 Dow Jones Utilities 399.93 +2.18 +.55 -1.28 +12.93 8,165.05 6,902.51 NYSE Composite 8,079.24 +71.41 +.89 +4.20 +10.22 1,907.40 1,415.75 Amex Index 1,874.26 +4.57 +.24 +6.55 +26.35 2,332.92 1,889.83, Nasdaq Composite 2,262.04 +12.32 +.55 +2.57 +10.80 1,297.57 1,136.15 S&P500 1,281.58 +9.35 +.73 +2.67 +6.79 745.18 570.03 Russell 2000 726.34 +8.06 +1.12 +7.89 +15.87 13,099.41 11,195.22 DJ Wilshire 5000 12,907.02 +90.89 +.71 +3.11 +9.18 NE Y A E Div Name Last Chg ABBLtd 11.78 +15 .92 ACE Ltd 54.93 +.84 .66 ACMInco 8.40 +.04 ... AESCorp 17.22 -.07 .521 AFLAC 45.90 +.02 ... AGCO 18.94 +.43 1.48 AGLRes 35.29 +.18 ... AK Steel 13.41 +.43 .7 AMR 25.85 +.72 .90e ASALtd 57.18 +.36 1330 AT&Tlno 27.23 +28 1.75 AT&T 2041 25.10 +.02 .38r AUOpfro 15.03 -.10 .79e AXA 34.64 +.48 1.181 AbtLab 43.92 +.73 .70 AberFdtc 57.11 +.08 .10 AbiPbig 3.75 -.03 .30e Accenture 31.56 +.13 .86e AdamsEx 13.01 +.07 .30 Adesa 25.50 +.39 24 AdvAutos 41.15 -.72 ... AMD 3663 +.42 .- Aeopstl 30.30 +1.83 .021 Aetrawi 50.94 +123 ... AffCmpS 63.40 +.14 ... Ageres 13.55 -.17 Agent 36.38 +.17 .03 Agnicog 24.68 +.40 .11 Agriumpg 25.35 +.78 .Ahod 8.36 +.11 128 Alirrod 64.02 +1.35 ... AirTran 16.89 -.08 .46 AlbertoCul 45.65 +.08 .76 Albertsn 25.56 +.01 .60 Afcan 42.84 +1.02 A. ctael 13.98 +.18 .60 Alcoa 29.23 +.42 .40 AllegTch 54.60 +2.73 .40 Allergan 116.07 +2.27 1.451 Allete 45.25 +.22 .89 AllWrd2 12.55 -.02 ... AldWaste 10.49 +.07 1.401 Allstate 54.56 +.17 1.54 Altel 65.60 +.08 ... AlphaNRs .2024 +.50 .18 Alphanma 27.50 -.11 320 Atria 7386 +1.03 ... Amidocs 34.95 +.43 120 Arufess 138.68 +225 2.54 Ameren 50.42 +.37 .686i AMoilLs 3326 -.10 .60 AmAxlde 16.34 +23 1.48 AEP 35.31 -.36 .48b AmExp 54.23 +1.03 1.08 AFndRT 11.90 -.02 3.641 AmHmMtg 27.74 +.15 .60 AmIltGplf 67.65 +1.06 .721 Antad 40.04 +.81 .78 AmSIP3 10.80 +.04 ... AmTower 30.40 +.57 ... Aieridt 29.97. +.87 2.24 Ameigas 29.61 -.09 .44 Ameiprsp 43.30 -03 .10 AmnedBgs 45.76 -24 1.04 AmSouth 27.40 .8 .72 Anark 95.01 * 24a AnalogDev 36.85 -.33 .36e ArnggldtA 48.62 +.79 1.08 Anheusr 42.95 +.01 SAnTaylr 37A48 +2.15 1.04 e Annaly 11.60 +.06 .60 AonCop 40.14 +.75 .40 Apache, .64.15 -.09 2.40 Aptlnv 45.00 +.34 .43 AquanAmsa 27.57 +20 ... Aqula 4.02 +.03 .28 Aramark u28.77 +.11 .32 ArchCoal 72.92 +1.17 .40f ArchDan 32.22 1.741 ArhsboSm 47.77 +27 .40 AvMerit 14.56 +.07 1.10 Ashlandn 64.82 +.88 .68 AsdEstat u11.50 +.26 1.30e AstaZen 49.80 +.71 1.26 ATMOS 26.36 +.17 ... AutoNatn 21.62 -.04 .74 AutoData 47.69 +.66 ... Avaya 10.92 +.31 .. all 37.01 +.16 ... Avnet 24.76 +.56 .70f Avon 29.10 -.09 ... Aztar 30.70 +.57 1.52 BB&TCp 39.49 +.23 .64e BHPBIIU 34.84 +.49 .20 BJSvcss 31.27 .+.20 ... BMCSft 22.10 +.11 2.14e BPPLC 66.42 +.41 2.08f BRT u26.65 +.48 .52 BaktHu 65.07 +.31 .40 BallCp 43.32 +.08 .47e BeoBrads 38.09 +1.3 .75e Bocoltaus 30.43 +1.01 2.00 BkstofAm 45.95 +.40 .84 BkNY 34.30 +.35 .72 Banta 48.74 +.64 .52 Bard 69.01 +.81 22 BanickG 26.13 +.48 .52 BauschLIf d66.25 -.08 .5Me Baxter 38.29 +.06 1.121 BearSt 132.15 +1.04 .40 BeazrHm's 60.70 +1.11 .86 BectDck 62.88 +.02 1.16 BellSouth 34.35 +.05 .:. BenlleyPh 14.72 -.08 .32 BestBuys 53.40 +.25 ... Beverly 12.44 +.05 1.321 BIkHICp 33.31 +.08 .45a BkFLO8 d14.47 +.05 .50 BlockHRs 22.64 +.47 .... Blockbsltr 3.65 +.03 .57e BlueChp 5.95 +.03 Bluegreen 14.18 -.79 120f Boeing u74.79 +1.03 .401 Bordes '2426 +.16 .. BostBear 27.00 . 2,72a BostProp u89.83 +.8i1 .. BostonSd 22.62 +11 .80 Bowa r 27.59 +.20 .50 BoydGm. 45.08 +.56 .10 Brinks 50.24 +.54 1.12 BrMySq 22.91 +.21 .60 Brunswick 37.99 -.01 .60 BungeLt 50.50 -.79 .80 BurINSF 76.51 +.65, .40 BudRsc 88.70 +.01 .16 CAInc 27.51' +.40 .64 CBSBn 23.95 -.01 2.16 CHEngy 47.26 4.39 .10 CIGNA U127.51.+1.91 .801 CTGp. 5425 +.52 .t -'VER' .'16.59 -.11 C M- ,E-j 1369 +.01 i Pr ,' ', . j- u, C i ir" "I "- .48 "-CSSInds 29.66 +.13 .52 CSX 55.24 +.64 .15 CVSCps 30.40 +.28 ... CablvsnNY 26.48 -.16 .28 CalGolf 16.41 +.27 .161 Camecogs 34.21 +.37 .72 .CampSp u32,00 +.20 i,it Cd.'irn,.4: 45"' +.14 301 C"elih:g: i +.16 .11 CapOne u89.92+.402 1.96a CapicSme 23.95 +.13 1.26 CapMpfB 12.70 .24 CardnlHith 72.53 +.50 ... CaremkRx 49.50 -24 1.00 Carnival 49.55 -.28 2.00 CanrAmR 44.30 -.09 1.00 Calerpils 70.95 -.45 ... Celeslcg 11.02 -.03 1.18e Cemex 59.75 +.49 .111 Cendanl 1642 +.15 .60f CenterPnt 12.74 +.17 .16 Cenlex 62.02 +.28 25f CntyTal 36.91 +.46 ... ChmpE 14.43 +.13 .01 Checkpnt 25.90 -.10 .20 Chemtura 10.52 +.12 .20 ChesEno 3000 +.26 1.80 Chevron .54.08 -.37 .12 ChcB&Ieslf 24.44 +.29 ... Chicosi 38.50 +.74 1.48e ChungTel 18.89 -.15 .16 Cimarex 40.00 +.17 ... CinciBell 4.16 +.07 1.92 CINergy 43.76 +.09 .07 CircCity 24.50 +.45 1.96f Ciro 46.99 +50 1.00 CitzComm 13.64 +.19 .40a ClalresStrs u34.45 +1.42 .75a ClearChan 28.83 +.08 1.161 Clorox 61.81 -.26 Coach s 36.50 +1.17 .24 CocaCE 20.22 +.32 1.24f CocaCI 42.77 +.37 ... Coeur 5.71 +27 1.28f CodPal u57.72 +.44 .62a Collntln 8.17' +.08 2.361 Comedca 56.40 +.39 .48f. CmcBNJ 34.77 +.31 1.13e CVRD 43.25 +.97 .83e CVRDpf 38.10 +1.11 CompSd 55.85 +2.47 1.09 ConAgra 20.82 +.06 1.441 ConocPhils 5907 -07 Conseco u25.39 +.08 .56 ConsolEgy 63.35 -.62 2.301 ConEd. 44.65 +.26 .. ConstellAs 27.32 +.65 1.51f ConstellEn 54.76 +.18 ... CAirB 24.79 +.52 ... Cnvrgys 17.40 +.02 ... CoopCaams 39.01 +.02 Coming 25.26 +.35 .0e 'CorusGr 12.90 +.25 .60 CntwdFn 34.89 +.51 ... Coventys 56.79 -.07 123e CredSuss 54.62 +1.11 'CrwCstle 30.19 -.16 .. CrownHold 18.74 -.01 S120 Cummins 104.66 +1.24 .. CypSem 17.00 -26 .78 DNPSalctd '10. 96 +.08. 1.001 DPL 27.25 +.31 .401 ORHortns 37-11: .6 2.06.-DTE v .16 1.93e ..almlrC' : .1 1 .08 Danaher 61.30 +.08 .40 Darden 4083 '-.16 1.56 Deere 74.97 +.47 .16 DelMnte 11.00 1.60 Deluxe d23.89 -.22 ... Denburys 26.76 +.08 .451 DevonE 56.84 +.14 2.12e Diageo u63.85 +1.57 .50a DiaOlifs 77.39 -.02 ... DirecTV 15.58 +.06 271 Disney 28.16 +.07 .18 DollarG 17.43 +.20 2.761 DomRes 71.41 -.24 .32 DoralRnlf 10.60 +.35 .68 Dover 4671 -.05 1.501 DowChm 42.79 +.22 ... DnwksA 25.65 -1.21 1.48 DuPont 40.90 +.59 1.24 DukeEgy 28.11 +.02 1.83a DukeRlty u36.76 +.25 2.10 Duq pfA 35.00 -.47 1.00 DuqUght 16.81 +.13 ..Dynegy 5.01 +.25 ETrade 24.34 +.35 .18l ECCCap d1.15 -.07 ... EMCCo 14.16 +.05 .241 EOGRes 65.48 +.18 1.76 EastChm 51.06 +.69 .50 EKodak 28.99 +.46 .40 Ecolab 39.25 +.41 1.08 Edisonint 42.55 +.44 .16 FJPasoCp 12.02 +.04 Elan 14.56 -.76 .20 EDS 26.70 -.06 1.78 EmrsnEI u84.50 +.69 1.28 EmpDisi 21.97 -.03 3.70 EnbrEPtrs 43.50 -.15 .30 EnCanas 42.86 +.06 .91e Endesa 33.02 +.48 ... EnPro 32.76 +.56 .10 ENSCO .45.37 +72 2.16 Entergy 70.93 +.64 .76 Eqtyinn u16.52 +.11 2.00 EqOffPT 33.88 +.04 1.77 Eq,r':.i 45:11 +.37 .40 E.,-iWL. 37.11 -.03, 1.60 E..:i.:.r. 55.48, +.80 *i 5,?i F+L ,.. : "19 -. ",:, E - rnl : I- 1n .421 FanDIr 25,51 + 50 1.04 FannieMI 53.93 +.26 .32 FedExCp 112.01 -.34 24 FedSignl 17.73 +.29 1.00 FedrDS 71.88 +.59 .60 Fedlnvst 37.70 +.13 .60 FelCor 21.80 +.31 2.00 Ferrellgs 21.73 +.01 .58 Fernol 19.36 +.30 .24 RrstData u46.91 +.60 4.12e FstRnFd 16.11 +.01 1.80 FstHorizon '39.14 +.30 .48 FstMarb 43.95 -2.30 1.60 FTrRFid 18.60 -.04 1.801 FirstEngy 49.43 +.19 R... shrSci 67.78 -.06 .60 RaRocks 55.94 +1.09 .801 RFluor 81.73 +2.73 .40 FordM 7.84 +.09 ... ForestLab 45.50 +.62 ForestOils 32.99 -.32 1.44 FortuneBr 79.55 +.69 .20 FdtnCoal 35.82 -.25 .48f FrankRes 97.25 -.05 1.88 FredMac 63.89 -.12 i -i FMCG ,. ii +1.76 F n)..- : i; -.21 y':6 1. -.11 ..0o FriedBR 9.13 +.13 .16a FrontOils 4928 +.75 .841 GATX 38.71 +.24 .76a GabelliET 8.35.-.01 S GarneStp 38.80 +.55 1.16 Gannett 61.70 +1.11 .18 Gap 18.01 +27 ... Gateway 2.18 +.01 ... enentch 81.74 -.46 1.60 GenDyn 126.30 -.61 1.00 GenElec 33.65 +.45 1.64 GnGrthPrp 48.53 +.06 1.361 GenMills 48.85 +.03 1.00m GnMotr 2164 +.30 1.31 GMdb32B 16.12 +.36 .30 Genworth 33.65 -.07 .71e Gerdaus 22.86 +.14 Glamis 27.13 +.92 1.57e GlaxoSKIn .54.40 +.40 .1.40 GlenRT 20.80 +.63 S... GlobPwr d3.79 -20 .90 GlobalSFe 54.85 -.05 13e GolLnhassa 2.52 -1.58 .13e GoidFLtd 19.00 +.29 .18 Goldcrpg 26.39 +.75 .32 GoldWFn 69.61 +.94 1.00 GoldmanS 141.53 -.17 .80 Goodrich 41.26 +.18 ... Goodyear 13.18 +04 GrantlPrde 3742 +.85 1.66 GthPlainEn 2.15 +.04 1.121 'GMP 27.64 +.23 ... Griffon 24.37 +.77 .71e GuangRy 19.46 +.31 .40 Guidant u77.54 +.19 .68f HCAInc 46.54 -.52 .601 Hallibtn 67.00 +.95 1.03e HearJS 14.35 -.05 .55 HanPtDiv 8.50 +.05 .68 HanPtDv2 11.70 +.01 ... Hanover 15.54 +.20 Hanoverlns 49.67 -.35 1.77e Hanson 61.25 +125' .72 HarleyD 50.77 +.67 ... HarmonyG 12.97 +.07 1.45 HarrahE 73.20 +1.53 .32 Harris s 43.8'9 -.14 1.601 HartfdFn 81.55 +.36 .481 Hasbro 20.85 +.05 1.24 HawaiiEl 26.80 -.01 2.561 HItCrRErrIT 36.68 +.23 .24 HItMgt 21.84 +.19 2.64 HMitaRlly 38.03 +.06 ... HeaithNet 48.39 -.01 ... HeclaM 5.10 +.19 1.20 Heinz 38.18 +.05 ... HellnTel 10.72 -.02 .33 HelmPay 60.96 +.12 .98 Hershey 52.42 +.27 ... HewittAsc 28.54 +.45 .32 HewlettP 32.99 +.23 ... Hexcel 20.11 -.15 1.70 HighwdPf u33.45 +.55 .16 Hilton 23.35 -.13 .601 HomeDp 41.25 +.61 .911 HonwllInl 42.14 +.87 ... Hospira 40,90 +.48 2.92 HospPT u46.34 +.56 .481 HostMarr' 20.21 +,11 ... HoustEx 50.29 +.25 ... HovnanE d42.80 +.91 .36 "...r,',. 46.30 +.01 i... vy.Tr, 5029 +1.38 .. Hunsmrn 20.09 +19 .39p ICICIBk 29.95 +.53 .121 IMS Hlth- 24.73 +.11. .5Me iShBrazil 39.50 +1.06 .06e iShJapan 13.68 +.16 .14e iShTaiwan 12.41 +.10 2.14e iShSP500 128.75 +1.05 2.81e iShREsts u71.80 +.78 .50e iShSPSmls 61.99 +.91 2.93 iStar 38.69 -.11 .441 ITTlndss 52.35 +.34 1.20 Idacorp 31.68 +.37 1.32 ITW' 91.56 +1.72 .46 lmsllxn 40.37 10 .50 MCR 8.36 .421 Nsrdstan o 41.22 1.09 .48 Imafon 43.37 +.19 .50f INCO 46.87 +1.14 .. Infineon 9.50 +.11 .64 IngerRds 41.63 +.94 IngrmM 19.71 +10 ... ntcnExn 'u67.14 +3.15 .80 IBM 81.57 +.55 .50 InlGaeme 35.05 +.10 1.00 IntPap 34.21 +.97 ... IntRect 38.90 +.21 ... ISE u48.35 +1.20 .Introublic 10.10 +.19 2.69 IntpubpfA 38.45 +.45 ... InvTech 49.50 +1,89 .. IronMtn 41.90 +.30. .041 JLG 54.74 -1.12 1.36 JPMorCh 41.13 +08 .. Jabil 37.0 -.48 1. Jacobs 81.76 +2.24 .04 'JanusCap 21.76 +.42 1.67 JefPilot 58.43 +.41 1.32 JohnJn 59.04 +.73 1.12 JohnsnCtl 73.62 +1.44 .48 JonesApp 29.65 +.38 1.00 KB Homes 63.24 +1.06 1.46e KTCorp 20.50 -.10 .48 Kaydon u37.05 +.17 1.11 Kellogg 45.28 +.14 .64 Keltwood 27.80 +1.70 .20 KerrMcG .92.75 -.15 1.381f Keycorp 36.70 +.27 1.86f1 KeySpan 40.90 -.02 1.96f1 KimbCk 58.60 +.41 1.32 Kimcos u38.18 +.57 3.201 KindME 46.73 -.11 ... KngPhmn 17:94 +.05 ... Knrossg 9.19 +.20 1.48 KnightR 65.00 +2.34 ... Kohs 50.79 +.76 Kokmin 73.65 +1.02 .92 Kraft 30.57 +.48 ... KrspKrmnlf 7.95 -.16 .26 Kroger 20.50 +.32 LG Philips 21.93 +.19 ... i.LER 2.25 -.02 .. L',IL.:. j 10.31 +.15 1.44 LT.'.Pp, 22.59 +.23 .44 LaZBoy 15.76 +.21 1.401 Ladede 32.90 +.20 .. LVSands 52.57 -.83 LeapFrog 10.86 -.19 1.i0 Lea-Corp 17.86 -.43 .72 LeggMason125.14 -.72 .961 LehmBr 142.14 +.69 .64 LennarA 56.31 +1.14 .59e LbtyASG 5.57 +.02 ... UbtyMA 8.21 +.01 1.601 Ullyi 57.25 +.17 .60 Umited 23.54 +.40 1.52 UncNat 54.60 +.46 .24 ULindsay 23.14 +.23 Li.. UonsGtg 9.19 -.13 ...LiveNatnn 18.08 -.03. 1.20- LokhdM 74,33 +.74 S.60 Loews 95.04 +.38 "LoneStrch 47.55' .10 1.001 LonigvF 24.77 +.30 .601 LaPac 25.69 +.27 .24 LowesCos 65.40 .. ... Lucent 2.83 +.01 .90' Lyondell 19.45 +.45 1.80 M&TBk 112.31 +.90 .76 MDURes 33.29 -.03 ... MEMCIf 34.06 -.39 .50 MCR 8.36 .56f MSCInd 44.11 +.11 .03e Madeco d7.67 -.33 1.52 Magnalg 73.50 +.62 .49 MgdHI 5.98 1.401 Manullfg 64.04 +.24 1.32 Marathon 69.50 +.69 .. MarinerEn 18.70 +.25 .42 MarintA 67.93 -.42 .68 MarshM 30.44 -.21 .96 Marshlls 43.60 -.65 MStewrt 16.60 +.22 .80 Masco 31.12 +.50 .16 MasseyEn 34.44 +.72 .. MateralSc 12.47 +36 .501 Mattel 17.10 +.24 .MavTube 44.75 +.76 Maxtor '18.77 -.15 .36 Maytag 17.31 +34 .67f McDnlds 34.65 +.12 .731 McGrwHs 54.90 +.01 .24 McKesson 53.88 +.86 ... McAfee 24.49 +.46 .92 MeadWvoe 26.73 +.27 ... MedcoHoh 58.68 -.24 .39 Medltmic 53.92 +.09 .80 MellonFnc 36,04 +.64 1.52 Merck 34.76 +.25 :. MeridGd 24.56 +.33 1.001 MerillLy 77.75 +.71 .52f MetUfe 49.63 +.48 .40 Michaels 33.18 +.29 ... MicronT 14.47 -.05 2.38 MidAApt 55.85 +.40 .. Midas 21.08 +.02 ... Milacron 1.39 +.04 Millipore 69.75 -.30 2.51 MillsCp 40.15 +.15 Mirantn 25.65 +.37 .08e MisuUFJ 14.39 +.26 .501 MittalSl 33.72 +1.07 1.02e MobileTel 35.84 -.29 1.28 MolsCoorsB 68.26 -.01 .801 Monsnto 83.92 +1.38 .30m Monlpeir d1631 -.08 .281 Moodyss a 67.55 +.70 1.08 MorgStan 59.12 +.46 1.40e MSEmMkt 24.36 +.25 .16 Motorola 20.88 -.40 .61 MunienhFd 11.01 +.05 .45 MurphOsa 46.55 +.25 .24 MylanLab 22.94 +.04 ...NCRCp 39.78 -.16 NYSEGon 74.55 -1.55 ... Nabors 63.90 -.33 1.48 NalCity 34.39 +.41 1.16 NatFuGas 31.63 +.25 2.27e NatGdrid 51.53 +.33 ... NOlVarco 57.30 +.30 .12 NatSemi 27.12 -.06 .21a NewAm 2.15 -.01 7.001 NwCentFn 39.65 +.87 1.44 NJRscs 43.70 +.23 125a NPlanExl -'-:- +.23 1.00 rJi i r,i if:..v +.06 .66 hii r,,: 27.37 +.44 .84 NewellRub 25.45 +.44 N...-Nwfaps 36.92" +.'36 .40 NeawmtM 48.61 +.82 .. NwpkRs 7.30 +.08 .17e NewsCpA 16.69 +.17 .13e NewsCpB 17.59 +.04' .92 NiSource 20.30 +.25 1.86 N'cor 41.34 -.13 1.24 NikeB 84.99 -.36 .16 NobleCoip 74.92 +.29 .20 NobleEn s 39.09 -.09 .45e NokiaCo u20.08 +.28 .421 Nordsms 41.22 +1.09 .641 NorlkSo 50.83 +1.48 ,... NortelNet 3.02 -.07 1.00f NoFrkBc 25.40 +.17 .70 NoestUt 19.43 +.18 3.20 NoBordr 47.20 +.30 1.04 NorthropG u66.95 +1.35 .89e Novais 55.12 .+,91 1.21f NSTARs 28.47 -.03 .801 Nucor u95.08 44.98 .75 NvFL 14.25 +.10 .81 NvlMO 14.95 -.11 1.33 OGEEngy 28.00 +.19 OM Group 19.68 -.17 .401 OMICp 18.16 +.37 1.44 OcciPet 90.12 +.14 OffcDpt 35.87 +.46 ... OilStates 33.12 +.82 .80 Olin 20.82 -.06 .09 Omncre 59.65 +.09 1.00 'Omnliom 81.60 +.20 ...OreSt" 44.37 +1.19 .401 Ohshkshs 57.62 +1.14 .52 OutbhkStk 42.56 +.17 ... Owenslll 18.40 +.11 1.32 PG&ECp 39.31 +.30 21 PMIGrp u44.51 +.75 2.00 PNC 69.98' +.39 .88f PNMRes 23.47 -.04 .48e POSCO u62.05 +2.71 1.88" PPG 61.32 +.42 1.101 PPLCps 30.78 +.46 .48 PXRE Grp 3.21 .44 PallCp 28.05 +.02 .92 ParkHan 79.00 +.62 .PaylShoe 21.40 +.15 241 PeabdyEs '46.21 +1.16 3.00 Pengrthg 22.70 +.26 2.801 PenVaRs 57.29 +1.29 .721 Penney u61.93 +1.10 .27 PepBoy 15.14 +.17 .32 'PepsiBott 29.63 +.11 1.04 PepsiCo u60.34 +.34 .501 PepsiAroner 24.20 +.19 1.41e Prmlan 14.87 +.11 2,36e PetrbrsA 77.28 +1.49 2.36s Petrobrs 84.63 +1.31 .96f Pizer 26.08 -.11 1.50a PhelpD 137.32 +4.42 .961 PiedNG 23.73 +.18 .40 Pier1 10.43 +.33 .09 PilgdrimsPr 22.25 -.10' .89 PimcoStrat 11.53 +.04 -.24 PioNri 39.23 -.75 128f1 PitnyBw. 42.22 +.55 ... PlainsEx 37.20 +.11' 1.601 PlumCik 36.54 +.18 .301 PogoPd 46.86 +.06 1.80 PostPrp 44.88 +.78 .60 Potash 88.34+1.61" 1.001 Praxair 55.06 +1.61 .12 PrecCasts 53.56 +.70 I. 1, J I,' 1:1 1 1:1 1 i" ,,..r .t.,' i ", I I .,I f,,',l_.... y'; -r u : 1.44 ProvETg 10.77 +.14 .781 Prudent 76.04 +.42 '2.28f1 PSEG 67.47 +1.16 2.00 PubStg 82.98 +.44 1.00 PugetEngy 21,08 +.04 .16 PulteHs 36.61 +.61 .38a PHYM 6.94 -.02 .49a PIGM 9.62 +.03 .36 PPrIT 6.12 +.01 1.00 StaltnCas 71.94 -.29 .62 Quoanex 61.94 +2.24 .16 Stedrs 24.64 +.38 .. QuahtaSvc 13.71 +.17 ... sTGold 53.84 -.40 .401f QstDiags 52.00 -.03 .11f Stryker 46.34 +.89 .90 Questar 68.22 +.16 ... SturR 7.08 +.07 ... QkslvRessa 34.36 +.37 2.45 SubPpne 28.28 -.07 1 ... Quiksiivrs 13.63 -.51 2.52 SunCmts 36:40 . ... QweslCm 6.48 +.08 .24 Suncorg 73.03 +1.93 .64 RPM 17.79 +.04 1.001 Sunoos 76.43 +55 .25 RadloShk 18.81 -.05 ... Suntechn 33.90 -.62 ... Ralcorp 38.60 +.50 2.44f SunTrst 72.78 +.85 .08' : 23.43 +.24 ... SupEnrgy 24.47 +.24 .48 Riim. f., 43.26 +.55 .64 Supernd d19.98 +16 1.88 Rayonlers' 43.29 +.30 .02 SymblT 10.65 -.30 .88 Raytheon 44.32 +18 .781 Synovus 27.24 +.03 1.40 Rhtylnco 23.86 +.26 .68 Sysco 30.33 +.33 1.40f RegionsFn 34.90 +.39 .. TAMSAn 19.10 ... .3 RelloalEn 10.0' -.03 .921 TCFFecI 25.29 +.24 .65e Repsol 27.66 +.04 .88 TDBknorth 30.60 -.08 .56 RepubSv u40.28 +.89 .76 TECO 16.18 +.08 ... RtallVent 13.00 +11 .24 TJX .25.06 +.20 Revlonrt d.01 -.03 .1.65 TXUCps 48.53 +.03 ..Revlon 3.00 -.07 4.06 TXUpfD 7.82. +07 RIteAid 3.98 .. .32r TalwSemi 9.64 +24 .90 RockwlAut u70.35 +24 .34 TallsmEg 51.90 +.36 .48 RockColl 52.44 -+.59 .40 Target 53.31 +.56 .24 Ropers 45.00 +.14 1.36r TelNorL 17.75 +.19 .32e Rostele 18.18 + .47 2.99e TelcNZ 28.21 -.02 .25e Rowan 38.01 -.23 -1t. TelMexLs 22.45 .06 .60 RylCarb 43.09 +.33 :'1- TelspCel 4.79 +.01 2.23 RoyDShAn 61.43 +.62 1.00f Templeln 42.36 +.67 . 1.62e Royce 20.64 -.11 ... TempurP 12.52 +.19 .48 Ryland 65.71 +.88 ... TenetHt .7.27 +.01 _" 2.70 Teppco 35.98 +33 Teradyn 15.72 +.21 1.681 SCANA 40.07 +.40 .. Terex If 70.00-459 1.13e SKT 23.29 -.18 ... Terra 7.00 +.07 -.88 SLM4Cp 5.42 -.55 2.30e TerraNitro 22.50 +.42 .12e STMicro 16.86 +.17 .40 Tesoro 61.16 +1.24 SfgdSci 2.11 +10 ... TetraTs 40.36 +2.32 . Safeway 24.33 +32 .12 Texinst 30.77 -.05 .64 SUoe 58.26 +1.44 1.55f Textron u89.83 +.78 ...' SUde 46.51 +73 ... Thragen 3.21 +.01 .92 StPaulTrav 42.32 +.19 ... TheroE u35.28 +12 4.00e Saks 18.64 +.34 ... ThmBet 49.97 +.36 Salesfore 37.83 +.32 .28f Thorlnd u52.65+1.65 1.04 SalEMInd2 13.51, -.04 1.84f 3MCo 72.32 +.52 .22e SalmSBF 15.53 +.09 .60 idwr 49.64 .16 3.47e SJuanB 37.84 -.20 .32 Tiffany 36.45 +.20 .09e Sanofi 43.87 +.59 .20 TimeWarn 1720' +.06 .79 SaraLee 17.80 +.24 .60 Timoken 30.21 +.59 .22 SchergPI 18.05 +.05 TanMtOs 41.74 +1.91 1.001 Schlmb 116.87 +2.12 1.0e Todco 34.37 -.26 1.66e ScottPw 39.59 -.01 .40 T,:..i.:r,r, 28.20 -.45 " .32 SeagaleT 24.28 -.22 .. ,.%.i,.-. :. 31.39 +.60 1.20f Semprain 46.51 +70 ... THifiger .16.44 -.05 .60 Sensient 17.44 +.22 .78e TorchEn 7.91 -.08 1.00f Sherwin 44.75 +.54 .44 Trchmrk 56.31 +.64 2.24 Shurgard 67.33 +.49 1.76f TorDBkg "F- +.50 4.97e SIderNac 29.73 +1.42 3.82e Total SA 5i t' .+1.00 ... SierrPac 13.48 +.22 '24 TotalSys 19.85 +.19 3.041 SimonProp 83.29 +.74 1.72 TwnGoty 40.50 +.07 ... SixFlags 10.60 +.16 ... Transocn 76.15 +.96 .54 SmihAO 48.64 -'i I, Tii ,1. I,.14 \' .32f Smbhlnts :i n iA 'I T':' I, it S... oletm i,.. ')" ". T,',u : :' * S Sothbys 23.35 I a T.,',-.i ; n * 1.49 SouthnCo"-.33.27 -lu 1i t ,, ii6.4. .)i 8.40e SthnCopp 79.85 + 4 i r1, u-ii-,-i X,.1, 1 1.251 SoUnCo 23.75 +18 2.54e' UBSAG 106.26 +2.69 .02, SwstAil 17.13 +.10 2.86 UILHold 47.95 +.26 ... SwnEngys 29.33 -.16 ... USAinwyn 33.26 +.41 24 SovignBcp 21.21 +51 ... USEC. 11.50 +.13 .10 ip,,,.iltv. '. :'A ... vJUSG 87.75 +3.41 .16 i:r,3, t.,.1 .:. 2.28f1 USTInc .40.52 -.54 .84 Standex 30.72 +.40 2.12e UUNiao 79.35 +1.91 .84 Starwd..O 64.55 +.86 .15 UniFirst 33.77 +.60 .761 StateStr 61.45 -.40 2.37e UnilevNV 69.79 +56 1.20 UnlonPac 85.76' +.82 ... Unisys 6.61 -.02 1.20 UDomR u27.42 +.11 .01r UtdMicro 3.17 +.07 .52f UPSB .77.36 +.66 .32f USBancrp 30.68 +.24 .40 USSteel 57.17 +2.12 .88 UtrdTechs 57.82 +.42 .031 Utdhiths 56.17 -.17 UnivCmpr 41.85 +.85 ..UnMislon 34.18 +1.26 .30 UnumProv 20.66 +.19 1.16 VFCp 54.58 +.92 .31 ValeantPh 19.50 -.03 .241 ValeroEs 53.54' +.28 VaianMed 53.84.-2.47 ' 1.22 Vectren 25.76 +.11 ... VeritDGC 43.46 -.20 1.62 VarizonCm 34.19. +.61 ... ViaoemBn 38.85 +57 ... VimpelCm 41.80 -.66 ... Vishay 13.50 -.46 ... Visteon 4.40 -.07 .76e Vodafone 21.52 +.10 3.20 Vdmado u94.84 +2.29 .... WCICmts 25.76 -.05 .18 Wabash 19.10 +.09 2.04 Wachovia 55.35 +.10 .67f WalMart 4U.33 +.09 .26 Waigm 45.45 +.65 2.00f WA Mud 42.25 +.36 .88 WsteMInc 33.87 +.20 WatsnPh 29 .. ... Weathflnts 42.80 +.57 .18p WWatch 50.54 +.22 1.86f WeinRit 40.53 +.53 .20 Wellmn 5.94 +.35 .. WellPoints 77.43 +.40 2.08 WelsFrgo 64.25. +.34 .68 Wendys 62.62 +2.06 1.001 WestarEn. 21.26 '+.02 .66a WAstTIP2'" 11.64 ... ... WDii 1880 -.45 2.00 Weyerh' 70.88. +.85 1.72 Whrdpl 86.00 .31 1.62e WilmCS 19.04 +.74, .30- WmsCos 19.96 +.14 " .36 Winnbgo 32.51 -1.32 .,i WiscEn 39.82 +.53 tc' Wo% i ho 19 '22 St? Wrigley- r. 66.75.'.4l4v.hn'0:.l ,'i Wyeth 48.9 +wo+-.)9'oujio ,r XLCap 66.60 -27 "3 .30b XT'OEgys 40.04 -.22 '." .86 XcelEngy 18.19 :+.08'"* ... Xerox. 15.03 +.03 .50f YankCdl 28.21 +.20 .46 YumBrds 48.78 -.22' ... Zmmer 67.85 +.53 -.53 ZweigTll 4.82 +.01 AMERICAN STOCK EXCHANGE Div Name Last Chg .42 AbdAsPac 6.10 -.02 Ableauncn 35 -.01 .37f AdmRsc 2529 +:19 AmOrBion 4.74 -.06 ApexSilv 23.40 +1.00 ApoloGg .60 -.03 Aurizong .2.12 +.15 BPIEngyg d2.02 -.08 .. BemaGold 413 +.01 BirchmhMtgn 6.50 ... CalypteBh .19 -.01 Cambiorg 3.04 +.07 ... CanArgo 1.12 +.09 .01 CFCdag 7.62 -.01 .321 ComSys 12.10 +.02 ... CortexPh 3.85 +.10 .. CovadCmn 1.64 -.02 .. Crystalxg 2.98 +.14 .. DBCmdtyn 22.85 -.10 223e DJIADiam 110.85+1.14 DesertSng 5.16 +.08 ... EagleBbnd .09 .81 EVInMu2 15.05 -.03 .. EIdorGid 4.26 +.11 .31e BlswthFd 8.03 -.04 .20a EmpireRs 18.20 -.55 EuroZgn 1.42 -.03 .43a FTrVLDv 14.43 +.11 ... FIveStar u1123 +.68 .41 RaPUtils 14.44! +.12 .. GamLkg 16.50 +.67 ... GascoEngy 5.05 -.06 ... GastarEgn 4.22 +.11 GlobeTel nh 3.23 -.25 ... GoldStrq 3. 03 +.06 .. GrevWoff 6.59 -.05 .. Harken .63 +.01 .. Heiispx 2.97 +.05 HomeSolh 6.46 +.21 Hyperdynn 2.80 +.62 i.. -Traxh u3.60 +.36 iShCmxG 53.90 -.45 .67e iShAstla 19.47 -.05 .15e iShCanada 23.16 +.16 .12e iShGerm 22.01 +.32 .48e iShMexico 36.80 +.17 1.97e iShSoAfr 104.54,+179 .99e iShEmMkts 94.655+1.95 4.28e iSh20TB 88.28 -.33, 325e, iSh7-10OTB d81.75 -.16 1.11e IShEAFEs 62.70 +.88 .03e iShGSSem 63.04 -.21 .. iShGSNet 35.29 +.19 .. iShNqBio 82.76 +.46 1.70e iShR1OOOV 72,29 +.53 .45e IShRlOOOG 52.01 +.44 1.16e IShR2000Vs71.44 +1.07 .33e iShR2000G 75.55 +,99 .88e iShis2000s72.32 +1.10 IntlgSys 2.62 .... InNAP .73 +.07 .84e InlntHTr 56.39 +.28 ... Isolagen 2.40 +.17 ... KFXInc 18.53 -.03 ... LadTialFn .93 +.08 .. Medicureg u1.79 +.11 ... Meimac 9.25 +.05 .. MetroHth 2.07 +.01 .. Miramar 3.22 +.09 ... Mpower 1.50 +.06 ... NatGsSvcs 16.90 -.20 NOriong 3.78 -.04 ... NthgtMg 2.22 +.04 ... NovaDel 1.79 +.14 ... NovaGldg 12.12 +.03 ..83e OilSvHT 134.36 +.95 ... On2Tech .79 ... PacRim .71 -.01 ... PainCare 2.88 +.13 ... Palatin 2,84 -.09 .. PeruCopgn 2.76 -.13 2.40 PetrofdEg 20.39 +.35 ... PionDril 13,82 +38 .08p PwSIntDvn 16.22 +.10. .03e PwSWtrn 17.33 +.16 ... Prvena 1.13 ... Qnstakeg .28 -.01 5.02e RetailHT 97.51 +.88 .27e SemiHTr 35.93 +.01 ... 'SivWhtngn 8.92 +.26 1.25e SoflHTr 37.32 +.26 2.14e SPOR 128.59 +1.21 i.40e SPMk 140.12 +1.30 .63e SPMatls 31.31 +55 ..40e SPHIthC 32.43 +.12 .45e SPCnSt u24.15 +.22 .33e SPConsum 33.36 +.31 .57e SPEngy 51.39 +.28 .71a SPFnd 32.64 +.29 .49e SPInds 32.85 +.34 .14e SPTech 21.72 +.10 1.0le SPUtil 31.71 +.20 .:. Stonepath .65 +.04 ... sTHomen 42.54 +.56 .. SulphCon 7.30 +.25 ... TanzRygn 6.38 +.18 .. Taseko 1.66 -.04 1.33e TelcHTr 29.84 +.23 .. TitanPhm 3.72 +.17 ... TrnsmrEn 5.04 +.24 .. UltraPtgs 62.81 +.26 VaacoE 5.90 -.30 ... WSilverg 19.71 +.73 ... Wstmnd 24.00 +.55 ... YMBog 5.66 +.20 .. Yamanag 8.70 +.20 NA S 5NAIONA! MAKE Div Name Last Chg ... ACMoore 16.42 -.16 .. ADCTelrs 23.66' +.06 .. ASETst 9.08 -.10 .. ASMLHId 19.94 -.15 ATITech 1445 +06 .. ATPO&G 39.44 -.12 .. ATSMed 2.67 +.03 ... AVIBlo 6.43 +.39 ... Aaslom 1.67 -.01 .. Abgenix' 22.30 ... ... AccHme 48.19 +.91 ... AeCmr 3.88 +.28 .. Actvisns 1191 -24 20 Acxion u26.17 +.17 ... Adaptec 5.82 +.04 AdobeSys 3721 -.23 ... AdolorCp 25.96 +.53 .36 Adhran 26.73 -1.21 ... AdvATchn 12.40 -.29 ... AdvEnld 13.60 -.19 .45 Advanta 31.88 +1.04 .54 AdvantB 34.18 +1.02 ... Aroflex 12.66 +.37 ... Afymt 30.39 -.48 AgoleSft u7.38 +.06 ... AkamaiT 25.53 +.24 1.52e Akzo 51.35 +.78 .. AlancoTch .60 +.05 .861 AlaskCom 11.08 -.07 .60a jAldia 30.85 +.52 ... Alexion u38.40 +1.15 ... Alkerm 24.93 +.35 .. AlliFibO 1.81 -.10 ... AlltonHlnh 12.74 -3.06 .. Allscripts 18.70 -.16 ... AltairNano 3.55 +.13 ... AlteraCp 19.84 +.10 .. Amazon 38622 +.10 ... edsy 3323 +.83 n.arBio .92 +.05 .. AmrBiowt .20 3.201 AmCapStr 35.57 +.34 .30 AEagleO 29.43 +.58 ... AmPharm 29.31 +1.06 .40 APwCnv 20.65 +.07 .03p ARa.car n 29.2 -2.09 ... Armen 7349 -09 ... hAikorT 8.49 -.01 ... Amylin 41.75 +.05 .. Anadigc 5.43 -.25 .40 Aniogic U63.50 +1.14 ...Anaysts 2.68 +.12 ... AnlySurh 1.62 +.07 .. Andrew 12.79 +.08 ... AndrxGp 21.59 +.43 .61e AngloAms 17.20 +.25 .. ncs 6.09 -.03 ... ApooG 51.98 +1.01 1.80f Apollolnv 18.25 +.25 ... AsleC 6319 -.74 20f Applebees 24.28 +.26 .. AppldDigl 2.57 -.01 .. Apldlnov 4.10 .12 ApddMal 17.79 +09 .. AMCC 3.89 .. aQuantive 24.01 -.33 .. ArenaPhm 19.85 -.03 .. AriadP 7.00 +.13 ... Anba nc 10.37 +.07 .t ArkBest 41.95 +.86 .01 ArmHid 6.90 +.05 ... otech .43 .. Aris 12.17 +.08 ,, ArtTech u332 +.05 ... Artesyn 10.92 +.01 ..ArthroCr 43.11 -.97 .. Ashwrth 8.36 ... Asialnfo 4.62 +,19 ..AspenTc u12.81 +.38 1.08 AssedBanc 33.65 +.25 ... AsytTh 10.59 +.49 AtRo= 5.01 +.01 ... Atari .76 -.01 ,, AwirGno 1534 +.34 ... Atheros 24.00 +.50 ... Amel 4.36 +.07 ..Audible 10.80 +.30 .. Audvox 1..94 -.23 ... Autodesk 37.82 -.18 ... Avanex 2.39 +.12 ... Avantlmm 1.94 +.13 ... AvidTch' 45.60 -1.42 ... Aware 6.10 +.69 ... Axcelis 6.56 +.01 .. Axonyx 1.12 +.03 .. BE Aero 24.25 +.67 BEAyvs 11.82 +.21 ielu ,', 49.10 +.78 .. Bankrate 36.96 +1.46 ... BeaconP 1.57 +.05 25 BeasleyB 10.72 +.05 .16 BebeStrss 17.69 +.36 ... BedBath 36.78 +.01 ... BellMic 6.24 +.14 .28 Big5Sprt d19.38 -.85 ... iocryst 20.00 +.39 ... Bioaenldc 47.78 +.24 ... BioMarin 12.56 +.17 .25e Biomet 35.37 +.27 .. Biopurers 1.25 +.05 .48 BobEvn' 28.82 +.40 ... Bookham 828 +.14 ... Borland 5.37 +.17 ... BostnCom 1.85 -.01 ... BrigExp 8.21 ... Brghpnts 27.49 +.19 Broadcms 44.13 -1.44 .. Broadwing 12.21 +.26 BrodeCm 5.55 -.04 ... BrooksAut 14.27 +.06 .80f BldgMat 68.66+3.07 ... BusnObj 36.95 +.48 C.. C-COR 7.03 +.19 .52 CBRLGrp 43.96 -.16. ... CDCCpA 4.33 +.01 .431 CDWCorp 56.94 +.57 .52 CHRobns 44.85 +.77 ... CMGI -1.48 +.03 .. CNET 13.12 -.07 .. CSGSys 22.84 +.30 .. CVThera 25.08 +.51 ... CabotMic 32.78 -.22 .. Cadence 18.08 +.14 ... CalMtor 6.40 +.03 .65 CapClyBks 34.70 +.19 ... CpstnTrtb 3.14 +.01 CareerEd 34.49 +.36 .18 Caseys 23.06 -.16 C,.. Cbeyodn 12.33 +.36 clgenes 38.95 -.22 .. CellGens 7.02 +.11 .. Ceolrrera 1.88 -.05 ... CEurMed u67.93 +2.83 ... CentAl 35.47 +.32 .. Cephin 81.44 +.59 Cepheid 8.67 +.17 .. Ceradyne 55.40 +1.20 .. Comers 43.62 +.11 ... CeusCp 9.07 -.47 ... ChariRsse 18.95 +.02 ... ChrmSh 1326 +.07 ... ChartCm 1.00 -.02 ... ChartSemi 8.75 +.15 ... ChkPodnt 21.12 +.16 ... ChkFree 47.25 +.24 .. Checkers 14.75 +.07 ... Cheesecake 35.80 +.10 ... ChildPic 50.40 +.15 ... ChinaMedn 26.85 -.42 ... ChinaTcFn 11.61 +.11 ... Chiron 45.33 +.07 .. Chordnt 3.44 +.10 .50 Chrchl[D 40.20 +.58 CienaCp 4.72 +.15 .35f Cintas 42.17 +.17 .. CiphBio 1.72 -.07 ... Cirrus 7.66 -.05 Cisco 2082 +.38 ... CtadelSec .56 -.05 ... ClixSy 32.35 +.18 CleanH 29.39 +.35 Cogent 19.60 -.04 CogTech 56.13 +.75 ... Cngnosg 39.49 +.47 ... Coherent 31.74 +1.00 ... CidwtCrs u25.93 +.41 .. Comarco 12.50 -.10 ... Comcast 26.25 .-.09 .. Comcsp 26.20 -.15 ... omTouch 1.23 -.02 ... CompCrd 38.45 +1.13 C... ompuwre 7.95 -.02. .. Comtechs 31.09 +.22 ... Comvers 28.90 +.51 C.. ConcCm u2.86 +.20 ... Conexant 3.15 +.01 ... Conmed d18.20 -.06 ... Coped 26.65 +.53 CorAutus 3.86 -.34 ... Conrilan 3.66 -.07 ... CorinthC 14.19 +.22 ... CostPlus 19.35 +.21 .46 Costco 53.97 +.90 ... CrayInc 1.98 -.04 ... CredSys 8.01 -.11 ... Creelnc 29.97 +.45 .. Crocsn 24.25 -1.25 .. CumMed 11.41 +.05 .. CuraGen 4.93 +.37 ... Curs d2.36 ... .. Cymer 44.36 +.28 ... CytRx 1,50 +.02 Cytogen 3.29 -.07 Cyyc 29.65 +.27 ... DOVPh 17.48 +.88 DRDGOLD 1.37 .201 DadeBehs 35.63 +.23 Danka 1.63 +.02 .. decdGenet 8.47 +.07 Delllnc d29.09 +.19 ... DIltaPtr 18.43 +.38 ... Dndreon 4.82 +.08 ... Dendrite 14.37 4.37 .. Dennysn 4.31 +.10 .28 Dentsply 56.03 +.36 .. Depomed 6.08 -.22 .12 DIamond n 17.44-1.51 ... DgitRec d1.36 -.15 ... DikgRiver 39.95 -.50 ... Digias 13.78 +.37 .. DiscHIdAn 14.35 +.11 .. DiscvLabs 7.93 .. OistEnSy 6.37 -.18 ... DobsonCm 6.85 -.06 ... DlIrTree 26.47 +.38 .. DureclCp 5.73 +.02 eBay 37.85 +.18 EFJ Inc 10.72 -.51 ... EGLInc 40.40 +2.21 .. eResrch 14.39 +.21 ..ev3lncn 16.80 +.69 .. EXFOg 7.62 -.08 .. EZEM 18.35 -.82 .. EagleTestnd15.34 -.16 .. ErthUnk 9.00 -.20 .. EchoStar 29.06 +.33 ... Ecipsys 23.48 -.01 .... EdgrOrd 4.15 -.02 .. EdgePet 24.97 +.42 ... eDiets.com 4.89 -.69 ... EducMgt 41.34 -.18 .201 EduDv 8.05 ... 8x81 Inc 1.65 +.09 ... ElecSd 24.09 -.02 ... Ectgls 4.59 +.18 ... EectArts 50.64 -.21 ... ERI 26.57 -.07 .. Emcore 7.95 +.66 ... Erdeon 10.79 +.09 ... eMrgeInt .37 +.01 EncorW 34.99 +,97 EncysiveP 9.37 +.25 ... EndoPhrm 31.25 +.35 .EngyConv 42.34 -.96 ... Entegrs 10.72 +.18 Entrust 3.85 -.02 .. EnzonPhar .6.88 +.03 .356 E csnTI 33.92 -.47 ... Euionet 35.02 +.41 ... EvgrSIr 15.63 +.22. ... ExcTch 29.90 +.15 ... ExideTc 2.69 +.17 ... Expedian d18.47 -.10 .30 Expdlnd u80.65 +1.64 ... ExpScdpts 87.67 +:.27 ... ExtNetw '4.63 +.10 ... F5Netw 5.04 +.07 ... FLIRSys 27.16 +.17 FXSEner d4.17 +.13 .401 Fastenals 42.41 +.04 .84e FidNasdldx 89.01 +.43 1.52 FifthThird 37.77 +.45 ... RFileNeth 25.63 +.03 ... Finisar 4.27 -.06 ... FrstHrzn 20.99 +.47 1.10 FMidBc 36.94 +2.48 .44f FstNiagara 14.01 +.02 1.12 FstMerit 24.46 +.22 ... Rserv 41.79. -.02 ... Flextrm 10.29 +.18 ... FocusEn .69 .. FoodTchh .77 -.01 SFonrmFac 37.74 -.79 ... Fossil Inc 17.33 +.33 ... FosterWhn 45.02 +.02 ... Foundry 15.34 +.24 .08 f. .... 12.54 -.49 .. FT, ,, 6.79 -.19 .12 FrozenFd 11.80 +.30 .. FuelTch u13.07 +.37 ... FuelCell 9.93 -.18. .. Ftrmdiah d.20 -.01 .. GMXRs 30.38 -.08 ... GTCBio 1.03 -.01 .50 Garmin 74.77' -.63 ..., Gemstar 3.14 +.03 G.. enProbe 51.93 +1'.93 ... Genaera 1.36 +.10 ... GenBioto 2.20 +.02 ... GenesisH 42.19 +.51 .. GenesMcr 19.50 -.07 Genta 2.15 -.06 .36 Gentexs 16.86 +.30 ... Genzyne 68.65 +.11 .. GeronCp 8.40 +.13 .36f GevityHR 24.05 +.37 ... GigaMed 4.40 +.05 ... GileadSci 61.09 +.52 ... Gleriayre 4.20 +.09 6 oblnd 13.00 +.23 ... GoldKist d11.72 -.12 ... Google 337.50 -5.50 ... GrpoFin 7.37 -.07 .. GuitarC 48.31 +.72 .96 HMNFn 32.95 +.26 ... Hansens 106.05 +7.80 1.10f .HarbrFL 36.70 +.33 ... Harmonic 5.50 +.11 .. HayesLm d2.27 ... ... HelixEn 33.93 +.13 .. HIbbetts u33.33 +1.72 ... Hologics 49.50 +.46 ... HomeStore 5.72 +.13 ... HotTopic 14.23 +.19 .301 HudsCilys 13.17 +.01 .. HumGen 13.46 +.29 .321 HunLUBs 23.87 +.48 1.00f HuntBnk 23.26 +.19 .. Hydril 70.23 +2.40 ... HyperSols 33.00 +.47 .. Hythiam 6.28 -.05 ... I-Many f.54 -.01 ... IAC Inters 30.21 +.38 ...o ICOS 23.21 -.11 ... IDSys 22.44 -38 -Flow 13.57 -.23 ,64m IPCHold 25.98 +.20 ... Ideni 8.09 +.19 ... ImaxCp 10.67 +.32 ... Imdone 35.40 -.52 ... Imunmd 2.43 +.09 ... InPhonic 6.10 +.10 Named u91.70 +.63 Incyte 5.96 +.06 1.08 IndpCmty .40.35 -.12 .. IndevusPh u6.58 +.10 .. InfoSpce 24.12 +.74 .. Infcrssing 11.45 +.63 .. InFocus 3.96 +.08 ... Informal 14.90 +.67 1.50e Infortes 4.13 -.05 .29e Infosys 70.02 +.93 .. Innoyoh .90 +.14 .. Insight 20.16 -.06 .. Insmed 2.06 -.13' .. InspPhar 5.15 +.24 .24 Insteel u42.65 +1.05 .. IntgDv 13.60 -.16 .401 Intel 19.85 +10 ... InterDig 26.59 +.22 .. Intface u12.32 +.11 .. Intrmags 27.99 +.86 .. IntDisWk 6.45 -.19 .06 IntlSpdw 49.85 +.20 .. IntemtCap 8.82 -.06 .. Intersectns 10.38 +.16 .20 Intersil 26,84 -.57 ... Intuit 52.76 +1.03 IntSurg 92.98 +3.98 .091 InvFnSv 43.76 +.40 .. Invitrogn 69.75 -.08 lonatron u13.29 +.06 ... Isis 7.70 -.23 .. Isonics 1.51 +.09 .. Iron 60.15 +2.80 ... vanhoeEn 2.67 +.10 ... iVillage 8.37 +.02 a... Ia' 12.35 +.34 2Glob 45.12. +.40 ..DSUniah 370 -10 ... JetBlues d10.27 -.85 J JilGr 23.77 +.04 .30 JoyGlbls 53.91 +1.16 JnerNtw 18.90 -,21 SJupitrmed 15.74 +.56 .20 KSwiss 28.80 +.16 .48 KLATnc 49.78 +.25 KeryxBo 18.04 +.70 .12e KirnBrw 13.08 +.01 ... KnghtCap u13.3 6 +.52 Komag 48.61 -.11 KopinCp 4,20 +.02 .. KosPhr 49.39 +2.84 ... KosanBlo 5.85 +.48 ... Kronos 38.03-1.62 Kulicke 10.42 -.02 Kyphon 33.90 -.11 .48 LCA Vis 42.06 -.24 LKQCps 21.37 +.22 .48 LSIInds 14.71 +.08 LTX 5.67 +.12 .. LamRsch 40.96 -.48 .. LamarAdv 50.90 +.30 Landec 6.98 -.02 ... Lasrscp d20.65 ... Lattice 4.92 -.08 ... Laureate 54.07 +1.53 LawsnSIt 7.85 +.08 LeapWiren 42.49 +.24 Leved3 3.40 +.03 .. LexarMd 8.60 -20 ... UbGobAs d19.54 -.05 LibGIobCnd18.75 -.23 .. Ufecell 21.30 +.82 .. LifePtH 30.12 +.39 ... Uncare 40.15 +.28 .76 LIncEl u49.69 +2.44 .601 UnearTch 35.50 -.01 ... Uonbrdg 7.79 +.05 ... Lttelfuse u31.90 +5.31 LodgEnt 14.29 +.14 LookSmtrs 4.87 +.16 Loudeye .47 -.03 M-SysFD 25.31 +.30 .. MGIPhr 16.35 +.15 ... MRVCm 4.45 +.12 .40 MTS 39.09 +.83 ... Macvsn 21.04 +.55 .. Maltek 33.09 -.34 ... MaivelT 57.13 -1.47 .. Mattson 11.85 +.41 .50 Madxim 36.39 -.11 ... MaxwIT 17.11 -.14 ... McData 4.01 -.11 ... McDataA 4:32 -.11 MedDsg .86 +.07 Medlmun 35.76 -.09 ... Medarex 13.50 +.13 MediaByrs, 1.15 -.01 .. Mediacm 5.75 +.22 .. MedAct 23.98 -.02 ... MediCo 19.46 +.68 ... MentGr 11.00 +.10 ... MrcCmp d16.03 +.06 .. MergeTc 17.02 -.13 MesaAir 11.15 -.07 ... MetroOne .56 +.04 SMicrel 13.61 +.28 .761 Microchp 34.88 -.37 ... MicroSemi 27.94 +.54 .361 Microsoft 27.17 +.17 MicroS r 99.50 +2.45 ... Mikohn 7.47 -22 ... MillPhar 10.38 +.11 .. Mindspeed 3.54 +.18 .. Misonix 5,95 -.14 .20 Molex 31.95 +.15 MonPwSy If 15.60 -1.30 MnstrWw 46.74 +.20 MovieGal 2.07 +03 ... MultiFnEIc 54.41 -3.99 ... MultimGm 11.55 +.45 .. Myogen 35.35 +.76 .. NABIBlo 4.25 +.01 NETgear 17.91 +.44 SNGASRs 8.28 +.04 .. Ni Hldg s 50.31 +.71 ... NMTMed 20.92 -.15 NPSPhm d8.77 -527 .. NTLInc u27.97 +.43 Nanogen 2.26 .. Napster 3.34 +.06 14e Nasd10Tr 4056 +.04 ... Nasdal 43.56 +4.06 ... Nastech 14.71 +.29 ... NatAIH 9.98 -.21 .. Navarre 3.45 -.15 .. NektarTh 19.90 -.16 ... Neoware 24.79 +1.66 ... Ned1UEPSn29.64 -.23 ... Net2Phn 2.05 +.01 .. Netease 85.80 +.40 .. Nefflix- 25.55 +.30 .. NetwkAp 33.18 +.04 ..NtwrEng 2.85 +.02 .. Newport 18.72 -.05 .. NexsiPrt 28.14 +.06 NighlwkRln 25.50 -.55 NitroMed d8.08 +.09 NobilyH 26.37 -.03 .921 NorTrst 53.17 +.61 .. NthfidLb 10.00 -1.15 ... NvlWis 8.46 -.03 .. Novavax 5.74 +.20 Novell 7.24 +.22 .. Novlus 24.92 +.33 .. Noven 17.03 +.61 .. NuHoriz 8.53 +.07 .. NuanceCm. 10.08 -.06 .. NulriSys 38.14 +.83 .. Nutrition21 1.36 +.02 Nuvelo 16.67 +.44 ... Nvidia 47.39 -.84 .. OCharleys 17.13 *+.11 .. OReillyAs 35.71 +.26 .. OSIPhrm 33.14 +1.17 .. OSISys 22.41 +1.22 .. OccuLogix 3.81 -.09 .. OmniVisn 24.56 OnAssign 10.94" +.24 ... OnSmcnd 7.03 -.03 .. OpenTxt 16.71 -.09 ... OpenTV 237 +.03 OpnwvSy 19.31 +.30 ... Opsware 7.07 -.07 .. OptdCmw 3.36 .04 .20f optXprs 28.27 +1.51 .. Oracle 12.90 +.06 ... OraSure 10.00 -.26 .. OrcktCms 23.33 -.12 .. Orthfx 41.65 -.59 p.. thlog 5.97 -.06 1.15f OtterTail 29.00 +.68 .. Overstk 22.85 ... PDLBio '31.66 -.84 PETCO 20.17 +.10 ... PFChng 47.12 -.02 S PMCSro 10.84 +.28 PRGSchlz .44 -.01 PSSWdid 18.31 +.31 .30 PW Eagle 23.14 -1.38 1.00a Paccar 69.47 +1.42 ... PacSnwr 22.78 +.30 .. Packetr 13.31 +.29 .. PainTher 10.97 -.28 Palm Inc 40.76 +.67 ... PanASIv 22.90 +.66 PaneraBrd 70.54 +.63 Paret 15.86 +.19 .. ParmTcrs 15.02 +.62 .. Pariux 30.87 +.78. .. Patterson 35.23 +.42 .16 PattUTI 26.06 -.17 .64 Paychex 39.59 +.28 PnnNGm 37.19 +.27 ... Penwest 21.60 +.04 Peregrine 1,32 -.01 Petrohawk 12.09 +.11 ... PetDev 42.02 +.34 .12 PetsMart 27.79. +.38 .10 PhTmPdts 35.32 +,66 Pharmlon 17.24 +.22 ... Pxars 64.45 +.26 PI... xwrks 4.99 -.04 .. Plexus u35.78 +.69 PlugPower d4.59 -.11 ... Polyoom 20.97 +.72 ... PortlPlay 23.73 -.09 Power-One 6.02 +.10 Powrwav 14.68 +.23 Prestek 11,13 +.13 1.121 PrlceTR 75.91 +.52 priceline 23.96 +.66' PrimusT .80 -.02 ... ProgPh 27.38 +.03 ... PsycSols 30.73 -.11 .. QLT 7.27 +.02 .. Qlogics 19.71 +.16 .36 Qualcom 48.00 -.10 ... QuantaCap 2.71 +.01 .. QuanFuel 3.44 -.60 .. QuestSftw 15.54 +.32 .. Quidel 11.19 +.24 ... RFMicO 7.26 -.19 .. RSASec u17.40 +.45 .. RackSysn 41.42 +.75 RadThrSv 22.84 -2.86 .. ROneD d7.70 +.04 ... Radvlsn 18.37 -1.12 Raindance 2.68 +.02 Rambus 31.36 +.08 .. Randgold 16.40 +.25 .. RealNwk 7.88 +.07 RedHat 27.33 +.13 ... Redback 17.75 +.10 Regenm 16.70 +.40 RegentCm 4.29 +.25 RentACt 24.51 +.71 .44b RepBcp 11.99 +.18 ... RschMotn 80.60 +.65 Respirons 38.07 +.70 .24 RossStrs 27.85 +.25 .22 RoyGid 28.99 +.82 ... RyanRest 12.86 +.08 .. Sl Corp 3.97 +.09 SBACom 21.73 +.51 ... SFBCIntg 22.59 +.31 1.00 Safeco 51.50 -.20 ... SafeNet 24.38 +.18 ... SalixPhm 15.80 +.36 .48 SanderFm d20.97 -.25 .. SanDisk 53.06 -.47 ... Sanmina 3.76 +.08 ... Santaus 6.62 -.21. ... Sapient; 7.50 +.10 Sawis .1.01 +.05 .07 Schnitzer 32.64 +2.26 .10 Schwab 16.34 +.25 .. SciGames 32.98.+1.54 SearsHidgs 118.23 +1.68 SecureCmp 11.44 +.13 .. SelCmfrt 35.15 +.39 .88 Selctin 54.25 +1.24 Semtech 18.60 .. Sepraoer 55.40 -.68 .. Sequenm .73 +.03 .. SerenaSft 24.00 +.03 ... Shanda 1355 +.64 ... Shrplm 12.01 -.20 .19e Shire 47.99 +.36 ... SiRFTch 35.49 +.34 .. 12.70 _+.5 I.. TI d10.22 -1S ... ; 'I..n.. 9.99 -.16 SilcnLab 48.20 -.03 SST 4.28 -.04 .12r Slcnware 6.21 +.06 ... SivStdg 17.38 +.55 .... Sine 24.10 +1.24 .401 Sinclair 7.60 +.01 .. Sirenza 8.08 -521 .. SriusS 4.78 -.11 .. SimaThera 6.84 +.03 .. SkillSoft 5.00 -.41 SkywksSol 5.50 +.08 SmartM n 8.57 +.09 .SmudSne 12.90 -.01 ... Sohu.cm 21.80 +.86 .... SonicFdy ul.62 +.31 .. SncWall 7.00 .. Sonus 5.27 -.01 .36 SouMoBc 13.32 +.07 .. SpanBdcst 5.07 -.07 SpansionAn 13.76 -.44 .10 StageStss 27.98 +.63 .221 'Staples s 24.37 +.16 ... Starbuckss 35.39 +.47 .. STATS Chp 7.49 +.27 .40a StDyna 48.69 +2.46 .12 Stellent u12.10 +.14 ... StermCells 3.63 +.06 ... Stereotaxis 12.78 +.03 Sticydce u6524 +1.01 .. Stolltffsh 13.14 -.16 Stratex 5.09 +.04 ... Stratosint 7.03 -.82 SunHIthGp 7.35 +.27 SunMicro 4.58 +.07 .. SunPowern 38.08 -.92 .. SupTech .40 -.01 .. Suprtex 34.05 -.75 .96 SusqBnc 24.05 +.47 SwiftTm 23.99 +.25 .. Sycamore 4.77 +.05 .. SykesEnt 14.44 +.46 .. Symantec 1604 +.04 Symebric 8.25 ,+.16 Synaptics 24.79 -.14 .. Syneron 28.66 -.77 .. Synopsys 21.90 +.02 Synovis 9.71 +.12 6.00e TDAmeritr 20.93 +.36 .. THQs 24.04 +.15 .. TLCVision 6.84 -.12 .84a TOP Tank 13.82 +.44 .. TRMCorp 8.90 -.17 TrMTch 12.48 +.33 .. TakeTwos 16.16 +.06 .. TargGene .42 -.10 TaroPh 14.14 -.06 ... TASER 9.36 -.09 .. TechData 35.71 -.24 .. Tegal .51 -.00 ... Tekelec 14.15 +.15 .TeeTech 11.64 +.65 ... Teliklnc 20.30 +.05 ... Tellabs 13.76 +01 .27e TevaPhrm 40.78 +.10 ... Theravnce 27.45 +.05 .. Thrmogn 3.80 -.03 ThrdWve 3.30 +.02 .. Thoratc 20.72 +.45 .. 3Com 4.67 -.04 ... ThrshldPh 14.04 +.99 .. TibcoSft 8.43 +.11 .. TWTeleh u14.95 +.21 .. TiVolnc 6.00 -.02 .TrdeStatn 14.22 -.76 ... Trsngnmch .90 +.03 Tmsmeta 1.58 .TmSwtc 1.71 ... TZetto 16.69 -.10 TridMics 26.72 +.35 TrimbleN 41.13 +.26 .. Trimeris 13.69 +1.95 ... TdPathl 6.98 +.25 TdQuint 4.50 +.07 .. TmpEntn 16.34 -.61 .64 TrslNY 12.17 +.16 .84 Tiustunk 30.50.+.42 .801 TuesMm 20.18 -.11 .. TurboCh 10.29 -.11 .. 24/7RealM 8.36 +.06 ... UALn 38.14 +.82 .121 UCSHHds 17.38 +.02 .. USEnSys 2.29 +.17 .. UTStrcm 6.06 -.02. .. UbIqui 9.73 +.14 ..UltraClean 7.10 -.24 .. UndArmrn 26.55 -.45 .. UnionDln 13.08 +.38 .80 UtdOnin 11.99 -.02 US Enr 5.63 +.05 .. UtdThrp 64.08 -.44 ...UnlvDIsp 13.37 -1.48 .11 UnivFor 62.57 +1.98 .. UrbanOuts 25.15 +30 ... VASftwr 3.53 -.07 .. ValueCick 15.70 -.21 ... VaianSs 28.99 +.34 ... VascoDta 9.55 -.13 ... Vasogeng 3.03 -.05 ... Vasomed .33 +.10 ... VelodyEx 1.95 +.30 ... Ventiv 29.10 -.03 .. Velsign 23.14 -.13 .. VertxPh 37.20 -.78 ... VericlNet .48 -.03 ... ViewptCp 1.12 +.05 ... VImlcron u14.20 +1.88 ... VionPhm 2.18 +.02 ... ViroPhm 18.87 +.01. ... Vitesse 318 ... WashGInt 54.49 +1.09 .. WasteSvcg 3.04 -.57 .. WaveSys .62 -.01 .. WebSide 15.67 +.38 .. WebEx 31.79 +.44 .. Websense 58.21 -.31 .16 WemerEnt 19.94 +.44 ... WetSeal 5.30 +.07 .60a WholeFds 63.49 +.28 .. Wildats 17.37 +.32 .. WindRvr 12.01 -.16 ... WlssFac 4.60 +.01 ... Wynn 68.24 -.40 S... XMSat 20.85 -.20 XOMA 1.88 -.01 .28 Xlinx -25.33 -.24 ... YRCWwde 45.86 +.22 Yahoo d30.58 +30 ... ZebraT 43.63 -24 ... oneTch 2.45 -.04 1.44 ZionBcp 82.85 +.99 ... Zoran 19.32 -.19 Requesl stocks or mutual lunds by writing rle Chroncle. Alln: Stock Requests 1624 N. Meadowcresi Blvd Crystal Rier FL 34429: or pr.ning 563-5660. For slocks, incluOe ine name ol the SIOCK. its market and ,Is ticker symbol. For mutual lunds. list the parent company anrd the exact name 01 the lurid. Yesterday Pvs Day Brazil 2.1405 2.1710 Britain 1.7263 1.7354 Canada 1.1607 1.1614 China 8.0500 8.0445 Euro .8396 .8400 Honq Konq 7.7614 7.7609 Huncarv 217.74 216.06 India 44.310 44.340 Indnsia 9230.00 9295.00 Israel 4.7152 4.7092 Japan 118.99 118.18 Jordan .7088 .7082 Malaysia 3.7160 3.7190 Mexico 10.7020 10.7320 Pakistan 59.98 59.98 Poland 3.28 3.25 Russia .28.0400 28.0450 SDR .6978 .6969 Sinqapore 1.6277 1.6295 Slovak Rep 31.60 31.49 So. Africa 6.2330 6.2630 So. Korea 979.80 981.70 Sweden 7.8852 7.8988 Switzerlnd 1.3169 1.3139 Taiwan 32.46 32.48 U.A.E. 3.6705 3.6725 British pound expressed in U.S. dollars. All others show dollar in foreign currency. Yesterday Pvs Day Prirfie Rate Discount Rate Federal Funds Rate 7.50 7.50 5.50 5.50 Treasuries 3-month 4.51 4.50 6-month 4.62 4.58 5-year 4.77 4.71 10-year 4.76 4.68 30-year 4.75 4.66 FUTURES Exch Contract Settle Chg LI Sweet Crude N'yMW Apr06 5996 -51 Corn CBOT May06 2341., +21'. Wheat CBOT May 06 381V2 +1/2 Soybeans CBOT May 06 5891/4 +11/2 Cattle CME 'Apr06 83.45 -.52 Pork Bellies CME May 06 87.52 +1.65 Sugar (world) NYBT May06 16.68 +.40 Orange Juice NYBT May06 135.10 SPOT Yesterday Pvs Day Gold (troy oz., spot) $539.90 $566.00. Silver (troy oz., spot) $9.895 $10.161 Copper (pound) $2.2170 $2.2b95 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. YTChg %Chg Chg %Chg STrOCKS &S A I I Australia 1 3691 1,3611 C,.rnc CrSrIUJVIY(97 r Csss,) UHAUS NE S ATRDYMACHI -2 , IMTALFN5 4-wk Eaton Vance Cl B: Name NAV Chg %Rtn FLMBt 10.97 -.01 40.4 AIM Investments A NatlMBt 11.9 ...05 +10.9 Agrsvp 11.59 +.06 +0.5 NaIMBt 11.49n n +0.9 BasValAp35.34 +31 +1.1 Eaton VanceCC. 0.0: ChartAp 13.88 +.09 +1.7 NaMC 11.49 ... +0.9 Constp 25.41 +.13 +0.4 A- "4 HYdAp 4.39 ... +0.5 Evergreen A: IntGrow 24.88 +.24 +0.1 AstIp 14.43 +07 +0.3 MuBp 8.04 -.01 00 Evergreen B: PremEqty10.74 +.07 +11 DvrBdBt 14.41 -.01 -0.4 SelEqtyr 19.23 +.16 +15 MuBdBt 7.45 -.01 -02 WeingAp 14.45 +.09 +0.8 Evergreen C: AIM Investments B: AstAICt 14.02 +06 +0.3 CapDvBt 17.18 +.14 +06 Evergreen1: -0 PremEqty 9.88 +.07 +1-0 CoiBdi 10.33 -.01 -0.3 AIM Investor Cl: Energy 40.58 +20 -3.1 Excelsior Funds: SmCoG p 14.36 +.13 +02 Energy 23.82 +20 -5.8 SummitP p1229+.09 +0.1 HiYieldp 4.50 ... +0.3 Ulities 14.15 +.10 +0.1 ValRestr 47.64 +23 -0.8 Advance Capital I: FPA Funds: Balancpn18.14 +.07 +0.4 Nwinc 10.87 ... +02 Retlncn 9.70 -.01 -0.4 Federated A: Alger Funds: AmLdrA 23.94 +.18 +1.2 SmCapGrt5.41 +.05 +0.9 MidGrStA3620 +26 +0.3 AllanceBern A: MecA 10.62 -.02 0.0 BalanAp 16.88 +.08 +0.8 Federated B: GlbTchAp60.48+.04 -1.5 SFederated62 Inst 0.0 SmCpGrA26.61 +28 +0.4 1 Federatd Ia: AllianceBem Adv: Kaufmn 5.98 +03 +2.2 LgCpGrAd 2122+.04 -1.5 Fidelity Adv FocT: AllianceBem B: HtCarT 23.79 +10 +1.1 CorpBdBp11.75-.02 -0.7 NaIResT 4262 +.42 -2.3 GIbTchtB t54.34 +.03 -1.6 Fidelity Advisor A: GrowthBt25.83 +.07 -1.4 DintAr 22.06 +20 -0.7 SCpGrB 122.29 +23 4+03 Fidelity Advisor I: USGovtB p 6.82 .. -0.5 DiMn n 22.36 +.21 -0.6 AllianceBernC: EqGrl n 51.65 +32 +0.6 SCpGrCt22.36 +24 +0.4 iEqlnn 29.49 +.21 +1.3 Allianz Funds C: lntBdl n 10.73 -.01 -0.2 GwthCt 19.39 +.08 +1.1 Fidelity AdvlsorT: TargtCt 17.68 +.13 -1.3 BalancT 1621 +.08 -0.2 Amer Century Adv: DivlntTp 21.85 +20 -0.7 EqGropn23.81 +.19 +1.0 DCATp193 +10 +02 Amer Century Inv: EDyrTp 48.3 +30+02 Balanced n1626 +.08 +0.4 EqlnT 49.11 +21 +1. Eqlncn 8.10 +.05 +2.0 Gov inT 9.82 -.01 -0.5 FLMuBndn10.62-.01 -0.1 GrOppT 3239 +.18 -0.9 Growthln 20.94 +.14 +0.6 HiInAdTp 9.95 +0.3 Heritageln1520 +.11 -0.8 IntdT 10.72 .. -0.3 IncGron 30.67 +24 +0.4 MidCpTp25.16 +24 +2.9 IntDiscrn15.48 +21 -0.4 MulncTp 12.88 -.01 -0.1 IntlGroln 10.70 +.09 +0.3 OvrseaT 20.65 +19 -0.3 ULifeSci n 5.49 +.03 +2.0 STFiT 9.36 ... +0.1 New Opp r n6.43+.10 +0.8 OneChAgn11l.80+.08 +0.4 Fidelity Freed1427 +04 04 RealEstln28.32 +.27 +5.1 FF2020n15.06 +.08 +0.6 Selectln 37.95 +.22 +0.8 FF2030 n 15.045 +.108 +0.8 Ultran 29,72 +.12 -0.3 FF2040n 910 +06 +0.8 Util n 13.68 +.08 +0.7 F 2d4et n .e 0 Valuelnv n 7.14 +.05 +1.7 Fidelity Invest: American Funds A: AggrGrrnl8.37 +15 -0.9 AmcpAp 19.52 + A1 +10 AMgrn 16.35 +.07 +0.9 AMutA p 19.527.0+11+170 AMgrGrn 15.48 +.10 +1.5 AMuiAp 27.04 +.18 +1.7 AMgrinn 12.96 +.02 -0.1 BalAp 18.07 +.08 +1.0 Balanon 19.20 +09 -0.2 BondAp 13.12 -.02 -02 BlueChGrn43.58+.33 +0.7 CapWA p l8.45 -.06 -1.0 CAMun n 2.36 -.01 -0.2 CaplBAp 54.68 +21 +12 Canada n 45.41 +.15 0.0 CapWGAp37.89+.30 +02 CapApn 2627 +.16 +0.7 EupacAp42.72 +.32 -0.3. Cplncrn 8.47 +.01 +0.9 FdlnvA p 36.80 +23 +0.1 ChinaRg n20.12 +.05 +0.4 GwthAp 31.36 +.17 -0.7 CngSn 413.39+3.00 +2.0 HITrAp 1223 ... +0.7 CTMunrnl1.33 -.01 -0.1 InroAp 18.68 +.08 +1.6 Contran 64.62 +34 -0.1 IntBdAp 13.33 -.01 -0.1 CnvScn 23.30 +.12 -0.8 ICAAp 3220 +.19 +1.0 Des.. 14.59 +12 +1.5 NEcoAp 23.87 +.18 -0.3 Desilln 12.56 +.09 +22 N PerAp 29.4f +.24 -0.6 DisEqn 28.46 +21 +1.5. NwWridA41.82 +29 +0.3 Divintln 34.17 +,30 -0.1 SmCpAp37.69 +.25 +0.5 DivGthn 29.79 +.23 +2.3 TxExAp 12.40 -.01 0.0 EmrMkn 19.96 +.17 -1.5 WshAp 31.93 +.22 +1.9 Eqlnc n 53.81 +.44 +1.4 American Funds B: EQII n 23.50 +.18 +1.4 BalBt 18.03 +.09 +1.0 ECapA 24.02 +.18 +0.1 CaplBBt 54.68 +.21 +1.1 Europe 38.56 +.33 -0.2 GrwthBt 30.40 +.17 -0.7 Exchn 289.75+2.51 +1.9 IncoBt 18.59 +.09 +1.6 Exportn 21.36 +.14 -0.8 ICABt. 32.10 +.20 +1.0 Fideln 32.77 +.28 +1.9 WashBt 31.72 +.22 +1.9 Fiftyrn 23.46 +.17 +0.5 Ariel Mutual Fds: FLMur n 11.39 -.01 -0.1 Apprec 47.64 +.37 +1.1 FdnOnen27.18 +.17 +1.1 Aiel 52.86 +:48 +0.3 GNMAn 10.74 ... -0.3 Artisan Funds: GovIlncn 9.99 -.01 -0:5 IntU 26.55 -.02 -0.4 GroCon 66.01 +21 +1.5 MidCap 32.23 +.12 +0.9 Grolncn 34.97 +.28 +1.1 Baron Funds: Grolncll n 10.47 +.07 +1.5 Asset 58.71 +.47 +3.5 Highlncrn 8.84 ... +0.6 Growth 48.42 +.31 +2.3 Indepnn 20.49 +.16 +0.7 SmCap 24.49 +.12 +0.3 IntBdn 10.18 ... -0.3 Bernstein Fds: IntGovn 9.92 -.01 -0.3 IntDur 13.03 -.01 -0.3 IntlDiscn 3326 +.31 -0.4 DivMu 13.94..-.01 -0.1 IntlSCprn28.64 +24 -1.3 TxMglntV 25.53 +.26 +0.6 invGB n 7.29 -.01 -0.4 IntVal2 25.38 +24 +0.5 Japan n 17.63 +.26 -3.8 BlackRock A: JpnSm n 15.13 +.26 -9.3 AuroraA' 35.50 +24 +0.7 LatAmn 36.46 +.62 +0.3 HiYinvA 7.87 ... +0.1 LevCoStkn27.28+.16 +0.6 'Legacy 14.66 +.09 +1.0 LowPrn 42.98 +.34 +0.3 Bramwell Funds: M..3fln nio "3 83 .'P e Growth 19.72. +19 +1.6 l.l10 lr,, .n -.., Brandywine Fds:' A" f.iur, ir.i 01 )11 Bmdywrdn32.91 .31 +0.7, Mil.lur,,-, -i AuiJ BrinsoniFundsY: Mi;. -cac.f.--62 .* 30 .I U HiYdlYn 7.05.+.01 +1,1 ur.irMI'.,i j. -01 00 CGM Funds: 'AiS..: i0'" -0 CapDvn 28.57 +.51 -3.3 ,i4u,,in.:,, ". -01 -02u Focusnn 35.82 +.43 -1.7 NJMunrnl1.42 -.02 -0.2 Mu n -28.39 +24 -1.8 NwMktrn14.66 +.04 +02 Calamos Funds: NwMill n 37.03 +.41 +1.6 Gr&lncAp31.69 +.12 -0.4 NYMunn12.72 -.01 -0.1 GrwthA p 55.90 +.22 -1.8 OTC n 38.46 +.12 +0.6 GrowthCt53.29 +21 -1.8 OhMunn11.;60 -.01 -0.1 Calvert Group: Ovrsean 42.71 +.32 -0.3 Incop 16.62 -.01 -0.3 PcBasn 26.06 +.25 -1.4 ie'i, Ap 22.05 +'Q3 +0.5 PAMunrn10.75 -.01 -0.1 6i 1026 ... +0.1 Puritnn 19.15 +.09 +0.8 Munint 10.68 ... 0.0 RealEn 34.49 +.30 +6.0 SocalAp 28.92 +.09 +0.3 StIntMun 10.16 -.01 -0.1 SocBdp 15.68 -.01 -0.3 ST'BFn 8.82 -.01 +0.1 SocEqAp36.06 +.20 +1.1 SmCapindn21.55+.19 -0.1 TxFLt 10.58 ... +0.3 SmllCpSrn19.71+.14+0.9 TxFLgp 16.53 -.01 +0.1 SEAsian 22.19 +.12 -0.7 TxFVT 15.61 -.01 0.0 StkSIcn 25.61 +.19 +1.8 Causeway Intl: Stratinc n 10.41 0.0 Institutnlrn17.59+.07 +0.9 Trendn 59.09 448 +1.6 Clipper 89.06 +.69 +1.7 USBI n 10.77 ... -0.3 Cohen & Steers: Utlity ni 15.73 +.13 +2.1 RltyShrs 81.68 +.68+8 +6.8 VaStrtn-8 +20 +.7 Columbia Class A Value n 79.08 +.51 +0.8 AcoIt 29.20 +24 +0.8 Wrldwn 19.99 +.17 +0.2 Columbia Class Z: Fidelity Selects: AcomZ 29.85 +24 +0.8 Airsn 43.24 +.43 +2.5 AcomlntZ36.62 +23 +0.7 Auton U34.53 +.36 +20 ReEsEqZ2723 +.20 +.22 Bandng n36.55 +.24 +2.6 DWS AARd Funds: Biotch n 67.06 +.13 +4.5 CapGrr 47.77 +.20 +0.9 Brokrn 75.56+1.03 +2.4 Consr ... A Chemn 69.11 +.94 +1.0 GNMA 14.70 ... -0.4 Comp 3.70 +.4 -1.8 GIbThernm33.06 +25 +1.2 Conlndn 25.71 +.19 +1.5 Groinc 22.30 +.17 +1.8 CstHon 48.02 +.55 -0.6 GrowAIo 8 NA DfAern 79.25 +.72 +32 nt 53.28 +53 05 DaCron 21.93 +.08 +1.4 Intld 53.98 +.53+0 ElectrA. s45.20 +.07 -5.2 ShTrmBd 9.92 ... +0.3 8 Swn4.4 +.38 -3. SmCpCore r24.12+.28+1.1 Eny 48.42 +34 -3.4 DWS ScudderCiA:- EngSvn 66.86 +.48 -5.9 ConmAp20.23 +.08 +0.2 Eirn 17.43 +.19 +3.6 orHImRA 4.2 +.22 +10. 1 FinSvsn 119.80 +.93 +2.4 DrHiA 46.28 +.22 +1.1 Food n 52.7146 + 2.0 DWS Scudder C: : Gold r n 35.32 +.23 -3.5 CorIslnc 12.58 -.01 -0.3 Heatthn 138.06 +.59 +1.1 EmMkln 11.80 +.05 +0.4 HoFn 51.59 +35 +1.2 EmMkGrr23.15 +18 -25 IndMtn 45.73 +.56 -1.4 EuroEq 32.97 +.5 +2.3 Insrn 68.61 +.38-+2.0 GIbBOS r 9.38 -.03 -0.7 Leisr n 80.41 +75 +22 GibOpp 41.58 +.36 +0.1 MedDI n 54.8" +23 +1.2 GIbTnhen 33.00 +.25 +1.3 Firstle: TxbSp 33.06 -.01+1.3 GbMdEqys n24.51 +21 +0.3 GOld&Prc20.30+.2-.7 +.2 Ftfins 4.74 +24 -1.9 SGronc 22.26 +.16 +10.7 NtGas 37.91 +22 -5.7 HnYdTox 12.83 -.01 +02 Papern 30.87 .+24 +2.6 LgoGro 25.53 +.11 +0.8 Glnp 531.51 +.18 -0.3 MgdMuniS.10 -.01 -0.1 Tecrn 42.9 +2 +4.6 MATF 1427 -.01 0.0 Transn 50.15 +.55 +2.4 PasOppri1723 +14 +0.9 UMidGr 46.78 +.42. 3.8 ShtTmBdS 9.92 .... +0.3 wireless n 7.24 +.03 +0.4 Davis Funds A: Rdellt Spartan: NYVen A 34.29 +.25 +1.8 NFldxlinv 4.51 +33 +1.6 Davis Funds B: 500lnxlnv r n88.66+.65 +1.6 NYVenB 32.85 +25 +1.7 Govnn 10.75 -.01 -0.5 Davis Funds C &Y: InvG0Bd n10.29 -.01 -0.4 NYVenY 34.69 +26 +1.8 Fidelity Spart Adv: NYVen C 33.06 +.25 +1.7 EqldxAd n45.52 +.34 +1.6 Delaware Invest A: 500Ad rn 88.66 +.64 +1.6 TrendAp 24.03 +.17 +0,3 First Eagle: TxUSAp 11.50 -.01 0.0 GTRIA 43.83 +.15 +0.7 Delaware Invest B: OversesA 2426+.04 +0.6 DelctB 3.27 ... +02 First Investors A SeliGrBt 24.02 +.13 +0.7 BlChpAp21.60 +.16 +1.7 Dimensional Fds: GioblAp 7.38 +.04 +0.5 lntSmVan18.87 +.10 -0.5 GovtAp 10.74 _. -0.4 USLgVan22.59 +.18 +0.4 GrolnAp 14.50 +.12 +0.6 USMicron16.03 +.15 +12 IncoAp 2.99 ... +0.3 USSsialln21.05+23 +1.1 invGrAp 9.48 -.01 -0.5 USSmVa28.74 +.33 +1.8 MATFAp 11.79 -.01 -0.1 lntnSmCon17.17 +.09 -1.3 MrrFAp 12.29 -.01 0.0 EmgMktn22.22 +24 -0.9 MddCpAp28.96 +26.+0.7 IntVan 19.37 +.19 +1.4 NjTFAp 12.86 -.02 -02 TMUSSV25.19 +.28 +1.1 NYTFAp14.32 -.01 0.0 DFARIEn28.23 +.25 +6.7 PATFAp 12.88 -.01 0.0 Dodge&Cox: SpSitA p 21.85 +21 +2.3 Balanced 83.48 +.34 +0.8 TxExAp 9.92 -.01 -0.2 Income 12.54 ... -0.2 TotRtAp 14.43 +.08 +0.3 IntlStk 36.92 +.25 +1.0 ValuaB a 7.02 +05 +2.3 Stock 142.59 +.85 +1.2 Firsthand Funds: Dreyfus: GIbTech 4.13 +.03 -2.8 Aprec 40.36 +.31 +1.7 Tech Val 35.52 +.08 -2.7 Discp 35.00 +24 +2.2 Frank/femp Frnk A: Dreyf 10.57 +.08 +1.3 AGEAp 2.09 ... +0.1 DrS00In t 37.43 +.27 +1.6 AdjUS p 8.90 ... +0.3 EmgLd 43.90 +.42 +0.4 ALTFAp 11.44 -.01 +02 FLIntr 12.98 -.01 -0.2 AZTFAp 11.02 ... +0.1 InsMutn 17.78 -.02 -0.2 BalInvp 64.76 +.71 +1.3 StWalAr 29.71 +.19 +1.5 CallnsAp 12.64 -.01 -0.1 Dreyfus Founders: CA IntA p 11.46 -.01 -0.1 GrowthBnlO.79 +.06 +1.8 CalTFAp 7.26 -.01 0.0 GrwthFpn11.34 +.06 +1.8 CapGrA 11.33 +.04 +0.3 Dreyfus Premier: COTFA p 11.96 -.01 0.0 CoreEqAt15.04+.12 +1.9 CTTFAp 11.04 -.01 0.0 CorVIvp 32.45 +.23 +2.0 CvtScAp 16.58 +.05 +0.5 UdHYdAp7.23 ... 0.0 DblTFA 11.90 -.01 +0.2 TxMgGCt 15.97 +.13 +1.6 DynTchA 26.27 +.05 -0.8 TchGroA 24.61 +.03 -0.9 EqincAp 20.91 +.11 +1.6 Eaton Vance CI A: Fedlnt p 11.34 -.01 -0.2 ChinaAp 16.85 +.11 -02 FedTFAp12.05 ... +0.1 GrwthA 8.14 +.09 +0.5 FLTFAp 11.86 -.01 0.0 InBosA 6.38 ... +0.7 FoundAlp12.95 +.07 +1.3 SpEqtA 12.34 +.13 +1.1 GATFAp 12.05 -.01 0.0 MunBdl 10.79 -.01 +0.4 GoldPrMA26.95+.28 -6.7 TradGvA 7.23 -.01 -0.1 GrwthAp 37.62 +.31 +2.6 I OWToRED H MTUL UN ABEI Here are tne 1,000 biggest mutual funds listed on Nasdaq Tables show the fund name. sell price or Net Asset Value (NAV) and daily nel change, as well as one total return figure as follows. Tues: 4-wk total return (%) Wed: 12-mo total return (%) Thu: 3-yr cumulative total return (%) Fri: 5-yr cumulative tolal return (%) Name: Name of mutual fund and lamrily. NAV: Net asset value Chg: Net change In price of NAV. Total return: Percent change in NAV for tha time period shown, with divideonas reinvested If period longer than 1 year, return Is cumula- live. Data based on NAVs reported to Lipper by 6 p m. Eastern. Footnotes: e Ex-capital gains distribution I Previous day's quote. n No-load fund p Fund assets used to pay distribution costs r - Redemption tee or contingent deferred sales load may apply. s - Stock dividend or split. t Both p and r. x Ex-cash dividend. NA - No information available NE Data in question. NN Fund does not wish to be Iracked. NS Fund did not eysit si start dale Source: Upper, Inc. and The Associated Press HYTFAp 10.78 -.01 +0.4 IncomA p 2.44 +.01 +0.9 InsTFAp 12.25 -.01 0.0 NYITFp 10.85 -.02 -0.2 LATFAp 11.46 -.01 0.0 LMGvScA 9.84 -.01 -0.1 MDTFA p 11.70 -.01 0.0 MATFAp 11.84 -.01 -0.1 MITFAp 12.21 -.01 +0.1 MNInsA 12.05 -.01 -0.1 MOTFAp 12.23 -.01 +0.1 NJTFAp 12.07 -.01 -0.1 NYInsA p 11.54 -.01 0.0 NYTFAp 11.79 -.01 0.0 NCTFAp 12.24 -.01 0.0 OhiolAp 12.52 -.01 +0.1 ORTFA p 11.81 -.01 0.0 PATFAp 10.38 ... +0.1 ReEScAp 27.23 +.30 +2.3 RisDvAp 34.26 +.28 +3.2 SMCpGrA 39.08 +.17 -0.2 USGovA p 6.42 ... -0.5 UtilsAp 11.91 +.07 +0.2 VATFAp 11.78 -.01 +0.1 Frank/Temp Frnk B: lnpomB1 p 2.44 +.01 +0.4 IncomeBt 2.43 +.01 +0.4 FrankrrTemp Frnk C: IncomCt 2.45 +.01 +0.4 Frank/Temp Mtl A&B: DiscA 27.84 +.16 +3.1 QualfdAt 20.67 +.16 +2.6 SharesA 24.82 +.19 +2.0 Frank/Temp Temp A: DvMktAp24.86 +.07 -1.1 ForgnAp 13.13 +.02 +0.3 GIBdAp 10.50 ... -0.6 GrwthAp 23.74 +.10 +0.8 IntxEM p 16.83 +.04 +0.8 WoridAp 18.33 +.03 +0.5 Frank/Temp Tmp Adv: GrthAv 23.76 +.10 +0.8 Frank/Temp Tmp B&C: DevMktC 24.38 +.07 -1.2 ForgnCp 12.95 +.01 +0.2 GE Elfun S&S: S&SPM 44.53 +.31 +1.6 GMO Trust III: EmMkr 21.88 +.32 -0.5 For 16.72 +.13 +1.0 IntlGrEq 29.86 +.29 NE IntlntrVI 32.52 +.30 +1.2 GMO Trust IV: EmrMkt 21.83 +.32 -0.5 IntlInlrV1 32.51 +.30 +1.2 Gabelll Funds: Asset 43.16 +.37 +1.8 Gartmore Fds D: Bond .9.49 -.01 -0.4 GvtBdD 10.08 ... -0.4 GrowthD 7.24 +.05 +1.0 NationwD 19.32 +.14 +1.0 TxFrr 10.48 -.01 -0.1 Goldman Sachs A: GrincA 26.74 +.19 +2.0 MdCVAp36.16 +.31 +1.3 SmCapA 43.09 +.42 +0.3 Guardian Funds: GBG InGrA 16.01+.04 +0.3 ParkAA 33.23 +.21 +1.2 Harbor Funds: Bond 11.60 ... -0.3 CapApinst 32.63 +.15 -0.5 Intlr 53.17 +.60 +1.2 Hartford Fds A: AdvrsAp 16.05 +.08 +0.2 Cp.'pp p 3 81 0.30 +0.5 U-,, L ir A I S i. +.15 +1.1 mri C.:t.-:. "1 51 e.26 +0.6 Hartford HLS IA : . ,A:.A -pp -. +.48 i 0.5 D..G. '.'i +.17 +1.1 a. -.. ,- S"it +.12 +0.3 \to.k 50.11 -.44 +0.7 Hartford HLS IB : CapApp p 54.57 +.47 +0.5 Hennessy Funds: CorGrow 21.08 +.29 +1.4 CorGroll 31.76 +.24 +2.0 HodlBalFdn15.53 +.06 +0.4 Hotchkis & Wiley: LgCpVIAp23.91 +.19 +1.4 MidCpVal 29.43 +.24 +1.8 ISI Funds: ' NoAmp 7.33 -.01 -1.1 JPMorgan A Class: MCpValp24.22 +.18 +1.9 JPMorgan Select: InEq n 34.23 +.32 +0.6 JPMorgan Set.Cis: fntrdAmern25.12+.19 +1.4 Janus : Balanced 23.09 +.13 +1;1 Contrarian 16.21 +.14 +2.7 CoreEq 24.78 +.19 +0.4 Enterpr 44.09 +.18 +1.3 FedTEn- 6.96 -.01 -0.1 FIxBnd n 9.35 -.01 -0.4 Fund 26.33 +.18 +1.5 GI UfeSci r n21.20+.14 +1.8 GrTechr 12.38 +.05 -1.8 GrIn 37.54 +.30 -0.1 Mercury 23.29 +.14 +0.7 MdCpVal 22.95 +.15 +0.9 Olympus 33.29 +.20 +0.5 Orion 8.88 +.05 +2.1 Ovrseas r 35.98 +.61 +1.9 ShTmBd 2.86 -.01 -0.1 Twenty 48.95 +.15 +0.7 Ventur 62.81 +.33 +2.4 WrldWr 44.20 +.27 -0.2 JennisonDryden A: BlendA 18.33 +.15 -0.5 HiYldAp 5.67 ... +0.4 InsuredA 10.74 -.01 -0.2 UltiltyA 14.75 +.10 +0.3 JennisonDryden B: GrowthB 14.84 +.07 -0.5 HidBt 5.66 ... +0.4 InsuredB 10.76 -.01 -0.2 John Hancock A: BondAp 14.77 -.01 -0.4 ClasslcVI p 25.48 +.19 +1.8 StrIlnAp 6.81 ... -0.4 John Hancock B: StrIncB 6.81 ... -0.4 John Hancock Cl1: LSBalanc 14.15 +.04 +0.6 LSGrwth 14.38 +.06 +0.6 Julius Baer Funds: Int1Eqilr 39.07 +.10 -0.1 IntEqA 38.34 +.09 -0.1 Legg Mason: Fd OpporTrt 17.42 +.22 +1.4 Splnvp 45.59 +.32 -0.2 Va/Trp 67.68 +.50 +0.9 Legg Mason Insti: ValTrlnst 74.66 +.56 +1.0 Longleaf Partners: Partners 32.36 +.22 +1.4 Inl 17.82 +.07 +0.1 SmCap 27.65 +.11 -0.4 Loomis Sayles: SLSBondl 13.88 ... +0.2 Lord Abbett A: AffilAp 14.75 +.13 +2.3 BdDebA p 7.80 +.01 +0.4 GllncAp 6.68 -.02 -1.1 MidCpAp22.17 +.15 +1.4 MFS Funds A: MiTA 19.04 +.12 +1.9 MIGA 13.17 +.08 +1.5 .GrOpA 9.12 +.05 +1.1 HiMnA 3.81 -.01 +0.3 MFLA 10.10 ... 40.2 TotRA 15.57 +07 +1.0 ValueA 24.09 +21 +2.0 MFS Funds B: MIGB 12.01 +.06 +1.4 GvScB 9.38 ... -0.5 HilnB 3.83 ... +0.5 MulnB 8.57 ... +0.1 TotRB 15.56 +.06 +0.9 MainStay Funds B: CapApB t129.26 +.22 +1.0 ConvBt 13.93 +.05 -1.0 GovtBt 8.13 ... -0.5 HYIdBBt 6.23 ... +0.4 IntiEqB 13.56 +.08 +1.6 SmCGBp 15.44 +15 -0.1 TotRtit 19.15 +.11 +0.9 Mairs & Power: Growth 74.37 +.62 +2.3 Managers Funds: SpdEqn 91.56 +.84 +0.4 Marsico Funds: Focusp 18.48 +.06 +1.0 Merrill Lynch A: GAIAAp 17.52 +.03 +0.6 HealthAp 6.93 +.03 +1.5 NJMunBd 10.67 -.01 +0.3 Merrill Lynch B: BalCapBt25.45 +.13 +1.1 BaVIBt 31.59 +.25 +1.3 BdHiInc 5.08 -.01 +0.5 CalnsMB 11.53 -.01 -0.1 CrBPIBt 11.43 -.01. -0.5 CplTBt 11.60 -.01 -0.5 EquityDiv 16.37 +.10 +0.9 EuroBt 16.99 +.08 +1.0 FocValt 13.14 +.13 +1.2 FndlGBt 17.33 +.14 +0.5 FLMBt 10.34 -.01 -0.3 GIAIBt 17.16 +.03 +0.5 HealthBt 5.11 +.03 +1.6 LatABt 40.43 +.68 -0.4 LgCCBp 12.94 +.09 +0.5 MnlnBt 7.82 -.01 -0.1 ShTUSGt 9.05 -.01 +0.1 MuShfT 9.91 ... 0.0 MulntBt 10.18 ... -0.1 MNt1Bt 10.48 -.01 0.0 NJMBt 10.67 -.01 +0.3 NYMBt 10.98 -.01 +0.1 NatRsTB 147.65 +25 -4.3 PacBt 23.62 -.17 +0.3 PAMBt 11.26 -.01 0.0 ValueOpp 124.34+.20 +0.4 USGovt 9.95 -.01 -0.4 UtiTlcmt 12.33 +.07 +0.7 WIdInBt 6.05 -.03 -1.5 Merrill Lynch C: GIAIC 1 16.63 +.03 +0.5 Merrill Lynch I: BalCapl 26.26 +.13 +1.2 BaVII 32.34 +.25 +1.3 BdHilnc 5.08 ... +0.6 CaInsMB 11.52 -.01 -0.1 CrBPtIt 11.43 -.01 -0.4 CplTI 11.60 -.01 -0.4 DvCapp 24.50 +.10 -2.2 EquityDv 16.34 +.09 +1.0 Eurolt 19.83 +.09 +1.0 FocVall 14.53 +.14 +1.3 FLMI 10.34 -.01 -0.2 GIAIIt 17.57 +.03 +0.5 Health 7.56 +.04 +1.6 LatAl 42.37 +71 -0.3 Mnlnl 7.83 .,. 0.0 MnShtT 9.91 ... 0.0 Mum 10.18 -.01 -0.1 MNatll 10.49 -.01 +02 NatRsTrt 50.75 +27 -42 Pad 25.75 -.18 +0.4 ValueOpp 27.29 +.22 +0.4, USGovt 9.95 -.01 -0.4O UtlTIcmlt 12.37 +.07 +0.8 WldlncI 6.06 -.03 -1.4 Midas Funds: Midas Fd 3.36 +.02 -0.3 Monetta Funds: Monetta'n12.47 +.09 +1.0 Morgan Stanley A: DivGthA 33.49 +26 +0.9 Morgan Stanley B: GIbDivB 15.10 +.09 +1.4 GrwthB 13.56 +.07 -2.4 StratB 19.52 +.10 +1.3 MorganStanley Inst: GIValEqAnl8.46+.11 +1.3 IntlEqn 2127 +.09 +0.9 Muhlenk 83.77 +.67 -0.7 Munder Funds A: IntemtA 20.33 +.13 -1.8 Mutual Series: BeacnZ 16.32 +.13 +2.8 DiscZ 28.11 +.17 +3.2 QualfdZ 20.79 +.17 +2.6 SharesZ 24.98 +.20 +2.0 Neuberger&Berm Inv: Focus 35.16 +.43 +3.5 Intlr 23.10 +.03 -0.1 Partner 28.56 +.23 -0.6 Neuberger&Berm Tr: Genesis 49.32 +.40 -0.7 Nicholas Applegate: EmgGrol n12.91 +.11 +0.2 Nicholas Group: .HilncIn 2.14 ... +0.5; Nichn 60.42 +.27 +2.4 Northern Funds: SiCpldxn11.36+.13 +1.2 Technlyn11.93 +.01 -0.3 Nuveen Cl R: InMunRx10.75 -.04 0.0 Oak Assoc Fds: WhitOkSG n31.93+.01 -0.8 Oakmark Funds I: Eqtync rn25.07 +.07 +1.0 Globalln 24.54 +.13 +1.7 ntlrlrna 24.11 +.08 +1.2 Oakmark r n41.85+.33 +1.4 Select r n 33.36 +.28 -0.3 Old Mutual Adv II: Tc&ComZn12.60+.02 -2.1 Oppenheimer A: AMTFMu 10.12 ... +0.3, AMTFrNY 13.02 -.02 +0.5, CAMunlAp 11.47-.01 +0.6. CapApAp44.10 +.22 +1.0' CapIncAp11.88 +.04 +0.3, ChlncAp 9.36 +.01 +0.3 DvMktAp 3924 +.45 +1.0' Discp 46.76 +.48 -0.7 EquityA 10.78 +.06 +0.6 GlobA p 69.62 +.45 +0.7 GIbOppA 40.51 +29 +1.8 Gold p 25.41 +.35 -4.1 HiYdAp 9.37 ... +0.3 IntBdAp 5.90 ... +0.1 ULdTmMu 15.77 -.01 +0.3 MnStFdA 38.43 +.27 +1.4 MidCapA 19.22' +.13 +1.5 PAMuniAp 12.79 ... +0.4 StrlnAp 4.20 -.01 -0.1 USGv p 9.40 -.01 -0.5 Oppenheimer B: AMTFMu 10.08 -.01 +02 AMTFrNY 13.03 -.01 +0.5 CplncBt 11.74 +.04 +0.2 ChlncBt 9.34 ... +0.1 EquityB 10.33 +.06 +0.5 HiYldB1 9.22 ... +0.2 StrIncBt 4.22 ... -02 Oppenhelm Quest: QBalAx 17.88 +.06 +0.2 Oppenheimer Roch: RoMuAp18.39 -.01 +0.6 PIMCO Admin PIMS: TotRtAd 10.37 -.01 -0.5 PIMCO Instl PIMS: AIIAsset 12.70 +.01 -0.9 ComodRR 13.64-.01 -6.3 HiYld 9.76 .. +0.3 LowDu 9.92 -0.1 RealRtnl 10.89 -.01 -1.4 TotRt 10.37 -.01 -0.4 PIMCO Funds A: RealRtAp 10.89 -.01 -1.5 TotRtA 10.37 -.01 -0.5 PIMCO Funds D: TRp 10.37 -.01 -0.5 PhoenlxFunds A: BalanA 15.00 +.06 +1.5 CapGrA 15.57 +.07 +1.3 IntIA 11.92 +.08 +0;2 Pioneer Funds A: BalanAp 10.07 +.05 +1.2 BondA p 9.05 -.01 -0.5 EqlncA p 30.06 +.23 +2.9 EurSeEqA 34.51 +.41 +1.1 GrwthAp 12.76 +.11 +1.5 IntlValA .21.10 +.20 0.0 MdCpGrA 15.52 +.10 0.0 MdCVAp23.93 +.16 +1.2 PionFdAp 45.69 +.31 +1.8 TxFreAp 11.58 -.01 +0.1 ValueAp 17.85 +.13 +1.2 Pioneer Funds B: HaYdBt 10.88 +.02 -0.2 MdCpVB 20.90 +15 +1.1 Pioneer Funds C: HMYdCtI 10.98 +.02 -02 Price Funds: Balance n20.13 +.08 +0.5 BIChipn 33.25 +.19 +0.7 CABondn1O.95 -.01 -0.1 CapAppn20.67 +.11 +12 DivGron 23.55 +.16 +1.8 Eqlncn, 26.93 +.20 +1.9 Eqlndexn34.56 +.26 +1.6 Eurowein 19.40 +.09 +0.1 FLInt n 10.71 -.01 -0.1 GNMA n 19.37 -.01 -0.5 Growth 29.15 +.16 +1.6 Hteldin 6591 -.01 +0.5 InMBond n g.lg -.06 -12 IntDisn 44.04 +.39 -0.1 InUeStkn 15.32 +.07 -0.5 Japan n 11.24 +.09 -4.5 LaNAmn 28.681 .38-1.1 MDShrtn 5.11 -.01 0.0 MDBondnl1.63 ... 0.0 NAmern 32.43 +.18 +0.1 RealEssn21.96 +.21 +6.9 ScTecn 19.96 +.08 -1.2 ShtBd n 4.66 ... +0.1 SmCpStk n35.09 +.33 +1.9 SmCapVal n40.28+.42 +2.3 SpecGrn 18.94 +.12 +0.9 Specinn 11.79 ... +0.1 TFIncn 9.96 -.01 +0.1 TxFrH n 11.95 ... +0.4 TFIntmn 11.06 -.01 -0.1 TxFrSIn 5.32 ... +0.1 USTIntn 5.21 -.01 -0.9 USTLg n 11.47 -.03 -2.0 VABondn11.59 -.01 0.0 Valuen 24.31 +.18 +1.9 Putnam Funds A: AmGvApx 8.81 -.02 -0.2 AZTE 9.18 ... 0.0 CIscEqAp 13.60 +.10 +1.6 Convp 17.97 +.05 +0.3 DiscGr 19.16 +.15 +0.2 DvrInApx 9.80 -.06 -0.2 EuEq 24.47 +.21 +1.9 FLTxA 9.13 ... 0.0 GeoAp 18.16 +.10 +1.1 GIGvAp 11.90 -.06 -0.8 GIbEqtyp 9.51 +.06 +0.7 GrinAp 20.23 +.17 +1.8 HIlhAp 63.56 +.22 +2.1 HIYdAp 7.96 +.01 +0.5 HYAdA p 5.99 ...+0.4 IncmAp 6.70 ... -0.3 IntlEqp 27.63 +.14 +1.2 IntGrlnp 14.19 +.09 +0.9 InvAp 13.86 +.10 +1.2 MITx p 8.96 -.01 -0.1 MNTxp 8.96 -.01 0.0 NJTxA p 9.17 -.01. -0.1 NwOpAp 47.31 +.32 +1.2 OTC Ap 8.35 +.06 -0.4 PATE 9.08 -.01 +0.1 TxExAp 8.75 ... +0.1 TFInAp 14.81 -.01 -0.2 TFHYA 12.95 ...-+0.3 USGvApx 13.03 -.05 -0.1 UtIlAp 11.07 +.05 0.0 VstaAp 11.17 +.09 -0.2 VoyAp 17.46 +.10 +0.7 Putnam Funds B: CapAprt 19.58 +.16 +1.4 CiscEqBt 13.48 +.10 +1.6 DiscGr 17.62 +.13 +0.2 DvrInBtx 9.72 -.06 -0.3 Eqlnct 17.17 +.15 +1.8 EuEq 23.66 +.20 +1.9 FLTxBt 9.12 -.01 -0.1 GeoBt 17.99 +.09 +1.0 GlincBt .11.86 -.06 -0.9 GIbEqt 8.69 +.05 +0.7 GINtRst 27.33 +.15-1.3 GrinBt 19.95 +.17 +1.8 HithBt 57.22 +.20 +2.1 HiYIdBt 7.92 +.01 +0.4 HYAdBt 5.91 ... +0.3 IncmBt 6.66 ... -0.2 IntGnnt 13.96 .+.08 +0.9 IntlNopt 13.39 +.05 +0.5 InvBt 12.73 +.09 +1.0 NJTxBt 9.16 -.01 -0.2 NwOpBt 42.36 +28 +1.1 NwValp 1821 +.15 +22 NYTxBt 8.61 -.01 -0.1 OTCBt 7.36 +.06 -0,3 TxExBt 8.75 -.01 -0.1 TFHYB t 12.97 ....+02 TFInBt 14.83 -.01 -02 USGvB tx12.97 -.04 -0.1 UWlBt 11.00 +.05 -0.1 VistlaBt 9.71 +.07 -0.3 VoyBt 15.26 +.09 +0.7 RS Funds. ptrflOH;i.3ti.9 +.27 -4.1 Vnije ', +.15 -0.5, RiverSource/AXP A: Discover 10.12 +.10 +0.8 DEI 12.57 +.10 +1.5 DivrBd 4.75 -.01 -0.5 DvOppA 7.75 +.05 +1.7 ,GlblEq 6.88 +.06 -0.6 Growth 30.09 +.21 +3.2 HiYdTEA 4.37 ... +0.1 Insr 5.33 ... 0.0 Mass 529 -.01 -0.3 Mich 5.22 -.01 -0.1 Minn 5.24 -.01 -0.3 NwD 19.56 +.15 +2.5 NY 5.03 ... +0.1 Ohio 5.24 .. -0.1 SDGovt 4.71 ... -0.2 RiverSource/AXP B: EqVaIp 11.96 +.10 +1.8 Royce Funds: L'8rk r i6 +.21 +1.2 T Ci,:, +.17 -0.3 Premiedrr 17.77 +.23 +1.3 ToRetl rx 13.25 +.09 +0.9 Russell Funds S: DivEqS 46.31 +.32 +1.4 QuantEqS 39.24 +.30 +1.3 Rydex Advisor: OTCn 10.58 +.02 -02 SEI Portfolios: CoreFxA nlO.22 -.01 -0.4 IntlEqAn 12.96 +.03 +02 LgCGroAn20.14 +.14 +1.0 LgCValAn22.04 +.16 +1.6 STI Classic: CpAppAp 12.05 +.07 +1.5 CpAppCp 11.33 +.07 +1.5 LCpVIEqA 13.61 +.10 +2.4 QuGrStkCt24.01+.13 +12 TxSnGrlp25.71 +.14 +1.3 Salomon Brothers: BalancBp 13.14 +.05 +0.4 Opport 53.06 +.40 +2.0 Schwab Funds: 1000l1nvr 37.27 +.26 +1.4 S&Plnv 19.78 +.14 +1.6 S&PSel 19.85 +.15 +1.6 SmCpInv 24.50 +.26 +1.0 YIdPIsSI 9.66 ... +0.4 Selected Funds: AmShS p 40.87 +.30 +1.8 Seligman Group:; FrontrAt 13.57 +.12 +1.0 FrontrDt 11.85 +.1 +1.0 GIbSmA 17.91 +.15 +0.7 GIbTchA 14.74 +.04 +0.5 YdBA p 3.32 ... +0.3 Sentinel Group: CmS A p 30.76 +.22 +1.1 Sequoian157.51 +.60 +2.8 Sit Funds: LrgCpGr 37.78 .+.18 +0.6 Smith Barney A: AgGrAp110.19 +.28 -0.3 ApprAp 14.79 +.11 +2.1 FdValAp 15.16 +.11 +1.1 HilncAt 6.75 ... +0.2 InAICGAp 13.29 +.03 +14 LgCpGAp 22.66 +.08 +0.8 Smith Barney B&P: FValBt 14.19 +.10 +1.1 LgCpGBt21.28 +.08 +0.8 SBCplnct 17.43 +.09 +1.2 Smith Barney 1: DvStrl 17.03 +.12 +2.6 GrInl 16.27 +.13 +1.6 St FarmAssoc: Gwth 51.73 +.36 +1.4 Stratton Funds: Dividend 37.92 +.45 +6.4 Growth 44.99 +.24 -0.2 SmCap 46.44, +.32 +0.3 SunAmerlca Funds: USnvBt 9.22 ... -0.7 SunAmerica Focus: FLgCpAp18.43 +.04 -0.1 TCW Galileo Fda: SelEqty 19.33 +.04 -1.7 T1AA-CREF Funds: BdoPlus 10.01 -.01 -0.3 Eqlndex 927 +.07 +1.5 Groinc 13.36 +.10 +1.2 GroEq 9.74 +.05 +0.5 HiYidBd 9.10 -.01 +0.3 IntlEq 12.81 +.07 +0.4 MgdAic 11.63 +.04 +0.3 ShtTrBd 10.27 ... 0.0 SocChEq 10.00 +.07 +1.5 TxExBd 10.66 -.02 -0.3 Tamarack Funds: EntSmCp 30.99 +.31 +2.2 Value 39.74 +.28 +1.5 Templeton Instit: EmMSp 20.13 +.07 -1.2 ForEqS 23.26 +.14 +0.6 Third Avenue Fda: Intir 22.19 +.05 +0.3 RIEstVIr 31.15 +.27 +2.1 Value 56.67 +.16 +0.7 Thornburg Fds: IntValAp 24.84 +.07 +0.9 Thrivent Fda A: HiYld 5.05 -.01 +0.4 Income 8.51 -.01 -0.3 LgCpStk 26.95 +.20 +1.3 TA IDEX A: JanGrow p 25.74 +.07 -0.3 .-~ 4A %~ AM 0 5o~.,. AM .~ ~ ~X ~ -~ 2.', AALa~ A, Ys ~ &,~c i'" .cn .55 A, '9 '.5 ~ ALA .'... .555.- US - &-~s ~.. ~54 ~ :~ :~ GCGIob p26.65 +.11 +0.7 TrCHYB p 9.13 ... +0.6 TAFIxln p 9.32 -.01 -0.6 Tyrner Funds: SmICpGr n27.53 +.32 -0.2 Tweedy Browne: GlobVal 28.16 +.12 +2.3 US Global Investors: AIIAmn 27.44 +.18 +0.1 GIbRs 15.41 +.10 -2.5 GIdShr 12.65 +.16 0.0 USChina 8.31 +.02 -1.1 WIdPrcMn 24.77 +.13 +1.6 USAA Group: AgvGt 31.55 +.14 +0.6 CABd 11.11 -.01 0.0 CmstSIr 26.41 +.11 +0.3 GNMA 9.49 ... -0.3 GrTxStr 14.55 +.04 +0.6 Grwth 15.25 +.08 -0.1 Gr&lnc 18.73 +.15 -0.1 IncStk 15.82 +.11 +1.7 Inos 12.06 -.01 -0.4 Intl 24.94 +.19 +1.3 NYBd 11.94 -.01 -0.1 PrecMM 23.17 +.34 -1.8 SciTech 10.96 +.03 -0.6 ShtTBnd 8.81 ... +0.2 SmCpStk 14.21 +.12 +0.6 TxElt 13.12 -.01 0.0 TxELT 13.99 -.01 -0.1 TxESh 10.60 ... +0.1 VA Bd 11.56 -.01 0.0 WklGr 18.74 +.14 +1.4 Value Line Fd: LevGtn 23.22 +.09 -0.9 Van Kamp Funds A: CATFAp 18.45 -.02 -0.2 CmstAp 18.31 +.13 +1.7 CpBdAp 6.52 -.01 -0.5 EGAp 42.29 +.26 -0.5 EqlncAp 8.82 +.04 +0.7 Exch 374.83+3.25 0.0 GrInAp 20.97 +.14 +1.1 HarbAp 14.95 +.03 +0.3 HP1YdA 3.52 ... +0.6 HYMuA p 10.94 ... +0.6 InTFAp 18.48 -.02 0.0 MunlAp 14.65 -.02 +0.2 PATFAp 17.31 -.01 +0.1 StrMuninc 13.31 ... +0.6 US MtgeA 13.50 ... -0.2 UtiAp 19.04 +.10 -0.3 Van Kamp Funds B: EGBt 35.99 +.22 -0.6 EnterpB 12.27 +.06 +0.9 EqincBt 8.67 +.04 +0.6 HYMuBt 10.94 ... +0.6 MulB 14.61 -.02 +0.1 PATFBt 17.26 -.01 +0.1 StrMuninc 13.30 ... +0.5 US Mtge 13.44 -.01 -0.3 UtilB 18.97 +.09 -0.4 Vanguard Admiral: CpOpAdl n81.08 +.33 +1.9 Energyn110.38 +.65 -2.0 ExplAdml n74.48 +.61 +0.8 500Adml n118.45+.86 +1.6 GNMAAdn10.19 ...-0.5 H1thCrn 60.41 +.27 +1.5 HiYtdCpn 6.15 -.01 +0.1 HiYIdAdmn10O.77-.01 +0.1 ITBdAdmln10.14-.01 -0.8 ITAdmIln 13.26 -.01 -0.1 LtdTrAdn 10.67 -.01., 0.0 MCpAdml n83.06+.58 +0.5 PrmCaprn71.13+.32 +1.4 STsyAdmIln10.26 ... 0.0 ShtTrAd n 15.52 ... +0.1 STIGrAd n10.47 ... +0.1 TIIBAdmI n 9.91 -.02 -0.5 TStkAdm n31.04 +.23 +1.4 WellslAdmn51.55+.12+0.5 WelltnAdm n53.56+.26 +0.6 Windsorn59.92 +.49 +1.3 WdsdilAd n57.33 +.37 t1.9. Vanguard Fds: AssetAn 26.09 +.19 +1.6 CALTn 11.67 -.01 0.0 Capoppn35.09 +.14 +1.9 Convrtn 14.20 +.05 +1.7 DhvdGror13.00 +.10 +2.5 Energy n 58.77 +.35 -2.0 Eqlncn 23.78 +.19 +2.5-, Expirn 79.98 +.65 +0.8 FLLTn 11.57 -.01 -0.1 GNMAn 10.19 ... -0.5 GlobEq n 20.34 +.16 +0.6 Grolncn 32.46 +.24 +12 GrthEqn 10.80 +.06 0.0 HYCorpn 6.15 -.01 +0.1 HlthCren143.10 +.64 +1.5 InflaPron11.96 -.03 -1.5 InExpIr n 19.23 +.04 +0.3 IntGrn 22.25 +.19 +1.1 IntlVal n 37.07 +.23 +0.6 TIGrade n9.61 -.01 -0.7 ITTsryn 10.71 -.01 -0.7 ULeConn 15.74 +.05 +0.6 UfeGron 21.68 +.14 +12 Ufelnne 13.59 +.02 +02 UleModn 18.90 +.08 +0.8 LTnGrade n9.20 -.02 -1.7 LTTsryn 11.17 -.02 -1.7 Morg n 18.18 +.10 +0.5 MuHYn 10.77 -.01 +0.1 MulnsLg n12.57 -.01 -0.1 Mulntn 13.26 -.01 -0.1 MuLtd n 10.67 -.01 0.0 MuLongn11.21 -.02 -0.2 MuShrtn 15.52 ... +0.1 NJLTn :11.77 -.02 -0.2 NYLTn 11-21 -.02 -0.2 OHLTTEnI1.93 -.01 -0.1 PALTn 11.29 -.01 -0.2 PrecMtls r n25.29+.19 -2.5 Prmcprn 68.53 +.31 +1.4 SelValu rn1897 +.10 -0.1 STAR n 20.02 +.08 +0.4 STIGrad n10.47 ... +0.1 STFedn 10.20 .. 0.0 StratEq n 22.94 +.22 +0.8 USGro n 17.99 +.06 -0.2 USValuen13.89 +.11 +1.1 Wellsly n 21.27 +.05 +0.5 Welltnn 31.00 +.15 +0.6 Wndsrn 17.75 +.14 +1.3 Wndsdlln 32.29 +.21 +1.9' Vanguard Idx Fds: 500n 118.43 +.87 +1.6 Balanced n20.18 +.08 +0.6 EMktn 20.34 +.21 -1.8 Europe n 29.71 +,21 +1.7 Extend n 35.96 +.25 +0.7 Growth 28.02 +.18 +1.0 ITBndn 10.14 -.01 -0.8 LgCaplxn23.02 +.16 +1.4 MidCapn 18.30 +.13 +0.5 Pacific 11.53 +.03 -0.6 REITrn 22.28 +.20 +6.5 SmCapsn 30.58 +.30 +1.3 SmlCpVi n15.56 +.16 +1.8 STBnd n 9.84 -.01 -0.1 TotStkn 31.03 +.22 +1.4 Vailuen 23.17 +.16 +1.8 Vanguard Instl Fds: Instldxn 117.52 +.86 +1.6 InsPIn 117.52 +.85 +1.6 TotlBdldxdn50.06-.06 -0.5 InsTStPlus n27.95+21 +1.4 MIdCplstn18.36 +.13 +0.5 TBlst n 9.91 -.02 -0.5 TSnastn 31.04 +.22 +1.4 Vantagepoint Fds: Growth 8.86 +.06 +1.3 Victory Funds: DvsStA 17.42 +.14 +1.1 Waddell & Reed Adv: CorelnvA 6.43 +.04 +0.6 Wasatch: SmCpGr 38.73 +.30 +0.4 Weltz Funds: Value 35.78 +.19 +0.8 Wells Fargo Adv: CmStkZ 22.85 +.14 +0.9 Opptylnv 46.32 +.32 +0.3 Western Asset: CorePlus 10.28 "... -0.4 Core 11.10 ... -0.6 William Blair N: GrowthN 11.74 +.07 +2.4 IntlGthN 26.51 +.27 -0.7 Yacktman Funds: Fund p 15.24 +.09 +1.5 1 amm - - m - ana ftoa- omp .. -mm 0 t~p b M- mi - - -mo lb- - .om 4 w -W & 100 4- "D 4O*" 40M amp 0-- 4 aIq .40 o o -0 U * - .~- --= Mae -- -- "C p.40e M t rl--- 1" .0I- emnamo 0 *5 D_ map A-N- ydiaen-- -- ME O0a* - .I "Copyrighted Material MIde -Syndicated Content -:1., w-:- Available from Commercial News Providers" t 60- 1L--W - -a -- 4 qft 40100gh- 40M-=El a-o C-4f b 0 45 b mo -l m 4 w- fb 0 . a ob-u m -f dom ON --Gm i n m -f ________ * Q. 4- q* -9h mom *4om - omb 4b op a ap -b b 4 40M- tm ft*0 ft-mowQv 4M * dom d ab do, mc 4b m 0 MWof op-4 ft dm mw- 4 4~b0- d m 0 4b 7- -4 -dm 4M -dat Jamie Nicholson . is now hair styling at Doug's Salon InaII~to 652 N. Citrus Ave., Crystal River 66507 257-3300 563-2002 QUALftY SNC 7 tnr.,rw.. "1 nD vAn, L -,noV Iv Va.t T. rniinW-le Scott Redrick, M.D., FACOG Board Certified OB/GYN I 582 SE 7th Ave., Crystal River, FL 34429 11707 N. Williams Street, Suite 1, Dunnellon, FL 34432 ACCEPTING.NEW PATIENTS MedJicare, Blue Cross Blue Shield, First Health & most other insurance plans Full Scope Gynecologic Services Repair of Cystocele and Rectocele Treatment of Genital Prolapse Well Woman Care Ultrasound Evaluatiot 'and Treatment of Female Urinary Incontinence Surgery for: Endometriosis, Pelvic Pain, Pelvic Adhesion, Ovarian Cyst, Prolapse Repair, Endometrial Ablation, Vaginal Rejuvenation & more. 663089 0 Tuncoast. Obstetrics zGynecology Addressing the Needs of Women I I & S.KrURDAY, PVL-.Rcii 11, 2 t-)Ob 9A, BUSINESS P"rorrn r"rrNy/(LT)TI unCHror.I, " t. 00 "Money is a terrible master but an excellent servant." PT. B-uiirn; l C TRUS COUNTY CHRONICLE EDITORIAL BOARD Gerry Mulligan .........:......................publisher Charlie Brennan ...............................editor Neale Brennan ......promotions/community affairs Kath Slain fr made 6aa mistake a - - - % Im 4- 0 - =a- p STATE SPENDING Surplus should be used to our advantage eb Bush is in the fortunate position of entering his final year as governor with a state budget that is flush with a $3 billion surplus of new rev- enue. The Florida Legislature began its annual session last week and Gov. Bush opened the proceed- ings with his annual State of the State speech. Bush deserves much of the credit for keeping the state's economy booming - the net result of which is the $3 billion in new revenues. The governor wants to contin- ue to reduce taxes for business - another $1.5 billion a move he says will keep the state's economy moving. THE I1 It's hard to argue The state with that track record. OUR O0 For new spend- ing, Bush wants to There a use about'$239 mil- spending lion to buy a new laptop computer for YOUR oPIt every teacher in the comment a state and to attract Chronicle 30,000 .new teach- ers. He also wants to spend $50 million to help low- income homeowners to pur- chase hurricane shutters and reinforce substandard roofs. The state's hurricane insur- ance pool is also in desperate need of additional funds and the price tag will be hefty. We'd like the Legislature to consider using some of the sur- plus funds to build new schools in the state. Florida voters passed a constitutional amend- ment that demanded smaller class size for our students but the Legislature and governor have been slow to increase spending for new classrooms. There's another education proposal to sock away some of the surplus into a trust fund to create more annual dollars to increase teacher pay. In compar- ison to other states, Florida's teachers are underpaid. While progress has been made, much more work remains. The state has also been slow to address its responsibility to help both the mentally ill and the developmentally disabled. In- stitutions like the Key Center in Lecanto are looking for a well- deserved 10 percent increase in Medicaid funding for the devel- opmentally disabled. The governor cut funds for those suffering from mental ill- ness from last year's Legislative budget. Those funds need to be SSUE: restored in 2006 so a budget. that we can stop housing mentally PINION: ill citizens in coun- ty jails and the re some state prison. priorities. In our view, the Legislature also lION: Go to has to increase its irne.com to funding for sewer bout today 's uning or sewer editorial, and water projects around Florida. While hundreds of millions of dollars are dedicated to fixing the Everglades, there are many other environmental projects such as the Chassahowitzka water and sewer plan that need further state aid. The Legislature does need to be careful about creating pro- grams that require ongoing funding. The one truth about budget surpluses is that they always disappear. It's inevitable that we will eventually be talk- ing about state budget deficits again. But 2006 is the year that some good things can be accom- plished. The Legislature and governor need to make them happen. I e F r n C Hot Corner. PIZZA DELIVERY Fact check This is to the two people who replied to my letter on the pizza delivery charge: I was not upset about tipping the driver....I think if you are charged money and not told about it or shown any- where on your receipt, that CALL is wrong. If you file taxes, cn how do you explain the fig- 563' ures when they don't show up or add up right on your receipt? Maybe you have so much money you don't have to account for what you spend. I always check: And if you know so much, the tax tables on tips say that for a $3.50 tip, the bill should have been $24. That's a 15 percent tip. Also, I, too, buy gas. So next time you open your mouth, get the facts right. I believe in tipping for good service. Also, the $1.50 goes to the driver, so you are actually tipping twice. Also, the pizza was not hot. Tips help drivers I work at a pizza place and I'm calling in in reference to the "Pizza tips" call-in ...Maybe there might be $1 or $1.50 delivery charge, but that doesn't nearly cover gas, insurance, wear and tear on your car. So maybe a $2 tip might cover the gas. Breaking even This is in reference to your "Pizza tips." The store that I work for charges $1.25 an hour to help the store recoup the cost of having drivers. Drivers get $1 in mileage towards helping pay for 579\ gas.and maintain the vehi- 579 cle. With most deliveries having an average of 8 to 10 miles round trip and gasoline at $2.30 a gallon, drivers are barely breaking even on gas alone, much less paying for vehicle maintenance. Also, drivers make between $5.25 an hour to $5.50 an hour, which is below the minimum wage. Sad part is, stores used to have to pay this mileage out of their pockets, but now it's coming from the cus- tomers' pocket and sometimes out of the delivery drivers' pocket ... The alternative is to pick up your pizza, which reduces the store's labor and saves them money. The only party that benefits from this is the pizza company. This, of course, is wrong. Also, we tell.all of our cus- tomers what their total is plus tax and delivery, so they are being told that they are being charged for delivery. -( IW-O. -~. a I a- a. ~*--RIP - e.- - - a ~- - - - a.- - -~ a - - a a - a a a- - - - a. a a- - .~ ~-. a -a ft -- - -- .. am 4D.- a-a .'. --- -41b a -a. ,lo a- - -a- -- w a a-lw- m -mow ob. ......-w - a. a -l-@ -- dam..d 41 4-a - a. ~- S. a *--~- - a. a - -- - -a - - -a -. - a. __ a. -.-a - - a- -a - a -.~ - - - - - a a --a - a -- - !k"=' Copyrighted Material " -- --Syndicated Content Available from Commercial News Providers" e \ --w- 6.. a-go ef. aj *^ F i/ LETTERS to the Fowler 'flip '"A leopard doesn't change its spots; a zebra doesn't change its stripes." That is why I am loath to believe that Commissioner Jim Fowler has sud- denly become environmentally sensi- tive to our coastal areas. Wasn't this the same man who quite adamantly upheld a developer's right to, in effect, destroy 11 acres of highly sen- sitive karst with the Hall's River Retreat project? Isn't this the same commissioner who called another commissioner a "weenie" because he did not take a like view? Likewise, this is the same.commis- sioner who is known as "the develop- er's friend," and who, along with two commissioners now removed, caused the citizens of this county to spend more than $75,000 of their own funds to protect this environmentally sensi- tive area. It is true that these environmentally sensitive coastal areas need sewer lines. Riverhaven residents have paid dearly for theirs and some homeown- ers here are still paying. So, let's consider Fowler's environ- mental conversion with the same skepticism the heron employs when it is in the vicinity of an alligator. We may share the same water and eat similar fish, but we must also consid- er that the alligator has ulterior motives. Mary Kathleeh Stonerock Homosassa Sewer sense Commissioner Fowler's letter sug- gests that the Chassahowitzka sewer project be a part of the budget plan- OPINIONS INVITED The opinions expressed in Chronicle edi- torials are the opinions of the editorial board of the newspaper. Viewpoints depicted in political car- toons, columns or letters do not neces- sarii, reprEsent the, opinion of the edito- rial board M Groups or individuals are invited to express their opinions in a letter to the editor.. I Persons wishing to address the editorial board, which meets weekly, should call Linda Johnson at (352) 563-5660. w All letters rmiust be signed and include a ohorris number and hometown, including letters sent vi,. ning process. This makes good sense if the approach is correctly directed. Making all county residents pay for the project does not meet the "sense" criteria. If that were to be the approach, then literally thousands of county res- idents would surely have a case for refunds for the payments they made for sewer hookup. When I purchased my two lots, sewer hookup was paid for up to a point The point did not reach my house, so I had to pay the rest of the fee. The fee paid on a sec- ond lot was not refunded. However, another house can never be built, so that extra fee is a windfall to the ulti- mate recipient of the fee. This sce- nario is likely repeated many times. It would seem, and I have suggest- Editor -= - ed, that there could be a way to advance the cost to the property own- ers, and then allow them to repay. If a change in laws would be required, then review that avenue thoroughly.. Maybe even become a bit adamant about it One possibility could be to set up an arrangement where the hook-up fee would be advanced with .a proper- ty lien. This could be paid off during time or collected at the time of sale of -the property. It is for sure that being on the sewer system would increase the resale value of the property, thus eliminating or minimizing any expense to the property owner. This could be a win-win for all and avoid further outcry from our Citrus County taxpayers. Please, county com- missioners, give some thought along this line. Robert E. Hagaman Homosassa President's reasons What are you thinking, Mr. Bush, or how does your thought process work? Are you so sure of yourself, does your ego precede you? I hear only 5 percent of the cargo freight containers are inspected. Figuring that, 95 percent are open to anything coming into our ports. As devious as you say the Arab ter- rorists are, how could you sleep nights with this deal you are working? We, as Americans, have a right to vote on this outrageous scheme of yours, and we both know what the outcome would be. B. Dallenger. 10A SATURDAY MARCH 11, 2006 - Sw - - -* a* - w F o ,o S O W I OY/ SATURDAY, MARCH 11, 2006 11A CiTRus CouNIY (FL) CHRC'NicLE Family Care Council plans fair today The Area 13 Family Care Council will host a Family Forum/Provider Fair for the devel- opmentally disabled who are receiving services, on the waiting list, or those new to the area, from 9 a.m. to 1 p.m. today at the Key Training Center, 5521 Gamett Loop (off Van Nortwick) in Lecanto. There will be presentations of interest along with provider dis- plays, and representatives from the Area 13 Agency for Persons With Disabilities Program office will be available to answer questions. This is an open format, come and go as you please. Tree planting to honor fallen soldier A tree-planting ceremony in ' remembrance of Sgt. Dennis Flanagan, a local soldier who lost his life in the war in Iraq, is sched-' ,uled for today at Liberty Park, a beginning promptly at 10 a.m. Cub Scout Pack 457 and the A City of Invemess are hosting the event in honor of all fallen soldiers and in celebration of Arbor Day. A formal ceremony, showing of the colors by the Young Marines, breaking of the ground, prayer and reading of a poem Flanagan wrote just prior to his death by family friend Shirley Wright, will round out the event. The public is invited to bring lawn chairs; this event is free of charge. Liberty Park is at 300 N. Apopka Ave., north of the county courthouse in Inverness. Call the city of Inverness Parks and Recreation Department at 726- 3913. Help UW: Chow down k on seafood at park Enjoy crab claws, u-peel boiled shrimp, coleslaw and baked potato with beer and wine available for purchase from 3 to 7 p.m. today at the Homosassa Springs Wildlife State Park "Garden Point." Enter at Gate 3 on West Fish Bowl Drive near the bridge. Tickets are $50 per person. Proceeds benefit United Way of Citrus County 2006-07 Campaign. For tickets, call the United Way office at 527-8894 or order tickets online at. Civic group to offer chance for trip ;Withlapopka Civic Association plans a drawing for a three-day ' weekend at a mountain cabin in Blue Ridge, Ga. Tickets will be sold today at the Blue Ribbon Festival, Thursday at the corned beef din- ner, and at the regular monthly meeting March 21. At the meeting, the winner will be drawn. This weekend trip will be for four people. Tickets will be $5 each. Funds raised will go toward the club's efforts to assist residents of A' Withlapopka in times of need. S School to do Project Graduation car wash The Citrus High School 2006 Project Graduation Car Wash will be from 9 a.m. to 1 p.m. today at Citrus High School. Citrus High school's Project Graduation is conducting this fundraiser for its 2006 graduating seniors to be able to enjoy an all- night graduation celebration that is drug- and alcohol-free. Food, entertainment and prizes are pro- vided to students in a safe, friendly environment. For more information about how to support Project Graduation, call Mrs. Boudreau at 726-2241. Club plans meetings, meals, games Manatee Singles & Social Club meets at 7 p.m. the second and fourth Monday monthly at the Beverly Hills Community Building. Events for March are as follows: Monday: Club meeting and games. Friday: VFW Post on State Road 200, 4:30 p.m. U March 19: Oysters Restaurant, U.S. 19, Crystal River, 12:30 p.m. March 27: Club meeting and potluck, 7 p.m. March 30: Old World Restaurant, Floral City, 4:30 p.m. Also one wine and cheese and one game night, for members only, at private home. Dues are $5 for six months or $9 for a year. Call 726-2236 or 860-0158. Ridge Masonic Lodge to meet Monday Ridge Masonic Lodge 398 F & AM (a daylight lodge) will meet at 9:30 a.m. Monday at 88 Civic , Circle, Beverly Hills. Take County Road 491 to , Beverly Hills Boulevard to Civic Circle. All visiting Master Masons are welcome. Coffee and dough- nuts will be served at 9 a.m. Contact Worshipful John M. "Lucky" Lee, worshipful master, 795-9561, (Iqckylee143@earth- link.net); or Worshipful Robert A. "Buzz" Bernard, secretary, 746- 7732 buzzgwen@yahoo.com. Citrus High School slates parent night Parents of eighth-graders zoned for Citrus High School are invited to the school's parent night from 6 to 8 p.m. Tuesday. Last names beginning A through K will begin their orientation and class scheduling session in the cafeteria. Last names beginning with L through Z will begin in the gym. Call 726-2241. United Way announces meeting United Way has announced that Swinging for a Cure Worth NOTING- ---- - Wol' SmatstArC Sdt HYBRIDHEAT. Tw-n to the E Npe ri dIt2~I The Five Star Edilion of the Carrier Inf.niryT' System is the world's first selF-monitoring residential air condillioning system. Designed and programmed to run a daily diagnostic check, it actually adjusts itself to maintain maximum efficiency. You slay cooled, drier and Lave money. You also get the best limited I i't Q C W h warranties' In the business plus Puror's., the environmentally sound refrigerant. Get a S 1,200 Cool Cash Initantly when you call Senica your Carrier Factory Authorized Dealer and replace your old air conditioner vlih a new, two-speed Five Star Editlon of the Infinity-- System. Smort oir conditioner. Smart deal. 100 Soatisfaction Guaranteed 0 10 Year Rust Through Guarantee 25% / Minrrumn Cooling & Heating Cost Soviigs T10 Year Ughming Protection Guoaronle 10 Year Factory Parts & Labor Guarantee 30 Times More Moisture Removal iw,7.o...r. r ..i... c0 !S^9W9^\-- u/ Crystal River 352-795-9685 Dunnellon 352-489-9686 Toll Free 877-489-9686 IN MORE WAY-S Z:-41 THAN YOU REALIZE, . PUBLIC PEOPLE... Nix- a pleasure. Whether they're sharing cooking tips or carrying out your groceries,you know the folks at Publix will treat you right. Small wonder, then, that so many Publix associates volunteer to help - their neighbors. Building houses with Habitat for Humanity, serving as Big ,. Brothers and Big Sisters, deliver Meals On Wheels ... Publix associates help . ... WeBaroteprs d ofBouriassociates'gge s an d on ,. _.Passion.,.ll, its Annual Meeting will be conduct- ed at 4:30 p.m. Wednesdayat the Nature Coast Lodge in Lecanto. The purpose of the Annual Meeting is to recognize the retiring officers, to thank the 2006-07 cam- paign chairwoman, Susan Gill, for her leadership, and to receive com- mittee reports. Reservations are necessary to ensure seating and can be made by calling the United Way at 527- 8894. 'Hoosier' bash set for Thursday The annual Indiana Day will be Thursday at the Hemando Civic Club on Parsons Point Road (across from the post office) in Hernando. So, fellow Hoosiers, come out and start off the social hour with conversation and friendly renewal around 11 a.m. Lunch at noon. Soft drinks and meat will be provided. You may bring your favorite "Hoosier" covered dish. Call Doris at 344-9776 or Betty at (352) 489-9136. CATHY KAPULKA/Chronicle Herb Rosser, left, watches as oncologist Dr. C. Joseph Bennett makes a putt on the sixth green Friday afternoon during the Swing for a Cure Golf Tournament at Seven Rivers Golf and Country Club. Bennett organized the tour- nament, and all proceeds will benefit the Citrus unit of the American Cancer Society. POLL Continued from Page 1A The positioning is most intense among Republicans facing election in November and those considering 2008 presidential campaigns. "You're in the position of this cycle now that is difficult any- way. In second term off-year ,elections, there gets to be a familiarity factor," said Sen. Sam Brownback, R-Kan., a potential presidential candi- date. "People have seen and heard (Bush's) ideas long enough and that enters into their thinking. People are kind of, 'Well, I wonder what other people can do,"' he said. The poll suggests that most Americans wonder whether Bush is up to the job. The sur- vey, conducted Monday through Wednesday of 1,000 people, found that just 37 per- cent approve of his overall per- formance. per- cent to 36 percent for his han- dling of domestic affairs and from 47 percent to 43 percent on foreign policy and terror- ism. His approval ratings for dealing with the economy and Iraq held steady, but still hov- ered around 40 percent. Personally, far fewer Americans consider Bush lik- able,| !oner!} -- /'-.- 17T I f- . I 12A 'SATURDAY MARCH 11, 2006 Nation & 'orldL Ptam wm- a A - 4u -soft Mb -- --ow - Available - con--mb w ___04W - swum *0mm n-m a a- 4 a q40- 4ba ___ -GOW 'a -- .0 AWN- - a s* bl C *Inb 40 4m- -up - -elm -1* qm-a.4911., -n--- do- - b-- *a -4P-6 mm 41 -w - dkb OFd~ f w--- "..mpo 1- qb 4M N 4sp mw mo--0 -. adom- --= 0 1b 0t. Amiqw 4W &. e- gl 41 - w.= 4b.- Ow 0.1me - ft elm 4a- -11 - 1b MP GNP W- CopyrightedCMaterial ySyndicated Content., , from Commercial News Pro d -m 40 --.mw mm x in. wo qftpme m 0 in in in -- -mo 4000- 1bmwp-m nm 0 n ifn o "mp aw m 4MI4 4powa q- ino- am- o 4 mom. Gam a mdh G eim -ow 4m *mm doma m 4b deoiOO dom 4 mm a doot Gm, SGR 0 -me mm a do -mm S in - go41MM 401mdm-41 aum ---ot - fto -NE IS -11 inm 0osm Gm Gus 0ow - s-Go -niow oo ~GZarZ:1i M- b W 00VIM 0 C c fwo' U4m G- 40- w "a 0 .wf f -m4 Gomm nomio glows ft1 .00 .0 a *- 'a C - a- -. ----'a a.- - C- - S - -a C- - a - a. -. a. a - * -'a 'a ~-a -4 - 'a - a - a - -a - a- - - i- 44 -- in- --Ib n-.- olom mm -D 4 p f qmI- lm-w q w__ *m 0.1frp 4U.mu r ~4Wm a.~in Emu- n* ft l-_ i .- lopa- 0 a. 41. -ba a qw w h.wm a.- -.- * a -C a. - 4b - .- - -~--C -law - a.- - -a - *d-p - a a.~- - ______ - a. a. - C a. a- e - - - - a - - C a - f- 401. "o- qqm- i40 401W -- qin. -100.I- O* -- ft 0 C 0- 41b -.8m. .- 4 N -ap a wi 41b a 4bin w -- & - qin 4m-- --.0 qq * -mom a*m-m-dow. ' - qb- C -a * -in-Cqa- -of- -191a. in 41. 4b M.-- -ab -j op. -a- -- S N~- C in M d a 'a40. qe -da do a~m um p- a 4W -400 40FMM ab4000- -* 4iia* 4D - i S soom - in C4mmm -N r 0 7-1 I @I- Q UIAL NCAA Hoops Redick tries to get out of his slump. PAGE 5B -~ MARCH I I, 2006 *NW W:1405usev. am (a GI -A ,,. ,,.. .::. m:: i - .... ..... .. ... dow a. 4.. Girls Weightlifter of the Year Canes Class of her own rattle Jacqulyn Seffern reached new L c heights as junior JdN-McHAELRBig inningcarries jmsoracchi@dronidcleonline.com Citrus to 7-4 win Chronicle. G at 7 d To say that nothing razed ANoY MARKS Jacqulyn Seffern would be an amarks@chronicleonline.com understatement Chronicle The Crystal River junior simply set goals all year long thFour errors, five siwalks, and completed almost every three wild pitches and six runs single one. allowed. Improvement every week' For most teams, that would Did that be a bad night For Lecanto, it Totaling 300 pounds? She was a bad ihning. did that too. A long, painful, bad inning. After placing seventh last Friday in Inverness, Citrus year as a sophomore at the put together a six-run fifth FHSAA Girls Weightlifting inning with the help of only Finals, Seffern topped that one hit. By capitalizing on by grabbing a second-place what seemed like a never-end- finish in the 129-pound ing string of Lecanto miscues, weight class this year with a .the Hurricanes erased a 4-1 135-potund bench and a 165- .lead to pull away for a 7-4 dis- pound clean and jerk. trict win. In the process, she became "We hit the ball tonight," the highest-finishing Citrus Lecanto coach Robert Dupler County lifter ever at a sane- said. "We came out tioned girls finals. smac k ing~,... Until her runner-up finish. .and crack- Seffern had gone undefeated O ing and during the season and was then the fifth the county champion in her '.inning comes and weight class. we don't play the fifth inning. Having the ability to lift That cost us the game. As a more than you weigh and .ft team and a staff, wb've got to as much as teammates who figure out how to play a com- weigh 60 pounds more is _' .plete game." impressive. Seffern. however,; The fifth-niming fun started impressed not only with her for Citrus when Lecanto accomplishments but the starter Allee Savage in her demeanor she had while first game back from a foot doing it. injury' walked the bases There %was never boasting r4a 11loaded with nobody out. oIr bragging. Seffern would Dupler summoned 'C.hristina simply state what she wanted Hollback in reli and the to accomplish as if it were a floodgates opened A. wild foregone conclusion, pitch, a walk and" Thur errors "Some people set a goal I later, the HurrTicanes held ah really high and might get a g i improbable lead. little higher," Seffern said. 'J Lecanto'simplosion was dif- "But I set a goal that I know is ficult to watch, even for Citrus realistic and I get it" coach Butch Millet: For these reasons, Seffen "You have mixed emotions," is the Chronicle Girls CATHY KAPULKACr.ror,, 'E he said. At that point in time Weightlifter of the Year Jacqulyn Seffemrn, 17, is the Citrus County girls weightlifter of the year. At the state champi- we were behind so I was excit- onships in Gainesville, she clean and jerked 165 pounds and benched 135 pounds for a total of ed, but you always lookat what Please see SEFFERN/Page 2B 300 pounds to take second place. goes wrong and you're Please see CANES/Page 3B Paradise prepared for Pirates' challenge JON-MICHAEL SORACCHI jmsoracchi@chronicleonline.com Chronicle The job is his. Now the real fun begins. Anthony Paradiso, introduced Thursday as Crystal River's new head varsity football coach, impressed the administration sufficiently enough to earn the position but can the 28-year- old former quarterback succeed? According to those who know him, the answer is a resounding yes. "He'll be very good with the kids," said Orlando Timber Creek head coach Jimmy Bucklgdge said of his former assistant. are'ss a positive person and he has.his life in order. This is a great shot for him." The Pirates job will not be an easy one, at least not right away. Although District 3A-6 wasn't strong from top to bottom, Crystal River went 2-2 in the district (2-8 overall), beating Lecanto and Nature Coast but suffering lop- sided losses to Citrus and Hernando. Size, athleticism and depth were lacking and, while Paradiso said Wednesday that he'd like to run a spread offense, he preached flexibility when running schemes. "It all depends on the kids," Paradise said. "We're going to i play to our strengths and for the spring, it's going to be very basic." The attitude Paradiso has " shown so far isn't an act, accord- ing to one of his former players. Jonathan Jones,.Timber Creek's quarterback and a college Ant prospect, said Paradiso is more Par than just a football coach. Crystal "He's great and he's a men- football tor," said Jones, a junior. "Everyone knows that if you have any problems or any questions about foot- ball, he's the guy you go talk to. "I'll tell you, Citrus County is lucking out," Jones added. "I'm going to miss .him my senior year." Dale Johns, an assistant principal at Crystal River and member of the inter- view committee that recommended Paradise to principal Patrick Simon, used the word character on more than hony adiso al River I coach. one occasion when describing Paradiso. "I think above all, his football knowledge and total character really made him attractive to us." Johns said. "He's a hard worker and the energy level and enthusiasm he hasis great." Simron, the man who ultimate- ly made the decision, said Paradise's diversity as a teacher - he's certified in special edu- cation, physical education and driver education and the comments from references were impressive. "That was another quality that I looked at," Simon said. "He shows qual- ities of deep concern not only for ath- letics, but the community." If there's one person in the area that might understand what Paradiso is get- ting himself into, it's Dunnellon head coach Frank Beasley, who completed his first season guiding the Tigers in 2005. The similarities between Paradiso and Beasley are .striking both were hired at age 28 to take over proud pro- grams coming off subpar seasons. Both are married and have young children and are coming from areas where foot- ball is important in the community. Both also had the goal of becoming head coaches by the age of 30. The only thing Beasley had over Paradise was an interim year as a head coach before taking the Dunnellon job. "It's a difficult job," he said. "It's a long road to get the kids to do what you expect. "You're never really ready for this job," Beasley continued. "I don't care if you're 45 and have been coaching for 20 years or 25 and been coaching for five." Please see PARADISO/Page 3B Biffie na pole m LasVes "Copyrighted Material Syndicated Content Available from Commercial News Providers"4 qwAmm pwpl. ok- ORM-400 .' _mo ~* A'~ am m Citrus blows away Dunnellon, 11-1 C.J. RISAK cjrisak@chronicleonline.com Chronicle A single. A force out that should have been a single. Another base hit, then an error. Four batters and the bases were loaded. for Dunnellon. Not the way Citrus pitcher Derek DeSomma wanted to start, to be sure. But the senior right-hander made certain things wouldn't get out of hand, striking out the next two Tiger batters. He did crack slightly in the second, again loading the bases on three singles and surrendering a run on a fielder's choice, but from that point on he was near- ly untouchable. And one run wasn't nearly enough against the Hurricanes, not the way they were swinging the bats this night They scored four times in the bottom of the second and added another four-run rally in the sixth, putting three runs on the board in the innings in between for an 11-1 six-inning mercy victory at Citrus. "Starting off, my off-speed wasn't working," DeSomma explained. "I had good velocity Please see ROUT/Page 3B in".' a ......'. - *Hk ....... xd8 m --No c rout Cavaliers ~* 5- 0 0 S b-~ -~ 0 0 4 - - --Nn 0 *lo 0 - -- amw m.--40.- SIN qb -ma * * S. 0 0 0 *m Smm 40 - * -- 0 ~ C 0 "orighted Material Syndicated Contt S.. --Im -'0 5 Availableifrom Commercial News'Providers" - d- *--NNW lof -go 41 o"*.w -m 4 w "Wo 404M___an ma S-dW OIWO '0lp4u--VF do w% ft- ab 4m 4 4 mm| v n a m Sm 4 _____ du. * w -w 24-tw o OO 4 ' 0 qo m0 4 40-40- 6om a go amm-0o mm was -wof -o *'0-q ftooS dew a ob m 09 qm l "M404v* W 04b dft 00 ob 1 '0 '0 o 4 - -ft-om m ==n 4 4moe ___ 4w 4 '0 . 0m o Pirates mercy-rule West Port 2-2 / *' * DON RUA the first at-bat, I felt petty For the Chronicle confident I just took advan- tage of the pitches I got." Defense was the difference The Wolfpack jumped out .in Crystal-River's 12-2 five-- toatwo-run lead in the top of inning win over visiting West the first as Piirate pitcher Port on Friday. Matt Schrantz tried to find Pirates fielders played his groove and West Pol's errorless ball,. led by short- Johni Dempsey delivered an, stop Chris Dvorscak, who RBI single. also went 3-for-3 with a The Pirates, now 6-0 in dis- homerun batting out of the trict play, came right back in nine hole. their half of the inning with "I've been struggling at the seven runs, thanks largely to plate this season and coach four throwing errors on West thought it might be a good Port's side and Dvorscak's idea to move me down in the booming home run to cefiter lineup to take some pressure field. off," Dvorscak said. "It With the five-run cushion, helped out I was really glad Schrantz settled down until. to contribute tonight After he was relieved in the fifth by SEFFERN Continued from Page 1B From the first meet of the year at I-ecanto, Seffern showed that she would pick up from where she left off t-nd continually get better. She totaled -260 pounds on Dec. 8 to easily win that 'iheet. 'The next week, 270 came at a tri- 'meet at West Port and then she hov- ,'ered there until putting up a person- -al-record 280 at the Citrus County Championship on Jan. 18. -It was there that Seffern told the bChronicle she was shooting for 300. ",. She showed the next couple of weeks how reasonable that number ,Was when she lifted 285 total over two "sectional qualifying meets. 3- IAfter hitting her 300 mark at the I-sate tournament, Seffern laughed it off. bi'"At the beginning of the season, 300 John Dellatorre, who closed out the game. with three straight outs. . Schrantz, now 3-1, had five strikeouts and allowed only two hits over the four innings he pitched. , "The team played hard tonight," Pirates coach Rob Cummins .said. "We took advantage of what they gave us and we played good defense. Matt, our pitcher, didn't have his best stuff tonight, but he settled down and pitched solid." The Crystal River bats came alive again in the third inning with a single by center fielder Kyle Metz and Dvorscak's RBI double, a was such a big number," she said. "As I got closer and closer, it was like, 'Oh, I could get 310.' "Let's just say I have humongous goals for next season." Those goals almost never had ,the chance to form. First and foremost, Seffern is a cheerleader. As a ninth-grader two years ago, Crystal River coach Charles Brooks tried in vain to get Seffern to join the team after seeing she possessed the characteristics to be a great lifter. "I knew it when I saw her," Brooks said. "I saw her in cheerleading prac- tice doing flips and she went almost the end of the football field. I knew if she could move her body mass like that, she could move weight" Brooks, who went to high school with Seffern's parents, isn't your nor- mal coach, according to Jacqulyn. "He's unlike most coaches," she said. "I mean, he's a coach but he's more like a friend." shot to left center that came down at the base of the fence, missing another homerun by six inches or less. The Pirates tacked on three more runs making the score 10-2 after only three complete innings. Another Wolfpack pitching change in the fourth was futile as four different Pirates got base hits, includ- ing Dvorscak's smoking line- drive single to left that could have easily been a double if the bases weren't crowded. Chris Dobson and Schrantz also got base hits' in their final at bats. Crystal River plays North Marion at home at 6:30 p.m. Tuesday. Brooks returned the sentiment. "She's just a pleasure to be around and a wonderful person, just like her parents," Brooks said. "She led by example in the weight room. She'd come in, and crack a joke here and there but she got in there and worked her butt off." Seffern came out for one meet her freshman year. As an exhibition lifter whose lifts didn't count for the team score or for a place, Seffern recalls lifting as much as the school's varsity lifter at her weight. But that success couldn't tempt Seffern to give up cheerleading to pursue pumping iron. Though she - took up lifting the last two years, one of her ambitions is to competitively cheer at the University of South Florida. "I was just didn't feel like cheer- leading at the high school any more," Seffern said of her decision to join Brooks as a sophomore. "I'm hoping to go to USE They have a competition '0~ 7 4p~ S. -S '0 m ~ *0 -'0- - ~ -a S - S.. ~ S. - * '0- -.0 - MO- 000 o. *mop MOW NHLDevi*top Cap"md1 ixmztt dbmdwqw 4m 04w-t mom ammo- 100q.'0 @MEO 00 o 41 04b00a ba doo p w q 0mb solow amon t * ftb411- 40if 4mm 00- 4w 41 - S IP amom team which also cheers for football." Seffern is a strong student and wants to study law at the University of Florida after completing four years in Tampa. If she attacks that pursuit with the same drive that she used to to hoist weight, it won't be a matter of if but, rather, when. Chronicle All-County Girls Weightlifting Team 101 Beca Branch, fr., Crystal River County champion totaled 180 and missed state qualifying bid by one spot. 110 Jen Corriveau, sr., Lecanto Finished 3rd in Gainesville with a 270 total and earned a county championship; often the lightest competitor in her class and the Panthers' only medalist. 119 Jen Wilburn, sr., Citrus Citrus County champion, missed state bid by a single place and had a high total of 260 during the season. 129 Jacqulyn Seffem, jr., Crystal River - 9R, C *OeO defeated up until the state tuma- where she fi nished 2nd. County npion whose speci ality was dthe lean- 9 Rachel Reed, jr., Crystal River s County cha mpion. - S- Victoria Mele, jr. Lecanto ate qualifier who earned a county *nal qualifying. * 9 Danielle Whitelaw, jr., Lecanto- nthers lifter was a county champion ' narrowly missed qualifying for the AA finals. 3 Quincy Wilson, jr., Crystal River ragged a 6th place medal after lifting rus County champion earned a 6th . e medal and lifted the heaviest total in' ,* county with a total of 325. 9 VKari Stanford, sr., Crystal Rivernto ate Qualifier was one of three ifters to.' 300 pounds. County champion in the" lited division. , 0 m 40q - 0 Im OCONEE .4m, Aff aw 411W 411W . o woodw qmm CITRUS COUNTY (FL) CHROUNICLE BASKETBALL Nuggets 108, Raptors 97 DENVER (108) Anthony 7-9 0-0 14, Evans 0-3 0-0 0, Elson 2-3 0-0 4, Patterson 7-10 1-2 15, Miller 6-14 11-14 23, Najera 3-4 1-2 7, Buckner 6-11 0-0 17, Boykins 7-17 0-0 18, Johnson 3-7 1-1 8, Eisley 0-0 0-0 0, Kleiza 0-0 2-2 2. Totals 41-78 16-21 108. TORONTO (97) Villanueva 4-8 2-2 10, E.Williams 0-1 0-0 0, Bosh 4-11 10-14 18, Peterson 6-17 5-10 20, James 11-22 1-1 26, Graham 0-2 0-0 0, Calderon 2-7 0-0 4, Sow 1-1 0-0 2, Bonner 5-14 0-0 14, D.Martin 1-1 0-0 3. Totals 34-84 18-27 97. Denver 25 25 2632- 108 Toronto 26 21 2129- 97 3-Point Goals-Denver 10-19 (Buckner 5-8, Boykins 4-7, Johnson 1-4), Toronto 11-28 (Bonner 4-8, James 3-6, Peterson 3- 12, D.Martin 1-1, Villanueva 0-1). Fouled Out-James. Rebounds-Denver 53 (Evans 20), Toronto 48 (Bosh 15). Assists-Denver 17 (Miller 8), Toronto 20 (Calderon 5). Total Fouls-Denver 19, Toronto 19. Technicals-Denver Defensive Three Second 2. A-17,896. (19,800). Bucks 92, Celtics 86 MILWAUKEE (92) Bogut 5-8 1-5 11, Simmons 6-11 5-6 18, Magloire 7-12 2-2 16, Ford 4-10 3-4 11, Redd 7-19 11-11 26, Bell 3-6 0-0 8, Gadzuric 0-1 0-0 0, Smith 1-9 0-0 2, Jackson 0-0 0-0 0. Totals 33-76 22-28 92. BOSTON (86) Gomes 6-15 0-0 12, Pierce 6-12 12-17 24, LaFrentz 2-9 2-2 8, Greene 2-6 0-0 4, Szczerbiak 6-15 4-4 18, Allen 1-4 4-4 6, Jefferson 4-9 1-1 9, Green 1-2 0-0 2, Scalabrine 1-3 0-0 3. Totals 29-75 23-28 86. Milwaukee 20 19 2924- 92 Boston 24 22 2416- 86 3-Point Goals-Milwaukee 4-11 (Bell 2- 3, Redd 1-4, Simmons 1-4), Boston 5-21 (Szczerbiak 2-5, LaFrentz 2-7, Scalabrine 1-3, Jefferson 0-1, Greene 0-2, Pierce 0- 3). Fouled Out-None. Rebounds- Milwaukee 55. (Bogut 10), Boston 45 (LaFrentz 8). Assists-Milwaukee 21 (Ford 7), Boston 23 (Pierce 8). Total Fouls- Milwaukee 21, Boston 24. Technicals- Milwaukee Defensive Three Second, Boston Defensive Three Second. A- 18,624 (18,624). Pacers 92, Hornets 90 INDIANA (92) Stojakovic 9-19 6-6 26, Foster 1-5 2-3 4, Pollard 4-4 1-1 9, A.Johnson 5-11 2-2 12, S.Jackson 9-24 2-2 21, Harrison 0-4 2-4 2, Granger 2-6 5-5 9, Jasikevicius 1-5 0-0 3, Tinsley 3-7 0-0 6. Totals 34-85 20-23 92. NEW ORLEANS (90) Mason 6-10 4-6 16, West 6-12 8-9 20, Brown 3-7 1-2 7, Paul 1-9 5-8 7, Snyder 6- 8 3-5 16, Williams 1-3 2-2 4, Claxton 2-11 7J8 11, Butler 4-6 0-0 9, L.Johnson 0-3 0-0 0,,M.Jackson 0-0 0-0 0. Totals 29-69 30-40 90. Indiana 28 28 1917- 92 New Orleans 24 24.2616- 90 3-Point Goals-Indiana 4-18 (Stojakovic 2-6, S.Jackson 1-4, Jasikevicius 1-4, .Ganger0-1, A.Johnson 0-1', Tinsley 0-2), New Orleans 2-7 (Snyder 1-1, Butler 1-2, West 0-1, Paul 0-3). Fouled Out-None. Rebounds-Indiana 52 (Foster 12), New Orleans 52 (Paul 7). Assists-Indiana 13 (9.Jackson 4), New Orleans 15 (Paul 8). Total Fouls-Indiana 28, New Orleans 23. Tpchnicals-S.Jackson, Jasikevicius, A. lohnson; Mason, Snyder. A-18,506. (1-9,163).- NBA Today ; SCOREBOARD' Saturday, March 11 . SNew York at Charlotte (7:30 p.m. EST). 'Borniiearns ',e anNBA -l& 'I? wiln .k STARS '-' Thursday .-Tony Parker, Spurs, scored 29 points todead San Antonio to a 117-93 win over Phoenix. -Dirk Nowitzki, Mavericks, had 33 points and 10 rebounds as Dallas topped Portland 109-92. NAAASAH Steve Nash missed his first game of the season'for Phoenix because of an injured right ankle and the Suns' 11-game winning streak ended with a 117-93 loss to San Antonio. Nash was hurt Monday night. His backup, Leandro Barbosa, was also out because of an injury. REMEMBER US? pallas beat Portland for the second time in three nights, 109-92 on Thursday night. The Mavericks won 93-87 on Tuesday. SULTANS OF SWAT Marcus Camby and DerMarr Johnson blocked late Philadelphia shots to help Denver hang on for a 97-93 win on Thursday night. After Carmelo Anthony scored with 18.9 seconds left, Allen Iverson had a shot blocked by Johnson. The Sixers retained possession and Kyle Korver's driving layup attempt was swatted away by Camby. SPEAKING "This is one of those games where you d6n't even want to play the doggone thing. Their guys aren't there and the win doesn't really show what you can do against a good team." San Antonio coach Gregg Popovich, after the Spurs' 117-93 win over Phoenix. The Suns played without injured guards Steve Nash and Leandro Barbosa. HOCKEY National Hockey League All Times EST EASTERN CONFERENCE Atlantic Division W LOT PtsGF GA N.Y. Rangers 36 17 9 81199 150 Philadelphia 35 18 10 80207 204 New Jersey 33 22 8 74181 176 N.Y. Islanders 29 29 4 62181 216 Pittsburgh 14 37 12 40180 257 Northeast Division W LOT PtsGF GA Ottawa 42 15 5 89247 150 Buffalo 40 16 5 85208 173 Montreal 30 23 9 69182 195 Toronto 28 28 6 62191 211 Boston 25 28 10 60178 195 Southeast Division W LOT Pts GF GA Carolina 43 15 5 91238 195 Tampa Bay 33 26 4 70194 198 Atlanta 30 28 6 66211 218 Florida 25 29 9 59178 195 Washington 22 33 7 51178 239 WESTERN CONFERENCE Central Division W LOT Pts GF GA Detroit 42 15 5 89227 158 Nashville 37 19 7 81194 180 Columbus 25 36 2 52158 222 Chicago 20 33 9 49158 214 St. Louis 19 32 10 48165 219 Northwest Division W LOT Pts GF GA Calgary 36 19 7 79162 150 Colorado 36 23 6 78228 201 Vancouver 35 23 6 76209 195 I Edmonton 32 22 9 73206 203 Minnesota 30 28 7 67190 172 Pacific Division W LOT PtsGF GA S Dllas 41 19 3 85210 171 Los Angeles 35 24 5 75215 213 Anaheim 29 20 12 70179 170 San Jose 29 23 9 67190.185 Phoenix 29 30 4 62189 208 Two points for a win, one point for over- time loss or shootout loss. For the record On the AIRWAVES TODAY'S SPORTS AUTO RACING 6:30 p.m. (FX) NASCAR Racing Busch Series Sam's Town 300. From Las Vegas Motor Speedway in Las Vegas. (Live) BASKETBALL 11:30 a.m. (6 CBS) (10 CBS) College Basketball Conference USA Tournament Final Teams TBA. From Memphis. (Live) (CC) (ESPN2) College Basketball America East Tournament Final - Teams TBA. (Live) (CC) 12:30 p.m. (38 WB) (51 FOX) College Basketball SEC Tournament Semifinal Teams TBA. From Nashville, Tenn. (Live) 1:30 p.m. (44 UPN) (ESPN) College Basketball ACC Tournament Semifinal Teams TBA. From Greensboro Coliseum Complex in Greensboro, N.C. (Live) (CC) 1:45 p.m. (6 CBS) (10 CBS) College Basketball Big Ten Tournament Semifinal Teams TBA. From Indianapolis. (Live) (CC) 2 p.m. (ESPN2) College Basketball Big 12 Tournament Semifinal - Teams TBA. From Dallas. (Live) (CC) 3 p.m. (38 WB) (51 FOX) College Basketball SEC Tournament Semifinal Teams TBA. From Nashville, Tenn. (Live) 3:30 p.m. (ESPN) College Basketball ACC Tournament Semifinal - Teams TBA. From Greensboro Coliseum Complex in Greensboro, N.C. (Live) (CC) 4 p.m. (6 CBS) (10 CBS) College Basketball Big Ten Tournament Semifinal Teams TBA. From Indianapolis. (Live) (CC) (44 UPN) College Basketball ACC Tournament Semifinal - Teams TBA. From Greensboro Coliseumnin Greensboro, N.C. (Live) (ESPN2). College Basketball Big 12 Tournament Semifinal - Teams TBA. From Dallas. (Live) (CC) 6 p.m. (6 CBS) (10 CBS) College Basketball Pac-10 Tournament Final Teams TBA. From Los Angeles. (Live) (CC) (ESPN) College Basketball Atlantic 10 Tournament Final - Fordham or Xavier vs. St. Joseph's.or Temple. From U.S. Bank Arena in Cincinnati. (Live) (CC) 6:30 p.m. (ESPN2) College Basketball MAC Tournament Final - Teams TBA. From Quicken Loans Arena in Cleveland. (Live) (CC) 8 p.m. (ESPN) College Basketball Big East Tournament Final - Teams TBA. From Madison Square Garden in New York. (Live) (CC) 9 p.m. (ESPN2) College Basketball WAC Tournament Final - Teams TBA. From Reno, Nev. (Live) (CC) 10 p.m. (ESPN) College Basketball Mountain West Tournament Final Teams TBA. From Denver. (Live) (CC) 12 a.m. (ESPN) College Basketball Big West Tournament Final - Teams TBA. From Anaheim, Calif. (Live) (CC) (ESPN2) Women's College Basketball Mountain West Tournament Final BYU or Texas Christian vs. UNLV or Utah. From the Pepsi Center in Denver. (Same-day Tape) (CC) GOLF 9 a.m. (GOLF) European PGA Golf Singapore Masters Third Round. From Singapore. (Same-day Tape) 2 p.m. (GOLF) Canadian Golf Tour Barton Creek Challenge - Third Round. From Austin, Texas. (Live) 3 p.m. (2 NBC) (8 NBC) PGA Golf Honda Classic -.Third Round. From the Country Club at Mirasol in Palm Beach. (Live) (CC) 4 p.m. (GOLF) LPGA Golf MasterCard Classic Second Round. From Mexico City. (Live) 6 p.m. (GOLF) PGA Golf Champions Tour -AT&T Classic - Second Round. From Valencia, Calif. (Same-day Tape) HOCKEY (SUN) NHL Hockey Tampa Bay Lightning at Toronto Maple Leafs. From Air Canada Centre in Toronto. (Live) 7:30 p.m. (FSNFL) NHL Hockey Carolina Hurricanes at Florida Panthers. From the BankAtlantic Center in Sunrise, Fla. (Live) Prep CALENDAR----- TODAY'S PREP SPORTS SOFTBALL 7 p.m. Crystal River at Belleview 7 p.m. Citrus at Wildwood 7 p.m. South Sumter at Lecanto Thursday's Games Buffalo 8, Tampa Bay 5 Columbus 5, Phoenix 4 Moritreal 3, Boston 0 Detroit 7, Los Angeles 3 Colorado 2, Chicago 1 Calgary 1, Dallas 0 Nashville 3, Vancouver 2, OT San Jose 5, Edmonton 2 Friday's Games Ottawa 3, Atlanta 1 New Jersey 4, Washington 3, SO N.Y. Islanders 2, Toronto 1, SO Florida 5, Carolina 3 St. Louis 2, Minnesota 1, OT Saturday's Games Buffalo at Philadelphia, 2 p.m. - Nashville at San Jose, 4 p.m. N.Y. Rangers at Montreal, 7 p.m. Edmonton at Columbus, 7 p.m. N.Y. Islanders at Boston, 7 p.m. Tampa Bay at Toronto, 7 p.m. Chicago at Detroit, 7:30 p.m. New Jersey at Pittsburgh, 7:30 p.m. Carolina at Florida, 7:30 p.m. Los Angeles at St. Louis, 8 p.m. Anaheim at Phoenix, 9 p.m. Dallas at Vancouver, 10 p.m. Sunday's Games: NHL Scoring Leaders Through March 9 Jagr, NYR Thornton, Bos-SJ Staal, Car Ovechkin, Was Kovalchuk, Atl Alfredsson, Ott Heatley, Ott Savard, Atl Datsyuk, Det Hossa, Ati Marleau, SJ Tanguay, Col Crosby, Pit Zetterberg, Det AUTO RACING Nextel Cup UAW-DaimlerChrysler 400 Lineup By The Associated Press After Friday qualifying race Sunday At Las Vegas Motor Speedway Las Vegas. S. TRANSACTIONS BASEBALL American League BALTIMORE ORIOLES-Assigned LHP John Parrish, RHP Orber Moreno and RHP Ryan Keefer to their minor league camp. CLEVELAND INDIANS-Agreed to terms with SS Jhonny Peralta on a five- year contract. MINNESOTA TWINS-Agreed to terms with C Kyle Geiger and C Korey Feiner on minor league contracts. TORONTO BLUE JAYS-Assigned LHP Ricky Romero to their minor league camp. National League ST. LOUIS CARDINALS-Agreed to terms with OF So Taguchi on a one-year contract. American Association ST. JOE BLACKSNAKES-Sold the contract of LHP Jason Navarro to the Tampa Bay Devil Rays. Can-Am League WORCESTER TORNADOES- Released LHP Michael Cox. Northern League GARY SOUTHSHORE RAILCATS- Acquired RHP Jason Shelley from Joliet for future considerations. WINNIPEG GOLDEYES-Agreed to terms with INF Jon Benick. BASKETBALL National Basketball Association PHOENIX SUNS-Named coach Mike D'Antoni executive vice president of bas- ketball operations and general manager. Continental Basketball Association GARY STEELHEADS-Signed F Karlton Mims. FOOTBALL National Football League BUFFALO BILLS-Signed LB Josh Stamer. CINCINNATI BENGALS-Released DE Duane Clemons. NEW YORK GIANTS-Agreed to terms with CB Sam Madison on a four-year con- tract. . ST. LOUIS RAMS-Agreed to terms with' WR Isaac Bruce on a three-year contract. ,TAMPA BAY BUCCANEERS-Released QB Brian Griese, LB Jeff Gooch and OL Matt Stinchcomb. WASHINGTON REDSKINS-Re-signed RB Rock Cartwright. Released P Tom Tupa, S Matt Bowen, CB Walt Harris, DT Brandon Noble and C Cory Raymer: Canadian Football League WINNIPEG BLUE BOMBERS-Signed DE Gavin Walls to a contract extension:. Arena Football League AFL-Announced the retirement of FB- LB Travis Reece. COLUMBUS DESTROYERS-Waived WR-DB Lincoln Dupree. GRAND RAPIDS RAMPAGE-Re- signed FB-LB Jason Ferguson. PHILADELPHIA SOUL-Waived OS Marcus Knight. SAN JOSE SABERCATS-Waived OL- DL Jeff Ruffin. HOCKEY National Hockey League NHL-Suspended Boston D Nick Boynton for one game for directing an inappropriate, threatening gesture toward Montreal. LW Mike Ribeiro during a March 9 game. ANAHEIM MIGHTY DUCKS- Reassigned RW Dustin Penner to Portland of the AHL. ATLANTA THRASHERS-Recalled F Derek MacKenzie and D Mark Popovic from Chicago of the AHL. DETROIT RED WINGS-Assigned D Brett Lebda to Grand Rapids of the AHL. MONTREAL CANADIENS-Assigned G, Yann Danis to Hamilton of the AHL. NEW YORK ISLANDERS-Assigned' F Jeff Tambellini, D Denis Grebeshkov, F Sean Bergenheim and F Robert Nilsson to Bridgepon 01of e AHL PHOENIX COYOTES-Recalled D Matt Jones from San Anionio of ine AHL - PITTSBURGH: PENGUINS-Called' up D Alain Nasreddine from Wilkes- Barre/Scranton of the AHL. Assigned F Shane Endicott and loaned F Krystofer Kolanos and F Peter Taticek to Wilkes- Barre/Scranton. VANCOUVER CANUCKS-Assigned G Maxime Ouellet to Manitoba of theAHL. WASHINGTON CAPITALS-Assigned D Mike Green and F Jakub Klepis to Hershey oftheAHL. American Hockey League BRIDGEPORT SOUND TIGERS- Assigned D Vince Macri to Fresno of the. ECHL. GRAND RAPIDS, GRIFFINS-Named Donna Boersma accounting assistant and Jennifer Nichols corporate sales account manager. HARTFORD WOLF PACK-Recalled G Chris Holt from Charlotte of the ECHL. HOUSTON AEROS-Recalled G- Miroslav Kopriva from Austin of the CHL. LOWELL LOCK MONSTERS-Recalled F Scooter Smith from Toledo of the ECHL. NORFOLK ADMIRALS-Signed F John Snowden and F Rory McMahon. SAN ANTONIO RAMPAGE-Assigned RW Frantisek Lukes to Laredo of the CHL. ECHL IDAHO STEELHEADS-Signed F Mike Adamek. PHOENIX ROADRUNNERS-Traded F Ben Knopp and D Dave .Cousineau to Long Beach for F Kevin Ulanski, D Nathan Home and future considerations, and F Jean-Francois Soucy and D Shaun Fisher to San Diego for F Patrick Levesque and future considerations. SOUTH CAROLINA STINGRAYS- Signed D Scott Romfo. UTAH GRIZZLIES-Acquired F Nick Ganga from Long Beach for future consid- erations. VICTORIA SALMON KINGS-Traded LW Jay Latulippe to Augusta for future con- siderations. Central Hockey League COLORADO EAGLES-Signed D Jesse Cook., CORPUS CHRISTI RAYZ-Announced C Randy Murphy was granted leave by the CHL. Signed LW Craig MacDonald. ODESSA JACKALOPES-Announced D Jeff Ewasko has been activated from league suspension. OKLAHOMA CITY BLAZERS- Announced LW Graham Dearie has been activated from leave by the CHL. LACROSSE National Lacrosse League SAN JOSE STEALTH-Traded the rights to F Mike Regan and a 2006 first-round draft pick to Philadelphia for F Luke Wiles and D Chad Thompson. COLLEGE NCAA-Placed Ohio State men's bas- ketball team on three years probation and penalized the former coach and a former assistant coach for violations of recruiting inducements and extra benefits provided to two international prospective student- athletes. BOISE STATE-Named Keith Bhonapha director of football operations. MARS HILL'-Announced the resigna- tion ofM Mandy Matox, women's basketball coach. MASSACHUSETTS-Named Stephen Militello linebackers, defensive line and defensive specialties coach and Mike Wood tight ends and special teams assis- tant coach. MONTANA STATE- Announced Katy Proietti is leaving the women's basketball team to join the tennis team. ROGER WILLIAMS-Named Doug Collyer and Chris Ward men's assistant lacrosse coaches. 1nd "Copyrighted Material e qvndiePnfAd (~nntAnt - - VIIUIVUIUM VVIlllllv -- Available from Commercial News Providers" NOW- - .. a 9 - ~- - - aI -.i.m NASCAR Continued from Page 1B helped drivers who qualified later. "The wind was' really swirling. It was tough at times," Johnson said. The fastest speeds were well short of the qualifying record of 174.904 mph set by Kahne two PARADISE Continued from Page 1B Beasley stressed the impor- tance of letting athletes know you care and picking a good coaching staff both were mentioned by Paradiso on Wednesday. One Paradiso attribute that students might be drawn to is his playing experience. He led the state in passing as a senior at Orlando Colonial, before playing quarterback on the University of South Florida's inaugural team from 1996-97. According to Jones, Paradiso still has quite an arm. , CANES Continued from Page 1B thinking 'if that was 'my team, what do you do to correct that?' If you're on the side that it's happening to you've got to stop it and pick yourself up. If you're on the other side, you've got to take advantage and we did that tonight." Patience was the one ele- ment of the rally that Citrus controlled,.. The Canes' fi.ve total walks all came in the fifth after Miller had lectured his team earlier in the game about swinging at bad pitches. In the fifth inning, "they went up there and got a little bit.more discipline, and that's the result," Miller said. The three-run lead Citrus built was plenty for starting pitcher Jillian Couillard, who settled down after a rocky start and retired the last 13 batters in order, four on strike- outs. "When we throw strikes, we're a defensive ballclub and we're in the game," Miller said, Couillard (5-3) finished with ROUT Continued from Page 1B tonight, I just had to calm down." He did. DeSomma gave up just the one run on seven sin- gles; impressively, he struck out 11 and did not walk a bat- ter. "He was getting some pitch- es up early in the game," said Citrus coach Jon Bolin, his team now 4-4 overall, 4-2 in District 4A-6. "I saw him warm- ing up in the bullpen before the game and it looked like he had the best stuff he's had all year. But he was just getting his pitches up." Bolin 'was concerned with DeSomma's early trouble, sim- ply because the Hurricanes had been hammered by South Sumter a night earlier and Bolin had used several of his pitchers. "We were thinking, 'Oh, no,'" he said. "Last night we went pretty deep into our staff. But on the other hand, Derek gave us six solid innings tonight" Danny Permar's second base hit of the game loaded the bases for Dunnellon (5-5,2-3) in the second inning, and Matt Riggs' ground out to second delivered the game's first run. However, the Tigers would manage just two more hits. "I don't know, you tell me," answered George Welsh when asked what happened after the second. "We've got a Little League team ...We've got some good kids who are trying hard and some others who aren't, and the bad ones are infecting the good. "But we're going to make years ago. Perennial fast qualifier Ryan Newman will be 11th on the grid, beside J.J. Yeley, the top rookie. Biffle and Kenseth have the only two Fords in the top 10. There are six Chevrolets and two Dodges. Stanton Burton, Hermie Sadler, Brandon Ash, Mike Skinner and Morgan Shephered failed to make the race. "If I ever had a question on how to make a throw, he'd show me," Jones said. "He has a cannon and he used to pick our defense apart in practice. 'I think that helped them though." Buckridge was happy for Paradise, saying that he was ready to become; a coach, but lamented losing one of his best friends. Still, he said the players will like and respect Paradiso. - "You get a little bit respect early when the kids did know you play," Buckridge said. '"After that initial awe wears off, you have to know what you're talking about. He'll relate to the kids because he does know football." a complete-game five-hitter nine strikeouts and only one walk. Ashley Smith led Citrus bat- ters by going 3-for-3, all singles. Krystal Boardman and Brittany Eldridge had the only. other hits for the Hurricanes (7-4, 5-3) whose seven ruis were all unearned. Lecahto (3-6. 2-6)i'reached Couillard early with back-to- back two-run rallies in the sec- ond and third innings. Raina Johnson's RBI single in the Third "was the Panthers' lone earned run on the night, but Hollback added a pair of sharp singles in her four at-bats. It %was the second straight, game foriLecanto that featured a fifth-inninig disaster. The Panthers held a 7-3 lead 'at North Marion Tuesday in the fifth inning before the Colts erupted for eight runs, again due largely to Lecanto walks and errors. ,r: "We are not mentally strong enough to finish right now," Dupler said. "Will we be- Yeah. We're young, and that's not an excuse. I'm glad we're young because of what we can become." changes." The game got away from the Tigers in the second when Citrus sent three doubles to the fence. Jared Mann's two-bag- ger following Mark Xenophon's single put runners at second and third; one scored on an error, another on Brandin Barrasso's sacrifice bunt Back-to-back doubles by Randy Hernandez and Nick Delguidice plated two more runs to make it 4-1. The Hurricanes added two more in the third, a rally that started with Hunter Smith's lead-off double. He eventually scored on Justin Budd'S ground out; DeSomma singled in the second run. Delguidice doubled in another run in the fourth, making it 7-1. Cellin Neptune doubled in one run in the four-run sov- enth, Xenophon singled in tfo more and DeSomma ended the game with a run-scoring single, invoking the 10-run mercy rule. Six of Citrus' 13 hits were doubles. Hernandez and Delguidice each collected three hits in the game, Hernandez getting a pair of doubles and Delguidice adding a pair of runs batted in. DeSomma and Xenophoh had two hits and two RBI apiece. "I was more pleased with the fact that we executed," said Bolin. "We're not a big power- hitting team, we're not going to do that every night But we hAd a sacrifice bunt, that's what 'I was pleased with. "We've got to have the kids buy into that If they do, w0il be a good team." 1. Seems they certainly could be on their way. . SATuRDAY, MARCH 11, 2006 3B SPOlRTS D dw o a **&&&a coup MLI Inhhians. PfRaha orewetuo&d ea I #I=&_" m - r * B *-* - ~ ~- a -- eQ - ___ - Q ~ - - e * -~ - B ..~ - a- ~-. - - - a -~ _ - * a.. B B ~ - ~ a ~- -~ ~ a - a - 'B a 4m 4bU *I -anb 4ao W d 04 4- t- 4opobw -ft-Goolp - OWmow -4 - - B- p - a ;- "Copyrighted Material Syndicated. Content- Available from Commercial News Prc B B - ** a - 0@e a..- a B B B * -- a b-a- - a.- -a -~ a * - -. - w S B a B a- a. - - a- a - . AW mP1 -9 -4 m BAOIO Bf da w 0 4w - a4 omo - - s B- --' B alw qw --m. 4 _a. - B a 0 - B--a B- * a ~ 'B- *~ a. Ba - B - B- B . 4 - 40om 4 opw 0ow.1 so am& om gto4wa a GM 6am 0- 1D 1a* ous 4W SOP qw*m- 0 4 - ni OM--sow--no 4D ab. __got -* % -111 44b q a. a 4 4bam dan- ms- 00 411OW.9- ogm Goo"9 *oimm 41b bow Mosm o m -qs,-MW 41M .m0 am as 4W 41 aso up4-om o 6401w- --ft0 *A 40 am amp b n- 41 oos4 smal -Nq lla 4 1 Mo 0 wft-00 mowoma 410000 doom- -p411O dom mwB m d qumbW M 0 00 QM dome41I 0 aimag W - .M w -,q *B4wo -opn a nB-A~f -REP4 am 0 WDq aa .* "-ab ww-dm B -mq -o 4b-4 lo A - 40 .GP o I 0 B a S -B-S a a. a. i do- 41MW 4 B 5 W6 ) B p ~ a B -B - - C-,r- m.w- ftm* .4 -- 0 m "TWO B-BB 4WD* *mm NFL frye any begim with agerm alay capmnplwn - 'B - B- ~ - a a-'C --a * - a -- S B * - - -B B B- C B-- - _____ a -B B- a ___ a -a. a- B . aw . "M -"P B ---dim * B - S * B a- .b-B B q - B 4b B B -C a - -e S SB~ B. - a.-- - -4 - B _____ a. -B 0 - * B- a m - lip St lb op. -sm* 4B B.N ,-EN 4 - - B.- -a - B- BP Citrus County Boat Show THE LARGEST Boat Show IN THE NATURE COAST BOAT DEALER EXHIBITORS *Three Rivers Marine - Cape Cruiser Kirkland Defiance - Nature Coast Marine Kencraft (Bayrider) N S Sea Hunt _ Odyssey Harris Kayot Wellcraft Crystal River Marine4 Hurricane SPolar Sanpan -- Sweetwater Tuscany Riverhaven Marine Angler .p -Key West S -. Honda Mar. 17,18,19 BOATDEALER EXHIBITORS Kings Bay Nobles Marine Plaza -Mako Trophy U.S. Hwy. 19 .Bayliner Seafox Crystal River Sun Tracker Tracker Scout -Tahoe Homosassa Mari Century Cobia Sylvan Smokercraft Apopka Marine - Sailfish - Glastron . Triumph - G-3 - B- - Sat. 18m9AM-6PM - a m eft a -1m ow Bvdr B imp- B-. o Q P A q &. Top Duke heats up late, Miami 8076 4beo ftelw 4_MN 0MEW ow m - =mob d-m-4D - Go- D o. 4009- 0 wo Qo bp-.m ~ -AN ONO4m a 4Da *dl V - amomm 400 4 cmma low 40 * bm. S 0 ataw 0 aa 4 N 4m .___a- OP 0 42-w - WI- e- - "aalw oe "No--0am S w vow - ma orno am 4a -ma w- * --- 4.- 0__am__ 046.00M.. - ON- 0.-daft -.d ap OEM -. o yrig 00 p 400oft lo-wC C Mma at U4 e_ ~ C' jiy'mirja 4 g hw - -a mab Comm mom C-m%0 qmef potawe a *mgm i.0 a40 a - C10-q 0d qu-e Vq mq dwfto oom -mw 4w goo o Cd 40-w 040f 4m wo o vm40-1 a-40o 0= -4m4 - 0 WC 7 it 0 mm- 4mam-0100 4 * a b"M b - ~0 OEM 40 4 qwmw- 40 Cmw 4 040o - a mm 4 4 q m ~ -0 4W MateriaIb --0 mado0 WDa DrciaI Ne Z IlL w' 0. * 'WS Pro' ao -0 C4M v mide*.s am OW o- 4 ~i~im~mmm~mU...Laia~m~m t m~m~0 - mbe N w ~w Ieajr ue w 6 wm- aqm C mob. 0 C.- - aot -a -0o 4b .e C one 4b q 4b ow-ME-. - -10 - C4b -.00 - we 4p 7* - 0 41o 0 4w 4b. W * - w -M C - am -o-ao op m mr 0 4moCem - ooma qm-= - ow -d - C hlo 49 - C wwp 1 041 mffoo %b40 o, S quo C MNEWNO q-w Wdwm- q OEM- 4w b-mq - dmw- 91 4a UM 40 4 70 ab 10a do 0* 4b 4 4WD4D m - %numb m NN dw4 ob 40 o -o -omip 4WD- C S- oa 0w -4W am4w Cm wma 40- a m -w 0mm mm C maa 4b - C b o emlmm a 40 di w C 40- C am 4b- ~uu T0 -. - 40~ "D 4De 4w as qb D4w - ob4m 4 -" WD f M -0 q up -a q 4 .Wo *M-0M- m CWtm w 4 UP4 ~o T A F6 qw go a OWN0 44C qw . qr= C- mb o Njmdo~Likma M iiu a ____4=P 46 -4ml 4w -3 X mm -l m C wN am 4maf 40 0 % wow -W ub 0 b 40 ~ 4001 0 Sn 0 41111owQb GOMC S0 Ie 4110 7 *. -.4 a. p .~b - C40-0100. a -- S -- a- ~ - 4000 0 41100- _ *-Im *g- -41b ~ oft- a- 4 A la -ft C C C * 4o - _____ -* a 4CP0 M -.E .m- m CI.- a C a ~ *M-ang C W* a *0mo qw____ m - a- ta 4w 4 ------No- 40D C aft. 41 do C-qwwm qa - monow ab 4 -ob 0 - w-a a o-g% - ao --W RM- M Cm f qp 0 owqm 4 ob db- b 0 0 .E -d M- 40DallC ft s C C. C -01t4 0 im - m v~ba f 40 amw* w ft go 400bC omm - Cma 4wo"* Sp" 4 30. C. C- - C- -m - L C 0 a C * C.- .~ * ~ C C a ~ C 0 C C ~ - - C 0 - C. - 40o0 qb* 40 41FAID U olb owl I'm z -m CC 0 1 40 a- .0 40-4m 4w 4m 0 qmml .....TUR.A. MARCH 11 200 SpisCIRU OUT (F)CROIL Go Tms p&ls ahead at Honda * 1004 * 14 qw. uw 41 Q"D qum -o -.N a.- 4o- a * do am 4 0 s *u a fo ow q mole Avail~ fa 106 SIA a ~ a - * a a a-- - a - a - ~ - a- a - - a- a a a- 'a a a = C opyrighted iMater S7S- indicated Content lable from Commercial News * a a-- n.- 1M d 4 -mv b* 41 . .o 4ow -u - owow Cmam wm- multea me -mdm mob. vm 40 q m 0a *u=mldbw~m 4ar 0-. =z:=&* ado ft mo el * e m 40 0- C. m- mm s am e l 4Pq a -AM 446M 04 m 4 4m- 4-1MNE Qw. 4 w41mu 4 tob0 Alm. me 0 p 4M wo 000 -o o 4 so 6- MIMMWD - 0- q-ft. um oq qm0a 4w e 40 4WD a Mob4e - * db 040~ 40- lo m 4W4 ow 40r'. a am 4W 41- 4mqw mm 4ao OEM- 4W 4o * * 0 * quo- * AN Gib * a- :U -P v Provide .. S aS 0 0 * 0 0 0 0 0 * 0 00 0 0 * 0 S * 0 * 0 S a * - m - U - a * Ca a ~ - a ~ a * a- - - * a- MA L YS1.. .....----- 2006 DODGE RAM cm o Down *3361/o* 19 9,995 2006 ODGE 2006 DODGE DAKOTA' RAM5P o Down *249/Mo* 0 Down $269/mo* s14,995 $15,995 P) JUST ANNOUNCED REBATES $3 0 O0 NEW COMBO CASH of $4 OO REBATES up to ..r 2 APRF9r W ...60 0 MONTHS, %' nAPR For 60 MONTHS S.% In lieu of r. /APR F9or 72 Mb:NTHSI iy In ieuI of rebate ."--' * * 0 0 0e S. *0 00 0O rs S. 0 S. * * S * 0 * S .. 0* * 0 *. S .0 ** * 0 5. 0 .. 0 S. *. OBSATURDAY, MARCH 11, 2006 SPORTS CiTRus CouNTY (FL) CHRoNicLE 0 la 2006 DODGE C RAVAELS .A -0,Piwwn,$249lmo* $01. 6 C S.ATI IRDAY MARCH I I, 2006 - - ~ a~a-aS~-fl 1 -a-n-s-i-v-e giving 'S Filling the heavenly coffers with faith-driven dollars helps churches expand NANCY KENNEDY nkennedy@chronicleonline.com CIn'onicle 1" 7'Then a church outgto'ows its build- ings, it's a good problem to have. Wheii a church outgrown its build- But unlike a business that relies on its product or services to generate income for expansion, a church relies on its people as they rely on God. "We dare to start this campaign not because we are convinced that we have the resources necessary to meet our goal of $1.8 million, but because we are certain that our God will never fall us." That's what the Rev. Richard Jankowski wrote in a letter to the parishioners at St. Scholastica Catholic Church as the coig-rega- tion began its stewardship campaign in December 2005. When the Lecanto parish dedicated its sanc- tuary in 2000. there were 750 families: today fm. there are about 1,200 more than 3,000 indi- viduals. A "'The growth is tiremnendous." Jankowski said. "\We gain between 150 and 180 families a year, r and the church is already too small for our Masses. I had to A heart add a Mass on for Christ is Saturday: We have a nice church, but space " directly is running out." K The $1.8 million connected will go toward a parish center to be to the used for social acti\i- ties. church offices wallet, and meeting space for the 900-plus %olun- teers who serve the hr: eas, church in more than church treasurer, Shepherd's Way Baptist 30 different minm- Church in Lecanto istries. The plan is also to kIock out a wall and convert the existing office space into additional sanctuary seating. So fart: as the "thermomineter" siman outside the church reads, parish participation is a little less than 20 percent, and so far they have raised about $600,000 toward their _oal. According to their calculations, if every fami- ly shared equally toward the $1.810,000, each share is $1.580. Across three years, that amounts to $527 annually, that's $44 a month or $10.14 a week MA.rHEW BECK/Cr,,cr..:, F.I- But unlike tihe tax nian, a pastor or a board or ATE EKfrov E But unlike the tax mana pastor or a board of Dreams of building a church or expanding an existing one are one thing; paying for it is quite another. Please see i. /Page 6C It takes both money and faith to build a church. .:-= :-.- Calendar ofEVENT.:. - : :---. Special . Come sale away Helping Hands Thrift Store is having a $2 bag sale. Proceeds from all sales go to helping the less fortunate on the east side of Citrus County. Donations are welcome. Estate donations are also accept-, ed. Items donated are tax deductible, and a form is provided from Helping Hands. The store is at 5164 S. Florida Ave. (U.S. 41 South) atjth, HeathMini Storage Units, about a mile from the fair- grounds. Hours are from 9:30 a.m. to 3 p.m. Monday through . Saturday. Call 726-2660. The youth group of New Beginnings Fellowship, Hernando, will have a yard sale from 8 a.m. to 2 p.m. today at Wal- Mart in Homosassa. The St. Elizabeth Ann Seton's Council of Catholic Women will have a spring rum- mage sale from 9 a.m. to 3 p.m. Saturday, April 8, at the parish' cen- ter, 1401 W. Country Club Blvd., S. Citrus Springs. Norma Seibold, chairwoman of the event, and her committee are accepting and pric- in-g donations of rummage items, *including furniture and small appli- ances. There will be something for S everyone.: Enjoy fellowship The Little House Fellowship offers Christian fellowship with a cafe atmosphere at 9:30 a.m. S Sunday and 7 p m. Wednesday. -There are also Bible studies, disci- pleship training and 12-step Overcomers meetings. No mem-7 bership is needed. Come as you Share. Call Joe Hupchick at 726-9998 or 613-5216. Assemble scrapbooks The ladies group of New Beginnings Fellowship, 2577 N. Florida Avenue, Hernando, will assemble scrap-books from 7 a.m. to 5 p.m. today in the fellow- ship hall. Everyone is welcome. Space is limited; for reservations, call Shawn at 344-3558 or Donna at 726-4634. Youths help victims The youths of Crystal River United Methodist Church will spend theirspring brea. the victims of Hurricane Katrina. To buy needed building and cleaning supplies and to offset the cost of travel, lodging and food, the youths will have a car wash from 10 a.m. to 2 p.m. today at Walgreen's on the corner of U.S. 19 and Slate Road 44. It's tea time The United Methodist Women's Association of Inverness First United Methodist Church invite all area women to its annual Ladies Tea and Silent Auction from noon to 1:30 p.m. today at the, church, 3896 S. Pleasant Grove Road. Enjoy fun and fellowship, food, favors, door prizes and entertain- ment. Get tickets ($12) at the church, or call President Barb Sharps at 637-0058. Strawberry fest set Everyone is invited to Good Shepherd Lutheran Church's annual Strawberry Festival at 2 p.m. today on the church grounds at 439 E. Norvell Bryant Highway (County Road 486), across from the Ted Williams Museum, in Hemando. Requested donation is $3 per person. Strawberry shortcake will be served and surprise entertain- ment provided. Proceeds will be divided between the new building fund and NAMI Citrus (National Alliance on Mental Illness). Call the church office at 746-7161. Picnic today The Youth in Action of Church of the Living God the Pillar and Ground of the Truth Inc. will sponsor a picnic and gospel con- cert at 4 p.m. today at 557 N.E.' second Ave., Crystal River. Featured singers include gospel recording artists Vision of Harmony and local artists Adrian Clark of Dunnellon, Impact Souljahz of Inglis, and Pericevil Wallace of Wildwood. Free hot dogs and drinks will be served. A love offering will be received. Everyone is welcome. Riverside fun First Baptist Church of Crystal River invites all young people to its special outreach program, "Saturday at the River," from 6 to 7 tonight, after the evening service. Schedule changes First United Methodist Church of Inverness begins new worship' times Sunday as follows:., Holy Communion service at 8 a.m. Praise and worship service at 9a.m. Faith Connection groups for all ages at 10:10 a.m. Traditional worship at 11 a.m. Nursery care is available starting at 9 a.m. The church is two miles south of Applebee's at 3896 S. Pleasant Grove Road; Call 726-2522 for information. See David & Rusty Nationally known gospel-singing ventriloquist team David & Rusty will be in concert at 10:30 a.m. Sunday at The Rock Church - Full Gospel. David & Rusty have been voted "Christian Humorist of The Year 2002, 2003, 2004" Gospel Post Fan Awards. They were inducted into the "Gospel Music Hall of Fame" in 2005, and they were fea- tured as one of the discoveries in the magazine "Florida's Top 100 Discoveries." The church is on the corner of Schoolcraft Road and State Road 40 West, in Inglis. Everyone is wel- come. Admission is free. Call 447- 3800 or 447-2583. Enjoy music The community is invited to a free, fun-filled afternoon of music,; inspiration and fellowship featuring vocalists, choirs and instrumental-' ists from 2 to 4 p.m. Sunday at First Presbyterian Church, 1501 S.E U.S. 19, Crystal River (across from the SunTrust Bank). This annual musical is spon- sored by the Interfaith Council of Citrus County. Call 503-4514. Hear 'Forgiven' Hernando Church of the Nazarene invites the community to a concert by "Forgiven" at 6 p.m. Sunday. Brian Worley and Debbie and Cloid Baker make up this trio. The church is at 2101 N. Florida Ave.(U.S. 41), Hernando Call 726- 6144. Great Lent begins The Greek Orthodox Parish of St. Michael the Archangel will cel- ebrate the Orthodoxy Vespers service at 6 p.m. Sunday followed by a procession of the holy icons around the church. Everyone is invited the church service and observe the prayerful services. I f you have ever wondered about the history of the Christian Faith, from the time of its origin, consider coming to visit St. Michael's Parish and share in the history of the Orthodox Faith. NARFE to meet The National Active and Retired Federal Employees Association (NARFE) Chapter 0776 of Inverness will meet at 1 p.m. Monday in the fellowship hall of First Presbyterian Church, 206 Washington St., Inverness. Refreshments will be dessert and coffee. This meeting will have a busi- ness agenda. No guest speaker is scheduled. Several important business top- ics will be floored. Dialog and dis- cussions are encouraged from all members. Brief overviews will be presented concerning last month's seminar in Orlando. Important issues were highlighted by knowl- edgeable and informative speak- ers. All federal employees, active and retired, are invited. Call Jerry at 249-3118 or Jim at (352) 465-8077. Eat pancakes Church of Today, home of Positive Practical Christianity, will have a pancake breakfast at 9 a.m. Sunday, March 19, at the Crystal River Woman's Club, 320 S. Citrus Ave., Crystal River. Ask Chef Pat Kelly for bunny or heart pancakes. A $3 love offering will be received. Call 382-171. Please see EVENTS/Page 5C Nancy Kennedy GRACE NOTES The good news about bad news F first, the bad news. Isfn't that what peo- ple generally want when given a choice? "I've got good news and bad news, which do you want first?" someone will ask. "Give me the bad news," most will reply. I've been thinking about that lately bad news first. "We're having liver arid okra for dinner, but we're having pie for dessert." "You have three cavities, but you don't need a root canal." "You owe the IRS $1,000 in back taxes, but you're going to Disney World." I've been thinking about bad news first in the context of how people come into a relationship with Christ; it starts with the bad news. Recently, a friend of mine visited my church- I'd been inviting her for a few years and had almost given up because she didn't seem interested, although she doesn't seem to mind me talking about "that gospel stuff." as she calls it. But even though she does- n't roll her eyes, she hasn't Please see GRAC.E/Page 6C S . HTLM rMsz ~co I VOI * - 0. 0 0 (0 U .5 E E 0 0 (0)2 0. (0 ..=. MRK -.,,-4. Too" I I II, I / CITRUS COUNTY (FL) CHRON/CLE SERVICING THE COMMUNITIES OF CRYSTAL RIVER AND HOMOSASSA mmmww rio w Fi, FF1 RED LEVEL BAPTIST CHURCH 11025 W. Dunnelon Road 19 N. To 488E, 1.5 Miles Church on Left Sunday Bible Study..................9:30 A.M. Services....................... 11:00 A.M. ................. ................ & 6:00 P.M . Church Training...........5:00 P.M. Wednesday Prayer Meeting............7:00 P.M. Pastor Randall Wilkinson 795-2086 SST. ANNE'S EPISCOPAL CHURCH (Anglican) Rector: Fr. Kevin G. Holsapple Sunday Rite I...................8:00anries@earthlink.net website: ST. THOMAS CATHOLIC CHURCH ir ing Souf1h guest Citrus. Counh MASSES: saturday 4:30 P.M. Sunday 8:00 A.M. i) 10:30 A.M. c U.S 19 rn-,ile S, Ul:., f West SCardinal ,t. Hornosoasa, Special Event or Weekly Services Please Call Kathy at 563-3209 for Advertising Information THE SALVATION ARMY' TRUS COUNTY SUNDAY, Sunday School 10 A.M. Morning Worship Hour 11 A.M. TUESDAY: Home League 11:45 A.M. WEDNESDAY: Bible Study 12:00 NOON Captain John FullerAM. 8323 W. Bradshaw St. Homosassa, Florida (352) 628-2672 Pastors J. Gregory & Trilby Richie z MOUNT OLIVE MISSIONARY BAPTIST Daniel G. Savage III CHURCH Pastor Sunday Services * Sunday Scnool .. .. 930 AM * Morning Serice .. . 11.00 AM * Wed Prayer Meeting & Bible Study 12 00 NDri & 6 30 P M N Thi fftrhint I Iar .m ani a dh a BH .art .r I& Cv'iWiN. " 2105 N Georgia Ra, PO Box 327 --* Crystal River FL 34423 p Church Phone S (352) 563-1577 Grace Bible Church 11:00 AM. Sunday Worship 9:30 AM. Sunday School 6:00 PM. Evening Service 7:00 PM. Youth Group Nursery Provided 6:15-8:15 PM. Awana on Monday Nights 7:00 PM.(Wed.) Mid-Week 12mi.offUS.19 6382 W. Green Acres St. Homosassa Pastor Ray Herrimnan 65120 628-5631 Nature's Independent Church Located past the guard shack atCo Nature's Resort, Halls River Road, Homosassa Sunday Morning Service 10:30am Thurs. Night Prayer ' & Bible Study ' 7:00pm Preacher: Tom "Tex" Evans (352) 628-9562 | .First United Methodist Church A Stephen Ministry Church 8831 W. Bradshaw St. Homosassa West of US 19 (take Yulee Dr. at Burger Kqng) Rev. Mark Whittaker Youth Pastor StevenSkelley 628-4083 www. 1 umc,.org Traditional Worship: 8:00 A.M., 9:30 A.M. & 11:00 A.M. Nursery at All Sunday Services Contemporary: Praise Service: Saturday, 6:30 P.M. in the Fellowship Hall Sunday School for All Ages: 9:30 A.M. Junior & Senior High Youth 12:00-2:00 P.M. Sunday 651330 1 RME a" (Ii Crystal iver Church of God Church Phone 795-3079 Sunday Morning- -8:30 A.M. Sunday School------10 A.M. Church Service-----I 11 A.M. Deaf Service-------- 11 A.M. Evening Worship-----6 P.M. Wed. Prayer Meeting 7 P.M. 2180 N.W, Old Tallahassee Rd, (12th Ave.) Nursery website: cr-cog.com Provided S Crystal River Foursquare Gospel Church 1160 N. Dunkenfield Ave. 795-6720 A FULL GOSPEL FELLOWSHIP Sunday 10:30 A.M. Wednesday "Christian Ed" 7:00 P.M. Pastor Brona Larder First Presbyterian A Child-Safe Church 1501 SE Hwy. 19 Crystal River Saturday at 5:30 pm Ancient-Future Worship The Lord's Supper Celebrated All Are Welcome Sunday Worship Services. S8:30 am 11:00 am Sunday School for all ages 9:45am Dr. Randy D. Moody, Pastor Rev. Sheryle Phillips, Parish Associate (352) 795-2259) 795-8077. Calvin Watson Charlie Graham 795-8883 746-1239 Hs . Where we learn how to live happier, more successful and prosperous lives. Sunday, March 12 9:15 am Chat Room Class 10:00 Service "Is God Speaking to You?" March 19 Pancake Breakfast 320 S. Citrus Avenue Crystal River, FL Rev. Linda Harbin Ordained Unity Minister (352) 382-1711 Part I" starts March 19th *k J^^^^^^^^0 Pastors Dave & Susie Sininger * Powerful Praise & Worship * Nursery & "Kids Church" * Youth Program * Food Pantry * SHARE Florida Host Site Sunday 10:30am & 6:30pm Wednesday 7pm 795-LIFE (5433) Jut othOfCysalRve Ml = 65132 St. Benedict Catholic Church U.S. 19 at Ozello Rd. -MA&E5- Vigil: 5:00prm Sun.: 8:30 & 10:30am DAILY MASSES Mon. Fri.: 8:00am HOLY DAYS As Announced CONFESSION Sat.: 3:30 4:30pmr 795-4479 iM I V ii. mHH U.lL1H2-L" Lq I L L L 'mI'jI'ji'ji':LL: 1. .1 Ga IL IL: Gs Es LL L5 'U "C CRYSTAL RIVER UNITED I METHODISTi jj CHURCH 4801 N.'Citrus - -- -. Ae. o (2 miles north of US 19)' Rev. Alan Jefferson I Senior Pastor " Sunday Worship | 8:00 & 11:00 A.M. Contemporary Services 9:30 A.M. L Sunday School | 9:30 & 11:00 A.M. L Nursery Available at all Services U / Kid Zone Children's Worship 9:30 a.m. | Youth Fellowship | 4:30 p.m. I Kid's Club L 4:30 p.m. |L A Stephen Ministry Provider I 795-3,148 | iSmaSes l usull iaralHmlE wa!!: mumm! !- Assembly of God Come One Come All!!! Service Times: Sunday School 9:00 a.m. Morning Worship 10:00 a.m. Wednesday Bible Study 7:00 p.m. Richard Hart senarpstow 19 ON Hwy. 44 (32)95254 zzzzzzzzzz: Soad tifst 591 Village West Plaza Inverness (2 miles west on Hwy. 44 past Wa/-Mart on right) You're invited to our Services Sunday School 10:00AM Sunday 10:45 AM & 6:00 PM Wednesday 7:00 PM Independent Fundamental Pastor Terry Roberts oh. 7.-..non4 leel Free to Call One Of Our Elders if you Have Specific Questions Concerning ourServices. 4W!^ TA d OAI USURDAY, lVMARCH 1, UU / Places of worship that offer love, peace and harmony to all. Come on over to "His house, your spirits will be lifted!!! | , "CvRUS COUNTY' SATURDAY, MARCH 11, 2006 3C I mii ti 1: Places of worship that 7 offer love, peace and harmony to all. , SCome on over to "His" house, your spirits i-ill be lifted!!! I SERVICING THE COMMUNITIES OF INVERNESS r CHRISTIAN CENTER "Big Enough To Serve, Small Enough To Care" 637-5100 Clean & Safe Nursery Exciting Children & Y:.uth Sir.'i.: es Warmi Fellowship S"* PoerfultWorship Pr,-r.;. ...il lI.:;: SSunday Worship 8:30 A M. & 11:00 A.M. Sunday School 10:00 A.M. Wednesday Family Night 6:30 P.M. Friday Youth Service S '8:00P.M. Agape Kids Preschool & Dayeare lyvrold-PreK4 Before & After Schooil Care Mon-Fri 6.30A.M. 6.00 P.M. .' T.ko miles from Hwy 44 -in the corner of Croft & Harley S272' Harley St.. Inernes.- FL - PRIMERA IGLESIA i y. HISPANA DE CITRUS COUNTY Asambleas de Dios Inverhess, Florida ORDEN DE SERVICIOS: DOMINGOS: 9:00 r. Escuela Bitlica * Dornirnicol 1 30 .-1 A-doraci6nr, i -"'' Prrdica t ,: MARTES: , 7:00 PM Culto de,Oracion 7 PJUEVES: S7:00PM Estudios Biblicos LeTfslSeramos S Do'lid Pintero Pator STelefono: (352) 341-1711 . ! TelIfono: (352) 341-1711 I Worship/Teaching ftl Sun 10 am English Sun 6 pin Spanish Small Group Study Wed '7 pm LIFE Group Celebrate Recovery Fri 7 pin Food.l:Gi,.iP 2242 I\l\ 44 We t(across trom Outback in ln\ierness) Frednol/ri ,n -m.. Frct.motn. . INVERNESS CHURCH OF CHRIST 352-637-6400 5148 Live Oak Lane SUNDAY 10:00 AM 11:00 AM 6:00 PM WEDNESDAY 7:00 PM Come Worship With Us -)Leoio Jennings, ; Evangelist BOWLING ALLEY LIVE OAK LANE K MART CALVARY BIBLE CHURCH 5335 E. Jasmine Lane, Inverness (Off of Hwy.41 North, 1/2 mile N. of Publix) (352) 344-8331 Sunday Services 9:30 am. 10:30 a.m. 6:00 p.m. Wednesday Prayer Meeting 7:00 pm. Thursday Night Ranch Middle School Youth 6:30 pm. Pastor Tom Frazier Come, Make ST. MARGARET'S EPISCOPAL CHURCH your spiritual home! m LHwH 44 E@ ,1 Washington Ave. . Sunday-Sevices Traditional 8:30 AM 11:00 AM i Contemporary 5:30 PM * Sunday School for all ages N S 9:45AM.,. m Nursely Provided 11:00 AM Service a Broadcast on WRZN am 720 Fellowship & Youth Group 6:30 PM 24-Hoiur Prayer Line . S 563-3639 Web Site: Church Office 637-0770 6 1900 W. Hwy. 44, Inverness Service: 10:00 A.M. Holy Communion (1st & 3rd Sunday) -, Sunday School ^ & Bible Class 8:45 A.M. 726-1637 Nursery Provided * The Rev. Dr. Arnold E. Kromphardt INVERNESS CHURCH OF GOD Sunday Ser% ices: Trjiinirii Seer Ic .e 30.-1 .1 SLindI., Sch.:":l '-"311 v. C:, rtenip,:' rin Sce vr 1. I 1 3i .m E .c iiri Sei. ,.e h 1111 p-.,I \\edne(sda) Night Aduhl Cla.,''e ...7 11 rM B,:, and Girk Brigade .7 00 rr Tecns 1 5 pr i "'Velcome Home" L ,. jl,:, l j l ^ t', H.. J I ,'\ nh rIiu .: l.t ,.'. Jr' '; l n.:I i' Sli, "Lilll rriknd'Dja -ar anlid L.ori.ing .cntr" WE INVITE YOU TO EXPERIENCE LIFE FIRST CHUORCOF GOD 5510 JASMINE LANE Sa INVERNESS SWe are a'hon-tenominational Sciurch that reaches out to the lost; the backslidden, and the burned-out Christian with the unconditional love of God in. practical, non-traditional, non-threatening ways in order ,to build strong individuals, strong relationships and strong S: families! SSunday School 9:30AM Worship 10:30AM & 6:00PM Wednesday: Bible Study 6:00PM 341-4687 Pastor Tom Walker Syou don't like the way the cookie crumbles, try the "Bread of Life" ' .W -U , Mr.C E PGRELEMENTARY PLEASANT GROVE RD. CHURCH OF CHRIST y ). VINEYARD CHRISTIAN FELLOWSHIP Pastor: Kevin Ballard Youth Pastor: Ryan Temple Sunday Schedule:. Sunday Celebration.........................10:00 AM Kids Clut ., ...in, 1,1 IM Weekly Schedule: Fell"'thtp Dirner 6 PPMWed.' Bible Teaching 7 PM Wed. NRG Youth 7 PM Wed. Fruit of the Vine Luncheon.....12 PM Thurs. Food Pantry..................12:30 2 PM Thurs. NRG Student Cafe....................7.....7 PM Fri. Small Groups Meeting All Times Across Citrus & Hemando Counties 9yh, iS. U.S. Highway 41 Just south of Inverness City Limits Call the offices for more information: Offices Open Mon.- Fri. (352) 726-1480 You can expect: Exciting Atmosphere, Solid Preaching, Clean Nursery, Contemporary Worship Z- The ' First Assembly of God 4201 So. Pleasant Grove Rd. (Hwy. 581 So.) Inverness, FL 34452 I OFFICE: (352) 726-1107. .726-9719 WHILAH SHALOM Jew and Gentile S(Non-Jew) Together in Unity Every Frida 00 PM1 Rabbi Kyle M he Heion Village. Low Income Housing Building 701 White Blvd. Inverness Call Linda for Information 795-2360 We welcome you and invite you to worship with our family. Wednesday: 6:30 P M. Youth Program for all ages. Adult and Young Adult Bible Studies Something for everyone!!! Sunday: 9:00 AM; Sunday School 10:15 AM. Worship 6:00 PM. Worship Todd Langdon, Sr. Minister John-IsaacBrock-Hines, Youth Minister Prayer Mina 600 PM Adult Choir 7:00 PM Nursery Provided, Visit us online at fbcinverness.org 123 S. Seminole 726-1252 Our Lady of Fatima CATHOLIC CHURCH U.S. Hwy, 41 South, Inverness, Florida Sunday Masses 7:30, 9 00, & 11-00 AM. Saturday Vigil 4:00 PM. Weekdays 8 00 A.M. Confessions 2 30 3 30 P 726-1670 Cornersfone Baptist Church ...where strong foundations are built, one life at a time Worship Service Sunday ....8:00,9:30 & 10:45 AM Sunday School ..................9:15 A M Sunday Evening ...................6:00 PM Wednesday Evening Bible Study ...................6:30 PM 'Cornerstone Baptist Church 10SfHillside Courf - Inverness, FL 34450 Oreg Kell, Pastor 728-7335, Church Without Walls of Inverness Ministries "An Exicting & Growing Congregation Ministering to the Heart of Citrus County" With three locations to serve you. Senior Pastors & Founders Pastors Douglas & Teresa Alexander Sr. SERVICE TIMES Wednesday Bible Study 7 PM: Friday Nights 6 PM Multi-cultural, Non-Demoninational Family We Invite All To Come Grow With UsI &Comeas a you're & celebrate ) with Our family! ' First United Methodist Church of Inverness 3896 S. Pleasant Grove Rd. Inverness, FL 34452 (12mi. so. of Applebee'sl (352) 726-2522 KIPYOUNGER Senior Pastor Emaihchurchoffice@ invernessfirstumc.org NEW SUNDAYWORSHIP TIMES 8:00 AM Holy Communion 9:00 AM Praise & Worship Service 10:10 AM Faith Connection Groups (Groups for all ages) 11:00 AM Traditional Worship Nursery care available starting at 9:00 AM EASTER SUNDAY WORSHIP 6:30 AM Sunrise Service 7:30 AM Free Pancake Breakfast 9:00 AM Praise & Worship Service 10:10AM Family Connections . 11:00 AM Traditional Worship WEDNESDAYS at 5:30 PM Family Dinner followed by Connection Groups foreveryone - I * I W HWY" 44 E HWY. 44 '(PL) CHRONICLE CITRUS COUNTY (FL) CHRORIl-CE 4C ATURDAY, MVARCH 11L, 2006 Places of worship that offer love, peace and harmony to all. .". . .. . .. . ... ,....,.".:.. :'. . .,. .. : . '. , ; II Come on over to "His" house, your spirits it'ill be lifted!!! SERVICING THE COMMUNITIES OF BEVERLY HILLS, HERNANDO, HOMOSASSA SPRINGS, INVERNESS, AND LECANTO Community Congregational Christian Church 9220 North Citrus Springs Blvd. Citrus Springs, Florida 34433 Sunday 10:00 AM Worship Service Wednesday 7:00 PM Bible Study 489-1260 Faith Freedom Fellowship 663134 IGLESIA IISPANA CASA DE ORACION "Donde la Palabra de Dios es el lenguaje del . Espiritu Santo" Escuela Dominical.. .9:30 AM Adorad6n................10:15 AM Martes 9:30 AM MiNrcoles................7:00 PM Dr. Teddy Aponte & Hayi Aponte, Pastores 3220 N. Carl G. Rose Hwy. (200) Hernando 352-341-5100 I HERNANDO United Methodist Church "A place of new beginnings" 2125 E.NorveltBryant Hwy. (SR486) For information call (352) 726-7245 Visit our website at Worship Services Sunday 8:30 and 11:00' Ministries and Activities for all Ages. Pastor Brian T. Baggs, Sr. | Hope Evangelical Lutheran Church ELCA 9425 N. Citrus Springs Blvd. Citrus Springs SUNDAY Sunday School 9:15 Am Worship 8:00 AM & 10:45 AM Communion Every Sunday PASTOR JAMES C.SCHERF Information: 489-5511 I Mission Possible '13 MHNIS'LUS QD V.David Lucas, Jr- Senior Pastor C' 9921 N. Deltona Boulevard ,o (352) 489-3886 Sunday I Sunday School 9:301 am (English/Spanish) Worship 10:30 am 1st Sunday of month Hungry for Food Service ..............6 pm (Nursery Care & Children's Church Provided) | Wednesday I Youth Group, Bible Study & Kid's Programs 7 pm (Nursery Care Provided) | Fridays | Spanish Worship Service.... .....7 pm ARMS OF MERCY FOOD PANTRY 1st & 3rd Tuesday of the month. 8:00 am-11:00 am BAPTIST CHURCH Independent 2672 W. Edison PI. at Elkcam Blvd. Citrus Springs, FL Expositional Bible Teaching * Mature, well balanced ministry * Conservative Music Caring, family atmosphere Sunday School 10:00 am Sun. Services 11:00 am & 6:00 pm Wed.. Prayer & Bible Study 7:00 pm Rev. Richard W. Brosseau, Pastor Phone (352) 445-9013 Central Ridge Christian Fellowship V Spirit Filled Worship Services Sunday Worship 10:30am 6:30pm Wednesday Bible Study 7:00pm We are a Non-Denominational Fellowship Worshipping Jesus 16 Regina St., Beverly Hills 663137 860-2725 CHRIST LUTHERAN CHURCH- LCMS "A CHURCH THAT IS A FAMILY" SUNDAY SERVICES 9:45 A.M. Sunday School & Bible Class ,8:30 A.M. Morning Worship '11:00 A.MN. Morning Worship PASTOR RICHARD DRANKWALTER Nursery Available 796-8331 475 North Ave. West, Brooksville. S Ion North ,A.. Ea-u of 9 NI Baptt Church . Where Christ is Proclaimed 0 a UNITARIAN UNIVERSALISTS Oak Tree Plaza 2149 Hwy. 486, Lecanto (1 Mile East of Hwy. 491) SUNDAY SERVICES. 10 A.M. RESPECTING INDIVIDUAL BELIEFS ALL ARE WELCOME 746-9202 " SA friendly church where ; Christ is exaltedll Sunday School 9:00 A.M. Morning Worship 10:15 A.M. Evening Service 6:00 P.M. AWANA 6:45 8:15 P.M. Ages 4yrs.-61Grade Bible Study & Prayer 7:00 P.M. h~'U LUEI*I=U I Teens (7-12 Grades) 6 P.M. 746617 S6- t. VIGIL MASSES: 4:00 P.M. & 6:00 P.M. SUNDAY MASSES: 8 A.M. & 10:30 AA. SPANISH MASS: 12:30 P.M. CONFESSIONS: 2:30 PM. to 3:30 PM. Sat. or By Appointment WEEKDAY MASSES: 8:00 A. 6 Roosevelt Blvd., Beverly Hills SB746-21442 4 S (1 Block East of S.R. 491) I -imm A-- First Baptist . Church of i Beverly Hills T Marple Lewis, I Pastor 4950 N. Lecanto Hwy. Bever Night Wed. 6:30-7:30 P.M. For more information call (352) 746-2970 Office Hours 9-3 P.M. or email us at: 5 firstbaptistchurch@atlantic.net Gospel Light Baptist Church (3020 S.R. 44 Gulf to Lake Hwy., Lecanto) W. on Hwy. 44 on left before Hwy. 491 "Church The Way It Used To Be" SERVICES: Sunday School..............10:00 AM Sunday Worship.....1........11:60 AM Sunday Evenings..............5:00 PM Wednesday Night Prayer Meeting..............7:30 PM If you need a ride or better directions, or have any questions - call Pastor Leon McCoy 628-9885 Providence Baptist Church We meet at 4471 W. Sanction Road Lecanto 746.4595 Call for available visitors packet Sunday School'. 9:30 AM., Sunday Morning Worship 10:45 A.M. Sunday Evening Worship 6:00 P.M. Wednesday, Corporate Prayer 7:00 P.M. Baptist in Practice Reformed in Theology t Shepherd of the Hills EPISCOPAL CHURCH Our mission is to be a beacon offaith knoin for) Lectnto,Florida (4/10 mile east of CR 491) LECAN-TO CHURCH OF CHRIST State Road 44 & Rowe Terrace 746-4919 Sunday Bible Study Sunday Worship 11:00 A.M. Sunday Evening 6:00 P.M. Wednesday Bible Study 7:00 P.M. "In Search Of The Lord's Way" 8:30 A.M. Sunday Channel 22 (TWC 2) Monthly Bible Study Schedule SAwana4 , Sunday Ees. - From5-7 PNI SOur purple To honorir the . S Saior b hepherdmin people ini: a meaninglul " relationship th G.:d BTron Heildr , Pastor (352) 5917-9900 i uiv.shephlefrdsway. baptistchurch.org - ,..: ' I- 935 S. Crystal Glen Dr. Lecanto . Crystal Glen Subdivision . HwT.44 justE. of 490 527-3325 Pastor Rev. Frederic W Schiel St. Scho astica Roman Catholic Church Lecanto . Mass Schedule Saturday"Viil 4:00 p.m. & 6:00 p.m. Sunday. Masses ' 9:00 a.m. and'" 11:30 a,m. Daily Mass Time: ,. Mon.-Fri. 8:30 a.m.ni Located at. 4301 W. Homosassa Trail (Highway 490) Lecant6, Floridah("" Phone 746-9422 S We support.... , Pope John Paul II Catholic School, \ (EC 3-81. gradet I -q | A t t ..... 1 1 tt, tt,[ A ul )0 t1 web ite- www tai m I SATURDAY, MARCH 11, 2006 5C CITRUS COUNTY (FL) CHIRONICLE EVENTS Continued from Page 1C Bible study slated There is a Moses Plan Bible Study at 4 p.m. Saturday at the home of Pastor Diana Brevan. The session begins with a prayer meeting, followed by Bible study, discussion and fellowship. Refreshments are served. For more Information, call Pastor Brevan at (352) 637-3046, or e- mail :jesusislordprayerministries@yahoo 'com. Creation discussion The public is invited to hear 'local author the Rev. Joseph, Kanzlemar as he presents a talk E'from his latest book, "Biblical Creation Authenticated," from 7 to IS9 p.m. Thursday at the Boys & ;,Girls Club Crystal River site on Eighth Avenue, behind Dillon's restaurant. For information, call Clark -Johnson at 795-5128. Conference a success . The St. Elizabeth Ann Seton Catholic Church's Council of !: Catholic Women in Citrus -Springs hosted the Spring * '.Deanery Conference of the St. :Petersburg Diocesan Council of 'Catholic Women on Tuesday, ;'jMarch 7. More than 100 women repre- ;senting the six parishes throughout ,.the Citrus Deanery met at the ' parish center attended. The theme S of the spring conference was "Be )'Open to the Word." ' The Citrus Deanery affiliations '!are Our Lady of Fatima Catholic ;VWomen's Club from Inverness; .Our Lady of Grace Council of SCatholic Women from Beverly :?Hills, St. Benedict's Altar and Rosary Societyfrom Crystal River, St. Elizabeth Ann Seton -Council of Catholic Women from Citrus Springs, St. Scholastica Council of Catholic Women from Lecanto; and St. Thomas the .Apostle Council of Catholic SWomen from Homosassa. After the business meeting, "attendees participated in the recita- tion of the Rosary, which was fol- lowed by Holy Mass, concelebrat- ed by the Rev. Eric Peters, pastor "of St. Elizabeth's, the Rev. David Banks from St. Thomas', the Rev. James B. Johnson from Our Lady of Fatima and the Rev. Austin Mullen from Our Lady of Grace. Revival nears Have you ever wondered where the miracles, signs and wonders are in this generation that Christ promised to all who would believe? Jack Myers is experiencing those promises in his revival services. Myers will be at Christ Way Fellowship at 10:3,0 a.m. and 6 p.m. Sunday, March 19, and 7 p.m Monday through Wednesday, Jvlatch 20-22. He will minister to the youths at -7 p.m. Thursday through Saturday, M Varch 23-25, and at 10:30 a.m. Sunday, March 26, at Church'. ,-Without Walls Inverness. Purim to begin Congregation Beth Sholom .begins the holiday of Purim at 7 .-p.m. Monday with the reading of :-the "Book of Esther." Refreshments ,will be available. There will be a mock trial on the issue "Is the Literal Translation of" _the Bible Fact or Fiction?" at 2 p.m -Sunday, March 26, in S.J. Kellner Auditorium. This free event is open ,-to all. Refreshments will be avail- ::able. S Jewels displayed : The Christian Women of SHomosassa will host a jewelry showcase and brunch at 9 a.m. fTuesday at Southern Woods S'Country Club at County Road 480 : and Corkwood Boulevard in :',Homosassa. Cost is $10. Chef Zachary will serve the brunch. SFor reservations, call Chita at S382-2989. S Tricky Tray Day' The Catholic Women's Club will ;have its annual "Tricky Tray Day" a 4,11 a:m. Wednesday in the parish hall of Our Lady of Fatima Catholic Church, 550 U.S. 41 South, Inverness. Donation for admission is $3. Events include ,theme baskets, a money tree, a 'happy hour table and a gift table. Free coffee and cake will be served. Lunch will be available. Call 726-4532 for details. Life-and-death issue "Our Death and Life in Christ" is theme for Fridays during Lent at ; St. Anne's Episcopal Church. Stations of the Cross are walked a 1,5 p.m. Soup and salad is served a 05:30 p.m. Presentation and discus- -sion is from 6 to 7 p.m. This iFriday's discussion topic, "The SSacrament of Last Rites," will be presented by the Rev. Gilbert Larsen, SSC. Remnants to sing Come to a "Concert in the Lot" at 6:30 p.m. Friday at The Path Shelter Store. The group "Remnant," which recently record- ed its own CD, will perform. There will be refreshments, prizes and after-hours store specials. Bring a chair. All proceeds will benefit the Path Rescue Shelter. The store is at 1729 W. Gulf-to- Lake Highway, between Inter-coun- ty Recycling and Tree Tops Plaza on State Road 44. Call 746-9084. Breakfast for men The men's ministry of Abundant Life Christian Fellowship, under the direction of Frank Smith, will meet at 8:30 a.m. Saturday, March 18, at the church for its monthly breakfast. Call the church at 795-LIFE. The church is at 4515 N. Tallahassee Road, Crystal River. Dinnerdance set, St. Elizabeth Ann Seton Catholic Church's Relay for Life Team, "The Seton Strollers," will host a St. Patrick's Day dinner- dance fundraiser at 5:30 p.m. Saturday, March 18, at the Madonna Caf6 (the parish center), 1401 W. Country Club Drive, Citrus Springs. A traditional corned beef and cabbage dinner, beverage and dessert are included for a donation of $15 per person. Reserved tables of eight will be available, and tick- ets can be obtained after Masses t this weekend. Banquet scheduled Faith Baptist Church's annual spring banquet is at 5:30 p.m.' Saturday, March 18. For reserva- tions, call Carolyn at 382-7888., March 19, at First Methodist Church of _ Hudson, 13123 U.S. 19, Hudson. At 6 p.m. Sunday, March 26, at Faith Presbyterian Church, 200 Mount.FairAve., Brooksville. At 3 p.m. Sunday, April 2, at Nativity Lutheran Church of Weeki Wachee, 6363 Commercial Way. Invest in yourself The Dunnelloi Christian' Women's Club invites all women to "Invest in Yourself and experi- ence financial and inspirational ? help at the club's luncheon at noon Wednesday, March 22, in the Rainbow Room at Rainbow Springs Country Club. Wear green, ."the color of money." by Friday., Cancellations not received by March 20 must be honored or given to a friend. Youths invited s Relentless Youth Ministries of Church Without Walls of Inverness invites all youths to experience the miracle-wQrking power of God by listening to nationally known evangelist Jack Myers as he ministers at 7 p.m. Thursday through Saturday, March 23-25, and at the 10:30 a.m. serv- ice Sunday, March 26, at the church, off State Road 200 in Hernando. Be one of the first 1.00 to receive a drawing ticket and win an Apple IPOD plus many other prizes. Call 344-2425. Fashions, cake served The Women's Ministries of Hernando Church of the Nazarene will host a fashion show and strawberry shortcake social at 1:30 p.m. Saturday, March 25, in the activity center of the church, it 2101 N. Florida Ave. (U.S. 41), Hernando.. Carryout service available. t Call Betty at 637-4574 or the t church office at 344-1771. Join in jubilees There is a "Gospel Singing Jubilee" at 6 p.m. Saturday, March 25, and April 29, at First Church of God in Inverness. Musicians from different areas come and contribute to the evening.. Women's Day near Hernando Church of the Living God will host its annual Women's Day service at 4 p.m. Sunday, March 26. The church is at 3441 E. Oleander Lane, Hernando. Call 726-3383. Concert slated There will be a gospel concert featuring the Doerfel Family Bluegrass Band and April Haganey, at 6 p.m. Saturday, April 1, at United Pentecostal Church of Inverness, 1207 S. Bea Ave. (in the Deerwood subdivision). Admis- sion. AvThechurch,,is at 2180 N.W. 12th Ave., Crystal River. Christians play golf Christians United in Christ will have its 15th annual golf touma- ment Monday, April 10, at Citrus Springs Golf and. Country Club on Country Club Boulevard at Golfview in Citrus Springs. A conti- nental breakfast will be served at 7:30 a.m., and golfing starts at 8:30. The entrance fee of $45 includes breakfast, golf, cart, buffet and prizes. Make checks payable to Christians United in Christ and mail them by April 5 to Mrs. Robert Boss, 2421 W. Dolphin Drive, Citrus Springs 34434: Call Mrs. Boss at (352) 489-0018. SHARE Register for SHARE Self-Help and Resource Exchange (SHARE) is a nonprofit, private organization, which builds. and strengthens the community through volunteer service. The basic and select packages, cost $18, plus two hours of volunteer and sign-up will be from 10 to 11 a.m. Saturday, March 25. The fellowship was recently recognized for its completion of the first year as a host site for SHARE Florida, a not-for-profit organization that builds and strengthens com- munity through volunteer service. Call 795-5433. Our Lady of Grace Church, 6 Roosevelt Blvd., Beverly Hills - Distribution and sign-up is from 10 to 11 a.m. Saturday, March 25, in the parish life center. Call Anna at 527-2381 or Peggy at 746-7942. New Beginnings Fellowship, U.S. 41 North, Hernando Sign- up is from 10 a.m. to noon today. Distribution and sign-up is from 8 to 10 a.m. Saturday, March 25. Additional sign-up is from 4 to 6 p.m. Tuesday, April 4, and 10 a.m. to noon Saturday, April 8. Distribution and sign-up is from 8 to 10 a.m. Saturday, April 22.. today. Distribution and sign-up is at 10 a.m. Saturday. BEGINNIING tELLOWISHIP PASTORS JEIT AN r all nations" Mark, 11:17 RFirst Baptist Church of Homosassa "Come Worship with Us" 10540 W. Yulee Drive Homosassa 628-3858 Rev. J. Alan Ritter Rev. Chris Brewer Sunday 9 45 am Sunday School ,an ig Gxuai 8.30 & 11 am Worship Celebration Choir / Special Music / Children Sunday Night 6 pm Worship Celebration "Children/s Ministry 'Youth Bible Study Wednesday Night 7 pm Worship Celebration Children's Awanas Group Youth Activities March 25. Call 382-1084 or HOMOSASSA SPRINGS CHRISTIAN CENTER CHURCH 7961 W. Green Acres. St., Homosassa Springs Marcus Rooks, Sr. Pastor Rev. WF. Todd, Pastor Emeritus retired 628-5076 N. Cg.1- R CL.VETLAND GRrFN.CkREl' Location: US 19 At Green Acres Street South of Homosassa Springs [ Christian Education 9:30am NZ Contemporary Service 10:30am 2 Wednesday Services 7:00pm (nursery provided) Call 628-9942. Announcements Watch 'Crosspoints' Watch "Crosspoints" on WYKE TV 47, channel 16 on Bright House and Adelphia, at 7 a.m. Sunday, and 2:30 and 10 p.m. Tuesday and 12:30 p.m. Wednesday. (Note new times.) Meet the pastor: "Crosspoints" co-host Jimmy Sheets will talk with Pastor Tom Reaves about the history and Jo & Traisc Located in the Citrus Springs Community Center Citrus Springs Blvd. Sun. School ..............9:30am Morning Worship. .10:30am Wednesday Service..6:30pm 'f Rickc hclson -' tn r ll /iS *. ^' ,r, '.,,e, 352 212-7095S FAITH BAPTIST CHURCH Homosassa Springs Rex. Wm La\erle Coats SUNDAY SCHOOL: 9:45 am WORSHIP: 11 am & 6 pm WEDNESDAY SERVICE: 7 pm Wed. Sep.- May Keys For Kids 6:30-8pm Independent & Fundamental On Spartan 1 2 nule from U S., 19 off Cardinal 628-4793 . The Gathering Place CHURCH S3277S. Suncwast Blvd. (Hwy. 19) S Golden Eagle Plaza , 1/2 mile N. of Wal-Mart Homokassa Full-Gospel Non-demonination Welcomes Everyone y Come Join in Worship , 4 with Pastor Robert Rowe Associate Pastors Don :& Rainie Miller, Dottie Brooks Sunday 10:30 AM Wednesday 7 PM Bible Study Children's Church & Nursery Provided Let's get back to the cross! S He's coming soon! DUNNELLON ' FIRST ASSEMBLY OF GOD Reaching Our World with The Message of Hope Sunday Worship-8:15 AM, SSunday School- 9:45 A.M. Sunday Worship- 10:45 AM. Sunday Evening 6:00 PM. Wednesday Service 7:00 P.M. Ministry To Children, Teens & Adults! Rev. Joseph A. Vosberg, Pastor 2872 W, DunnellonRd, (Hwy, 488) Phone: 489-8455 I r 3 ongoing life of the church he pas- tors, Bible Baptist Church in Crystal River. Concert canceled The Music at First Church series concert with the Saint Paul's Choir from Atlanta, Georgia, originally scheduled for 7 p.m. Saturday, March 18, at First United Methodist Church, has been can- celed. The church is at 1126 E. Silver Springs Blvd. Call 622-3244. Please see EVENTS/Page 6C Floral City United Methodist Church 8478 East Marvin St. .. (a,:r :,--: t .:.;-m Fi ,r r l li i ,,:r, Ill Sunday School 9:o5 A.M. Sunday Worship Service ;:00 A.M. i0.30 .-..., Bible Study Tuesday. 10:00 A 1i. 1U' strive to rrLak-' neu,'cmr.rsjeel a h,,m." W\'heel Chcdr Acc,-ss Nursery Available Pastor M.E. Burkett Parsonage 726-2637 Church 344-1771 WEBSITE: floralcitychurch.com First Baptist hurch Lifting Up Jesus g Nursery Available 't. Cooper Baptist Cihurch Places of worship . that offer love, I peace and Come on i over 10 "His house, harmony sts ill be liled. SERVICING THE COMMUNITIES OF BROOKSVILLE, CITRUS SPRINGS, DUNNELLON, FLORAL CITY, AND CITRUS COUNTY 11;R,:*_MT2:,8. ,. S, , .*,^y^:"-*:.lf . '* ;;' ,", -. ;t "txwrm rn', , ,,,, _ ,t CITRUS COUNTY (FL) CHRONICLE OC ssrURDAY, MCH 11, 2006 EVENTS Continued from Page 5C Visualization study Dunnellon Church of Christ offers a free, nondenominational, Bible correspondence course to all who are interested. The course, titled "The Visualized Bible Study," begins with God's plan for Moses and the children of Israel, and concludes with God's plan for you. To begin, send your name and address to dunnelloncoc@bell- south.net, or call (352) 465-5100.. Call Toni Harris at 341-0660. Bus available Hernando United Methodist Church has a wheelchair-accessi- ble bus to transport people to and from the 11 a.m. Sunday service. For transportation and information, call the church office at 726-7245. GIVING Continued from Page 1C deacons or elders cannot com- pel a church member to give. That needs to come from the heart. '"A heart for Christ is directly connected to the wallet," said Walt Madden, church treasurer at Shepherd's Way Baptist Church in Lecanto. Madden is a former treasurer for three other Citrus County churches, and has been involved with two capital building campaigns at two different churches. Shepherd's Way opened the doors to its first building in Al-Anon meets Inverness AI-Anon meets at 8 p.m. Monday at Our Lady of. Call Pastor Jerry Bugbee at 249- 9124. OSL meets monthly The St. Clare Chapter of the Order of St. Luke (OSL) meets the first Monday monthly in the parish hall of St. Francis Episcopal Church, 313 N. Grace St., Bushnell. Members of all denomi- nations are welcome. Call Frank Bachteler at 568-1952. Fun for kids AWANA clubs for grades K-6 meet from 6:45 to 8:15 p.m. Wednesday at Heritage Baptist Church, 2 Civic Circle, Beverly Hills. The teens meet at 6 p.m. Sunday. Call 746-6171. Teens in grades six through 12 are invited to "Teen Invasion" from 6:30 to 8 p.m. Wednesday at July 2005 the building that took three years for about 30 people to finance, and that was over and above their normal tithe of 10 percent The biblical principle of tithing requires followers of .God to donate 10 percent of their income toward the work of the Lord, generally to the church or religious organiza- tion a person attends. "Virtually no one who is walking with the Lord doesn't tithe," Madden said. "We started with 25 people '(in 2001), and every one of them tithers. What we were (con- tributing) on a monthly basis exceeded. our expenses by $2,000 to $3,000 a month, so we Faith Baptist Church, 6918 S. Spartan Ave., Homosassa Springs. Call.628-4793. Children's and youth pro- grams are offered at First Baptist Church of Beverly Hills. Sunday school classes for children in grades one to five, and a youth class for grades six to 12, meet from 9 to 10 a.m. A Young Believers meeting for all ages is from 6:30 to 7:30 p.m. Wednesday. Call 746-2970. First Baptist Church of Inverness sponsors the children's AWANA program, The program is from 5:45 to 7:30 p.m. Wednes- days. Call the church at 726-1252 or visit fbcinverness.org. Become member The Brigadier John Sullivan Division of the Ancient Order of Hibernians of Citrus County is accepting applications for member- ship. Call Lloyd Manning at (352) 489-0289 or Chuck Taylor at 746- 5584. Services STUDIES Does God speak? Church of Today can help answer the puzzling question, "Is were able to sock that away. That proved to us that we could .afford a mortgage that cost that, "So, we saved as much as we could and. put $20,000 on the land, then once we got the land, that became our down pay- ment on the building," he said. The building houses, a fel- lowship hall, three classrooms, a kitchen, two offices and rest- rooms, at a cost of $400,000. Madden said there are sever- al ways a church can go about soliciting money from its mem- bers toward a building project, with some variations. They include: S Issuing bonds. Church members and, sometimes, out- God Speaking to You?,' the title of the Rev. Linda Harbin's talk during the 10 a.m. service Sunday. The Rev. Harbin, an ordained Unity minister, will lead the 9:15 a.m. Chat Room group as they share stories of "Answered Prayers." Two special events will happen March 19: A pancake breakfast will be served at 9 a.m. A $3 love offering is requested. "Conversations With God, Part 1" will be Rev. Harbin's talk during the 10 a.m. service. Church of Today teaches Practical Christianity and meets at the Crystal River Woman's Clubhouse, 320 S. Citrus Ave. Choose an inspiring book from the Lending Library. Church of Today is a family church. Dress is casual. For prayer, spiritual counseling, life coaching or information, call 382-1711. Men eat, study The men of St. Timothy- Lutheran Church will meet for breakfast and Bible study at 8 a.m. today. The informal come-as-you- are worship service is at 5 p.m. Pastor Bradford's sermon is "Surprised by Grace." Worship services are at 7:30, 8:30 and 11 a.m. Holy Communion is offered. side investors hold bonds against the physical structure, and the church pays the bond- holders back. This is appeal- ing, Madden.said, because "his- torically, churches never fail to pay their bonds." Pledge programs. That's where the pastor or building committee goes to the congre- gation and asks for people to pledge the amount it will take to complete the proposed proj- ect and give over 'a set time frame, such as three years. "That's sometimes tough," Madden said. "It can strain the relationship between the financial arm of the member- ship and the membership (itself) because now we expect Sunday school classes for all ages meet from 10 to 10:45 a.m. Coffee fellowship from 9:30 to 10 a.m. Following the 11 a.m. service, there will be an Irish covered-dish lunch- eon. Everyone is welcome. Men have meal St. Margaret's Episcopal Church's men's group breakfast is at 8:30 a.m. today. The Cursillo Prayer Vigil and Holy Eucharist is at 1 p.m. .There will be a pastoral care meeting at 10 a.m. Wednesday. A Holy Eucharist healing service is open to the public at 12:30 p.m. A potluck dinner at 6 p.m. is followed by Bible study and compline. The youths will study "Experipncing God" at 6:30 p.m. The church is at 114 N. Osceola Ave., Inverness. Call 726-3153. Lent continues Shepherd of the Hills Episco- pal Church in Lecanto will cele- brate the second Sunday in Lent with Holy Eucharist services at 6 p.m. today and 8 and 10 a.m. Sunday. A Lenten study on Celtic spiritu- ality continues at 7-p.m. Tuesday. Bible study is at 9 a.m. Wednesday followed by a healing Eucharist service at 10. people to commit." He said just asking s6me people to commit will .drive them away from a church, and- others who find that they're unable to follow through are sometimes' embarrassed and leave instead of letting anyone know. "So you have to be careful with that type of funding pro- gram," he said. "But if it's done extremely well, if you make it clear that no one will be strong-armed, it works. People have to ha e that comfort level." , 0 Appealing to the congrega- tion. Ask members to con- tribute any extra cash toward the building fund, then use that The SOS Ministry meets fom 9'- a.m. to noon Thursdays', ani Bible study and choir practice both begin; at 7 p.m. Stations of the Cross will be walked at 6 p.m. Friday during , Lent. See greatness Worship Sunday morning at 8 ' and 10:30 at Floral City United Methodist Church, 8478 E. - Marvin St. Pastor M.E. Burkett will.,, bring the message titled "The NewT:, Greatness." Sunday school classes, meet at 9 a.m. Everyone is invited to a covered,' dish dinner at 6 p.m. Friday in Hilton Hall. followed by entertain-, ment by the ventriloquist team, ';,i "David and Rusty." Bring a dish to,, share and your table service. A , free-will offering will be received for] "David and Rusty." Call 344-1771. Don't be in denial ' Dr. Randy D. Moody's sermon is-, titled, "Denial!" at the 8:30 and 11 -J a.m. services Sunday at First . Presbyterian Church of Crystal ' River. Sermon text is from Genesi s 17:1-7, 15-16, Romans 4:13-25, and Mark 8:31-38. Our Father's Table is served at - 1,:30 a.m. Saturday. as'a down paynment and borrow the rest. M Borrowing the money from, a church member at a reduced-: interest rate. It is a sacrifice to give to a building, fund over and above,. regular .giving, but it's also a', joy, said the Rev. Ravy' Herriman, pastor of the 120 member Grace Bible Church in Homosassa. Currently, their! $500,000 fellowship hall-class:- room-office facility. is mor-j than half-completed. "Our people see the need. to! reach others with the gospel of- Jeis and be a light to the coni--' munity," Herriman said. - "And it is a sacrifice, but they say, 'That's what I want to do.'" . "Copyrighted Material - a- - a Syndicated Content- 6 e 4w 4-s- ..ob - iAvailable from Commercial News Providers"- -0-- - qm '- - -- -a a - - - W_ 0 - - - .M 0 -. * GRACE Continued from Page 1C seemed all that jazzed about it. No jumping up and down because God smiles on his own. No high-fives because of for- giveness of sin. When we're in my car and I'm playing Jars of Clay and the Blind Boys of Alabama singing "Nothing But the Blood of Jesus" and I'm slapping the steering wheel to the beat and dancing in my seat because of the song's message, she'll be looking out the window or searching her purse for gum.. As much as she doesn't get the good news, that's how much I don't get her not getting it. But we're friends. Go figure. And then she decided out of the blue to come to church with me a few weeks ago. She had attended church sporadically throughout her life, and I was thrilled that she would finally hear the good news of the gospel. My pastor has a way of letting you know that if you belong to Jesus you are forever safe and secure, much loved and cherished by God the Father. It's all good stuff. When church was over and my friend and I went out for cof- fee, I was eager to know what she thought. To me, that partic- ular church service was espe- cially full of grace. The pastor had presented God as passion- ately loving and wildly adoring. The music focused on God's amazing love and "no condem- nation now I dread; Jesus and all in Him is mine." I waited for my friend to gush and squeal, or at least crack a smile. But she didn't. Her face was ashen as she said, "Wow. I never knew how bad I am." Then she talked to me for about an hour about how the pastor had pointed out her sin, as if she were the only one in the sanctuary, as if he had a direct view into the inner workings of her heart and mind. She said she felt ashamed and unholy, un-good, un-every- thing she should be but isn't and can never be. At the same time, she was practically giddy to have discov- ered that about herself. She said she' wanted to go again to hear more about her sin. It was as if we had been at two different services. She had walked out feeling the weight of her sin; I walked out feeling freed from mine. I almost blurted out, "You missed it! You missed the whole point it's good news of for- giveness and grace!" However, I kept quiet and let her talk about stuff she had been carrying for a lifetime, stuff she didn't realize, until that moment, -that separated her from God. Actually, that never bothered her before. God was just an interesting idea at best and at most someone or something she would deal with someday. For my friend, that someday was upon her and she was mis- erable and feeling wretched about herself. 0- A pastor-friend had said once that until we live in the bad news we can't fully appreciate the good news. We have to feel the crush of our sin and own our part in the enormity of Christ's suffering before we can even begin to grasp the depth of his grace, the scope of his mercy and the immeasurable cost of his forgiveness. I well remember living in my own bad news and remember even more clearly the moment when I finally heard the good news. I look forward to the moment when my friend, hears it, too. Maybe afterward we'll have pie. Nancy Kennedy is the author of "Move Over, Victoria -I Know the Real Secret," "When Perfect Isn't Enough" and her latest books, "Between Two Loves" and "Praying With Women of the Bible." She can be reached at 563-5660, Monday through Thursday, or via e-mail.at nkennedy@ chronicleonline.com. International Evangelist Jack Myers Is coming to Inverness, March 19th. Christ Way Fellowship Church Without Walls of Inverness 726-9768 344-2425 972 Christy Way, Inverness Youth Revival 7 PM (Off Independence Blvd.) Thursday Saturday 7 PM Sun. March 19 10:30 AM & 6 PM Sunday Worship Service Monday Wednesday 7 PM March 26 10:30 AM 663162 HELLO NEIGHBOR - WE NEED YOU .... ..*" .' *f f I to sponsor a child in the Newspaper inp Education program (NIE). I L Read a good newspaper lately? Your children have! Each day the Citrus County Chronicle delivers over 150.0. Yes, I want to help create a better tomorrow. I U I can sponsor one child, enclosed is my check for $2.52 - I 'I can sponsor ten children, enclosed is my check for $25.20 r Enclosed is my check for to help sponsor as many children as I can. Or call (352) 563-6363 I Name IAddress City State Zip Phone Email address Mail to: Attn: Citrus Publishing, Inc. / Newspapers in Education Citrus County Chronicle 1624 N. Meadowcrest Blvd. Crystal River, FL 34429 VISA ' L- _ __ _ -- - - -- ------------ mi I 4'~'i ~ ~ I I 4'A1i ~ $ a ~ g ~ ~ au 4PJ ~ ~ a ii 1Y1 :'l :4 -Sm MMIL- -- . .- ON A A .. t f o om o lmqw m =m e - dip ql 0 . - -* .. 0 44m.w - 411po --low 4 mm-a 0 -Mm "ame jo- .0 r~C room doom Ire .Lb ~,9mo%- a-a - a 04b- 0 LIP! bo- Om -- Sco :ium a-~ a - 41w- Ao - --a ---mm - d- M-NO oa a.- ft --M ft qr- 4a 0 -me a411b- - "C copyrighted Material. NO Syndi cated ContentW-% vailable from Commercial News Pr vid V -. S bAd - - ~ A A ers' .v T N V V V < -9 A_=_ MOM a- w -4 4lw .0'%-ee - ~ 4 m~ b a ~ A, knim' Iwks mI nqos aw a -~ a * - a- ma-.. a - a -a ~ p ~-a - a. - S a. a a- a. - * a. * = ma- a-- a- - 0~ - - a- --a - -a a. a - a - a- - 'a - a a - a -~ - a- - a- e - - - a - - mm - - a-- m a- a a 4W- a 4b - ' 4w l-b - a~. - 40M -a - a .-.. alu =. 7 *. m *eSa *6.. 0@ a--- -.60- .41. ft. -wp d 411 a- --NW *q a lowa -MIND - -dub.-MMM 4m-ol -mb --4 a- -~ a - qow S. S. m 4 ebo4I- qmm w m m-Nm lom oon, "a ass -.N -a -9 aw- --NDdian .0--dm . -aM - -0 --A.Ib a 4b.a a am-. alo d-s 4001. -ft t-do, am -d~ anp -a 41o-dom, -e li -mo an ev fto- 11m don-am QW-som, m - a-U 0m-t g- on - 4M do a--a an w-mimn -w o- a- a -D adw w -- - a.- 4p a4 M .an GNP NISdow am 410Wa - Ow- don doddp-ob M.. Q a- -a -0 Q- _____ a. 0 a -4, isw- m, -- 4ORa e On ap, -- '%M d- 0 -40- m dita- m. ", MAEO a gow- No -.0 40 Smon qu-simm ome 0- 4W a -4..0 -- - 4M 00,- 4100. an- M" -awddw d 411b w, m- dw a a -- a. 0- ,.4* 74 0 -4 * 9 ~. L ~ ~Ibpmiinb * t o 47 * S 0.0. .0. 000 0 0 0@. 0 *o S 0 .0 0 0 0 . * 0 0 * 0 0 0 .0 S -4 - 0 * j 0 I - S I I I I S S S 0 U? - =o VP w..~ ~ 'II U - -I -.0. - I ai r j1I e eS * . 0 0 044brj -S 0 a S .0 ~S S -S S 55 0 4 if N. pI *W &I^^ - 41. - 4D 0 ar 49 An0 l 4 I 4 4 4 ~mj *I V A w~ 0 *& or Copyrighted Material - USyndicated' Conte'nt Available from Commercial News Providers"' --- I IP bcofQ ~ ~ 0__A ll lb4 GM do- 00M V#W so =e 0'-w tb.49 & c ap ~ 1 4'A 4W 4 m -m~ * F- *.* * S A 4 a - ~ U 1~**mY~ _- _- 0 - * - 'IW 4 S 'U * -~ S **~ r ~ ~F- me -bo 00 "m a 4 0 b 'a 0 o --'m m ''p 4b~ dwi lo 94mY Soso ,I -, _ "m4011 w w - * qw.4"m qW -- -- 0-dmlq * 4m - oft &a -bw p 4 as f W-am - - 46 *wi.ob -do *m 41M- - Emmw 0 0 -m. ft 400 5 db --p -so 4mb 00 ow *-sm- soe - m -00- 0* 0OMP - a *. ow a - a a - 4am M. q 4o a .0 ft- - S - NW a &ob- qow 4w 40- S 0 0- Sm 4* -=-mos qa -p 4m 4D low dAP- q AS-NOS -1P- f cmmm 0- qo 4 m 14 - -ado dN -A l * S - " -.dlb , -.411JINFJIM 4 ,glob 4IMP .1dw 4ft -domquo 49l Ow - v M d 0 - 0-140mgmaw % 0 4m It PA I CITRUS COUNTY (FL) CHRONICLE? CL~ssIFIEDs SATURDAY, MARCH 11, 2006 9C Choice~ [ To place an ad, call 563-5966 Classifieds C= C= I C -A E -L -L- ST5'4", 140 lbs., Russian attractive Intelligent . lady looking for r io,. .U' rei.at,'crenthii i allona (352)637-5283 ,or 527-3187 after 5-00 t Handsome Aquarius 1,ar. seeking :.:.ui r.a,oe q ,j unlm ,c..rl .i Ir -, . 0:a ,uur . a rI. r, ,anJ i. .:", li. Iril lll.]., r.[ torre heor ac.rnd ,. rand ailing 1_.. 3a1 ..,together and I aream ia lnle c0i SAll rph e; ,or.-: .r-. Reply to Box 953P c/o Citrus Chronicle PO Box 640850 Beverly Hills, FL 34464. Looking fot(a Lasting, : Relationship? if youarea trim gal,; rnonsmoking, and looking fora good " man, please call : 352-362-4789. * FREE SERVICE** Cars/Tiucks. Metal Removed FREE. No title OK 352-476-4392 Andy Tax Deductible Receipt 3 dbl. mattresses S2 dbl. box springs "(352) 382-3675' " 4X 10 Chain Link Gate; S : BuJr, a,,.i; , (352) 341-8479 5 Year Old'Spayed Female Rhodesian Ridgeback, nix & 5 Yr. Old Shep/Corgie Mix, neutered male. House- ' *c.iI .31l,3r.ii'r.aI' (352) 228-7425 10 ..k,' ,-D r.lId la mr. r, ierd iT .. r, irno rt pap-r rrain.ar,- (352) 341-0008 10X 50SW -Manufactured Home; You must move! (352) 489-0894 Call L err,.:.---r.- .'" fl ;r..;. bL.,:..al T,j r.iujr (35241/95-5285, -. BIK/Tan Hound nale nr.eutera. all :r.ot it.- mci.:,. .man ._iarol r'ai.ItI, *-:.-._ (352) 697-2395 BordeTCbollie rix, male puppy, 10wks old, h.:.u,- tr.3;r,-.j Free -:- .: r,.;.rr,. (352) 720-3493 .COMMUNITY SERVICE P Irie aoir. 'rn iiler . available for-people' who need to serve service. .. (352) 527-6500 or (352) 746-9084 Leave Message FREE 20 ft. TV antenna .(352) 212-5844 FREE 3 YR OLD MALE a PITBULL, b.r.:...r :. to a good home. (352) 860-2128 nights 302-5363. days employee? This area's #1 :employment Source! CHK NIC(LE C/iU-/i,'. FREE Couch & ei. r -It.-X, You haul 1 (352) 795-3511 FREE FRAMES for oils or water colors, (352) 341-1679 FREE GROUP COUNSELING Depression/Anxiety (352) 637-3196 or 628-3831 FREE REMOVAL OF Mowers, motorcycles, RV'sCars. ATV's, jet skis; . 3 wheelers, 628-2084 FREE Rooster, 5mo old, silver leg horn (352),860-2494 Kitten 6 wks, old, with accessories (352) 795-2900 MAINE COON CAT Neutered; All shots current; indoor & outdoor. - (352) 465-0402 Puppy, Florida Curr, male, shots, wormed, & Guard Dog, Shepherd mix, lyr. old 621-7699 YARD SALE ITEMS Left over You haul away! 9150 W. Dunnellon Rd. Crystal River - FRESH GREENS Mustards, Collards, T & Turnips Fri,.Sat, & Sun Molly's Market Halls River Rd . Homosassa (by.Publlx) (352)628-9119 Keywest JUMBO SHRIMP 3-15Ct. $5.00 lb.: Misc. Seafood 795-4770 BEAGLE.' Walei, hound r i-,uli .3 ,-,...jie I._ I r.: r. h l ,i .3, Heights area, please, please call. (352) 795-6659 Hearing Aid red, miracle ear, ci nity of Hom6sassa, Crystal River, urgently necessary.to call.... IReward.- (352) 628-2119 Mini Digital Camera LOST BY MILITARY PERSON IMPORTANT HE MUST RETURN TO GOVERNMENT 2" x 2", lost at gas station or vicintly on 44, Very Important, Reward (352) 527-0482 SHEPHERD/ CHOW AKITA MIX Male, long hair, 8 mos. Very pretty amber eyes, Gentle. Children heartbroken, Last seen 3/4/06 near Clyde & Bryant St. Inverness. Name Methuzula REWARDII (352) 637-5473 Young Cat, Orange very slender, very friendly Lecanto area (352) 746-1373 F Divorces I SBankiuptcy Name Change . S*Chid Support Wils. ! Invemness .., .637.40221 |L.&, oMs.5-59 . .CHRONICLE. INV. OFFICE 106 W. MAIN ST. Courthouse Sq. next to Angelo's. Pizzeria Mon-Fri 8:30a-5p Closed for Lunch 2om-3om Hairstylist JAMIE NICHOLSON Now Located at DOUG'S SALON 257-3300/563-2002 HOMEWORX Legal form services, wills, divorces, bankruptcy, notary serve, credit card assis- .tance, (352) 637-9635 r REAL ESTATE CAREER I Sales Lic.: Class i S$249.Start 3/28/06 I C TRUS REAL ESTATE I | SCHOOL, INC. S (352)795-0060 REWARD for info, Hondqa 300'EX 4-wheelers, stolen Jan 15/16 from Lecanto (352) 382-7039 ' Wanted To Buy, Snon running, 2 cyl. outboard motor, under S10 HP. Retired man (352) 628-7818 Reauested donations are tax deductible MR CITRUS. COUNTY REALTY S. ALAN NUSSO 3.9% Listings INVESTORS BUYERS AGENT BUSINESS BROKER (352) 422-6956 ATTRACTIVE SWF seeking male companion. Candi, 352-628-1036 Keywgst JUMBO SHRIMP .13-15Ct. $5.00 lb Misc. Seafood 795-4770 Fountains Memorial Pk. Mauseleum Crypt for 2 w/opening & closing. Have moved, will sell below market value. Call 352-628-2555, ask for Donna. Burial Niche, Indoors at Fero Memorial Gardens, Beverly Hills (904) 288-8157 Stained Glass Niche w/plaque, Fero Mem. Gardens $2,000./ obo. (352) 228-1988 NOW TAKING APPLICATIONS F/T Accredited (must have CDA). Child Care Giver Pd. holiday & Vac. Exc, working cond, Call between 1:30 & 5:00 352 341-3244 or 212-2708 for appt. PRE-SCHOOL TEACHERS F/T & P/T. Exp. req. Today's Child. 352-344-9444 Small World Learning Center is Looking for Motivated CHILD CARE WORKERS Apply in person, 243 NE 7th Ter, Crystal River. I- Administrator F/T Seeking well-or- ganized, detail -orientated, self-mo- Stivated independent. worker. Must be prof- . cent in Microsoft and Quickbooks. Great communication, iling, telephone, and people skills necessary. Interior decorating/design ex- perience a plus! Fax re- sume to.352-560-0331 CLERICAL HELP Full Time/Part Time Yankeeloqn Real Estatle :I" i. h ', -. --, u.3l .: appt. 1(352) 447-0007 Exec. Adm. Asst. Christian Organization P/T I E,-n,-iiON.ri w/ -...r e t. :..:. ..i e ir,. p i,,. ri : ir r.-1 rc...;.n :*;rn c se. e'".,,' organized & profes- sional. Email Resume steveandangle3 @earthlink.net EXP. OFFICE HELP Computer smart (352) 795-7003 F/T RECEPTIONIST Fax Resume to 352-726-5038 Aft Lydia LEGAL SECRETARY Busy downtown Inverness attorney has an Immediate opening for a full time exp. Legal Secretary who is self-di- rected and motivated. Mortgage foreclosure and other real estate exp, desirable. Pleasant working environment and competitive salary.. Send current resume to James A. Neal Jr., P.A. at 213 Courthouse Square, Inverness, FL 34450 or via facsimile (352) 726-1108. Qualified candidates -, will be contacted for a confidential interview, LOCAL AUTO DEALER Looking for experi- enced accounting & clerical person. Fax resume to: 407-297-0870 Will train right person JOBS GALORE!!! EMPLOYMENT.NET P/T OFFICE HELP Computer knowledge, light typing, answering phones & accounting exp. Apply In person GIST RV, 2524 W. Hwy 44, Inverness. coam RECEPTIONIST Full time, energetic, receptionist needed for busy construction office. Computer & telephone skills a must, Fax resumeto: 352-564-2584 RESIDENTIAL BLDR. Office Assistant needed w/ Bookkeeping, computer skills & building permit application exp. necessary. (352) 726-4652 ['' lIersonlllli it: CosmetoilogIytT, BarIer, Chair for Rent (352)634-1839 Leave message Estate Housekeeper Looking for a housekeeper of a large estate In the north Sumter county area. Some of the responsibilities Include heavy cleaning, laundry and ironing, mending as needed, closet & drawer organization, grocery shopping & light S'cooking. Must be detail and business oriented, courteous, discreet & responsible. Exp. preferred. Salary and benefits commiserate with experience. Please se nd resume to Citrus Chronicle, Blind Box 956m, 1624 N. Meadowcrest Blvd, Crystal River, FL 34429 S P. soE5fo BV 5 GilNs CAL1.S OF CIrRU$ COuaAry TH H ci gU coUjNrV CHrFONICL ,AND cRYSrtAl m1IO CA ? COMPANY Help support the Boys & Girls Clubs OF Citrus County. Call today to ,'( V YOU COULD WIN A 2006 CORVETTE ., Drawing a02 pem.anJuiyl 5at Crystal Chevialat in Hamuas ssa e b For mIore infomiarron or tukels raili621 -9225 or purt Obse tiolkets online at ~w~v4nusbc.com TICKET OUTLETS: All SijnTr,,sl Bank facotlons a Boys 11G1,11Clu~b Offie thlupycL ~ ,,*, GET YOUIRS TODalI CAREGIVER/ ASSISTANT 4 Days a wk. Lt. House- kpng/lt. cooking, er- rands, etc. Depend, local work ref, own trans, 495 area. Pass sec. & bkgrnd ck. Fax Resume w/ all pers. info. (352) 564-0733 Experienced Waitresses Wanted. Manor Family 564-1116 1239 S. Suncoast Homosassa PERSON TO ASSIST 85-yr old Inverness woman In the home. Light meal prep., lifting, nights & wkends, etc. No smoking. Call betw. 1pm-6pm groly726-8612 11-7 FULL TIME CHARGE NURSE Avante at Inverness Is currently Accepting applications for a full time Full Charge Nurse for our 11-7 Shift. Avante offers excellent wages and benefits Including shift differentiIal and bonuses. Please apply at: 304 S. Citrus Ave., SInverness or fax resume to 352-637-0333 or you can email a resume to S tcreoup c i aVantegroup com a Skilled Facility has 'openings for: CNA's Fulltime 3-11 & 11-7 RN Fulltime 3-11 Fax Resume (352) - 746-0748 or Apply in person Woodland Terrace 124 Norvell Bryant Hwy. Heriando (352) 249-3100 ITeraee I of Citrus County a Skilled Facility has openings for: Housekeeping/ Laundry Supervisor ' .Fax Resume (352) 746-0748 or Apply In person Woodland Terrace 124 Norvell Bryant Hwy. Hernando (352) 249-3100 ARBOR TRAIL REHAB Is now accepting applications for: Full-Time Evening COOK Part-Time Evening DIETARY AIDE Come Join our Caring TeamI Apply In. person Arbor Trail Rehab 611 Turner Camp Rd Inverness FL EOE CNAs ALL SHIFTS /-.onte at Ir,.in-..; i': -:uriernll,cyaret avantegrouo.com Crystal River Health and Rehab Center A skilled nursing facility Is looking for caring Individuals to fill the following position: Dietary CookOEnle.lawrence@ northporthealth.com DFWP/EOE Dialysis Opportunities Fresenius Medical Care Inverness Dialysis Center Is seeking a Nocturnal RN. Experience preferred In Dialysis. Will train m .:.1l..at 3 .ello.r i r..i laua E_..:ell rl benefits., Apply: FMC of Inv. 1510 Hwy.41 N., Inverness, FL (352) 637-0500 or fax resume: (352) 726-9199 Attn: Jody FRONT DESK POSITION For Dental Office, Exp. preferred. Fax Resume to: (352) 527-3682 9am-5pm LAUNDRY AIDE/ HOUSEKEEPER .ore- at Inverness is currently accepting applications for Laundry Aides and Housekeepers. Please apply in personal: a 304 S. Citrus Ave., SInrverness or fax resume to 352-637-p333 or you canr mail a resume to avantegroup.com LPN NEW WAGE SCALE. Seeking outgoing, energetic Individual. Apply at: BARRINGTON PLACE (352) 746-2273 LPN PT Every other weekend:. 5am-2pm. CNA'S FT & PT 3-11 & 11-7 Assisted Living Facility. Sign on bonus! Pay based on exp. , Benefits after 60 days SVacation After 90 days. Apply in Persone: Brentwood Retirement Community Commons Build. 1900 W. Alpha Ct. Lecanto 352-746-6611 DFWP/EOE MEDICAL ASSISTANT Needed, In Internal Medical Office Fax Resume. (352) 465-3733 Your world first. Every Dinay CHNpWACLE MEDICAL OFFICE Looking for Front & Back office help. Send Resume to Box 954P c/o Citrus Chronicle, 1624 N Meadowcrest Blvd., Crystal River, Fl 34429 r------ Nurse F/T & P/T 7-3&3-11 Shift differential. Bonuses abundant Highest paid in Citrus County. Join our team, Cypress Cove Care Center 700 SE 8th Ave. Crystal River (352) 795-8832 L-- --- NURSES $$$ WHERE YOUR EXPERIENCE COUNTS $$$ Where do experienced nurses; dedicated to the higher standards of elder care go for above average salary & great benefits? Look no further.. Crystal River H.-iair. ,nd. Fero.r- C-'rl-r .3 i nkll during .r, 1. Iri, answer. If you possess above average skills, good S.ger,,ir,- :airr. ,ailui- ,'i na.e, . 1.-.10 1,2r ,.,J 'l-V offer a salary range : comparable to your gp hr'i-... ce n .n . Crystal River Health and Rehab Center 136 NE 12th Ave., Crystal River, FL 34429 (352) 795-5044 HR/ Connie DFWP/ EOE NOW HIRING Experienced, Caring & Dependable CNA's/HHA's Hourly & Live-In, F-l.ible :,h.'dui: 'ort~r i "-' i-' :, i 0 rir ' Homell o Apply at: A BARRINGTON PLACE 2341 W. Norvell Bryant Hwy. Lecanto No Phone Calls EARN AS YOU LEARN CNA Test Prep/CPR Continuing Education '341-2311/ Cell 422-3656 P/T ULTRA SOUND TECH Call (352) 527-0430 or Fax resume:(352)527-1516erl Home Care Team and enjoy the benefits of knowing .that you are making a difference. A caring difference you can feel. If you are a highly skilled, compassionate dedicated professional with current Florida license, qualified to provide quality care to patients during one of the most difficult times of their lives, we need you. We offercompetitive visit rates 'and mileage reimbursement. For additional information contact Maureen for Brooksville (Hernando Count,; ?52.502.1.312 or Inverness (Citrus County) office, 352-726-3874, fax#: 352-726-6089, e-mail mzwierko @mederl.com. visit our website Mederd EOE DrugFree Workplace Physical Therapist - Assistant Full Time position immediately available in Citrus County Outpatient Clinics. Competitive Salaries, Incentives & Benefits. Become a member of the strongest therapy team in the County and work for a Great company PTA Degree & PTA license required. vbolton@ therapymgmt.com Call 1-800-610-9080 Fax 1-800-610-9680 P\T 7:00 am 2:30 pm, 3 days per week, scheduling flexible. Join a great team of caring professionals providing for adults with developmental disabilities. Casual dress code. Excellent pay rate! Ti-i -I APY 1 \NA..a, iM. NT C()l-KIRAI 10N REHAB DIRECTOR Physical or Occupational Therapist A leading provider of therapy services is seeking an experienced manager for the Rehab Dept at Woodland Terrace, Citrus County's finest Skilled Nursing Facility. This salary position offers quarterly incentives, excellent compensation & benefits including medical, dental, life, continuing education, PTO & Holiday Pay. Join a "Great" company & work at a "Great" facility! If you are interested, please send your resume for consideration to: Therapy Management Corporation Attn: Director of Recruiting P.O. Box 1214 Homosassa Springs, FL 34447 Fax 352-382-0212; Phone 352-382-7147 vbolton@therapymgmt.com 63141 SATuRDAY, MARci 11, 2006 9C Gmus CouNry (H) CHRoNicLE CLASSIFIED 1OC SATURDAY, MARCH 11, 2006 PHLEBOTOMIST/ COURIER Clean license, email labshr@vahoo.com RN/LPN 3-11 &11-7 Sagn-on Bonusl Come join a great team We offer excellent benefits: "401 K/Health/ Dental/Vision 'Vacation/Sick Time Apply in person: Arbor Trail Rehab 611 Turner Camp Rd Inverness, FL EOE RN'S & LPN'S Needed Immediately Hosp. & N.C. Staffing WE PAY THE HIGHEST RATES Apply online at: corm 1 Care Medical Office. Great benefits incl. 401 k.Fax Resume to: (32)\ 74A-6333 ACCOUNTING CLERK Part time, minimum of two years In accounting, profi- cient with MS Excel, Word and Window operating system, proficient use of calculators. Excellent customer service skills. Demon- strated ASSISTANT NEEDED For 120 bed Skilled Nursing Facility. Duties Include front desk reception, assisting with personnel records management, be proficient in use of all office equipment. Including ability to type business communication. Must be pleasant and customer service oriented. Hours of work are Monday through Thursday 9am to 6:30 PM. Please apply In person Mon. Fri. AT SURREY PLACE 2730 W Marc Knighton Ct Lecanto This area's #1 employment source! CmHONAICE ssslu as esis .ti; IcA Medical -I' BOOKKEEPER Needed. Permanent position. Computer literate. Familiar with Accounts Receivable & Accounts Payable. Good communica- tion skills. Some train- Ing avail. A Drug Free Workplace Pay depends on experience & ability. Send Resume to: PO Box 426 Crystal River, FL 34423 CHkRONICLEonlline.com Drug screen required for final applicant. EOE tornoorve Your world fi ,s.. Evern' Day CILASSIFIEDS JOB FAIR Monday March 13th, 2006 6:00PM 8:00PM "Make a positive difference In a young man's life" Cypress Creek Juvenile Offender Correctional Center, a residential program for 96 high and maximum risk males committed to the Dept, of Juvenile Justice Is recruiting for Juvenile Corrections Officer and Bachelor Level Mental Health Techs Come take a tour of the facility. Refreshment will be served Cypress Creek Correctional Center 2855 W Woodland Ridge Dr. Lecanto, FL 34461 Drug Free Workplace /EEO Must be 21 years of age, have a satisfactory background screening and complete a required training course In accordance with DJJ rules and regulations Your World Ci d )N I:LL -I' GENERAL ACCOUNTING ASSISTANT Basic accounting knowledge Including AP. Must have experience w/ Lotus, excel, 10 key. Self starter w/ desire to learn general ledger, bank statements w/ reconciliation. Potential for advancement. Fax Resume to: 352-795-1275: Or apply In person Pro Line Boats 1520 S Suncoast Blvd. Homosassa DFWP/EOE Yo.'ur world fir-it Ever, Day' Cn lu Ni(i-E. c i.zs i~._-; -i New Home Builder/ Supervisor West Central Florida ,Division of Mercedes Homes has an Immediate opening for an Individual with 3-5-plus years production home building experience. Must be high energy,. organized, meet deadlines, strong customer/ sub-contractor skills. Submit resumes to MRobertson@mer Drug Free Workplace/EOE STAFF ACCOUNTANT CPA firm needs accountant. Preparation of financial statements, P & L, payroll and .sales tax. Public accounting experience and tax prep a plus. Up to $35,000 based on experience. Fax resume to: 352-795-1133 or'emalil to tampabay rr corm Your World C 1IpN 'ui.E PC Troubleshooters We clean, optimize PC's Call for in home appt. Ask for Mark (352) 219-7215 Tr, ,Rmovllo A TREE SURGEON Lic.&lns. Exp'd friendly servn. Lowest rates Free estimates,352-860-1452 AFFORDABLE, I DEPENDABLE, HAULING CLEANUP, I PROMPT SERVICE I STrash, Trees, Brush, Apple. Furn, Constdl | Debris & Garages | 352-697-1126 - kmmm- -i E All Tractor & Didrt Service Land Clearing, tree Ser. Removal. Driveways/ concrete 302-6955 DOUBLE J STUMP GRINDING, Mowing, HaulingCleanup, Mulch, Dirt. 302-8852 D's Landscape & Expert Tree Svce Personalized design. Cleanups & Bobcat work. Fill/rock & Sod: 352-563-0272. K & K TREE & DEBRIS Tree trimming, topping & removal, stump grind- ing, & debris removal Nick (352) 400-0770 John (352) 220-7385 LAWNCARE-N-MORE Lawns, Hedges, Mulch, Leaf Removal, Clean Ups, Haul, 726-9570 M&C CLEAN UPS & BOB CAT SERV Trash & Brush removal, const. debris, Free est, (352) 400-5340 PAUL'S TREE & 1 I CRANE SERVICE | Serving All Areas. S Trees Topped, S Trimmed, or , L Removed. FREE ESTIMATES. I Licensed & Insured. (352)458-1014 R WRIGHT TREE SERVICE, tree removal, stump grind, trim, Ins.& Lic #0256879 352-341-6827 STUMPS FOR LE$$ "Quote so cheap you won't believe it!" COMPUTER TECH MEDICS Hardware & Software Internet Specialists (352) 628-6688 Cooter Computers Inc. Repair, Upgrades, Virus & Malicious software removal (352) 476-8954 Vchris satchell Painting & Wallcovering.AII work 2 full coats.25 yrs. Exp. Exc. Ref. Llc CHEAP/CHEAP/CHEAP DP Pressure Cleaning & Painting. Licensed & Insured. 637-3765 *Robert Loveling# Painting, Inc. LP-9011 Lic. Contractor for 20 yrs. Com/res. Free est. Office (352) 746-9173 Mobile (352) 346-9032 George Swedilge Painting- Int./Ext. Pressure Cleaning- Free est. 794-0400 /628-2245 INTERIOR/EXTERIOR & ODD JOBS. 30 yrs J. Hupchick Uc./Ins. (352) 726-9998 MICHAEL DAVIDSON 20+ yrs. exp. Painting contractor/ handyman Llc.3567 (352) 746-7965 Mike Anderson Painting Int/Ext Painting & Stain- ing, Pressure Washing also. Call a profession- al, Mike (352) 464-4418 SPOOL BOY SERVICES I Total Pool Care I m Acrylic Decking 3 * 352-464-3967 * PRESSURE CLEANING Painting, Roof Coating, Repairs. Free estimates. #73490256567 726-9570 Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 3AA- n9 E rRo"nscfA9.1. Lic#99990001273 Bob, 352-220-4244 BATHTUB RsGLAZING Old tubs&,ugly ceramic tile Is restored. to new cond. All colors avail. 697-TUBS (8827) UGLY TUB? Call Pro Tub No tub too sad-we'll make it glad I 15 yrs. Protub.net 613-5828 CUSTOM UPHOLSTERY Modern & antique. Denny, 628-5595 or 464-2738 LOVING CARE V That makes a difference. Will care for elderly person in my home or yours 24 hr. care. Louisa 613-3281 ELDER CARE IN YOUR HOME Exp. Caregiver (352) 560-6135 Exp. Cert. Nurse Asst, over 18 years exp. will care for your love one. AM/PM Shift. Contact Iris (352) 476-7730 CHILDCARE In my home TLC & exp. w/all ages EXCELLENT REFERENCES ...15913R9-191 i o- - /vChris Satchell Painting & Wallcovering.AIIl work 2 full coats.25 yrs. Exp. SExc. Ref. Lic#001721/ Ins. (352) 795-6533 House Cleaning, Free Est. Dunnellon, Citrus Springs, Hernando & Beverly Hills. (352) 489-5142 KAYLA'S CLEANING Res./Comm. Wkly, bi-wkly, monthly, Uc./ Ins. Bonded, Free Est. 341-0275 Fernanda MELODIE'S Cleaning & Gardening, Homes, landlords, $10. off 1st visit. (352) 220-6035 Post Contruction to Residential/ Com- merical. Exp. & Lic. (352)637-1497/476-3948C1326872 Screen rms,Carports, vinyl & acrylic windows, roof overs & gutters Lic#2708 (352) 628-0562 A-I Painting & Pres sure Washing. Int/Ext Satis- faction guar. Lic29349 Ref. (352) 302-2524 AUGIE'S PRESSURE Cleaning Quality Work, Low Prices. FREE Estimates: 220-2913 COCHRANE'S Pressure Cleaning, free est,. Uc. acct. 30211 637-5345 local cell, 201-9788 "HOME REPAIRS" Painting, power wash jobs big & small #1453 (Eng./ Spanish)746-3720 #1 IN HOME REPAIRS, paint, press.wash, clean roof&gutters, clean up, #0169757 344-4409 Elyte Home Services Shower & Tub Encl., Grab Rails, & gutters -----m E AFFORDABLE, DEPENDABLE HAULING CLEANUP. PROMPT SERVICE I Trash,. LUc. 28417 (352) 212-7110 L & L HOME REPAIRS & painting. 7days wk Uc #99990003008. (352) 341-1440 NATURE COAST HOME REPAIR & MAINT. INC. Offering a full range of services.Llc.0257615/lns. (352) 628-4282 Visa/MC Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs, exp. 344-1952 CBC058263 A+ TECHNOLOGIES Plasma TV's Installed, Stereo, phone, cable & more (352) 746-0141 All of Citrus Hauling/ Moving Items delivered, clean ups.Everything from A to Z 628-6790 AFFORDABLE, | DEPENDABLE. 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 C.J.S HAULING Small local moves, appliance pick up, trash, etc. (352) 726-2264 or (352) 201-1422 Hauling Small Loads w/ dump trailer, fill dirt, rock products, mulch, yard waste & more. 795-3015 or 634-1789 J&J Moving & Hauling- Clean Outs,Relocatlons Odd Jobs, Yard Work (352) 628-9370 LAWNCARE-N-MORE Lawns, Hedges, Mulch, Leaf Removal, Clean Ups, Haul, 726-9570 M&C CLEAN UPS & BOB CAT SERV Trash & Brush removal, const. debris, Free est. (352) 400-5340 WE MOVE SHEDS 564-0000 Best Wood Floor Co. Laminate & wood floor Installations. Lifetime Warr. Free Estimates (352) 209-2707 IRRIGATION- New Systems & Repairs. Ins. LIc. John Gordon Roofing Reas. Rates. Free est. Proud to Serve You. ccc 1325492. 795-7003/800-233-5358 All Tractor & Dirt Service Land Clearing, tree Ser. Removal. Driveways/ concrete 302-6955 Benny Dye's Concrete Concrete Work All types Lie. & Insured. RX1677. (352) 628-3337 BIANCHI CONCRETE Driveway-Patio- Walks. Concrete Specialists. Uc#2579/Ins. 746-1004 Concrete Slabs Driveways, patios, boat shed & RV Slabs, etc. Brick pavers. Uc. & Ins. Mario (352) 746-9613 CONCRETE WORK.' SIDEWALKS, patios, driveways, slabs. Free estimates. Uc. #2000. Ins. 795-4798. SPOOL BOYSERVICES I Total Pool Care I I Acrylic Decking | S352-464-3967 RIP RAP SEAWALLS & CONCRETE WORK Lic#2699 & Insured. (352)795-7085/302-0206 Elyte Home Services Shower & Tub End., Grab Rails & gutters Ins. Uc#99990255004 (352) 220-9056 Additions/ REMODELING New construction Bathrooms/Kitchens Uc. & Ins. CBC 058484 (352) 344-1620 I AFFORDABLE, ! DEPENDABLE, I HAULING CLEANUP, PROMPT SERVICE I Trash, Trees, Brush, | Appl. Furn, Const, SDebris & Garages | 352-697-1126 DUKE & DUKE, INC. Remodeling additions Lic. # CGC058923 Insured. 341-2675 Wall & Celling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 344-1952 CBC058263 CERAMIC TILE INSTALLER Bathroom remodeling, handicap bathrooms. Uc/Ins. #2441 795-7241 REPAIRS, Wall & ceiling sprays. Int/Ext Painting Uc/Ins 73490247757 220-4845 Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 344-1952 CBC058263 C." ^tf^ FILL, ROCK, CLAY, ETC. All tvoes ofDirt Service Call Mike 352-564-1411 Mobile 239-470-0572 All Tractor & Dirt Service. Land Clearing, tree Ser. Removal, Driveways/ concrete 302-6955 BUSHHOGGING, Rock, dirt, tree, trash, drive- ways, pressure wash (352) 628-4743. D&C TRUCK & TRACTOR SERVICE, INC. Landclearing, Hauling & Grading. Fill Dirt, Rock, Top Soil & Mulch. Uc. -- --~o Eu AFFORDABLE, DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE . m Trash, Trees, Brush, | Appl. Furn, Const, 3 Debris & Garages | 352-697-1126 All Tractor & Dirt Service Land Clearing, tree Ser. Removal, Driveways/ concrete 302-6955 DAN'S BUSHHOGGING Pastures, Vacant Lots, Garden Roto Tilling Uc. & Ins. 352- 303-4679lI 352-628-1254 FRANKLIN AUER & SONS Landscaping, all types of yard work. Complete flower gardens & ponds installed. Sr. Citizen Discount. 352-382-2660 D's Landscape & Expert Tree Svce P r:.:.r.ai:.'-, design. Cleanups & Bobcat work. Fill/rock & Sod: .352-563-0272 Lm""mI Win PRO-SCAPES C,:.nomppll", 1I .-,r.; r *r ice. Spend time with your Family, not your lawn. Uc./Ins. (352) 613-0528 GLENN'BEST o MOW- EDGE *TRIM HEDGES- PALMS 795-3993 THE LAWN RANGER $20. & up. We do it allI Call 352-563-9824 Or 352-228-7320 Advanced Lawncare & More Camp. lawncare, Pres. washing, odd jobs, No job too small Lic. Ins. 352-220-6325/220-9533 r --, -- E AFFORDABLE, DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE I m Trash, Trees, Brush, Appl. Furn, Const, | Debris & Garagesullng,Cleanup, Mulch, Dirt. 302-8852 HALLOCK/SPN LAWN CARE 80x120 lot, $20 complete. Now serving all of Citrus County lic./Ins.(352) 746-6410 LAWNCARE-N-MORE Lawns, Hedges, Mulch, Leaf Removal, Clean Ups, Haul, 726-9570 Danial Cole Pool Cleaning Services Dependable Wkly Cleaning Uc. Ins. (352) 465-3985 EML POOLS Pool cleaning & repair, Serving Citrus County 32 yrs. Usc & Ins. (352) 637-1904 MAVEN POOL MAINT. Start enjoying your pool agalnl Chem. & full service avail. Uc. (352)726-1674 SPOOL BOY SERVICES E I Total Pool Care I I Acrylic Decking I S352-464-3967 E - L M! .0 POOL PRO,' Don't get over your head, all pool problems addressed. Free pool consultation Nell (352) 344-8472 -M Seasoned Oak Fire Wood, Split, $80, 4x7. Will Deliver. I(52 4iA-2A6o9 WAIEK ruMivr aKnVIL, & Repairs on all makes & models. Uc. Anytime, 344-2556, Richard MR CITRUS COUNTY REALTY INVESTORS BUYERS AGENT BUSINESS BROKER (352) 422-6956 RAINDANCER O Installing 6" Seamless res 7" corn 2 rnd & Copper Unsuroassed Quality For Over 15 yrs. Free Est. Uc. & Ins. 352-860-0714 - r A1,---- Eu m All Exterior S Aluminum | Quality Pricel 6 - Seemless Gutters - L & Ins 621-0881 _ This area's #1 employment source! CHRPONIMcL Classified jfr SSiliSm wBI.t Warranty and up te 500 sq. Ft. S352527-9247 Licensed/Insured/Depe95ndable Includes: Acrylic Colors, Warranty and up to 500 sq. Ft. 352-527-9247 LicensedlInsuredlDependable UGLY BROWN SPOTS? Let us plug your lawn for % the cost of sod SPRING TO GREEN Serving All Of Citrus County rn 517-9247 Guaranteed Results NO Job Too Small Installations by Brian CBC1253853 352-628-7519 Siding, Soffit & Fascia, Skirting,Roofovers, Carports, Screen Rooms, Decks, Windows, Doors, Additions 6 Insect Spray S3 Granular Fertilizer 3 Liquid Fertilizer 3 Weed Control (1) Granular Pre-Emergent Application (2) Liquid Applications 527-9373 FREE INSPECTION FREE ESTIMATE i ALTMAN TL 'FA Y k PEST CONTROL Mowing Edging STrimming Plugging Mulching 527-9373 FREE INSPECTION FREE ESTIMATE ) '1' CITRnus COUNTY (FL) CHRONICLE g m 65623"Copyrited Materia A Syndicated Content Available from Commercial News Providers" BOOKKEEPER/ EXEC. SECRETARY For retail business In Homosassa. Computer skils required. Exp. +, acctg. Software +. Send cover letter, resume, references & salary req. to kennzI4 hotmail.com or mail: PO Box 2014 Valdosta GA 31604 Career Position In software development and support. Computer aptitude req. but no exp. nec. $20K full time or neg. part time. ,564-1511 Your world first. Fiern Day C IRON1Cr-IE -I, CELLULAR SALES ASSOCIATE FULL & PT. Exp Req, Base Pay + Comm pkg CELLULAR DEPOT 795-0100 SREALESTATE CAREER I Sales Lic. Class I $249.Start 3/28/06 CITRUS REAL ESTATE I SCHOOL, INC. 4 S (352)795-0060 . L ---- SATURDAY, MARCH 11, 2006 11C $$$$$$$$$ SHIFT MANAGER Positions Benefits, Insurance, 401k, competitive pay. AppiIn person at: P14V HUT of Crystal River (352) 795-6116 ALL POSITIONS At HOMOSASSA RIVERSIDE RESORT & RIVERSIDE CRAB *HOUSE. Apoly In Person 5297 S. Cherokee Way, Homosassa BARTENDER 3 days a week male or female, Apply after 1pm Sarge & Skip's Place 904 S. Hwy. 41, Inver- ness next to Casey's Pub (352) 726-8973 .BARTENDERS SERVERS & .COOKS Exp. preferred. High *volume environment. *COACH'S Pub&Eatery S114 W. Main St., Inv. 11582 N. Williams St., !Dunnellon EOE *BREAKFAST/ LUNCH COOK EXP. Only DISHWASHERS Apply at DECCA at OAK RUN 7mi off 1-75 on SR 200 West, applications S accepted 8am-12 noon, Mon-Thurs., call for more information 352-854-6557. Decca is a Drug Free Workplace.EOE Brentwood Retirement " Community has the Following Openings: Waitstaff & Dietary Aides FT &'PT r lu 'rc'e a. i..lat e ..e-e r,..r & r,,'::.' .,. .,:ai':,-, arI,',h' 41 a,, l-leoirr. Insurance available Safer 60, days Apply In. person Commons Building 1900 W. Alpha Cl Lecanto 746-6611 1,i'.-.C',Ec.,FWeG-. , COOKS Needed at prestigious Black DiaT,.m.,'d C,:.ur,.lr, Ciub l.-,.:.- 3 i, .L..:oir.l. Minimum of r....:, ,. as a line or lead cook .Apply at Black Diamond HR & Acct. at Rock'Crusher RV Pk Rock Crusher Rd. Crystal River DFWP COOKS NEEDED Scampl's Restaurant (352) 564-2030 Exp. Line Cook :Wait Staff 'Apply at: CRACKERS SBAR & GRILL Crystal River EXPERIENCED SERVERS , Old World Restaurant (352) 344-4443 "HIRING SERVERS & COOKS Apply at the restaurant in the Visitor ,Center on US 19 at the ,, Wild Life State Park -E^^^^ MC DONALD'S - IN CRYSTAL RIVER Day Time Crew 4:30 am 4:00 pm Apply in Store. ' Now Hiring! All Position! Apply within. Please see Craig or Amy. Peck's Old Port Cove 139 N. Ozello Trail Crystal River. ON THE SPOT INTERVIEWS Wed., March 15 10 AM 4 PM Positions Available: Crew Crew Trainers Maintenance Management Competitive Pay & Benefits Call for Directions or Questions. Dunnellon McDonald's 11232 N. Williams St. Dunnellon, FL 34432 (352)489-4620 Servers/Bussers Needed at prestig- bious Black Diamond Country Club located In Lecanto. Exp. req. Exc. $$. Apply at Black Diamond HR & Acct.' Rock Crusher RV Park .Rock Crusher Rd. Crystal River DFWP Johnson's Pontiac Suzuki & Mitsubishi Needs . Exp. Sales People & Managers It-.O, a1.e r,-.r.: or. I C.,urr ;.l-lrr- 0 c Body,Shop.Needs , Body Techs & Pailters For more Information Call 352-628-3533 Mid State Concrete Inc 4 rlinir, mail to 20931 NE Hwy 27, Williston, FL 32696 ATTN: Administration ;WANTED: DIESEL MECHANIC/MAINTENANCE Full time position available for experienced person with tools. Applicants must have verifiable work experience. Salary open. Apply in person at: Inter-County Recycling, Inc. 1801 West Gulf To Lake Hwy., Lecanto 3172 Drug Free Work Place / EOE Various F\T and P\T positions, working with Developmentally Disabled adults in home environment. All shifts, including weekends. HS diploma\GED required. Apply at the Key Training Center Human Resource Dept., or call 341-4633 (TDD: 1-800-545-1833 ext 347) "EOE* r -4 g PEST CONTROL SALES Exp. Only. 20% commission. Paid weekly.Company truck, benefits Call Vinny Nelson (352) 628-5700 (352) 634-4720 REAL ESTATE CAREER I Sales LIc. Class I I $249.Start 3/28/06 I CITRUS REAL ESTATE I SCHOOL, INC. (352)795-0060 SALES PEOPLE NEEDED FOR Lawn & Pest Control TOP $$$ PAID Benefits, company vehicle. Apply in Person Bray's Pest Control (352) 746-2990 TELEMARKETERS EXP, 6 NEEDED IMMEDIATELY Set your own schedule Make $1000 wk Plus. Cai, 352-628-5700 $$$$$$$$$$$$$$$-570 A/C Service Tech F/T. Growing Co. Exp. preferred Call (352) 564-8822 A/C SERVICE TECH Full time work, top pay for right person. Citrus Air, 795-1030 Air Conditioning Installer Exp. Installer w/ EPA Card needed for well ,.ra.t.ir,.e Please Call (352) 746-2223 to schedule Interview ALUMINUM INSTALLERS 1 . 3 .:., ..Ill Ir ir., motivated persons. (352) 795-9722 ALUMINUM INSTALLER SOFFIT, GUTTERS SCREEN ROOM Lookingfor experienced but willing to train motivated person. Construction experience helpful L"rn r I i.-;.'r, Mu." CMD INDUSTRIES 352-795-0089 Auto Body Tech Top quality restoration facility in need of exp. highly productive tech With min. of 5 yrs, exp. Only top quality candidates need apply. (352) 522-0000 AUTO TECH & LUBE TECH NEEDED Sullivan Watts Mazda Isuzu Bonus after 90-day review. Full benefits, 401K.'(352) 620-9000 ask for Nick. *BODY SHOP PERSON . Good Pay, Good Benefits, Good Hours SApply Como Auto Sales & Service, Inverness. Budd Excavating Dump Truck Driver/Equipment Operator Class A CDL required. Front End loader exp. or Box Blade Opr Good Opportunity, Growing Company. (352) 400-2793 CABINET BUILDER Exp. for busy shop. Apply in person BuiltRite, 438 E Hwy 40 Inglis, (352) 447-2238 CABINET SHOP HELP Laminator, exp. only Local Work (352) 266-2814 or 634-4304 CONCRETE FINISHERS & LABORERS Local & steady work. (352) 344-2065 Concrete Pumper (352) 266-3120 DRIVERS Class A & B. Required, Full time & Part Time. Local/ Long Distance. Home most weekends. Contact Dicks Moving Inc. S(352)621-1220 Drivers Needed CDL Class A License. 2 yrs. exp. Home every night. Good pay & bonus program. Call (352) 447-5855 DRYWALL STOCKER Needed for Building Supply Co. Monday thru Friday, 7am-5pm, (352) 527-0578 DFWP ELECTRICAL Maronda Systems is seeking Service Technician, for the Ocala area. Must have experience as well as own truck and tools. Top Pay and benefits. Please contact Dave at 352-266-1551. ELECTRICAL Maronda Systems is seeking Ele.: hi:;or, for the C.:oaa Jre.- Must have experience as well as owntruck and tools. Top Pay. and benefits. Please contact Dave. at 352-266-1551. ELECTRICIANS Gaudette . Electric Inc. I.: r,,:. .., :].,_' p lrn.3 r' pli: -3, r 'r have min. 5 years .r :r .,' -r,: r r'j., t pr L i..:;l~r,r i i c..Iin er Ire Cr.non-r. ,'ul. nar.-: I'r-:. : .mrr, r..-r l, Industrial environ- ments. ONLY EXPERIENCE NEED APPLY., .:,r.llr.,, -11 ww.gaudette electric.com or apply in -y.:,r, at:6380S:T, H I Homosassa in Rooks Industrial Park. I Gaudette Electric, In.: C'f r,:crmr.-I.i ; II e : ,31,3,,, benefits package. -- -- U ENTRY LEVEL MECHANIC WANTED Must have own hand tools. Salary depend. on exp. Call Terry (352) 746-1226 EXP. CLASS A DRIVER Flatbed, In State hauling (352) 344-3396 EXP. DRAFTSMAN Auto Cad 2002, Arch. d:iar., Fax Resume T.:. (352) 795-8824 or Call (352) 795-4155 F\T employees needed to assist developmentally disabled adults learn basic living skills in a residential setting. 2nd shift, 3:30 pm 12:15 am. On the job training. Apply at the Key Training Center Human Resource Dept., or call 341-4633 E (TDD: 1-800.545-1833 ext 347) *EOE MASONS & MASON TENDERS Steady Citrus Co. work. $10/hour to start. Start Immediately 352-302-2395 EXP. FRAMER NEEDED (352) 637-3496 EXP. FRAMERS 352-726-4652 EXP. FRAMERS & LEAD MEN Good pay for hard workers; Steady local work; Incentive work program; Call (352) 465-3060 EXP. POOL CAGE INSTALLERS & GUTTER INSTALLERS MUST HAVE CLEAN DRIVER'S LICENSE Call:(352) 563-2977 Exp'd Plasterers, Non-Experienced Laborers Wanted Steady work and paid vacation & benefits. Transportation a must. No drop offs. 527-4224, leave message. Plumber's Helpers Apply in person @ Manatee Plumbing 693 SE 8th Terrace. Crystal River. Off Hwy. 19 Behind KFC F/T MACHINIST- With Surface/Form grinding exp. Turbine Broach Company (352) 795-1163 FINISH GRADER OP Needed for large Road Construction Company. Experience & driver's license required.. Top pay & benefits. Call (352) 797-3537 EOE/DFWP FOREMEN, LEADMEN, CARPENTERS & LABORERS You've worked for the rest now work for the best S.C:I. is now hiring foremen, leadmen, . carpenters, and labor- "'JC 1' -r., r; or,,: ',-,r, I F Jr.1 I r.. at (352)279-4702 FRAMERS & HELPERS WANTED Work done in Spring Hill area. 40/hr. wk. Must have trans.'& tools. (727) 243-2692 FRAMERS & LEAD MAN WANTED (352) 422-2708 HAPPY WITH YOUR JOB? Certified ASC Tech * Needed at family owned and operated, Drug Free Tire and Auto Repair Center. Top pay and benefits for top notch-Tech Tee Pee Tire Hwy. 200 Ocala 352-237-5599 or apply In person q-TuPd S- ~ ED- WDT Framers (352) 362-5343 Garage Door Installer Trainee Must have truck & tools (352) 726-0072 HEAVY EQUIPMENT OPERATOR For local contractor. Call (352) 726-3940 INSTRUMENT PERSON Needed for Survey SCrew w/road Construction Company. 401 K/ Health/ Vac Call (352) 797-3537 EOE/DFWP Johnson's Pontiac Suzuki & Mitsubishi Needs S'Exp. Sales People & Managers that are honest and volume oriented.. SBody Shop Needs Body Techs & Painters For more Information Call .352-628-3533 LABORER Accepting Application for General Construction Laborers. Asphalt paving experience is helpful. Full time employment w/ full benefit package. PAVE- RITE 3411 W. Crigger Ct., Lecanto. 352-621-1600 DFWP/EOE LABORERS Needed, to help assist in loading household goods, Full time or Part Time. Start irr.re,-lialel, C.:.rit.j,:l Dicks Moving Inc. (352) 621-1220 LAKE COUNTY COMPANY NEEDS DIESEL MECHANIC E c. Ir. Co pilIlr 's .I-;h Laei -,': -.. requih'eO 352.267-5352 DFWP MARINE SERVICE TECHNICIAN Perform boat and ,motor repairs, rigging and electronic ir,:t lla.311 r,. r l r.:jr, o.n-oro anrd H.-.r..jo experience a plus. -jii Ber.erit pr.:.grarr Apply Today RIVERHAVEN MARINA 5296 S. Riverview Cir. Homosassa 628-5545 MASONS $20 hr. & LABORERS 352-529-0305 Mechanic For tractor/traller :h,,p ir, W il, ...:.:,,j F-L F p .'-.r. Ir,-rm .:. k,,-,g & Carder units. Pay (5 .c,- r nr Call Paul or Jim at (352) 748-5500 Night Shift Full-Time TRUCK DRIVER The Citrus County Chronicle is currently 'hr:.: .: r .:.r 3 r.ar. :r.nrn ulI'i.T.ll Ti u."' I-, .e, A successful candi- date must possess a Class D license and have a clean driving record. Apply in person or send resume to: SCitrus County Chronicle, Attn: Human Resources 1624 N. Meadowcrest. Blvd., Crystal River, FL 34429 EOE, Drug screen for final applicant. 4w amm o~dw 14000 - NOW HIRING! METAL INDUSTRIES (Manufacturer of A/C grilles, registers, and diffusers) Tour Our Facilityl Come join us on: Friday, March 3, 2006. 9:00am-2:00 pm 400 W. Walker Ave. Bushnell, Fl .33513 Applicants will have the opportunity to complete an employment application, talk with department supervisors, tour the facility, ask questions, and learn about the current positions available. Applicants may attend anytime between 9:00 am & 2:00 pm. Excellent benefits package and 401k with company -contributions. DFW, EOE. VISIT OUR WEBSITE AT: Painters & Prep Workers Call (352) 302-1146 LM w/ name & number PAINTERS NEEDED Exp. & non-exp. Starting at $8 and up. Must have own transp. (352) 527-9274 PEST CONTROL SALES Exp, Only. 20% commission. Paid .. i.i, C .-,,'nCOr.,/ Call Vinny Nelson (352) 628-5700 (352) 634-4720 PLASTERERS & LABORERS Must have transportation. 352-344-1748 . PLASTERERS & LABORERS 352-302-8653 352-220-1724 PLUMBING WAREHOUSE WORKER NEEDED Knowledge of Plumb- ing fixtures and parts useful Must have valid drivers license. Competitive pay. and benefits. Call (352) 237-1358 PROFESSIONAL DRIVERS WANTED Will 'train. Must have, .:iar. CDL !. 2 vssr .d ,1m.'-,g e'p G-oc.,1 anilu.je. r.ard working, dependable knowledge of CitruF Count/. Good P3y Call 352-489-3100 rm m imi= aiN SERVICE TECH I Must have experience' and . current FL Driver's License | Apply In person: Daniel's Heating & Air I 4581.S. Florida Ave.. Inverness k= y -m Ul Rainey Construction In Wilawood is seeking to fill the following positions:. Exp. Mechanics Dilesel/gasollne vehicles and heavy road'equipment with. own tools to do In shop and on site maintenancee, and repairs. Pay based ornexperience, Experienced Class A or B CDL/ Hazmat Fuel Truck Driver. Pay based on exp. Apply Directly to: 4477 E CR 462 Wildwood Fl 34785. Rainey Construction In Wildwood is seeking a Utility/Road Construction Estimator Salary based on experience. Apply directly to: 4477 E CR462 Wildwood FI 34785 or Fax Resume: 352-748-4372 ROOFERS Exp w/ single ply (PVC) TPO and built up. Good Pay and. health insurance 352-596-1150 888-766-3001 Plywood Sheeters & Laborers Needed in Dunnellon area., (352) 266-6940 ROOFING ESTIMATOR Experienced; Also, exp. roofers with own transportation & tools (352). 795-7003 SALES HELP Salesperson with experience In selling commercial roof coatings. High commission paid.: Work your own hours. (352) 489-5900 SERVICE PLUMBER NEEDED Must have at least - two years exp'. In ser. .: e plu.jmnir'-i and benefits, Call (352) 237-1358 Drug Free Work Place STUCCO PLASTERERS & LABORERS Wanted. Call Meghan (352) 212-8481 TRIM CARPENTER'S HELPER WANTED $7/hr. No exp. necessary, will train. (352) 527-8316 -E COME GROW WITH US! Join our team of caring professionals Continuous Care FT LPN's & PCA's Eves & Nights CMH Unit 11-7 RN FT 11-7-LPN FT PT LPN 7p-7a S/S 12,hr shifts w/diff Hospice House 3-11 PCA FT PT RN & LPN PT S/S 7a-7p w/differenltal Field Staff FT RN Nursing Homes PT Admissions RN Telephone: 352.527.2020 Fax: 352.527.9366 ithacher@hhsplceof. citruscountv.org Hospice of Citrus County' P.O. Box 641270 Beverly.Hlls, FI 34464 hosplceofcftrus dwf/eoe BUDDY'S HOME FURNISHINGS' Is currently seeking a Delivery Driver/ Account Manager Trainee. Must have clean Class D license. Good people skills. (352) 344-0050 or Apply in person at 1534 N. Hwy. 41, Inverness. EOE DFWP Caregivers SS&S Resource & Services seeking persons to work with developmentally disabled. Call (352) 637-3635 CDL Drivers, SEquip. Operators Office Help ',..rino .- T r. , L. I I.:) ,: i.1'i or .-, i' r "'. njI .r,.l .aa or. pa, r.lu:r ;iAjFlt,or it.. ,Jru, . . o'.:r,,r.-.l *:,e .en,r..J Mail resume to: P.O. Box 1383, nv. FL 34451 COMM. VIDEO GAME ROUTE TECH Mul be bie- I: rnove eQuilr v'in ii oIr. 3-4 days a week. Call James at (352) 302-0198 Customer Service Representative Part-time * Are you a customer service champion? * ,r .3,0r,i-.,d L. ,* 13-ia l .:. r.I t a. * l-r,|,: , [,3 .1 P :,, .-:r, 31l.r.. .rr. ..,:..i'. * en. i'..rn.n. .,i * ollo .le -orl, r. T.i lring3 : Join Ihe Citrus County Cnronicle's Circulation team Emair Resume to: '. hr@ choronlcleonllne.com or Apply In person at;: CITRUS COUNTY CHRONICLE 1624 N. Meadowcrest Blvd Crystal River, FL. 34429 EOE, drug screening for final applicant ablet otinCL. CHEVROLET CHRYSLER DODGE JEEP Some people feel there are no high paying professional jobs in Citrus and Hernando Counties. NO EXPERIENCE NECESSARY We will train the right people Come experience the CRYSTAL DIFFERENCE. We offer top of the line training and benefits including health, life, dental and 401 (k). Send resume to: Crystal Motor Car Company, attn: Diane Kamin PO. Box 487 Crystal River, FL 34423 or call for appointment Phone: 352-795-1515 Fax: 352-56 Email: dkamin@crystalautos.com 4-1952 CITRUS COUMY (FL) CHRONICLE DRIVER S'CDL Class A Exp... Local work. Good Pay .. hGeall. Ir..jran.e : 888-766-3001 DRIVERS For afternoon and seasonal delivery for Homosassa Florist Call (352) 628-4133 DRIVERS NEEDED CDL Class A license, benefits offered. Bonus il:e -quip Cc.r.tacI .Ia: ao (352) 5688333 Edgers, Trimmers Mowers t.lu,:I c: e.p dep. dri. li,: rivr, 1 a ,-..j;t S (352) 628-1100 F/T PACKAGING MECHANIC I re C ,ru C" .,u.,r, Cnrcril:le IL, Currer.ill, ..eCpir.lg .J.ppIIC.. lI.:.r.: Ir a Poa:' a.a1r t.le.:rr r. I. .lecr.1r.ri ,:.,, j.,ilir, a; rr0 u~r pr.Iou p o.C kaging Duties include but are r. I IEid r.l to T .r .llira r. Ie r..e- rr.:.r 01 I1".- onr. mr.3ir.ilr'. our H.C rri.:I ir.ener u.ullr. hnrr rrner C.,,r,.3nc " lr.1p-r '." IlOD ',lO.r: ana l.l1uier .':'.:ri", rur. '.J l ir[ .r..o .. Hira :L.III, H-. ,. iln,r,, .ar. c.r inroiig required Apply in person or send res3 me to: CITRUS COUNTY CHRONICLE 1624N. Meadowcrest Blvd., Crystal River Fax: 352-564-2935 EOE Application deadline March 13, 2006 H G S P] _1 C - Hospice of Citrus County is now hiring , Full Time Food Service Coordinator for Hospice House Monday Friday Food Service or Culinary Arts certification helpful Exp. preferred Excellent Benefit package Apply Now Telephone: 352.527.2020 Fax: 352.527.9366 fthacher@hospiceof citruscountv org Mail your resume and credentials to: Hospice of Citrus County P.O. Box 641270 Beverly Hills, Fl 34464 Apply on-line at hosliceofcitrus dfw/eoe :"Copyrighted Material "*Syndicated Content - Available from Commercial News Providers" Cl-ASSI[IFIIF-]C)S Feiffil 0 1 1111UN IIA !IEW 12C SATURDAY, MARCH 11, 2006 -a Factory Assembly Workers 40 hrs. per week in Lecanto area. Factory experience a plus. Background checks required. Call 1-877-797-9001 Grounds Maintenance at Campground. General Repairs, electrical, plumbing, pool maintenance & mowing. Apply Black Diamond HR & Acct. Rock Crusher RV Park Rock Crusher Rd. Crystal River DFWP HELP WANTED No Exp Necessary, Travel The Country, Drivers License a plus Gd. Pay.(352)303-1053 HOUSEKEEPER Good Benefits Apply In person at: Best Western Crystal River HOUSEKEEPERS & GROUND MAINTENANCE The Port Hotel & Marina 1610 S E Parailse Cir. SEAMSTRESS NEEDED, CALL: (352) 621-7677 coatings. Top pay forI hard working Laborers. Must have driver's li. & be drug free. Some out Call 489-5900 LABORESS Srto pi-na Ltring e Experience, helpful, not. necessary Call13-949-6205; SEAMSTRESS Mon-Fri., 7am-3pm. Laborer Must have driver's Ic.a& Call 489-5900 i. .4 ,r, L .rn.g ea LABORERS 1 m Want to learn a m trade. Must be 18 Apply in person, I | 4551 W. Cardinal St., m L Suite #4, Homosassa.. LABORERS NEEDED No exp. necessary Benefits offered. Valid Drivers Uc. & Heavy Lifting Required Gardners Concrete 8030 Homosassa Trl. LAWN CREW Immediate Openings Experienced in all phases of lawn & landscape work. Call between 4 & 8 PM (352) 621-3509 LAWN TECHNICIAN FULL TIME clean DL Lawn experience preferred. Will train salary/benefits Apply in person CITRUS PEST MGT. 5 N. Melbourne Beverly Hills, Fl 34465 VILLAGE LOT DETAILER/ PORTER DFWP Apply at: Hwy. 19, Homosassa Ask for Tony Bower MECHANIC Apply Within Sportsman Bowl (352) 726-2873 Owner/ Operators Do you want to contract with a. company that pays you instead of you paying them? If your tractor can pass our. inspection, and you have a.clean driving record, you can be on the road to making $$$. Walbon & Company (352) 748-5500 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 (TDD: 1-800-545-1833 ext 347) "EOE Positions Available! Detailer Lot Porter Full Time, Full Medical Benefits, 401 k. Great Pay with Room for Growth. LOVE NISSAN/HONDA 352-628-9444 2021 S Suncoast Blvd . iJ H.v, Ioin Homr t.SO . THE CITY OF INVERNESS IS / ACCEPTING APPLICATIONS FOR *PART-TIME LABORER *SEASONAL LIFEGUARDS, *WATER SAFETY INSTRUCTORS CASHIERS *SEASONAL LABORS FROM 3/8/06 UNTIL FILLED. DETAILED JOB DESCRIPTIONS MAY BE OBTAINED AT THE INVERNESS GOVERNMENT CENTER . 212 W. MAIN STREET, INVERNESS, FLORIDA BETWEEN 8:00 AM AND 5:00 PM, WEEKDAYS. EEO/ ACCOMMODATION FOR HANDICAPPED EMPLOYEE-VETERAN PREFERENCE. JOBS GALOREI!I EMPLOYMENT.NET P/T Bookkepper Accts. Payable. Family owned construction business. 3 days/wk Call (352) 795-9722onllne.con or 1624 N. Meadowcrest Blvd. Crystal River Deadline for applications -March 20 EOE, Drug screen required for final applicant PRODUCTION WORKERS No experience needed. Gulf Coast Metal Products Call between 8-11am, M-F (352) 628-5555 PRO-SHOP HELP WANTED Golf exp. a plus. Apply in person. D/F/W/P EOE El Diablo. Golf & Country Club No Phone Calls ROOF TRUSS PLANT Now hiring truss builders. Full time. 'Will train. Apply: 2591W. Hwy. 488, Dunnellon 352-465-0968 SERVICE TECHNICIANS & LABORERS For LP Gas Company. .Crystal River. 4280 N. Suncoast Blvd. Crystal River (352)795-1761 r REAL ESTATE CAREER Sales Lic. Class S$249. Start 3/28/06 CITRUS REAL ESTATE I S SCHOOL, INC. (352)795-0060 *boat Capt. w/Master's lic. Front Desk Help Also Inside/outside Marina Help, FT/PT Please apply in person at front office Homosassa Riverside Resort, 5297 S. Cherokee Way, Homosassa FL Vandervalk, Inverness Fine Dining. & Bistro looking for you SERVERS & BARTENDERS Exp, Required, NIGHT TIME SECURITY 352-637-1140 WE BUY HOUSES Ca$h........Fast I 352-637-2973 Ihomesold aom P/T POOL HELP Eves. & Sat, & Sun. Male or Female. Call (352) 746-4882, M-F 8:30-4:30 P/T PROGRAM STAFF Do you enjoy working with children? Want to make some extra $$$ BGC of Citrus County needs P/T Program Staff working with school age children M-F; 6-9 AM and or 2-6 PM Call 621-9225 for more info. PART TIME ADMIN. ASST/RECEPTION Administrative Asst Receptionist needed for small Financial Service firm in Inverness. Hours -Thursday & Friday 8:30 am 4:30 pm Please fax resume 637-4733 RESTAURANT HELP / NEEDED For Citrus Springs Golf and Country Club i'-' r.r. .. r.rl r t.y , iip ,nr..J ,..i11 c.,- .'TIil. Caol Debbie for interview 352 489 5045 ADVERTISING NOTICE: This newspaper does not knowlingly accept ads that are not bonafide employment offerings. Please use caution when responding to -employment ads. Comtlg,Ba.rber, ;Nil Tech,'Skin Tech &' Massage The;rapy 2/I, CrysTal Kiver, $450,000. By Owner 352-634-4076 Join Pinch A Penny Pool, Patio, Spa. America's largest pool supply retail franchise. New Franchise opportunities throughout Citrus Coun- ty. Training and Mar- keting support included. For more information go to eennv.com or Call 1-727-531-8913 x 210 DAYCARE/PRESCHOOL In Citrus County, Excel. INVERNESS FLEA MARKET CC Fairgrounds , Invites The Public $4.00 Outside $8.00 Inside 7am til ? For Info- 42' refer. trailer, dbl. rear doors, sgl. side door, dbl. axle, w/ leveling legs. Call after 5:00 $800.00 (352) 560-7005 ALL STEEL BUILDINGS ZY 'L2! 25x25x7 (2:12 Pitch) 1- 9x7 garage door, 2 vents,. 4" concrete slab' INSTALLED-$10595 . 30x30x9 (2:12 Pitch) 2-9x7 garage doors, 2 vents, entry door, 4" concrete slab. INSTALLED-S15.995 25x30x9 (3:12 Pitch) Roof Overhang 2-9x7 garage doors, 2 vents, entry door, S4" concrete slab INSTALLED- $16.495 Many Sizes Avail. We Custom Build . We Are The Factory Fl. Engineered Plans Meets or Exceeds Florida Wind Code METAL SYSTEMS LLC 1-800-920-1601 metalsystemsllc coam HOTTUB SPA, 5-PERSON 24 jets, redwood cabinet. Warranty, must move, $1495. 352-286-5647 HOTTUB/SPA 4 person,.wooden cabinet, like new, $699 (352) 527-3894 SPA W/ Therapy Jets. 110 volt, water fall, never used $1850. (352) 597-3140 21 Cu. Ft. AMANA Refrigerator w/Ice maker; good condition. $275 (352)572-6101 A/C & HEAT PUMP SYSTEMS. New In box 5 & 10 year Factory Warranties at Wholesale Prices -* 2 Ton $827.00 3 Ton $927.00 -*4 Ton $1,034.00 Install kits available or professional installation also avail, Free Delivery *ALSO POOL HEAT PUMPS AVAILABLE Llc.#CAC 057914 Call 746-4394 ALL APPLIANCES. New & Used, Scratch Dent. Warr. Washers, dryers, stoves, refrig. etc. Serv Buy/ Sell 352-220-6047 AMANA Refrigerator Energy Saver; bottom freezer; runs good. $100 080 (352) 795-8755 Amana Refrigerator, 22 cu. side by side, w/ water & Ice on door, . l. c I, T.-:...j "[.i bl ck. ,',' l: .r..i h.:.ri $425. (352) 527-4695 APPLIANCE CENTER Used Refrigerators, Stoves, Washers, Dryers. NEW AND USED PARTS Driver Vent Cleaning Visa, M/C., A/E, Checks 352-795-8882 Dryer Sears large capacity, white, 10 rs old, works, $65. (352) 341-4832 FISH TANK, 225 Gal., salt water, complete set up. w/ stand, $5000 value. $1500. OBO Numerous tropical fish Inc., owner moving not able to transport. 634-0803. FREEZER, OLD ADMIRAL upright, works fine, $50 (352) 637-7124 GE Dishwasher (3 1/2 yrs. old) $150; Kenmore Chest Freezer $25 (352) 726-4770 GE Refrigerator $250 (Top Freezer, Bisque) CHEST OF DRAWERS $75 (352) 746-3581.or (352) 220-4741 GE REFRIGERATOR 18 cu. ft,, 1 mos, old, w/icemaker- $450; Amana W/D w/stalnless steel tub $300 (352) 465-7934 WORK AT HOME!, I Be a Medical Transcriptionist I Come to this free, no obligation seminar to find out how with no previous . Experience you can lear to work at home doing medical transcription-from | audio cassettes dictated by doctors I * ortuni our lifebl Join us at7 PM. Hernando Best Western , 350 E. Norvell Bryant Hwy. Hernando, FL 34442 or call for the next seminar irf your area- 800-518-7778 Dept CCHP36 2001 Lowe Street, Fort Collins, CO 80525 66A856 L *with expeencj bik Im Wt - (3 r REAL ESTATE Sales Lic $249.Start CITRUS RE, SCHOOL (352)795 Junior Accou The West Florida Di Mercedes I- Is currently S Individual process tak assist ac payable, weekly ch and assist a department proficient In and a Di preferred an Indep worker with to mult Send Res DCoo MerHom DFW/ APTS. FOR S COMPUTER DESK w/two drawers; one is a built in file cabinet, bookcase top w/3 cubby holes $80. (352) 382-3280 COMPUTER DESK wood, w/ tower storage & keybrd shelf, adj. monitor tray, $100. (352) 860-0444r --L-- AUCTION SUNDAY at 2:00 PM Preview at 12:00 pm Everything from A-Z Consigners welcome! This weeks sale:' McCoys, RedWing, Fi.-n r;l.,,.-, H.3, -.la '. h-1,311 i '.:11 n/ l-ne- r',. crystal. Much Morel 6680 Gulf to Lake Same building as' Carlos Tires by Publix (352)247-1025 (352)247-1054 Attention Woodworkers Perfomax 16 32 Drum sander, comp. w/ext. tables, stand & wheels. Like new. Asking $800; (352) 860-2228 CRAFTSMEN 12" Bandsaw w/legs, 4 extra blades, $200 (352) 344 1960 DELIA 10' FABLE SAW motor driven, 2 years old, rarely used, $175; AIR PWRD. BRAD NAILER 1 yr. old, never used. $60. (352) 344-2246 Model 4,000 3" Sherline Bench Lathe w/accessories $150; Microlux Multi-Saw w/speed controls $50 (352) 795-0283 WELDER Century, Wire Fed, 155 -- : *.- ja .- : *. Org. :.r. ir,1 i i:i 105 Amp $350 OBO (352) 560-4292 DIGITAL 27" wide forrnat LCD-TV, made by Westinghouse, Cost new $1,680, now just $650 (352) 726-8977 Large 32" Zenith Floor Model TV only 1 yr. old paid . $1,300. will sell for $600. (352) 795-7978 2 Glass Sliders For 72 X 80 opening $125 OBO (352)601-3848 3 36" Heatilators w/fans, $200 each. 36" Dampers, $60 each. New never used. (352) 726-3182 200+ Board Feet of Red Cedar, $600; 75 Board Feet of American Holly, $75; (352) 795-0122 Interior/Exterior doors Interior Prehungs: $35 Exterior Prehung 6 Panels: $85. Mirrors $10. Next to Citrus County Speed way (352) 637-6500 COMPAC PRESARIO New, never unpacked. 512 RAM-80 GIG, 17" flat screen, DVD/RRW; pd. $600 Yours $475 (352) 228-0103 Cooter Computers Inc. Repair, Upgrades, Virus & Malicious software removal (352) 476-8954 CLASSIFIED A Is * A ZENITH TRANSOCEANIC G E CAREER RADIO over 50 yrs old c. Class m beautiful cond., $150 3/28/06 (352) 344-5933 AL ESTATE L, INC. G 5-0060 * -- Botticeoll print "The Birth of Venus" beautiful reneasance wood H frame $75. OBO SStaff (352) 637-4960 intent Hummels-7 In total, 2 Iinta all numbered & all in excel,. cond. $1,500. Central total ret. value, vision of $850. for all Homes, Inc (352) 527-8566 seeking an I that will MODEL ke downs, RAILROADERS ,counts H/O scale train gear conduct $150.00 or best offer. eck runs, (352) 637-5764 accounting t. Must be ORIG. HIGHWAYMAN MS Office PAINTING degree Is Large Beach scene, Seeking artist Hezikia Baker Dendent Need to sell ASAP WA the ability $3100. (352) 726-9090 $2. ti-task. Springfield 45-70 Ele' sume to: Bayonet & scabbard Free peMO Model 1873. Also civil Wi es com war enlistment letter, s EOE. superb cond. $250. w (352) 795-9872 ei WURLITZER ORGAN Model 4020, great W sound, exc., cond. Ref $400. & w ALE 9 UNITS (352) 465-7307 sid 4Arysriu -vr 9.07 2 Accent wooden Tables $40. Decorative wall mirror $25. (352) 527-0788 2 Burgundy Club Chairs w/ottomans $300; White wrought iron glass top table w/4 chairs $125 The Islands (352)795-2541 2 Matching Lane Rocker Reclners, Mocha, 6 mros. old. Cost $800 new Sell $400 firm. (352) 344-0544 3 piece sectional, neutral colors, excel. cond. $300. 3' square coffee table - oak w/tile top $75. (352) 795-0558 5 PC BEDROOM SET L a irt.- I:.r.3.j. r.el- .,-, ,3 .. c,1an..rrT c.e.. , il 'ra .':,:rt ,T : .rar, like new, sell for $900. (352) 746-2174 5 PC BEDROOM SET Washed Oak, modular, w/ full bed,.armoire, triple drsr w/mirror. , $500. (352) 601-3729 (352) 601-3730 5 PC King Size Oak Bedroom set, $350 Twin Size Craftmatic. $250. All in good shape. (352) 344-5160 5 PC. Entertainment Cntr. Contemp. Ivory stone look, mirrors, gls. shivs, lighting. $500. 2 5' Ceramic Matching Lamps, $50 212-7.018 7 MAN POKER TABLE Brand New; own legs; green felt top. $100 4 Card Table Chairs $80 (352) 746-2546 4' OAK OVAL DR TABLE plus leaf & 6 swivel rockers $500 563-2500 5-PC. "L" SECTIONAL SOFA SET, size 9'x12', includes recliner end section and queensize sofa bed section, $700 (352) 746-9715 Antique Oak dresser w/ mirror $100. (352) 270-3296 Antique Tall Wood Bed headboard, footboard w/ rails $500. 352-302-1179 Armoire &Triple Dresser Older, but sturdy,. med. brown wood. Bissell Carpet.Cleaning Machine, like new $75.ea (352) 860-1645 BAMBOO TABLE, 42" glasstop, 6 chairs with pink upholstered seats, exc. cond. $400' (352) 726-2269 Beautiful Queen Sofa Bed $100; (352) 746-3581 or (352) 220-4741 BEDS BEDS BEDS Beautiful fact closeouts. Nat. Advertised Brands 50% off Local Sale Prices. Twin $119- Full $159-Queen $199 King $249. (352)795-6006 CITRUS Cc K GE Refrigerator w/ Ice maker, 18.2 cu. ft. white, Like Newl $300 (352) 795-0363 GE Washer & Dryer in'excel. shape. $100. each (352) 586-0116 Permaglass OT WATER HEATER (3 yrs. old) $50; (352) 726-4770 REFRIGERATOR 2 Cu. Ft. Kenmore 'ater & Ice in door Gd Cond. $225 (352)220-8808 Refrigerator, - Frost Free, $125. (352) 628-3829 WASHER & DRYER Frigidaire $120/both (352) 344-0928 WASHER & DRYER Whirlpool $150/both (352) 860-2013 ASHER & DRYER, HD, 50 set, Refrig., $185 c. stove, $139 Guar. e Del. 352-754-1754 asher/pryer & Elec. tove All in good workingg order. $125 ach or all for $350. (352) 795-7364 Nhirlpool 21/ 2cuft.' rigerator, Ice' maker 'ater In door, side by le bilk w/ white trim 75. Whirlpool Stove, & white trim. $225, imaculately clean (352) 249-0810 Whirlpool Stove (lyr. old) $250; whirlpool Refrigerator S1/2 yrs. old) $200; (352) 726-4770 Icia 11%.% If you would like to run your own business with a focus on customer service, we would like ior talk to you. As an independent distributor delivering the Citrus County Chronicle. you know you're providing a quality product backed by a company that been in business for more than 100 years. V'-ju must have reliable Iransportation be at least 18 years old -- be serious about working earl, morning hours seven days a week ll thidssoun hle a business, opporiurnit that's right for you call the Chronicle at 1-352-563-3282. It really pays to work for the 66314 NTi9='E-E A T -Yf :1 h I *Allh:I li AYA^:M? Aoil 91 Br~MASSEY FERGUSON Tractors Loaders Backhoes Equipment $18,945 tax I20O,945 MF-1533: 33HP, 4WD MF1S5:40: 40HP, 4WD Tracor Diesel Tractor, 8x8 Synco 8x8 Syncro Shuttle trans. PS ~ Shuttle Trans, PS, Ind. PTO, ind. PTO, R4 Bar Tires R4 Bar Tires, Front Loader Loader with 60" Bucket, Rotary Cutter, 5ft. Box Scraper. 6' Scraper Blade... NEW COMPLETE PACKAGE NEW COMPLETE PACKAGE John Mason Tractor, Inc. Hours: 1588 E. Jefferson Street, Brooksville d y, Friday Financing Rates 1Monday-Friday8am-5pm Term-Mos. Phone: (352) 796-5171 Saturday 8am-12pm Rate - Fax: (352) 796-6683 MF-431 *Only Massey Ferguson compact products and Massey Ferguson attachments if purchased with tractor are eligible for low rate finance promotion. Not all customers qualify additional down payments may be required along with sales tax Erlr W S "2 r"iT I ""Y I I I r' h A s14,997 MF.431 5,HP Tractor, S.Aui Hyd. Pump For Loader, Power Steering, Live PTO, Bar Tires, 5'fh. RotatyCUttter; ' 6'n B., Scraper, Rear 3pt Crane Front Loader $4,250* its Lo, w Ra, ,e te, ) F | s *- A 1 24 36 48 60 0% 1.99% 3.99% 3.99% 0% 2.99% 3.99% 4.99% Dell Oppiplex, Windows 98, speakers, 3 In 1 Lexmark, X75 printer, printer 1 yr. old, $250 obo. (352) 860-2612 DELL PENTIUM III 866mhz, 256RAM, CDRW, Win XP, 17" monitor. $265 (352) 245-4632 DIESTLER COMPUTERS Internet service, New & Used systems, parts & upgrades. Visa/ MCard 637-5469 EPSON PRINTER 1280 $125 (352) 726-8646 (352) 228-7253 cell 1982 F600 Dump Truck 8x14x4 bed, ready to work. $4000. obo (352) 628-9655 DUMP TRUCK 1986 Dodge Ram, 1 ton, 12' bed, 71K mi. $4500. Hernando. (352) 746-7394 N-i 1982 F600 Dump Truck 8x14x4 bed, ready to work. $4000. obo (352) 628-9655 3-point Tractor boom pole for lifting $60. (352) 628-7393 Kubota B6100E 3 cly diesel. 4' belly mower, 3 pt hitch, low hours. $4000. (352) 746-4703 GLASS TOP PATIO TABLE 60" w/4 chairs w/pads $125; 2 Chaise Lounges $25 each. (352) 489-0018 Light Neutral 3 cushion couch, 2 wide chairs & 2 glass top tables, excel cond. $125. Bedroom Dresser, Chest & Mirror, $150; (352) 527-3177 Black Sectional $150. Blue recliner $50. Pink uphol. Rocker $50. Complete twin wicker bed, $50. Sm. desk $25. 5 drawer dresser $75. Washer/Dryer $200, (352) 746-9348 Broyhil,.oak & oak veneer roll top desk $150. Solid oak wash basin & mirror, $75. (352) 270-3296 Bunk Bed, Blue Metal frame, dbl. on bottom twin on top $100. Din Set, all hard dark wood seats 6 bench on 1 side w/ 4 chairs, $200. (352) 503-3525 CALIFORNIA KING Innerspring mattress, waterbed drop In, Excellent cond., $179 *Paul's Furniture. Homosassa 628-2306 Chair (Recliner) tan, embossed fabric. like new $45. (352) 564-8258 Coffee Table & 2 End Tables, pickled wood & : glass, nice, $125, Sugarmillwoods (352) 382-2449 COMM FILE CABINET Sofa Bed-Very nice $25 (352) 637-2838 Computer desk- 2 piece, excel, shape. $90.00 FIRM (352).795-0678 Computer Desk walnut, like new, 2 doors, 3 drawers, 2 shelves $80. (352) 465-0725 Couch & loveseat $300.00 for set Oak Drop leaf table w/ 4 chairs $175.00 S(352)'249-0839 CURIO CABINET Ughted & mirrored, cherry wood, 5 shelves, perfect, shape. $425 (352) 637-5036 DINETTE SET Table w/ 4 chairs, 2 barstools, exc. $195; (352) 382-5521 Dining Room Set, 72" table w/ 5 chairs and leaf, pecan wood, fair bondr $100.00 (352) 527-9193 DINING ROOM TABLE, 4 matching swivel chairs, table is oblong, white wash finish, 40x60, $250 (352) 726-4269 DRESSER With Mirror, teak,$50; (352) 344-9502 Early American Maple Hunch : I' 0u', Original Jenny Lind Bed Circa 1800's $200.00 (352) 726-9192 King size Serta Pillow Top Mattress Set, still In plastic, 6 mo. old. Paid $1200. Asking $400: ,.(352) 746-7877 Leather Love Seat, overstuffed chair & ottoman, tan w/ slate & ci.- r:l .... ri. tax -i-' I $650 OBO Lg Teak Wood Desk w/5 drawers & detachable side $200; Solid Oak Bunk Beds *,, ,T,.- E:.- ". I, i.I (352)572-6101 Like New J r'... .1, *,.':.,jr.-,r, lr,'r ,,.:.,:.. Swivel Bar Stools Pair $100. (352) 746-5613 Like new, matching couch & loveseat, . 2 end tables,2 lamps, coffee table, entertain- ment center $500. . 352-860-0712 Like new, ornate wrought iron kitchen glasslop table J : hairs, oi.. N0 c -0 ii t.:.rn :375. SMW 382-3379 Lime Color Loveseat $25: 'Beautiful Twin Sleigh bed, $130; (352) 527-3177 Matching Sofa & Loveseat, w/4 throw pillows, drk. beige, bik trim Gd. cond, $300. (352) 344-2615, please Iv. msg. Mattress King Pillow Top Set. Never used. Still In plastic. Cost over $1100. Must sell $375. Del. Poss.(352) 465-8741 MATTRESS Qu sz pillow top set. Never used. Still in plastic. Costover $900. Sac. $300. Dellv. poss. (352) 465-8741 Moved furniture too big for new home, good condition, large. patio table with 6 matching cush. chairs $250 (352) 527-0788 MOVING, Thomasville Lg. Dining Room Table w/6 chairs Pd. $4,000 Yours for $1,500 (352) 746-358.1 or (352)220-4741 New Natuizzi Leather sectional, w/ chase lounge on end, fawn color, $2,000. Stressless Leather Chair & ottoman w/ headrest PlIlow'Coffee color, $1,000. (352) 637-4960 New wood bunk beds, T $299., New dresser $199. The Path Shelter Store 1729 W. Gulf to Lake Hwy. (352) 746-9084 Org. Hand Painting by Jay Watson, 4' H. x 5' W Catalillies $50. (352) 860-0444 PAUL'S FURNITURE New Inventory dally Store Full of Bargains Tues-Fri 9-5 Sat 9-1 Homosassa 628-2306 COUNTY (FL) CHRONIGLE Pre Owned Furniture Unbeatable Prices NU 2 U FURNITURE Homosassa 621-7788 Preowned Mattress Sets ii'.:.n i If, : ''I jl : 10 Gr, :.5''. :g ' 628-0808, Pull-Out Sofa & LoVeseat, Ivory, like new, $575; Wood Cocktail & Lamp Table w/glass tops, $175. (352) 382-7329 Queen Bedroom set $250.00 - (352) 249-0839, Queen Size Bed, $60 Credenza (Dresser w/ mirror) $60 (352) 817-9787 SAUDER ENTERTAINMENT CENTER 48"x50"x17" holds 27" TV, storage & 5 shelves, exc. cond., $50 (352) 637-3579, SIMMONS BEAUTYREST l, re f., E.:. "prir,.- . f1,l 1 :-: lE ," :.;r.- , pad. Phone (352) 746-9289 SLEEPER SOFA, queer, neutral color, new ceond, $105. n (352)465-6818 Sofa In pastel shades-of Ivory/ peach/aqua. $150,00 Matching aqua swivel rocking recliner $50,00 Both in like new cond (352) 795-6151 Sofa :i- Large Desk, $100 . (352) 726-6536 ;.:. 3 ;' p ie .'e .e .: ".r n i ii rI .:.: ii.:r i.:.raoi poarirr. .lir. i Ir,,' .. (352) 726 1483 Solid Oak Bedroom Ser Dinette w/4 chairs, $100. (352) 726-6536 : Teak Table .. :ro: %. '-e ,:.r L -. ,. rr.r 3, ir I, rr.. ,'l., P ; 1 2 Full Length Mirrors 1.J' ,o.-:r. (352) 746-2546 The Path's Graduates, Single Mothers, Needs-your furniture,_ Dining tables, dressers & beds are needed,' Call (352) 527-6500r Waqterbed Bdirr. i ,-u. sz. exc. c.;:r,, o1,,r L' .: JJ r.rS r.,.3.:. l.,ric .:.rui: J:4 .;:uI .:trle, J .H1- enar.e - nri,ji.: rairQ It .5. ic.a ;.1 :L i;.- SELL $2,300 obo (352) 860-1097 2004 JOHN DEERE Lawn rrioii.r LT- hIC' au0 :, ..i ".:, r i. 1.' r . , o*:.t .- 'J *..i :ll r-r $1,950 with trailer (352) 726-9811 42", Craftsman Mower $60 (352) 628-3358 CRAFTSMAN 3.5 HP, La...r, E.a Err Used once; New $250/Asking $160 (352) 637-5209, FREE REMOVAL OF Mowers, motorcycles, RV's, Cars. ATV's, jet skis, 3 wheelers. 628-2084' GARDEN TUMBLER Large Compost Tumbler -$250.00:. 795-1549 - .SNAPPER RIDING MOWER, 33", 14HP, with bagger, $650 (352) 344-5831 ASSOCIATION SPONSORED-* Sat Only 8am- SMulti family treasures, furn, Presidential Estates Citrus Hills. 486 to Annopolls N! BEVERLY HILLS 33 New York Blvd. Fri. Sat. Sun. 9-? BEVERLY HILLS Fri, Sat.&-Sun 9130-4pm Antiques, collectible, costume jewelry,. -automobile & Furn 4 Fillmore St. . BEVERLY HILLS Frl. & Sat. 10l&11l Multi-Family Sale - 915W. Starjasmln Ply. BEVERLY HILLS .. Frl. & Sat., 8-3: - INSIDE-Rain or Shine 30 S. Columbus St. Beverly Hills Sat. 9-3 Movlngl Baby Items, baby clothes, clothes, household Items, gold & silver Jewerly, furn, 41 S. Desota St. CITRUS HILLS Forest Hills Village Neighborhood Yard Sales. Several locations Saturday Mar.11, 8-? CITRUS COUNTY (FL) BEVERLY HILLS Sat. Mar. 11, 7 am -865 W. Catbrier Lane CITRUS SPRINGS ,S. Satr.M 11,8-12N 504 W. Hummingbird Di Crystal River CR Landing Condos Multi Family Sat. 8-11 S.E. Mayo Drive CRYSTAL RIVER' Fri. & Sat. 8-4 Estate Sale. _ S6485 W. Rich St.' CRYSTAL RIVER Fri. Sat. & Sun. 9am 9620 W. Gardeners Ln. 4 19to488,Ocoeeto -tardeners, misc., turn. tons of girls clothes. CRYSTAL RIVER Fri., Sat. & Sun. 9-3 3 Family Sale, fishing gear, tools, home decor, furniture 13603 N. Suwannee Pt. CRYSTAL RIVER Sat..Mar. 11, 8:30-12:30 225 N. McGowan Ave. CRYSTAL RIVER Saturday Only 8-noon 915 Country Club Dr., near plantation golf crs turn., refrige., wall AC, p-water heater, & stuff DUNNELLON ;,Multi-family Moving/ v-Yard Sale, Fri. & Sat. '.Mar. 11/12, 7:30-2pm 5789 W. Riverbend Rd. FLORAL CITY Mar. 11th 8 am- 2 pm Giant Yard Sale Community Bldg. @ 10853 Gobbler Dr. Floral City Sat. 7-? 7401 S. Duval Isl. Dr. FLORAL CITY Yard,sale, Frl & Sat. 11640. Laurel Ct. -- HERITAGE HOUSEE ANTIQUES 10-20% Discount Outside Flea Market N. Citrus Ave. Crystal River. Sat 8am-3pm. HERNANDO 2 f.rnil, Fri ? Sal i Cr.:.n HOMOSASSA 6255 W Heritage Dr. -" 'Fri. & Sat. 8-4 S uit. HOMOSASSA .A: Golden Eagle Plaza, SRt.19;,Barrier Free Something for all! L HOMOSASSA F J..Oarr.)jra, C- i MULTI-FAMILY SALE I Qu. Sleeper, Baby Itmsr I Golf. Household. Edger 8301 W. Trotter Lane (Behind Walgreens) S HOMOSASSA S Saturday only 8-3 HUGE MULTI FAMILY SALE Large variety everything must gol S6220 W Meadow St. INVERNESS Fri. & Sat. Mar. 10 & 11 Fishing stuff.gun case, Slawn-mowers &.misc. S8869. E. Gulfto Lake Hw S INVERNESS loving Sale, a 8.3- :'c. f Jean .r k i.'E: : INVERNESS - .r.liuljTirlO,,i, ,ara al1 .:v 1.la i i 8 .iA 810 Medical Ct. Gulf Coast Aquatic & Rehao Parking Lot INVERNESS 0r 2f,'. o ',e .c, .2 G.'3.-1e :;Sale.;'at. 8am-5pmn 707 Constitution. Furn. Sappl., linens, dishes,' '..*:.',iie :tr;r.i n'j:iri i..:, Pu. ; I rii INVERNESS Sat, Mar 11 8-3 SC'rrce .Oquip. L:Jca .,'1' ,'rt'., l.ar, T,.,)|..,Cr 3813 E. Westwind Cf. . INVERNESS 1703 Old Floral Ciry Rd INVERNESS Sal I H;. 1r..;r,, Ours 'orage a ." ,31., ,7.830 Gospel .Island Rd. INVERNESS Sat, Mar. 11, 8-2, "' rn., baby stuff, plants, ^antiques, tools, building 5535 E. Arthur Street INVERNESS Sat. Mar. 11, 8-Noon ruiT, c.,k ,: ;a: grill .and more. 55056E:Granger.St. ,: INVERNESS ,.Sat. Mar llth. 8 lp Annual Yard & Bake Sale r.t.:r,r r,.'.ge Lara.3i-.3 '. T. .:, ; l Hr..., J I INVERNESS Saturday, Mar. 11 8am :,,Multi-Family Yard Sale Furn., TV's, coca-cola, rubber stamps, crafts, ,.3,.. *.5 I harirJ .ad6e e,-. l r, n-, ,ori: m.o. 2000 S. Mooring Dr. L.'iS r.3o1a G.'ar33er... INVERNESS Thurs, Fri & Sat. fil '-' HugeSalf 350 Chevy engine rebuilt,50 Mero. motor parts, rider mowers, ,'',1l tradrer c'.lIeI tClI+'', Hwy 44 E, 1 ml -: -to Tranquil Keywest JUMBO SHRIMP 13 -15Ct. $5.00 Ib Misc. Seafood 795-4770 S LECANTO Hugeug gel Hugel Thur. Fri. & Sat 9:00-? & used, Multi-family way too much to list 5185 Hardwood Terr. - Last Rd. going East on Oaklawn, 621-3333 LECANTO 'Sat & Surn 8dm '*Multi Family Covered Yard Sale. Tools, fishing n"' itemshome school, furn, household etc. -7471 S. Irma Pt. Off Cardinal a Lecanto 7' Sat, 8-2 Annual Yard Sale for Lecanto Hills Mobile Home Park ",:, Rt. 44 East" LECANTO SThursday-Sunday S295 Scarboro Ave. -' PINE RIDGE R Jefrig. Misc. household fiSat. March 11.8:30-? S797 W. Pine Ridge Blvd S:NE RIDGE ESTATES oSat. 3/11,h7 am-3pm Household items, vacc. clhr., lawn & gdn. tools, S lowers, trimmers, 24' ,,adj. ladder, utly trailer -4349 W. Tomahawk Dr. iPersian Lamb Coat, ig r< ; $400 gner, Leather Jacket, Sz. 12; $200 (352) 746-0086 I CHRONICLE Beveled Mirror 54" x 35" $40.. '"i q"^-nA in BURN BARRELS *" $10 Each Call Mon-Fri 8-5 860-2545 2 Black Wrought Iron Bar Stools w/gray seats (near new) $100/pr.; 2 Salon Hair Dryers $25 each (352) 795-4307 2 TWIN BEDS complete, $150 (352)637-3172 3 matching 52' Ceiling Hugger Fans w/ Lghts. ULike new. $50.00 for all. (352) 795-6151 4 WHEELER WALKER with seat, $75. PEA SELLER, $130 (352) 726-8697 300 GAL. SPRAY TANK with hose wand, bean pump, on frame, reel, motor needswork, $300 (352) 302-7952 Above Ground Pool Liner Oval 25' x 14' New In Box paid $320. Asking $150. (352) 628-9370 ANTIQUE SINGER Sewing Machine in cabinet. Exc. cond.; works well. $50 OBO (352) 220-6009 Aquarium 25 gal. rectangular w/ , .wooden stand, light, hood. Whisper power filter & gravel. $85.00 (352) 746-7232 BOAT-HEATER for Inboard + i2 ..:.it $50 BOZE auto sound system, $100 (352) 341-5211 CARPET FACTORY Direct Restretch,clean, repair Vinyl, Tile, Wood, (352) 341-0909 Shop.at home Commercial/Rest. Gas Stove, 6 burner, 2 over, flat grill, $750. Glass table top, 42x42, $100. Beveled edge glass table top, 4', $250 (352) 628-0545 212-0888 DOG KENNEL 7' X 13' X 6'H $85 Antique Gravely Mower % W'sull,' $150 (352)422-1742 ELEC. STOVE, $60 (352) 464-0316 EX-CELL iD;.iioi'., :re.. ;uJe W.3;r.e.' ..n ,ri-,l. 2;00 E,i 6 .S HP Bra'; i :.Trr')n-.r, "Quorr.rurri er.qir.n r,r: iI.e r i,. 0.'J (352) 341-0791 Flowered Couch $200. obo. Stainless Sink '.,:.ut:.le -Quip '.,i m r 1i.- 31-. iarar. la 'j':,r l $50. firm (352) 527-8738 FOR SALE BY THE CITRUS COUNTY SCHO..L BC-RD:, THREE (3) PORTABLE BUILDINGS TO OBTAIN .. rciii::n INFORMATION, VISITTHE CCSB PURCHASING DEPT WEBSITE .. www citrus.k12.fl us/ purchasing_ GE Stove self cleaning Loveseat, Recliner, microwave, 13" color TV, sterling sliver rings, record albums, beanie babies. 1221 N. Paul Dr. Inv. (352) 341-0379 GRAPE VINE COUCH $75. Knick Knack shelf, glass & .wrought Iron, $75 (352)637-3172 Keywest JUMBO SHRIMP -15Ct. $5.00 Ib Misc. Seafood 795-4770 Kirby, 3 way'vacuum, rug washer, tank type $75. Husky lock Serger $75. Both In excel. cond. (352) 746-7684 SLAPTOP HP, computer, printer, webcam, $389 FIBERGLASS SHOWER off white, $400 new, asking $75 (352) 257*0419 (352) 563-4169 Lighted Natural Finish S Etarge $250. Ladies golf clubs $70. w/cart S(352) 382-2913 Mountain Bike, 10sp. SHuffy, Two 19" Color TV's, box of barbles lots of flea" market items $100. for all- (352) 560-3031 ONAN Automatic transfer switch for house generator $250 OBO Beat the hurricanes! (352) 344-3798 POOL 15'x5' 14000+ gal. A/G pool. All access. Including cover, you move. $350.OBO Call Pat (352) 726-5639 Propane Tank, 120 gal, 521bs of propane In tank, $250.- 352-637-2349 585-733-6709 SIMMONS BEAUTYREST Pillow top/,full size mattress, never needs turning, exc. cond. $50 Manual treadmill with counter,.$15 344-1993 SLOT MACHINE New, takes credits, $200, (352) 621-5323 Solid Pine Trestle table w/six chairs. $125.00 6' sliding glass doors w/ track $100.00 (352) 726-6224/ 228-9451 STEINER/EASY GO Utility truck, lights, electric/dump bed exc.conditlon $3,500 (352) 527-2600 CLASSIFIED A SATURDAY. MARCH 11. 2006 13C C=6 cn for Sale^ WASHER & DRYER $50 each. 2 Twin Beds, $20 each. (352) 637-3253 -IMevI 3 WHEEL RASCAL, $225; ELECTRIC WHEELCHAIR $500; (352) 628-9625 3 WHEEL SCOOTER By Pride, 7 months old S900 (352) 637-3172 Ever-Med HOSPITAL BED Semi-electric, excellent condition. Sells new for $2,000 Yours for $300 (352) 637-9017 Full Electric, Invacare Homecare Bed w/ specialty mattress, sacrifice price $1000. (352) 270-3296 PRIDE LEGEND SCOOTER Good condition $900 (352) 344-0465 SONIC MOBILITY .SCOOTER Red; 5 mos. used; $500 (352) 465-3947 Trailer hitch and stand for wheel chair fits Mercury Sable $150. (352) 795-7355 USED SCOOTER LIFT For van or car. Swing away model. New $1500, Sell $500/obo (352)341-5106 "A" Model Mandolin, Hondo. Vintage 60's, great shape, $79; .Mandolin r,.. -- .alir- r. ,: m ., i '4 : (352) 746-4063 Carlo Robelli Acoustic /Electric Guitar, w/ H/S case. mint cond. $200. firm. Yamaha A/E-Compass series CPX5 BL w/H/S case $400. obo Call Jim (352) 422-2187 Organ Estes Legend Dbl. keybrd w/ rhythm & instrumental set- up, showroom cond. Paid $8000. asking $3,000. (352) 344-2818 PIANO, Cable, upright, exc cond, w/ bench, $900.. (352) 527-3350 Roland E-600 Keyboard stand & bench $495. (352) 746-4213 Spinet Piano, excel. cond. w/ bench, $350.00 Epiphone, delux, Les Paul, BIk, gold hardware. $550. OBO (352) 563-0166 WURLITZER Piano Heavily Used, Fair Cohd. & in tune $250 (352) 748-3423 YAMAHA ORGAN .. C. ;r,:r, i l.:l: .:.f rrmuii 250 (352) 795-4307 GOLD STAR MICROWAVE Model ER4010 works fine ,19x12 x.10 1/2-$20 OBO Phone: 795 0999 Noritake China, Blossomtime, 12 place settings, 90 pieces, like new. $250.00 (352) 382-4537 . Sears Kenmore Cannister Vacuum Cleaner No known defects. Orig. price $350. in 2003, Sell $150.00 (352) 527-3996 -M. 2002 Easy go Golf Cart, Electric,Exc Cond (352)302-9345 ADULT 3 WHEEL BIKE excellent condition, : I (352) 726-8608 Bicycle buill for two C. r illr., Tor,. ur, .p. comfort seats, new $600. good cond., sell $150. obo Hernando (877) 567-0316 GOLF CLUBS Men's Left-Handed King Cobra copies w/bag; full set $200 (352) 527-9788 Golf Clubs, New Woman's Allante, 13 club set, Mens, Knights; Venom 13 club set, bags & cart Incl., $75 each. (352) 382-9063 Keywest JUMBO SHRIMP 13-15Ct. $5.00 lb Misc. Seafood 795-4770 Left Hand Golf Clubs For Sale $200. (352) 382-3660 Mossberg 12 Gauge Model 500A $150; Winchester 30.30 w/scope $150. Both in great condition. (352) 527-9788 POOL TABLE, Gorgeous, 8', 1" Slate, new in crate, $1395. 352-597-3519 Schwinn Sierra Sport Ladies Mountain Bike, like new 1/2 price $150. (352) 302-9261 Vintage Bicycle, mint cond. $100.00 Craftsman Gas Chain Saw $50.00 (352) 628-7688 4x8 Enclosed Trailer, 12" tires, $500. (352) 249-0877 17'x7', Dble axlenew tires + spare, only used 1 time, $1400. (256) 239-6945 ANDERSON 5 X 8 Utility trailer 13" wheels; ramp/gate; V.G. condition $490 (352) 795-6318 BUY, SELL, TRADE, PARTS, REPAIRS, CUST. BUILD Hwy 44 & 486 Heavy Duty Trailer 5'x 11' $400. (352) 621-8020 SMALL FORD PICKUP BED TRAILER with spare, $100. (352) 464-0316 UNITED RACE TRLR. 1993; 33' long; 5,000 /15,000 GVW; gen.; int. Its; tool box; wk. bench; awning ;sd. dr. $6,000 (352) 249-1045 CRIB & GLIDER Bright Future Crib, white exc. cond. $75; Glider Rocker w/otto denim $40 (352)564-8776 Crib Set that converts to extended toddler bed w/1,3 drawer dresser & 1 4 drawer dresser w/ changing ta- ble on top. $275. Firm. (352) 628-6178 ANTIQUES WANTED Glassware, quilts, most anything old, Jewelry, Furn. We Also liquidate Estates. Ask for Janet 352-344-8731/860-0888 BUYING OLD WOOD BASEBALL BATS Any condition. Baseball. gloves & signed team balls. (727) 236-5734 Wanted * Older. Class A or C, RV, good cond. reasona- ble. (352) 726-9404 Record Albums, Jazz, Blues, Soul, Rock & Country ONLY (352) 341-0379 Sm. Satellite Dishes New or used, Please Call (352) 228-7915 VIKING POP UP 2002; 24'; Like new; w/shower & toilet $5000 4665 Apache Trail Hemando 765-730-9843 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. 4 Jack Russell Puppies 3fem. 1 male. Health cert. 8wks. $350 each. (352) 697-2140 ADOPT Smooth Fox Terrier mix; Mini Shepherd pup; $125 ea MALTESE CAT, $75. Etc. (352) 637-5024 Australian Shepherd Pups, NKC Reg., 3 female red tri., 1 male black tri., 1 male merle. Ready 3/22. $400 ea. Taking deposits. (352) 793-6773 BABY COCKATIELS $30 (352) 726-7971 Dual Registered Mini/ Toy Schnauzers ready for your home Mar. 14, w/ 8 wk. health cert. (352) 270-3296 EASTER BUNNIES Reserve your Llonhead Rabbit nowl All colors, pedigrees from award winning stock, $40 up 352-476-1997/344-5015 FREE PUPPY 6 mo old Rott/shep pup, all shots.spayed, needs' single dog hm, very loving. 352 634-4350 Humanitarians of Floridd Low Cost Spay & Neuter by Appt. Cat Neutered $20 Cat Spaved $25 Dog Neutered & Saaved start at $35 (352) 563-2370 SHARPER &,6500 (352) 465-7934 Horse Sifting w/TLC at your barn. Long & short Term. 352-746-6207 I-Ulfliii 1, 2 & 3 BDRMS. Quiet family park, w/pool, From $400. Inglls. (352) 447-2759 Crystal River 1/1 sgl. wide w/ 1/4 acre. Rent $450./mo. or Sell at $650./mo + $2500. Down & finance bal- ance (813) 317-6525 Floral City New owner, completely refurbished, MH, 1/1 W/D, storage, 1/2 acre lot, attractive setting treed. Move in special (352) 476-3948 HERNANDO 2br, no pets, $525mth. $1575 move in 344-1845 IN QUIET PARK w/pool. IBRfurn $425/up. No smoking, no pets. (352) 628-4441 250 Satellite 1962 Detroit, 44FT, 1 bed- room, appliances, A/C, Leesons 55+ $5,900 (352) 476-4964 1990 Skyline Dbl. Wide, 28'x 66', must be moved. 4bd, 2ba (352) 527-9014 1999 Waycross 3/2 like new, all age park w/pool, $24,999. Owner Finance. Inglis 447-4398 2005 Lot Models 3/2 and 4/2, Must Go. Special Pricing. Call today (352) 795-1272 2/1, 14 x 48, w/ roof over on wheels, ready to move, $6,500. obo (352) 795-3710 Mobile Home $15,900. New kitchen &. Bath 55+ Park 7 ml. N. Inglis Cell (570) 561-3716 Over 3,000 Homes and Properties listed at homefront.com STOP RENTING!!! 7440 CHASSAHOWITZKA 4/2, lst/last/securlty $875 per month 727-480-2507, 480-2216 CRYSTAL RIVER 3/2 well kept DW w/50FT of deep water dockage in Montezuma Waterway 352-854-2511/216-5008 Over 3,000 Homes and Properties listed at homefront.com Z=.FW S Fl. Rm., Scrn. Por., 2 acre, quiet street, after 4pm, (352) 586-2611 3/2 On.rA Acre, Paved Roads, Landscaped, Good School, in Homosassa, Call (352) 795-1272 3/2 WITH POOL Gar. & carport. Huge orange & grapefruit trees on 1/3 acre. Cinnamon Ridge by owner. $96,000. (352) 212-1827- 1985 24x60 3/2 on 4lots /w above ground pool, dbl carport. Seller motivated. Owner will not finance. $83,000. 628-9293 By Owner 84' Single Wide. 3/2 on 1 acre. Hernando $55,900. OBO (352) 232-5341 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. $55,000. View Photo Tour At; enter tour #0047-6128;: "Bst Quality Lowest Price" American Realty & Investments C. R. Banrkson, Realtor 484-1136 i FLORAL CITY 2/I/V2/Carport Glass screened room. New AC. 14X60 Nicel $49,900. (352) 344-1362 FLORAL CITY BY OWNER I 3/2 CHA, 2ac, fenced, remodeled, new tile & carpet, decks. Extra nice. Reduced $79,000 (352) 637-5143 HOMOSASSA By Owner Near Suncoast Hwy. 12x65 move In cond. 2/2, CBS gar., elec. door, 1 fenced acre, scrn porch, rear deck part. furn. 352-344-8138 INVERNESS need room? 4/2 D/W, on 1.ac. Nice area near town, needs cosmetics, $118,000. Ownr/agt 352-422-2304 LAKE TROPICANA Beautiful 3/2 DW on 2.21 ac. Fenced bkyd. shed. Over 1800sf. w/open floor plan. $145,900. 352-489-4371 LAND/HOME 1/2acre homeste in country setting. 3 bedroom, 2 bath under warranty, driveway, deck, appliancepackage, Must See, $679.68 per month W.A.C. Call 352-621-9183 F $13500 SDown Town Inver. SProf, remodeled I corner lot, lake access, Lrg. SW, H &A, WD, Lg Sc | Rm, carport, $225mo I lot rent. Inc water & lawn (352) 697-'126 '02, DW, 2/2,55+ gated community, upgrades, furnished, $65,000. lived In 15 months, by owner, Walden woods (352) 382-0401 55+ plus, 2/1 Furnished, clean, small park (352) 746-9329 '86 VERY CLEAN 2/2 DOUBLEWI1E New appliances partly furnished, 2 sheds, la- nai, all new plumbing. $43,000. 3.52-428-8855 ANXIOUS TO SELL Come see this beauti- ful, spacious 2/2. Large kitchen with many up- dates, floors, walls, ap- pliances.Glassed in porch with its own A/C, Good sized utility room and laundry area. Lovely AAA gated park with clubhouse and swimming pool. Call for viewing 352-726-9921 $52,000 IMMACULATE Carpeted, I bedroom, 1 bath mobile home at Inverness 55+ Park.. Partially furnished with carport, $5,800 (352) 344-1788 CRYSTAL RIVER 2/2, cdrport & shed, 55+ gated comm., pool, club house, $50,000. (352) 795-6003 Crystal River Village 55+ gated comm. 2005 "Palm Harbor" Home. 3/2 many upgraded features,'scrn.porch, shed, carport, sprk. sys.. $129,500. (352)422-6136 Floral City Undated 2/2 DW, furn., w/ scrn. rm. & carport, bike trail & lake 45+ $19,900. (352) 465-0014 FOR SALE BY OWNER 2/1 On Lake Rouseau, Part- ly furn. w/applind. kit, all appll's. Custom storm awnings, 5 ceiling fans, many extras. Close to shops & hasp. REDUCED to $54,900. 352-257-1367 794-0408, after 5./rlver access 2/1 &1/2, screened porch, $13,900 513-238-2919 (513)238-9296 Nice S/W 2/1 furn. scm 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 OPEN HOUSE SAT. 10-3 West Wind VIg. 8975 Halls Rvr Rd. Homomssa Totally remodeled 2/2 den, 55+ Park $37,000 neg. (352) 228-3929 Quiet, friendly park 2/1.5, very nice, carport Ig. scrn. prch., shed, wood crown base & casings, furn., $24,500 352-860-2115 Second Home in park that cares 55+, friendly & secure. 3/2, like new on pond w/ great view. Many updates. (352) 564-9567 Beautiful Park w/ pool. Free 6 mo. MH lot rent. RV lots $170. & up. (352) 628-4441 Over 3,000 Homes and Properties listed at homefront.com Crystal Palms Apts 1& 2 Bdrm Easy Terms. Crystal River. 564-0882 CRYSTAL RIVER 1/1 $385 mo. $385 dep No pets. 628-0629 or 621-3980 Crystal River 1/1 duplex apt. CHA, W/D, Great location by mall & hospital. $575/mo 1st, last & sec (352) 637-1441/ (727) 510-0210 CRYSTAL RIVER Nice 2/1 duplex, $525/mo. 1st, last & Sec. 352-527-3887 352-563-2727 HOMOSASSA SPRINGS 2/1, attractive, Irg. master BR w/walk In closets, tiled floorsyard, paved deck, $615mo 800-709-8555 Crystal Palms Apts 1& 2 Bdrm Easy Terms. Crystal River. 564-0882 Need a mortgage & banks won't help? Self-employed, all credit Issues bankruptcy Ok. Associate Mortgage Call M-F 352-344-0571 MOVE IN NOW! Brand new, warranted homes. We have Immediate occupancy. Prices are from $109,900 to $125,900. All under appraised value. Must see before you buy TayMobile Homes & Lan Homes New 3/2 on +/2 Add creon Drywall Finished. Over 1,800 sq. ft. Must See! $134,000. Financing Call (352) 320-3123 No Credit, Slow Credit Lanome Packages. Qualify Now! Call (352) 302-3126homes ready for Owner Financing. 4Prices areas. 1999 Dbl, toWide, 25,9000 sq. ft.,All under designer kit., F/P. (727) 438-1888 Snowbappraiserd Specall 2/2M on 1/2 Acre W/Carport Must See Won't Last See! Only $74,000. Call (352) 302-8147 E el, I CRYS RIVER/HOM. 2/1, with W/D hookup, ,'L3 .',IrT,.- i bl LO'5I i oC.- No pets. 352-465-2797 HOMOSASSA 2/2/2 Fl. Rm, Scrn. prch. huge yard. $900/mos. incl. watertr, grbg, & lawn. (727) 848-0502 INVERNESS 2/1, w/scrn. por., $525. mo. 1st lst + sec. No pets (52) 344-8389 INVERNESS 2/1; Fl. Rm.; Frplc.; newly renovated & unique $700 month (352)464-3182 -CE ;.." enta AVAILABLE RENTALS WEEK OF MARCH 8 2006 2/2/1 Furn. WF Patio Home $1,800 3/2 Fum. WF Mobile $1,300 3/2/2 Pine Ridge $1,400 4/2/2 Sugarmill Woods $1,300 3/3/2 Homosassa, water access $1,200 2/2 WF Condo $900 PROFESSIONAL BUILDING IN INVERNESS Prime location; 2500-3200 sq. ft. (352) 637-0033 3Q, Pr .l 'Cr.l and" 875 'vi22 875 31212 79 2.2 11 T.:.nr,ro ,$9U--S i1000) DIMJrlELL O 3 1 :,U'le-Fum-Lak, S 850 CArEPBUR' LAKEs 302/2 rwi. rv I CiTRUS .HILL5, rsi P,-. 1isi5o-'Redu,.ir' CitRUS SPRINGS 3/2! rle0 1 .8-15 3J '1 llew $7955 iNrVEPr4ES ,O1lIMERICIAL 4,l .,q i t ArF s 4,18s *t$IA :.910 5, F r i .Bi,- $2;,75+ u. PirlE lRIDGE 3412 Pel . ri'O, JENNIFER FOREMAN Realtor, ALEX GRIFFIN Realtor CRYSTAL RIVER 2/2/2 Waterfront Jacuzzi, FP, dock, pool, pdriv. patio. Long term or short term. $1600.mo. loannlrwln@msn.com (352) 875-4427 CRYSTAL RIVER 2/2 $900/mo. Garbage, Water, cable & lawn maint. Incl. 1st. last. & sec. (352) 527-0260 DUNNELLON 21/2 ACRE Mini Farm, 3/2 Mobile. $800/mo. Century 21 Alliance Realty (352) 249-4433 LECANTO 40x100 lot In Senior park for rent, $228mo 352-746-1189 v:- i :' I .I ,I .35 312,5Acrs. .... .. .... $850 WE HAVE SEASONAL RENTALS CALL FOR LIST --ACTONM C EIuMMA1MHT uAWIrNV, Ni. ) Marie E. Hager Brok0,0Re0l,0t-prooOrty Manaoer 3279 s. 3uncoast Bi-d.. Homos.,Iie (352) 634-3838 For more Info Qn!y FLORAL CITY 2/1, on V1 acre, fenced. shed, $750. mo. 1s Ist, sec. 888-295-8830 FLORAL CITY Beautiful 3/2/2-'1 w/ fireplace on 2 gorgeous wooded acres, $925, 941-928-4235 HOMOSASSA 2/1, private, walk to river $800 mo. (352) 465-3761 Homosassa 2/2/1, C/H/A, WD, shed, newly painted & carpeted, no pets $700. mo. Ist last. sec. (352) 795-4752 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 INVERNESS 2/2/1 Highlands, lanai, CHA, dishwasher, no pets $700, 813-973-7237 INVERNESS 3/1 Remodeled, $760. (352) 212-2737 Iv. msg. INVERNESS 3/2, (Highlands area) Credit check $850, 1st, last, sec. (863) 648-0618 INVERNESS 3/2, Fla. rm., fam. rm,, $950 mo. 1st, last, sec. 352-726-4759 Inverness 3/2/2 fenced back yd, $815/mo. Call for details (352) 793-9050 Beverly Hills Office/Business Space, 300 sq. ft. Hwy. 491 behind B. H. Liquors. (352) 613-4913 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, endcL, FL oomr, Screen porch $875 mo. (352)746-2206 CRYSTAL LANDINGS Nice 1/1 Condo Community Pool; Convenient location; $525 per month. Turnkey Realty Group, LLC (352) 382-5263 CRYSTAL RIVER River Cove Landing 3/2 $1,000. mo.,1st.,Ist sec. (352) 465-6420 Crystal River Waterfront Rental 1 month free! 2/2, w/dock newly renovated $1,300. mo. 5 mln. from gulf (352) 795-0455 Inverness- 2 Houses City/Villa 2/2/1 $900./mo County/ Heatherwood, 3/1/1 $650/mo. Work # (352) 344-2222 INVERNESS 2/2/1, Whispering Pines, Villa, very clean, non smoking, no pets, access to pool/clubhse $750 mo., 352-344-5117 INVERNESS Great 2/2.5 with pool, wat- er access. No smok/pets. Ic" Rent: HoDuses C= Unfurn*s 2/2, CRYSTAL RIVER Wtr.Frnt.$1450. mo. 3/2/2, SMW;$1600/mo River Links Realty 6628-1616/800-488-5184 4 AVAIL. NEW 4/2/2, Cit. Spr. SMW from $975. Homosassa 3/2/2 $800. River ULinks Realty 628-1616/800-488-5184 Avalon Hills NEW 3/2/2 C/H/A. $1000, 1st, last &sec 352-563-2480 BEVERLY HILLS 3/1,6 mo lease or longer, Avail Mar 15th $450/mo. 1st, last & Sec, (603) 669-8173 BEVERLY HILLS 18 N. Osceola, 2/11/2/ & carport. New inside $725 mo. 1st. last. dep. 795-3000 BEVERLY HILLS 2/1, CH/A, nice neigh- borhood, $650 mo, 1st, last, sec., 352-341-8451 BEVERLY HILLS 2/1/1 + FarmnRm, tile & berber carpet W/D, C/H/A, Ig. shed, $850. mo. 352-697-3456 Beverly Hills 2/1/1 poss. 3 bd $750/ mo 1st, last & sec. (352) 422-0434 BEVERLY HILLS 2/11/2, nice, clean, cul-de-sac, 5 Donna Ct $850mo, 1st, last & Sec. 352-746-5969 BEVERLY HILLS 2/2/2 Imperial Executive. Good neighborhood. C/H/A, Ig. sunroom & screen porch. $850, 352-527-3533 3/2, Scrn, Pool, on golf course, $1,000. mo. (727) 418-9193 CITRUS SPRINGS 2/1, newly remodeled, 2221 Austin St.qulet , neigh. 1st. last, sec. $800. mo. 352-746-5969 CITRUS SPRINGS 3/2/2 er, r.e,,, point carpel appi : 900'?,rrmc. Non smoking 1st., last, sec. 352-634-1041 Citrus Springs New 2005, 3/2/2 good location $900. mo. Call Gloria (352) 746-9770 (352) 697-0375 Citrus Springs New 3/2, no pets & no smoking $935./mo (727) 271-1740 CITRUS SPRINGS New 4/2/2 (352) 255-4626 CITRUS SPRINGS New, 4/2/2; City water $1,100. mo. $1,500. sec. (772) 263-6300 Crystal River 2/1 w/ Fireplace, shady st., central location. $700/mo (352) 563-0166 CRYSTAL RIVER '.3 2 '. I C."J .l iT .:. ; Jear G-,,II C c.u'.Ceu ju r., o" Linfurn Contact Kerr,' Plannatlorn Ienrl i: Ir.. (352) 634-0129 www plantation rentals.com Crystal River 3/2/1 large home, no smoking, no pets, 1st last & $400. sec. $1,100/mo. 628-3453 CRYSTAL RIVER 3/2/1, near high school, $850.mo. 352-795-7928 CITRUS HILLS 4202 N. Little Dove Terr. $1350 3/212, Pool, .Screened Lanai CITRUS SPRINGS 5862 N. Claremont Dr. $900 312/2 New Home 2263 W. Austin Drive $750 311.511, Fenced Yard 9323 N. Citrus Springs Blvd. $750 2/1.511, Nice Comer Lot BEVERLY HILLS 4394 N. Bacall Loop, Oakwood $1150 2/2/2, Heated Pool 3670 Laurelwood Loop (Lakeside) 2/2/1, Glassed Fl. Room, Inc. Club Priv. $850 Garbage; Basic Cable, Lawrn Main. 217 S. Washington St. $600 . l/t FI. Room, Laundry Room 5 New North Court $600 1/1, Screened Carport Furnished or Unfurnished ;2:4 Open water w/dock & courtyard. $1000./mo. (386) 462-3486. INVERNESS 3/2/2, beautiful split plan, wood flooring, new appl., Irg. yard, $900 mo, 1st, sec. (352) 476-4733 LEASE OPTION 5/2,11 acres, Barn/Workshop Inglls $399,000. or $1800mo. Lisa VdnDeboe Broker (R) /Owner 352-422-7925 OAKWOOD VILLAGE 3/2/2, $950.mo Please Call: (352) 341-3330 For more info. or visit the web at: citrusvillages rentals.co1 Oakwood Village New 4/2/2, Nice loca- tion, no pets/smoking., $950. mo. 352-447-3020 Pine Ridge 3/2/lg. 2/2 car gar. on 1 acre. Call for details. 352-216-5017 Sugarmill Woods Brand new 4/3/2, w/ big bonus rm./5th bdrm. $1,350. mo. own- er, agent 561-644-2100 SUGARMILLWOODS 3/2 updated pool home, Avail. 4/15, Includes pool service, appl., & W/D.$1450 mo. (614)598-1888 3/3 w/boat slip; canal, just off King's Bay; year-round $1,300 per month. Call Karen (352)422-1858 CHASSAHOWITZKA 2/2, wtrfWnt. Crprt. $600 1st. last, sec. (352) 382-1000 CRYSTAL RIVER 2/2/2 Waterfront Jacuzzi, FP, dock, pool, priv. patio. Long term or short term. $1600.mo. joannirwin@rnsn.com (352) 875-4427 HOMOSASSA 2 bedroom, 2 bath, turn., stilt house on Homosassa River. C/H/A, boat dock. 813-299-8142 Hwy. 200 near North County Line, 2/2.5 newer home, $995/mo. (352) 302-5875 CRYSTAL RIVER Nice new home; pool; $100 a week. (407) 592-7794 Male Roomate Wanted $75./Week So. Lecanto Area (352)422-7003 CRYSTAL RIVER 2/2 Waterfront Jacuzzi, FP, dock, pool, . -pv;- patio. Long-term Sorshrt t.iT, $1600.mo. joannirwin'imsn.com (352) 875-4427 SUGARMILL WOODS 2 2 2' Laroi c. .3e sac lurr, Lao.vn r,I.: : $I 0 mjrr...: V. .;r.r-..ger,r Avail 4/1 727- 804-9772 CRYSTAL RIVER Comm. Warehouse for Rent 300-1 000sf, $400-$1000mo. On US 19. Contact Lisa Broker/Owner (352) 634-0129 Hard working lady needs rental under $450/mo near Inverness (352) 621-4847/ 586-3040 -rDaily/Weekly r- Monthly Efficiency "a Seasonal $725-$1800/mo. Maintenance Services Available Assurance Property Management 352-726-0662 BEVERLY HILLS .1/1/1 j crriiTI p.:..:.l. , Furr, all 'pp3 i '- (352) 201-0991 BEVERLY HILLS 3/1/1 $700/mo. Century 21 Alliance Realty (352) 249-4433 CITRUS HILLS 2/2/2 Den, Lanai. New Golf Course Home. 2400sf, $1400mo 617-327-2042Action Prop. Mgt. -Uc. R.E. Agent 352-465-1158 or 866-220-1146 CITRUS SPRINGS 2/2 Move in cond. $700 1st, Ist. sec. 631-816-3700 HOMOSASSA 2/2/2 Fl. Rm Scmrn. prch. huge yard. $900 Incl wtr, grbg, lawn. (727) 848-0502 HOMOSASSA Spacious 2/2A INVERNESS BRAND NEW, 3/2/2, Great American Realty (352) 637-3800 I 14C SATU iRDA\. M.ARCHi 11, 200(6 New Homes on your land in as little as 4 mos. Call Suncoast Homes (352) 697-1655 REAL ESTATE CAREER Sales Lic. Class I * $249. Start 3/28/06 CITRUS REAL ESTATE I | SCHOOL, INC. L (352)795-0060 TRANQUIL GOLF & LAKE COMMUNITY IN ANDERSON, SC ,- Affordable quality homes to build or buy a- Great Rates on Insurance & Taxes ,w Homes Start at $170,000. Come To Anderson SC where Florldlan Come see this beautiful large 3/2/2 in the subdivision of Brentwood at Terra Vista. Community pool and golf course close by. Direction,: Take 486 'A to RT on Brenit.ood Cir Yo ur world first Need a job or a qualified employee? This area's #1 employment source! CiLipONIcLL BARB REALTY 352 LEADERS ti 80 ROOSEW *a Directions: 491 to Roosevelt Blvd. to hou SaIAMERIC i i & INVE ERA 675S.,Sunco MARGII Realtor Associate * Office: (352) 382-21 80 Whitewood St. $239,00 4/2/2 built 2005. Deep gre backyard. Located on a Sugarmill Woods. New Hornm MTS8. Directions: Cypress Blvd. to n Circle to Chinkapin Court. Loo alll ~ llm S .I aLw CLASSIFIED E-= Slst, must see, call lot split plan, w/ great AN REALTY E A for appt, (352) 637-6617 room, all Appl, hot tub EN T2 LAKEFRONT HOMES off master, $185,000. SlMENIS Bonnie Peterson on 9.5 acres. Beautiful (352) 220-3897 ast Blvd. -Homoassa, F 34448 Realtor scenery, Ideal for Relocating 3/2/2 Pool E TA residential or to divide Home In Highlands E STALZER Your Satisfaction Is $810K, Call Extra lot avail. my Futurel (352) 726-3622 A MUST SEE at $175,000 Multi-Million Dollar Producer (352) 279-2772 or 586 Cell: (352) 302-6973 (352) 794-0888 18 Yrs. in Citrus (352) 726-2069 Exit Realty Leaders of SELL YOUR HOMEI *1 h*: PCrystal River Place a Chronicle Classified ad 17. 66lInes, 30 dqys" $29,ooo 000'$49.956 beautiful home in move-in condition, located in m Call . popular Cypress Village Sugarmill Woods. MTS80. A 726-1441 "' Directions: Cypress Blvd. to left on Under Dr., right FAIRMONT VILLA 563-5966 onto Whitewood. 7/10 of mile home on the left, maintenance free living Non-Refundable look for sign. 2/2/2 PonvaePtnl. $189,900. m : Private Party Onlyh si (352) 563-0893 L/M RteRcto enbelt, very private -Fox Hallow FSBO 3/2/2 Call Me IvI6ay apply' .( quiet cul-de-sac in ,- Fl, Rm., Scrn. Porch, ERIC HURWITZ SPLIT LEVEL. '.2.' ,/2.'. e Builders Warranty. W/D, all appl.'s, all tile, 352-212-5718 on 1.16 acres, 3700 AS alatrmwater softener, total sq.ft. Many extras Pine S. to Chinkapin malnt. free, built 2004 ehurwtz@ & Improvements. Pine St. toChinkapinm-butahutampabay.rr.comw k for sign. Ready to move in mpa rr.com $335,000 obo. (352) 8 Chinkapin at. 6347 $219,000. (352)384-0711 Exit Realty Leaders 860-0160 302-8437 F 2/1, CV, Air cond, close to everything, $74,900. John ReMax OPEN HOUSE SAT. 10-3 Home & Sep. Garage By Owner, Former * Priced to Sell, 3/2/2, w/ West Wind Vig. on 1/2 acre, zoned GNC Builder's Model 2800 sq. fenced In back yard, a West l v Homosasso Trail & 44 ft. of luxury living, All the must see at $155,500. 8975 Halls Rvr Rd. $224,900. (702)596-8833 bells & whistles, plus all 3.9%/2.9% (352) 726-3258 Homomssa tile & h.w. floors, 3BR Full Service Listing 2/1/1 ON FENCED Totally remodeled Lawn Business for Sale 3 BA and 3Car. gar. lg. Gated, Treed Private 2 2/2 den, 55+ Park Accounts & Equipment lanai w/ FP & heated Why Pay More??? ac's. Fireplace, new $37,000 neg. $20K. Serious Inq. Only. spa & pool, 1 acre No Hidden Fees floors, Inc. Ig, Fla. Rm. (352) 228-3929 (352) 476-5690 landscaped lot w/ 25+Yrs. Experience $169,000. For appt. call fenced backyard. Call & compare owner at 352-560-7327 SAT. SUN. le5 t. Reduced to $479,900. $150+Milllon SOLDIII 3/I ,Great in town 9068 W Doubletree Ct. 352-746-4160 Please Call location, remodeled, Forest ssaew Pk. (55+) Need a mortgagefor Details, CB, 1400 SF, $125,000. DW, Overlooks Pond, APTS. FOR SALE 9 UNITS & banks won't help? Listings & Home (352) 860-1189 2/2/crprt. Open plan, 2/1, Crystal River, Self-employed, Market Analysis 3/3, Den & Bonus Rm., scrn. porch $58,500. By $450,000. By Owner all credit Issues RON & KARNA NEITZ FP, close to hospital & Owner. 352-563-1893 352-634-4076 bankruptcy Ok. BROKERS/REALTORS schools, double lot, Associate Mortgage CITRUS REALTY GROUP very private, $189,900. Call M-F 352-344-0571 (352)795-0060. (352) 637-5968 1U1 Lz li=M#i+ +_*_*_- -_Beautifully furn/ r Lo j 1 ans* completely equipped 2%- DOWN[ BRADEW.&itWruII iIlIs newly remodeled 2/2 2% DOWNI BRAND NEW o -w/oversized garage & Absolutely 3/2/2, nicel/4 acre lot, 3.9%/2.9 Ig. workshop. Extra Ig. Precious Homes upgraded floor tile, app., Full Service Listing 2003 Custom 3/2/2 cornerlotSplit Ready April $184,900 ed p/anl 159,90. SFree Home Finder Call 407-227-2821 Why Pay More??? 1 acre landscaped. 1026 Rutgers Terr. No Hidden Fees Immaculatel 1026 Rutgers Terr. Service offers lists of 2/2/1.5, split plan w/ 25+Yrs. Experience Open House St.& Sun (352) 344-5721 homes available. Cath. Ceiling, Uv. Rm Call & Compare 3/11 & 12; 11a-4p or by BLOCK HOME ON 1.13 Din Rm, Sky Light in Kit., $150+Mllion SOLDIII appt./No Realtors ac. 3/2'/2/2 on Cul de Free Recorded msg. Fl Rm, Scr porch, Shed, (352) 344-0428 sac. Under appraisal, 1-800-233-9558, New AC, $139,900. Please Call for Details, 2/2 Condo, great cond $223,000 obo 637-9220d ext 13071 (352) 465-1904 Listings & Home ground floor, no stairs BRAND NEW STILL HAVE ACROPOLIS MORTGAGE. 3/2/2, Pool Home Market Analysis w/ Inclosed lanal, TIME TO PICK COLORS ACROPOLIS MORTGAGE 3/2/2, Pool Home heated association Quality built custom .Good Credit Tile floors, & counter RON & KARNA NEITZ pool, Citrus Hills home, beautiful extra ig" *Bad Credit/No Credit tops, security system, BROKERS/REALTORS Membership avall. lot In nice area, 3/2/2 Lower Rates many extras. $204,900.. CITRUS REALTY GROUP $134,900. Many extras, Come see *Purchase/Refinance (352) 422-4544 (352)795-0060. (352) 527-4599 the beauty $226,900 Fre Call 888-443-4733 BR/Askng $170,000. (35Brentwood (32) 726-1708 4BR/3 full ba, 2473 sq. ft. BeBrentwoodlBUILT'05 3/2/2 HAMILTON GROUP .Beautiful Home New villa on premium d FUNDING, we specialize (352) 563-5735 lot overlooking golf Good neighborhood, in i t e f rB N E Ocourse. 3/2/2 close to everything. in all types of mort- BRAND NEW HOME 172 Carport C/H/A Workmanshp warr to $185,000. cgages and all types of 4/2/2 For Sale or rentlot, remodeled .'07. Membership req'd. (352) 398-6570 cZarekdit. Call AnnMarle splitplan. 2200 sq.ft. 15 Della Street $99,000. Asking 279,000. BY OWNER 3/2/2 Zaek (352) 341-0313 Owner will finance, (352) 637-238 (352) 726-9774 6360E Gurley, Highlands S$194,900.(352) 3411859 BY WNER Split plan. Wood Floors FOR SALE BY OWNER Move In ready, great 2004 Custom 3/2/2 Rm. w/Gas FP $169,900 FREE WEBSITE rielghborhood, com- 1 acr. w/pl chem free, 352-302-3901/726-9928 pletely new kit., apple's, '$3159,20005 Homesiteicom bath, carpet & CHA. (352) 572-4585 By Owner, 3/2/2, 415 A G GE OUS W otDaisy Lane. Inverness GORGEOUS Won't Last Completely refurbished, Highlands, new In 2005, Brand New 4/2/2 2250 30 N. Columbus 3/2/2, new carpet,' split plan w/gas. sq. ft. tile, fans, apple, & $119,500.(352) 400-0525 flooring, appliances. Fireplace & more, . landscaping. $245,000 ; 2/1/1, Fenced yard, self cleaning pool, $185,000 (352) 637-0768 (352) 746-1636 "as Is" 16N Lee, 1 acre lot, By Owner. or (352) 303-7428 $90,000. $279,500. Call for appt. CITY LIMITS Need a mortgage (352) 795-7374 (850) 319-2913 or Closeng, & banks won't help? 2/1/1, new FIRm, new (352) 746-0514 Immaculate, 2/2 homeing, Selflemployed, A/C & heating; very COUNTRY HOME $139,900 106 Cabot St. all credit Issues good cond, $130,000. Beautiful 4/2/2 on 2,5 (352) 726-2361 bankruptcy Ok. :211 W. Seymerid fenced acres; pool; Associate Mortgage (352)527-3566 horses ok $324,900 FE Call M-F 352-344-0571 Beautiful 2/2/2, Turnkey Realty Group, solar heated pool, LLC (352) 382-5263 W.eeklyLstof fireplace, 1/2 acre, Homes For Sale With Prices, $179,900. Addresses and Descriptions. Jocelyn "Joy" Adams (352) 476-5916 *.800.498 2670 (5 7 -63 RRealtor32 5 3. - Cell: (352) 613-2815 By Owner, Open House, Free24Hr.RecordedDetails ..Florida Home Sales & Sunday 1-4pm. ERA.AmercRlty&Intmnts . Development, Inc. or by appt. Office: (352) 489-6006 3/2/2$79,000A ouR toave flaomesinocala.con 'Oakwood Village Yur Own Home? A Joy to beon your 735W. Colbert Ct. ,. :.- . side. Call me. off Forest Ridge Blvd. ,.... ., SITS ON 1 ACRE! Realtors welcome at 3% FREE Home Warranty .,...,,, : ... SIatSf ON ACREW, A/2/2 All offers considered Policy when listing .: u .-, ....-. Beautiful NEW, 3/2/2 ..u*. .irr, Fre Fe neared is just 2% down, CREAM PUFFI .. f.. i t.a 1.irr,,r, ,-I. 000- upgradea floor Ile apple, Immacualte. 2/2/1. Cen- L', 'm-1 ERAAmer Realty & Invmnents $204 900 R.i lad Apri tral A/C. Private Court- Broker Associate. C all 40-7.227-2811 yard. Siding. Landscaped. (352) 527-1655 GOLF COURSE HOME, CITRUS COUNTY Artistic interior like new. mint cont, 3/2/2. COMMERCIAL PROPERTIES Your Neighborhood $133,900. 746-7992. ridl & dr open split plan,fam. rm, t ., r. -,;,, REALTOR #316 S.Washington. fireplace, 1/2 acre A.LR T. #3.16 SWashingon. GM AC corner lot, watervlew E.i. $.95,ooo 000DO YOU NEED REDUCED $236,500. .M.. ,-,- EADVISEeSELLING ate (352)-341-3941 or- L.:. o r,,D.:, n .VISE SELLING 239-209-1963 .OR RENTING Golf Course Home GOSPEL ISLAND 3/2/2 -,9 000 YOUR HOME? $287,000,6th Fairway, Close to lakes, comp. 26.5 Acres. Zoned : meadows Course. remodeled new roof, AZm.Crystal River 0 WE SUPPLY ALL THE Klliingsworth Agency 1400 ft livirig, new apprl- 5 $FORMS FOR THIS Inc., Real tor ances, tile floors, fire- ,: PURPOSE. (352) 302-8376 place split-plan, 12x14 $1 o500.000 call Cir,.,6i. i workroom. $174,900. S:-. r, .i r.l. LiTI' OTHER SERVICES ARE GOLF COURSE HOME 352-634-0052 ,i.', -"' 4,31 *L 352-613-6136 AVAILABLE. '.'., larn.a r.uae HIGHLANDS, BRAND cberl5@tamrpa .CONTACT:w E n :a" NEW 3/2/2,Fla.Pm, t..-,,. New England Charm- great neighborhood., 550.000 Craven Realty, Inc. L. ZELZER 121 E Glassboro Ct. close to everything,- ..... S Craven Realty, Inc. 4UDY L. ZELTZER 1299,900: 452-302-9834' i'; vO 9 352-726 6075 Src orr 352-726-1515 ADVISOR T .--r...r...-. HOW TO SPEED HOME FOR SALE S(352) 697-3456 UP YOUR HOME On 2 acres/zoned for Fr o -P YOUR HOME horses $249,900. F F i.., ',. ', Location, Location[ SALE! 3/3 w/ fenced pool iu,.r, .r r.:o, F --,',,ilI,..,e .3095 N.,Maldencane .. (352)344-3981 1450000 : :,n, ,TOTALLY. ,:nne Enrrai *O' ra c -mmr,, 3179 W. DaIfodil Drive EURNIHlsiD 22.'1.5 debble debble HOME FOR SALE EY1r0, .'I-. .." -I On Your Lot; $106,900. E';3i. 000 Irrmma.-jlare "i s. .:eir Drive by/if interested C r re rne 3/2/1 w/audr 10Acre Parcel. clar.ira p..,:.r, I ;n1 eall (352) 527-9133 352-7952441 AtknsonConstruon Dunkinfield, acres aEnri .. hd netRIinsonB *"struc Crystal River '. -.,- * LDEBBIE RECTOR 352-637-4138 EX2040A. $399,000 OPEN HOUSE 1ic C 200596B5 Over I acre zoned GNC (352) 746-3995P ... Sunday 1-4 H 4 E CC0596 Hvee 48 Hwy 4f5. 3/2/2 Pool Home Recently Reduced 3/2/2, shows great, 98,900 . On 1 Acre.lsthole.of. ; ril, Hl. 2' I Realty One built 1998,717 *********** golf course, For sale by .' 509S. Adams wrww.buyflorlaa : Ir.air ,t I' .'. 71 COMMERCIAL owner/ $389,000 .,:.rT.-1c- homesnow.com (352) 344-1831 REAL ESTATE (877) 895-8215 :r,.rt re.,air, 1. INVERNESS GOLF & CC SPECIALISTS 4/3/3 Executive Pool (352) 527 6789 Terra Vista Golf Crs 3'?'? Inaround cored Retail Centers Home, 2400 sq. ft. liv; *,* PlT .:. i.. .-.. , Hotel/M otel i o:r uilt z'l:'iJ e.10. : ,-,[ E ..r. 1, i:Cr, :'2 '-. 11 i Il : r.ikler- ; I' 1:01:10 Vacant 1(352)15868580 rr J 1 J' New in 200S 1,iN eici.o Ter, (352) *VaCommrcialnt B 2H .:-i,- ,len $349.900, 352-527-9973 637-0041 464-2363 - Acreage cg, plus detached 2 ''" TERRA VISTA VILLA Mint Condition SM i Hoe car garage. $335,000. 814-573-2232 GIBSON PT. Maintf Free, i8i :Q ne 2.2',; 919 . Mobile Homes/ owner financing availl (352) 270-2015 tile roof, beaut. landsc. ,:r.: r, t -pt only,, RV Parks 4749 II Pink Poppy Dr. RENT 10 OWN Open plan ?'? top $169,900 Crossldand MultiFamily (352) 746-9795 110o CREDIT CK. 3'1';/1, loc. 2600sf. ur, L.:.. P ol, r. ...... .:. : Residen ar Pool. 321-206-9473 x C-'.'-'0Owner. lojr..-aoir, ,:., .. S1031 Exchanges on't Horse Aroundl visit iadenmission.com (352) 527.3419 (352) 726-6644 1031 Exchanges ,.: MOVE RIGHT IN! *********** ** [S 1 Completely Remodeled 3.9/2.93/2/1, Very Clean, Over- 3.9//2.9% 3.9/2.9% sized Lot. Great Home At FullSeice Listing Full Service Listing An Even. Greater Price Full Service Listing $132,900. Don't Miss Out For Sale or Lease "-' Why Pay More??? On This OneIl 270-3318 2423 sf office, located Call Diana Willims Why Pay More??? No Hidden Fees or 302-5351 In Meadowcrest A Fir-ie Pi.- 'e li.der,t l i.:.Hi.a.-r, Fees 25+Yrs. Experience. Professional office"" l... *-.r Experlence Call & Compare Need a mortgage park. Stand alone build- 352-422-0540 ,-? i compare & banks won't help? ing, 6 offices, dwvillms1@tampa $150+iMi!lion SOLDIII $150+Milllon SOLDIll Self-employed, upstairs conference bay.rr.com Please Call all credit Issues room, 3 baths, 1 w/ for Detalls, Please Call for Detalls, bankrupt.:, 01 shower, new carpet & craven Realty, Inc. LI.r,..,: :. H.:.n,-- Listlngs & Home Assoclate M.c.n.-o.ae palnt, CAT5 wired In all 352-726-1515 l.l.or el rol, I r 1ii r -r..-l, .1, Call M-F 352-344-0571 ff35s2)634ta38t38ule RON & KARNA IIEITZ ROtl & KARNIA IlEiTZ NOT A MICKEY MOUSE For(352) 6343838 BROKERS REACTORS BROKERS REALORS HOUSE 3/22 iSO' :q n S f f CITRUS REALTY GROUP CITRUS REALTY GROUP under roof, corrr 2 ARA STONE H (a52)795 0060. (352)795-0060. car dorage, cir, ...ir R t4n 'rI decks, privac, erce .527"112 screen enclosures, fam. 7 11 4 I.S rm. tile, woman's dream 2I 2.2 FOR SALE BY Lakefronl;.dock, Large trees, Appt only ELT BLVD FREE Home Warranty -rr, .-r .. 3/3/2oe, o p5 s ft E6N U a R Hose With "e rI .r r,: plan, split bedrooms 1006 Prnceton Ln Maxour P.usM Sith .ITTrhe:t (352) 637-3149 1 0 2 H LLCM GRIM AHWD (954) 235-0892 upgraded kitchen .1 (352) 527-1655 5 Premler Citrus County '-- -., .. ,,. ..' &,>,,,, "$$ BELOW MKT VALUE Historic Home 3/2Yd -..! "- ,. .-...,: .: -.- ... $$ BELOW MKT VALUE Completely renovated .I... ..'", ,'," ....... : ........ i Extra large 2/2/2+, For details 352-476-1729 Eat In kitchen, oak PrIced Below Appraisal, use number 80 on right, T tEsate cabinets, family rm w/ 2005 Home, 3/2/2 on S--' fireplace, too much to over 1/2 acre corner Licensed R.E. Broker tr Waterfiont. Golf Investment. Vacant Land and Relocation "' Cilrus, Marion and Hernando . 352-628-5500 wwv, sliverkina properties coam Hereto Help you Through the Process" aPI~I CITRUS COUNTY (FL) CHR6NICa a Ml I ---I DENNY SHOEMAKER- .,. Broker Assddate- Your new homnSle '' 813-781-13 * E-mail: Denshoe@ aoom '1 :.a L'-.t V rAw Sugarmill Woods. Brand new, 4 bedrooms, 2 baths, 2 car garage,, 2234 sq. Ft living, 2686 sq.ft. total. $259,000 Sg&ar~nill Woods. Brand new., 4 bffornms. 25 b. s, 3 ca4arage,K 281.8 ft. living. 367,A4t. total. "'f $279,900 ETHICAL AND PROFESSIONAL If it's Buy or Selling your home, we are the professionals for you! 'a 1 I 0 Bonnie Peterson Realtor Your Satisfaction is my Futurel (352) 794-0888 (352) 586-6921 Exit Realty Leaders of Crystal River CRYSTAL MANOR REDUCED NEW HOME $289,900 3/2/2 with screen lanai 9262 Beechtree Way (352) 795-5308 Crystal Manor, 3/2/2, 2250 sq. ft., 1+ ac. open fi p a .: oir.ear-. i .:-il l. i. i .:0-:, .i .-. l O. p O ..:., C13ri.-r. e- rr n-.: eie-c i-rii.iu .:.iji tures via e-mail, owner $279,500. (352)794-4197 LAST ONEI NEW TWO STORY CAPE 2 '(i: :0: '1 -. 1.1 ZI a I : '.".'3: :.i:1 .'REDUCED .-. : (11:10 (352)746-5912 Motivated owner, E'E.ulllul :* 2 ba.: : upI., er. 1.1 - ' ',urr, ,: ut, .207.,000, i.e.. 1iii ir. S-, l : ir .: -. 7 - Need a mortgage & banks won't help? Self-employed, all credit Issues bankruptcy Ok. Associate Mortgage Call M-F 352-344-0571 3.9%/2.9% Full Service Listing Why Pay More??? No Hidden Fees 25+Yrs. Experience Call & Compare $150+Million SOLDI! Please Call for Details, Listings & Home r.lri e- t r,. l,:l:. RON & KARNA NEITZ BROKERS/REALTORS CITRUS REALTY GROUP (352)795-0060. 2 STORY LOG CABIN BY O W NER ... I Ir. Ic,. apt "''Ji.3.0'ra3e REDUCED TO $249,900 Make offers. (352) 628-7167, 3786 Swan Terrace New, 3/2/2, CB crn lot, 1166 sq. ft., builder wty, $133,990; $1K down Tony (813) 238-2652 tperllla@verlzon.net 2/1/2 Classic Charmer. F-n r. ..3: ,. '.urc' *= i H. l.,l3, : JO0 Q f,-:'n , n, [ i l v.3 i r..J Il. j.,rj S 2'".' C,.r., bioker, (352) 628-9869 2/2/2 ON 1/3 AC, Deeded Water access .' C :CLi tc. Blue ..a ler Cr H,:, oi.;3 : P".r Cu.l t preillglc:.u": S re.:lu'eea Fr..rnr p.,tcr side & rear decks, screened porch, 15.oqn lie...' ca.rpie tile Pe rg I.':. rearor : location. $309,000- 352-613-5089/613-4314 3BR/2Bath on 3 secluded acres, bo,.:L': jr., Io. prei-zr e in HC,'-r,.:,:a.. $150,000. (352) 628-2855 days Beau. Home 3/2/2 on 2.5 acres, Built 2001. L-: ''r, .3 C- n. ern, t .O l .'.,3, le I,ir'3 r[ .i3.':.i e.'r,r il 1. inq "-i.. ,. (352) 628-9499 FANTASTIC 2003 4/3/2 POOL HOME v.mmm' h jII ir,.I.] .'. :,jil-e S:llj .i a i ri J42 a' ,re.: In homes only desirable Citrus Park area plenty of room to park your boat and R" :.;', 0 i '-al -ronica at 352-422-6364 fr r chowimnrt 2/2/1 New Carpet/Paint CONTEMPORARY HOME FOR SALE -: Inside. C/H/A scrn prch. 2/2 VILLA $144,900 On Your Lot, $106,900.,, Only $126.500. Call Turnkey Realty Group, 3/2/1, w/ Laundry' . Chuck (352) 344-4793 LLC (352) 382-5263 Atkinson Constructloira LOOK NO MORE 352-637-4138 2' 3/2/2 Custom on 4.8 OPEN HOUSE Uc.# CBC059685 - Private Acres w/large Sat. Mar 11, 11-2 LIKE NEW CONDITIN oaks. Clean $298,000 4/2/2 -2,244 Liv/Sq. Ft. LIKE NEW CONDITION (35 8 Corner Lot $240,000 2000 2/2 1,200 Sq. Ft, (352) 628-3358 1 nerBalsam Dr. (C240000ypress 175 acres, FSBO LOVELY 3/2/2 HOME ON to Pine to Balsam) For $115,000 OAC /2 ac In prestigious, Info call 352-601-3627 (813) 569-1039 quiet area. Many extras. Near shopping, OPEN HOUSE By Owner, $234,900 Saturday 11am 2pm (352)621-5157 r. rl:m :I . New Construction ro.. . ready for occupancy. Realtor: Kellel '.illiarr 3/2/2 on 1.25 acres In Realty (352) 398-5889 homes only area. WAYNE $259,900. Waybright Real Estate CORMIER PALM HARBOR 3,2 Tile kitch.-r, LI" C Michele Rose ' laun, parni, i , .iv REALTOR Drivewo, ,rp.:., | "Simply Put- Shed, lano .:.'.r" r, I'll Work Harder" $99,900 Walden Wooas 352212-5097 Owner (352) 382-1670 ; thorn atlantc.net Craven Realty, Inc, Peggy Mixon A S W352-726-1515 waynecormier.com & banks won I nelp? -, '" -(3 52) 382 -4 500 f, i .. .. l (352)',422-0751 t P ,^l..reaul I - Gole House .or.0,upr, Realty 0...Dole I E,1: 3--.. S.:aI 1.f 352- 344-0571-. List with me & gel free "9.8 MILLION bu, i.e Pa,. oa il::ir,.. name warronly. 2 0 ; ' ''': 'i': " S No transaction fees SPId 2005 (352)'527-8764 (352) 586.9072 May I help you www citrusbuilderonling tjUy21 NEXT? rlew Homes on your " land in c, il- .. J ,..:. .. 01O Iur.':.-i H :.'r, teC s(352).697-1655 Nature Coast Over 3,000 nn Homes and -, Properties I I.... .listed at wvwnaturecoast a' .-hb mefront.como J L Deborah Infantine r c Top Sales REAL ESTATE CAREER' 2004 & 200 Sales Lic. Class Inverness Ofice I $249. Start 3/28/06 EXITREALTY LEADERS CITRUS REALESTATE (352) 302-8046 SCHOOL, INC. I (352)795-0060 . SpotHed 2% DOWN BRAND NEW m L m m w,'J1 3/2/2, nicel/4 acre lot. Reduceal! Bring the - D og up .rae. if..or iiie appi Horses, iu .I : ..' Pega., 'ApilI I t4 '":,:,' r.:'.- '99 3.'2, DW iJ 0. Real Estate ,:al,:,..;:.;2 '.p rr,.:1 ,. D .W (352) 628-9191 o. ij: I-' icPa 'E e I.-0 h r pr.D eF-r& l ,r, ,, .jr , 352-613-Q232 0* Woo* SITS ON 1 ACRE" Best Buy New* B.ul .NEVV 3 ?' - 4,3,2 ..,' 2 L.-.r,u: l us 2".. ,owr. rr ., 'r !..in '; '.''- J i ura ded i:,'" l p ' ,. C r i ni,', r : .ir.. ,. 1 3-4 y ,) ea, pr I 'uJnaO .:urr'rr,l ull. ri Call 40:7.227..2e 2 pri.:- Open Sunday Bonnie Peterson **** 12-3pm 152 Daisy St. Realtor Call owner!agent ea 561-644-2100 -. isacn is 39%/2.9% .2-re .'..r.: ....' .,e my Futbrrel Full Service Listing, ,-r .g ,:,.n ._':.jr.: . r ".r. :. i oOar. r. l3, F,1 -I 1r l .; el ito r (352) 794-0888 I to H Fe .-71 mr '. .:... er C Iuu (352) 586-6921 r.. F e,,er.. . 3.t)o .. n rr2ma2 le ,- er. Exit Realty Leaders of C.. t'pc re '. - (352) 228-7756 Crystal River ; BY OWNER 3/2,,2 Crystal River BY OWNER 3/2,2 $150-Millron SOLDIII A MAINTENANCE FREE BUYING OR i-. : ,-o '.r.)f i i i 11,) H.-.rre ir, THE HAMMOCKS SELLING? CALL ME i oi. H.:.r,- a,,a- on the. FOR RESULTS! i l,..i -ni,.:,: " $289,000 (352)382- .1370 RON & KARNA NEITZ $289,000 (352382-370 BROKERS, REALFORS- BY OWNER 3/22 CITRUS REALTY GROUP. V"i .- neA.,n-. lr, A ..3 .4.( 2)795-0060 " cul'd.z'o '... it r ,1tA J -i-- -, .A;2 -- I 'iu'Jys 'Itsi ./id McDonald, ,c~er..,, isa', 'al he-aled 'i' ''* '1 t, (352) 637-6200. pool Ne'A floor.ng r.n.. J . Picr en. ar. 6 l aundry . Camridsil ce,inIs Open '- aesgqn a, bigrht & a.ry Up gr-aed .:elinrg larns .a . i,gri Sprinkler ,sstirn Call Me V ' Waler Punfictior NE.A PHYLLIS STRICKLAND Appliance A/C .N.(352) 613-3503 :'52-430-439 EXIT REALTY'IEADERS DO YOU NEED Reallor .ADVISE SELLING 'My Goal Is Solisfied m',. OR RENTING Cu e YOUR HOME? S [lK REALTY ONE .* WE SUPPLY ALL THE (ar.rl.sllng AgnLr i 1114i FORMS FOR THIS Lhii.anding RLIrs - SUROSE. (352)'637.6200 . GORGEOUS 'POL -JHERrAAISIBLE Are - HOME BY SWEETWATER i B.r ' IN THE ENCLAVE CONTACT Selling WALLED. COMMUNITY .. ... r.r n n.rde ' Selling 2 fr, .Dr n r aei -U; DYL:2ELTZER .., -'4 ADVISOR $389,000. 352-382-3879.' .r AD OR CitrUS! - Need a mortgage (35 )697-3456 & banks won't help? NO Transaction- . Self-employed, How To Speed fees to the all credit Issues Up Your Home feeso the bankruptcyok. PYur Hm Buyer-or Seller.: - -;.::,nrat- i k.r ,ioo i Sale! -CallTo day ,:,al 11.1 F 352-344-0571 Onlie : rnaI T .... - NEW 2006 4/2/2 Minutes debbl@debble frc..m E.pre:: -.a,' a 2' 1.' Cver.om iqyen Regfy. Inc: Lea.eir.ur.:choi ,opi, Or, O.tr.I n. horn E52)1,+&1515 , .oil Call Peree 352-795-2441 - 888-624-3382 DEBBIE RECTOR -:'MIR.IJRUS - 3/2/3, exec. home w .',, ier ", ".,l1. r rta p I ,':":'* : 1 l ,ri.rr.acuiti. el -) i * I.Tol. .a3,lel3 )i,, rOne PRICED REDUCEDI wyw ,uyflorlda ' (352)476-1569/382-3312 homehow com ca,m * $274,900. 183 Pine St. ,,. ,, ', * 3.9%/2.9% ALA'N NUSSO - Full Service Listing 3.9% Listings INVESTORS- Wr,, Fa1 .lc.ie.?' BUYERS AGENT .R ,Ic. Hi..3er, Fee, BUSINESS BROKER -: 25.,r E.pererce (352) 422-6956", Call & Compare $150 -Million SOLDIII IELA K. WOOD. GRI Pie.:e C.II 1.7r 0era1. : j Broke r/ ealtor LI.nr. ,5 Ha:,n-,e .'0 Yiu l Eslate nI 'tnw redl rivev 1.i3rser Araials nsulnsulowtwlth vilsioni ,Street side orr. & .KRJ .J PARADISE REALTY & High Bluff,gorgeous ln RON & KARNA NEITZ Investmenls Inc. tenor 2B/lB w/fc, BROKERS/REALTORS 7655 W. Gulf to Lake sep. studlo/B, .23 acr CITRUS REALTY GROUP Hwy., Crystal River 352-4650635, 615-989 (352)795-0060. (352),-s795-9335.g ..sg $199500 .," RTIC US COUNTY ( ) HRO E Gra Selctina All aks AllSye STARTING^ , -mN Friday, March 10th- Saturday-Mamh 11thq. a yv, M ar h 12 7 71 7 i 'mI SATURDAY, MARCH 11, 2006 ISC t-,^,rvc FL C T nrtj CITRUS COUNTY (FL) CHRONICLE 40t ANONIn &Verfle55 jp~Rdvomsa$5a2n I ---.NMIL L 2006 Chevy Impala LS MSRPM- .... ...... ..........................* 21,y990 YOUR CRYSTAL SAVINGS..................... 1,300 2006 Chevy Colorado MSR ..............................................5,390 YOUR CRYSTAL SAVINGS....................... $500 MFG. REBATE....................................... 1,250 V., Automatic, OnStar, Seats Seven, CD, / Cruise Control, p . Power Windows, Power Locks. 2006 Chevy Uplander MSRP ................................................ $20,995 YOUR CRYSTAL SAVINGS........................ 1,004 MFG. REBATE ......................................... $1,000 Sa dE Ie 2006 Chevy Colorad- MSRP................... ..........................21,990 YOUR CRYSTAL SAVINGS....................... 1,995 mc1^ ^^_^ &^^m..*^^'ii 2006 Chevy Cobalt 2-DoorLS -i ; MSRp .................... ....................12 990 YOUR CRYSTAL SAVINGS ..................... ** 6~ ^k Jjr^^r3 -PFee~clude.eia g.lleaqII.nadealer fees t-99 Oi lirenaies cuslorner Io,'alti and dealer incent*~es includled -PPFO~albased an Credini scores Ehpires. Ine iollc...ing rlonda of .d dale See dealer for deiaiIs Pnoio. for Ilusiralion pur aeoseogly 24 HOURS/7 DAYS AT 0"Eoydrsa uliidwoO nd1-4 95 MERCURY TRACER 01 FORD TAURUS WAGON All power. Reliable, affordable. #26189A #9101T 2,994- 8,1046 03 CHEVY 03 SATURN 05 KIA 02 CHEVY 02 CHEVY IMPALA VUE SEDONA S-0 EXT CAB PAS'SENGERl"AN GM Certified. #9140A #N6197A Great family van. #9156T Hard tonneau cover. #91'27F Attn: Churches! #N6050B *12,189 12,998 $13,488* $14,888 $4,998* 02 DODGE 06 CHEVY 04 HONDA ODYSSEY 06 GMC SIERRA 05 FORD 04 CHEVY 05 CHEVY 06 CHEVY SILVERADO RAMVAN H.H.R. -Loaded, factorywarranty. CREWCAB TAURUS COLORADO REG CAB SILVERADO EXT CAB EXT CAB500 Handicap ready, lift. #9237P 2 Left, GM Certified! #9133L #26167B Only 500 miles. #26133A Lt. green. #9205P PL, PW, cruise. #9232P Excellent buy. #N5297A PW, PL, V8. #9229L $16,784 $s8,984, s20,854 f 27,450 $16,888W 17,488 $19,998- $23,4RON 71 1-877-MYCRYTAL OCAL 1.877-MY-CRI 795-1515 1.877.692.7978 637-5050 1.877.692 . 1035 S. Suncoast Blvd., Homosassa !STALAUTOU.COEM 1 ) , * I. v ,1 jLO%.i; )ATURDAY, MARCH 1-1, Z-tJLIU lLfte sA-rimi-my- MVRCH 11. 2006 i.-., 2209 Hwy. 44 W-est,, I. LOV CE T3FED PRE.3E HnuwPONTmS'v[Aspi:TY k fInufm~j?4 12Uml;eTmfl.Pe,0G IKuESEMTITuErlffWARRANT 36 month dosed-end lease, 12K miles per yr, 20 per mile thereafter, plus ax, lag & lease fees. S2,000 Cap (Cost Reduction due at signing odysseyy S3000). In stodc units only, not appka with any other offer. Residuals: civic LX, SI 0,7165; Accord SE S13,238.50; CR-V, SI2,375.25, Odyssey, 517,945, Ridgeline, S16,364.70; ilol, SI7,154.15 "" Coupon must be presented prior to negorlation. Does not apply to any prior sole. S* (66200 1z fmboS99dfgo mu 4:651tfnh~fLI .kjf~.t~lO RTIC US CouNTY (FL) C m SATURDAY, MARCH 11, 2006 17C tpT I r-nwrt-Tp 2..AU VRSK, .t 1712 house under roof, 7157 W Dunklin St $130,000. 352-422-4824 FOR SALE BY OWNER Super clean 4/2/2, on .68 acres. Over 2300 sf. many extras.Great location.SW Ocala $289,000.(352) 291-0906 OCALA-OTOW 2/2/2 Lg kit, laufidry/rm, 55+, Ig screen patio, great, rm. Partially turn. $199,900 (352)237-7879/873-0063 Over 3,000 Homes and Properties listed at homefront.com Over 3,000 Homes and Properties listed at homefront.corn Over 3,000 Homes and Properties listed at homefront.com BY OWNER 2/2, off Gospel Isl.Rd. Inverness. Laguna Palms, $105,000 Possible owner finance (352) 461-6973 $ 100/mo. This is'a- must see. $95,900. Call Jason at 422-8095 Good Location, first floor 2/2 furnished Screened Lanai, great view, club house, pool, facilities, etc. Invervess $98,500 (352) 489-1456 GREENBRIAR, Citrus Hills Condo, C--+a .:.per, view, quiet area, large closes, upgrades,: new appliances REDUCED WON'T LAST $142,900 Owner 352-302-3467 MOVING BY OWNER 1/1 heated pool, low maintenance, Crystal River, $79,900. Days 352-628-2855 CITRUS SPRINGS GOLF COURSE LOT. $64.900 ALSO 1.12 AC. LOT, $57,900. (352) 212-9918 MARCH 11, 2006 - I nt |o Homefsr^ Lakefront 1214 Lakeshore drive. Inverness. 2/2 Fl. Rm. Scrn. porch boat dock, beautiful trees & lot, city water & sewer, great lake view. 2 blRs. from With. trail & public boat dock. $279,000. (352) 341-0509 or (434) 489-1384 LET OUR OFFICE GUIDE YOUI Plantation Realty Inc. (352) 795-0784 Cell 422-7925 Lisa VanDeboe Broker (R)/Owner See all of the listings in Citrus County at realtvinc.com New Home 702 S. Juniper Way Off Gospel Isl. Rd. 2/2 Ig. oak trees, beautiful lot $279,000. Call Harvey (352) 341-0509 or (434) 489-1384 Open House Sunday 1-4pm ,"By Owner 3/2/2 lakefront in Hernando. 395k, Call for directions. (352) 697-3124 CITRUS COUNTY (FL) CHRONICLE Crystal River 2.39 Acres, Impact Fees paid, elec. well & septic. $75,000. 5530 North Tallahassee Rd. Call (352) 422-4824 or (352) 522-0058 DUNNELLON k11/2 acre, 488 & 41 $55,000. (352) 628-3551 ,302-7816 INVESTORS BUILDERS LOTS IN FAST SELLING AREAS FROM $5995 CALL 954-319-7954 LESS THAN BUILDERS $ Lot w/utll. near new construction $42,000 10264 N. Elkcam Blvd. E a.jovan@worldnet.att.net We Specialize in Helping FAMILIES Acquire A Quality-Lbw-Priced Building Lot. 1-800-476-5373 ask for C.R. Bankson at ERA American . Realty & Investments cr bankson@era cornm FOR FREE PACKAGE of Lots & Maps Call 800 # Above Lv. Name & Address PINE RIDGE 1AC. EACH Mesa Verde or Rosewood (352) 875-4024 PRIVATE OWNER MOVING. Grab these beautiful Citrus County 1/2 acre lots on Lk Rousseau and Old Homosassa Canal. Ready to build. Rare find. $200,000 each 727-644-8228 Reducedll Bring the Horses,10 acres, w/ nice'99,3/2, DW, 1850 sf, fenced w/ stalls, room to build, impact fee pd. live on property while building your dream home $225,000. 352-613-0232 INVERNESS .87 ACRES Beautiful Oak Treesl quiet dead end St.in city limits. Zoned LMD/R3. Build a home, day care, church or school. $94,000. (352) 688-9274 I ACRE CITRUS HILLS Beautiful treed. High & SDry In neighborhood of .expensive homes. Central Water. Priced right to sell at $69K/obo (352)637-1614 1,+ Acres, corner lot, On ILearwood & Tall Oaks. $105,900. PINE RIDGE ESTATES (94:1) 729-9287 1 ACRE NEAR HOMOSASSA $28,000. Others available 352-628-7024 A LAKEFRONT LOT On Inverness Lakes Fish, Boat, Relax, Build, Invest, It has it all. (941) 400-3743 BEAUTIFUL 1 ACRE LOTS Linda St. NICE $29.9K; Crystal Manor $45.9K; Citrus Spgs from $29.9; LibertyRE 561-792-1992 Beverly Hills Laurel Ridge Golf Course Comm.- 1/4 ac.-$63,900 Inverness Cambridge Green 1/2 ac. $68,900. (630) 205-9363 CITRUS SPRINGS Beautiful Duplex lot., Priced to sellll 1-800-314-8221 CITRUS SPRINGS 1/AC. MOL, Riley Drive. $44,500. (352) 628-4042 CITRUS SPRINGS 20 Lots avail, by owner. Some corner & some oversized. Most have until. 29K- 34K 407-617-1005 CITRUS SPRINGS 3 lots, $29,000. each. 3020 & 3004 W. Linda Place, 176 W. Brimson Call (352) 522-0058 or (352) 422-4824 CITRUS SPRINGS LOT On West Parkview Drive near Elkam Blvd. Great area, schools nearby as well as 2 golf courses $320BO. 863-602-1220 INVERNESS Recently surveyed. 100XII15 asking $25,000. 352-627-3126. Beautiful wooded lot In very desirable subdiv. Cheap. ,iTCHT RE SMW, PREMIERE LOT Deeep Greenbelt, $79,900. 1-727-494-1545 -T-- H WAYNE CORMIER .- N MMM-- - Here To Help! Visit: waynecormier.corn (352) 382-4500 (352) 422-0751 Gate House Realty Wooded Lot, Sugarmilll Woods deep greenbelt, side easement xtra priv. $59,500. (352) 427-5834 - gW t r on a. CRYSTAL RIVER Building lot on Lake Rousseau w/ access to Rainbow River. Located In Gated Comm. on 1 plus acres. $310,000.00 Judy Williams w/ Mary M Myers Realty, Inc. at 1-800-294-3856 ext. 106 or 863-206-3924 CY-ASSICIFEEIDS C= oa .00 Lots = for Sale SPACIOUS, SUNNY 6 room 2/2 bath Condo End unit, with deck, screened lanal, vaulted ceilings. Located in SPelican Cove with exclusive amenities including clubhouse, heated pool, and tennis court. Attached garage, deeded boat slip with Gulf access. A live-in investment at $430,000.,. by owner. Crystal River (352) 564-8692 Tracy Destin r 2'2 Beautiful condo fa ;,,jl-.u: i.-ii .io Mr. ": .' i.3, ''.'5.20 ,0,i ., I: .IN L :. 279638.Plantation . Realty 352-795-0784 = 21. Nature Coast CRYSTAL RIVER 3/2/2, Boat ULift, Dock, Deck. $469,900 (352)465-1261 (352)563-0970 Crystal River OPEN HOUSE Sat. & Sun. 3/2/3 Pool, dock, F/P,, Price reduced (352) 628-5563 FSBO Waterfront Dixie Shores. 5/4 w/in law appt. /jdtimm (352) 564-7076 Domson Realty Services Specializing in all your Real Estate Needs Please call for a free r.lorber t rnaol .': 352-795-0455 WE BUY HOUSES & LOTS Any Area or Cond. Call anytime, Iv. message 352-257-1202 LISTINGS NEEDED BUYERS WAITING auction.com Florida Realty & Auctions. ,(352) 220-0801 1 Acre, high/dry; fenced, Circle M ranchette, CR 488 $35,000 (352) 249-1149 5 ACRES, In Lecanto border Stat. Forest fenced, private road $150,000. 352-302-8044 Cheap Lots by Owner Best Areasi Lowest Prices guaranteed! Call (954) 661-9267 or. cjb.net BEAUTIFUL CITRUS SPRINGS Citrus Springs Lovely 1/4 acre lot on developed street. 7681 N. Cricket Drive, $39,900. (352) 527-2629 Beautiful 1/2 acre lot in Citrus Springs, Fireside Dr. Near Elementary School. Have recent survey. $55,000 OBO. 352-212-3069 day or 352-489-1462 eve Beautiful wooded -building site, I acre, 3386 W. Birds Nest Dr. PineRidge, $98,500. (989) 868-3409 BELMONT HILLS 1385 E. Seattle Slew. 1/2 acre. $84,900. 352-726-8508 CITRUS SPRINGS GOLF COURSE LOT, $64,900 ALSO 1.12 AC. LOT, $57,900. (352) 212-9918 CRYSTAL HILLS MINI FARMS beautiful 2.5ac Wooded lot, asking $65,000 352-212-7613 3 MOW/ 3000 MILE LIMITED WARRANTY .It i = cc c= Boats I i CRYSTAL RIVER, LAKE ROUSSEAU, RIverwooa Rd. Wide, deep part of lake. Over I ac. 200' of waterfronL Ready to build. Spectacular sunsets, Great fishing. Similar lots priced over $300K. Priced or outel uck sale by owner $225K/ =i6 (352) 302-9777 Waterfront Johnson Outboard, looks excel. 1987? $375... (352) 465-2130 Boat Seats, back to back gray, lounge,.8" base, brand newstill in box. $200.palr (352) 563-0801 Your World Ci IHONICLE . . :4' W Propeller Wood, Air Boat Sensenich, 72 x 44 reconditioned & balanced $400. (352) 447-6281 Wanted To Buy, non running, 2 cyl. outboard motor, under 10 HP. Retired man wants to fix for fishing. (352) 628-7818 0000 THREE RIVERS MARINE CLEAN USED BOATS We Need Them! We Sell Them! U. S. Highway 19 Crystal River 563-5510 1 person fiberglass canoe $50.00 (352) 344-5135 16'AIRBOAT w/traller; Excel. Cond.; $8,500 firm (352) 564-4225 Alumacraft Super Hawk, 2005,15', 25hp Mercury stroke motor, troll motor + extras, $6500. (352) 527-3019 BLACKFIN 1979 25' ,w/traller, twin 10; as Is $5,000 (352)422-5683 or (352)564-4225 2-2 Person KAYAKS $300 each OBO (352) 726-2553 Boat for Sale , 1975, 15' 50HP motor+ 10HP and trailer $1,400. (352)621-8020 BOATS 8FT Fiberglass row boat'. 8FT Fiberglass 2-man 1, bass boat. 13' 6" Fiberglass kayak, $150 , ea (352) 464-0316 , Carolina Skiff ' '05, J16, '03 30HP, EFI, , mercy. 4 stroke, tiller i contr., front deck, 2 fish.'1 ing chairs, bimini top, - bilge pump, lights, extrd - prop, anchor, gal. trail.l1 $5,995. (352) 628-5999?J Cobra 16' Z"' live well. 50hp Johnson, flshfinder, depth finder, fully equip., $900. ' (352) 563-1905 nights. FIBERKING ":, 14', 15 hp Merc, 36 Ibr thrust trol. mtr., perform, galv. trr. $1,600 OBO" 352-341-1102/245-224.2, HARRIS 20' 1989' ' De. ,. iIn I.n oa BiBTI .:.p rSHF L.31e hl.:.a1-i f.1a0 1 ri r ,. .jr ir,.Il Irl $5800, (352) 697-3779 : HURRICANE '04, model 217 22ft. ; Sundeck Boat, I .HP yamaha eng. mooa: .11'l tandem trailer, w/ ' leE,:l c-oal ..rrch . les Ir.er, 30 hr: iL.-t in AI.1,.If.1C .D airrr, - s-rnk l L rio w r , e .,:el ,:C.r. i ,r ',In $31,500. (352) 586-6746, (352) 527-2226 t. evenings/wknds SATURDAY, MARCH 11, 2006 19C mC. 9 352-795-2597 Keywest JUMBO SHRIMP -13 -15Ct. $5.00 lb Misc. Seafood 795-4770 LAKESPORT -1.998, 17', Bass boat w/ 40hp 1998 Mercury, less than 35hrs, trailer. $2300 .! (256) 239-6945 Fitted canvas cover. ; r $250/OBO ;"- (352) 563-0965 ;.PONTOON BOAT 40 HP, Yamaha engine, ." recently rebuilt, new 'wood firs. .& car. needs f seat repair, no trailer '$2,000. (352) 344-2606 SPorta-Bote Folding boats, folds to .-4" thick, new boat, .)back from recent show Jor sale at discount, plus -'3.5HP Johnson motor -, (352)7564-1390 2* n PROLINE '18ft.w/:102' beam "'(compares to today's ,32') '86/2000, Twin S-Johnson 150's w/ SST -130 hrs,, all elect. bie owner, excel, cond OBO,500.(352) 795-3002, (352)'795-3317 '* Proline Pro-24 -! ,3rno o-r.a t". tri ,, bllIr, le ,i pe. ready to ish $12,900. SOBO(352) 628-7604 rt 1 Ranger J1984,171hFt, J115 mercy , o' trailed Vr lot' of. evtra $2,700. obo (352) 212-2689 SEA-RAY i9.5 26, Car-iru. oaI , good conc:"ior. reea: Tmotor l 500 (352) 527-2600 SCAROUNBIRD eFT l rJeprure ,-ril-r 5CO-l.HP Yamaha .:rr:. 2crl,' c. r:r ia I .. r, ,, 0 C& 31 iT -l,..r iroid-r Trailer Included -1976 S Suncoast Blvd. -"Homosassa, FL 34448 is6 5th Wheel Kingpin Stabillzer Jack Le re... tri' lie.', Goodyear ST225/75R/ 15 ic>3 raro ea I1 ,.r r liu- .ri-el -: '.352) 560-4292 B lue Ox '-Telescoping tow bar, $250. "Call (352) 860-0124 Firestone Airshocks to-.i 09 .000 .-e.,, I .:n I Cpil:.up 1110 (352) 560-4292 FLEETWOOD 1994,32', Bounder, ,.generator, Jacks, king ,-bed, 47K, new tires & S t4rans, clean, smoke t'free, much storage, '$27000 (330) 416-3516 Sor (440) 821-0722 5Fleetwood 32.5' 1990,47k, loaded, -Di 3o.a :rapre .rl,' -../ IJ '14 11U 1 t.lu,:! : 111 (352)341-3372 ; Gulfstream '04 BT Crul:.r 2 ff 200'i m l nit.: r. rJ '3','. rarn c'. ,: F . (352) 637-9278 Holiday 24' "1977, low miles, new S brakes, Sne, ,J TIC $2,500. S- (352) 637-5525 Hyline '06 -Urin cM '',O ca;r,. -take over payments (352) 422-1467 o Malibu Cobra S1991,34' loaded O basement model.. 17,600 miles, $22,500. *3$2-447-4488/447-5480 wMonaco Monarch SH'34' 2000,30k miles, 'w/sllde, neutral colors, S.V10, Howard steering, $56,000. (352) 746-9457 I R Vision 02. Condor 9,250 mi. fshlde out, Jacks, cam- era, 2 AC's $58,900.obo (352) 795-9344 S-Search 100's of SLocal Autos SOnline at ,'2,Ww.naturecoast S* '., wheels.com SHASTA i *9. 1 i1,000mlon 'r --... .-.:. & trans, S-0.1:,'BH' -lernando. SFor more info. 352-726-4987 S218-390-0600 Cell ..lldeaway In the Hills "* Looking for a good laIce to go for the sum- # .er? 35' RV on 2 LOTS, Jlhing, swimming, golf & more, $27,500. 407-304-0108 Avion '99,5th wheel, 3 slides, awnings, like new, $25,475. w/ hitch (502) 345-0285, Florida (352) 447-0623 PREMIER 5TH WHEEL 2006; 36' Triple Slide; 2 BR; Acces.$37,000 Consider Trade (352) 586-6801 PROWLER '93, 26ft., Air, awning, new fridge & tires, excel cond. $5,400. obo (352) 382-2272 VIKING '00, pop up, AC, sleeps 6, clean, $4,500. S$140 each set (352) 564-2545 Fiberglass topper, 8' bed for Dodge Truck, White. Cost $800.,: Se11 225 (352) 447-5573 Truck Bed Lid, fiberglass, red, fitsamall truck; 6ft bed, $350. (352) 465-6818 ATV + ATC USED PARTS Buy-Sell-Trade ATV, ATC Gocarte 12.-pm rDave's USA (352) 628-2084 CONSIGNMENT USA Car-Truck-Boat-SUV C4?H OPCONMQ(PI '5':,: ol : o I uc.e: 1. 1 fee I.-- e ler';0' ,.v Jw Uli9-airpr.:.n 212-3041 FREE REMOVAL OF ".' Car i '..' let :Ii' ,,reei 628-2084 2001 E320 Mercedes Pristine. one owner. Low ml. Warranty Reduced S215 i or call 800-728-0290 --- 2003 Jaguar XJ8 V8 Pristine, one owner. Low ml. Like new. Reduced $31.1251obo or call 800-728-0290 2004 NIssan Sentra Like New, 13K mi. Factory Warranty Reduced $10,700,/obo cam or call 800-728-0290- '03 Buick LeSabre, loaded, White, $12,444 Call Steve or Alan 726-1238- orAla 726S-123 '99 Plymouth Voyager pass, V6, Optlons!....$5,995 '04 Pontiac Grand Am SE Dr Loaded, Red, Sharp.$9,985 '02 Lincoln Towncar iuxu Leathe Loaded.....$3,985 BMW '85,325 SE, $2,000. ab , (352) 628-6614 1998 CENTURY 273K, $2,100 Nice Car, MAKE OFFER (352)628-1196 BUICK '87, Park Ave,2nd owner,.92k ml, very nice car clean, $1,950,.' (352) 613-3095 BUICK LESABRE '03 Custom, Bronze Mist metallic, taupe Int. Air, all pwr. 20k Sr owned $13.900, (352) 527-1138 Call Us For More Info. About New Rules for Car Donations Donate your vehicle to THE PATH (Rescue Mission for Men Women & Children) at (352) 527-6500 Your world first. Every Dizv rl Boats 1987, engine drvlyes great, needs trans. & paint & body work. $600/obo 341-3668 PONTIAC '98, GRAND PRIX GT, 4 DR, PW, PS, loaded $5,500, obo (352) 795-8968 PONTIAC FIREBIRD 1992, V-6, low ml. Gd. cond. $2500/obo (352) 228-2575 or (352) 220-5292 Pontiac Grand Am GT, 1999, 4dr. 83K all opti.-.n Sr O.'.rr t n Ot, K, (352) 382-4029 Search 100's of Local Autos Online at wheels.com I'l **ilu, I BUICK '93 Skylark Cust. 4dr. loaded, AC. gd. mi. V-6, Great mpg, $2575 352-382-4541 CADILLAC '99, DeVille, 67k org. ml. garage kept, mother of pearl paint w/ bik cony. top, runs & looks great $9,900. (352) 860-0444 CHEVY '94, Corsica, needs transmission, runs well, $500. (352) 613-5364 CHEVY CAVALIER 1988, looks & runs great. A real gas saver, wall the power, $1500/obo (352) 344-2615 CHRYSLER '97, LHS, V6,27MPG, extra clean, mechani- cally sound, low ml. on motor & trans. $2,900. cell (517) 414-1003 CHRYSLER SEBRING '04 GTC Convertible white/tan, 27K, full pwr. like new, $14,900 (352) 382-4008 CORVETTE 1980 Stingray; BIk. ext., creme Int., original equip.; great cond. $6,900 (352)613-5630 CORVETTE 2000 Silver Coupe 37k miles,ext warranty, ask- ing $24500 352-382-4331 or 352-228-2007 CUTLASS CIERA 1989,28MPG, exe cond., 67K org ml, $2200. 352-586-1031 AFORDABLEC S 100 + CLEAN DEPENDABLE CARS ROM-1325-DOWN 30 MAN. E-Z CREDIT M-US19-HSMOSA DODGE ASPIN 1978; 6.cyl, 4dr, $700 (352) 489-0403 EAST COVE AUTO SALES '00 Ford Taurus. 53K $6,500; '01 Ford Wlndstar, SEL pkg. 62K, $9,900; '96 Ford Mustang 68K, $3,895; '00 Ford Ranger, 4-dr. loaded $7,900 (352) 344-1110 Cell (352) 613-0400 FORD 1990 Taurus GL wagon, runs good, loaded, V-6, 3 ir re-: .clean G.o-od ga.; mileag 1 100l (352) 746-9715 FORD '93, T-Bird; LX, V6, needs work $600. (352) 634-1057 FORD '98, Explorer, 86k ml., leather int., full power, auto, CD, very clean $7,900. (352) 212-2715 FORD CROWN VICT. I';.0 perre.:ur c .r,. 2.'mpq. 4 :4'00 (352) 726-6261 or 302-0752 FORD FOCUS LX '000 greer, .., 0'0 mi er, gooa con., 352-746-4033 arer 6p HONDA i0'0 "c.",.a L' Glue ,O 3 CL' r L. L .tu.C '..ar. I.'pl,. lO\ ": & rur,; e,: 53200" U (352) 52Z8 qL . 'MAZDA 30 MIN. E-Z CREDIT 1675-US19 -OMOSASSA I 03 M.iala Exc. cond, new top (black), new paint (red), new Air cond, compressor, converted to new type gas, 128K. carefully driven by school teacher, 1 owners Very desirable model w/ pop up bug eye head lights, $4500.. - McClarenKR@aol.com (352) 489-6745 MERCURY 1989 Grand Marquis, very good cond., all power, ice cold air, $1,100 (352) 795-8863 Mercury '90, Sable,V6, 23 mpg, auto, looks good $1,500. negotiable (352) 637-2983 Mercury '95 Mystique -J c., 5 .d ii:k L,C $1,600. neg., economical (352) 637-2983 Mercury Sable Wagon 1999, Blue, (352) 795-9217,' Cell 314-578-3934 MERCURY SABLE 1996,LS, P/SUNROOF, LEATHER, LOADED, Emerald Green ONLY 85,898k, Floral City $3950. 813-436-3779 Mustang Convert. '95, wht/new bik top auto, air, new CD/ster. BIk/Red Int. Runs/looks great, $5,000, 212-7018 NISSAN '02, Xterra, 2WD, 48k ml. '$13,500. (352) 382-4727 NISSAN 1993, Altima GXE, 4dr, 4 cycl, auto, loaded, cold AC, new tires, gar kept. cleanest one around, 137K, runs & drives like new. $3850(352) 697-0889 NISSAN 1996, Sentra GXE, 92K, AC, Pwr locks/wind, white, beige ent. good cond, $3500 (352) 746-0815 PONT. GRAND PRIX '65 GMC/ '64Chevy BOTH $3000 (352) 341-1539 CHEVY SCOTTSDALE '79, Shortbed, stepside, parts truck included, $1,000/obo (352) 344-2615, Iv. msg. DODGE '0l, Dakota, $8,000. firm (352) 621-5034 DODGE 2004 2500, Cummins diesel, auto., 4x4, long box, Michellns, poss, owner finance $27,000 obo (352) 726-9369 DODGE 2005 Ram Quad Cab SLT, 1 tn diesel, silver, 4 X 4, 7,800 miles, dual rear wheels, Reese ,. hitch, fiberglass topper, much more. $35,000 (352) 527-1123 DODGE DAKOTA SPORT,'00, tilt, cruise, Tonneau cover, Mural. on hood, Good, cond. $640.0 (352) 228-1606 Dodge Ram 1500 2003, SWB, reg cab, 21k ml. 1 owner, 3.7, V6, auto, trailer hitch $10,000 (352) 613-2168 DODGE RAM 1984, 4X4 Longbed. Runs/Looks good. $2000/obo 352-476-2306 DODGE RAM 1997 Black, 59K ml. $8500/obo (352) 621-7714 DORSEY 1978. lurr,,r,-urrm F Sp.ec I:'k jur'nr. Trail. ei '.., roll up ltorp rl..e trailer, ready to work $10,000. (352) 212-0451 FORD 03, F250 XLT, 6.0 diesel erng *'.uer dut,' pli.k up E-1 .ot. 4 Cr en c.C .I' topper & tea. liner OuriO rar, iPW & marn.,' .iroe; .cel cond 651 rrl i22 500 (352) 637-2023 Ford 150 XLT 1999 416 8'8 e,i cat, outo all pwr good cc.r.o. aK:r,a iC00 (352) 746-5093 FORD 1 '8 f-. : -1 !i, l' ir e 6. j .1 11e & whe i.'c- ..irlr Runs greatly .2 200 (352) 726 p094 7. FORD ; '97 P,; 1. up 14-0 ic:-,v g..oo, -'- .:pla slcl. $3,400. negotiable 1352) 637-2983 FORD RANGER 190.5, red cold air ..pd 4 :vli rur; .great 1'02. (352) 212-3997 ISUZU '91,P',:lup Urjrgreal gas a er Jc,i will trade for bigger pick up or will sell (352)628-4657 Search 100's of, Local Autos Online at wheels.codm Toyota '98, Taccoma e.1 cab topper, irer n.irr. C' ce!i co,Ind .. m I ..r,hre $7,500. (352) 465-7755 TOYOTA TACOMA '00 SR5 E1. Co.3, S :pa, 4 cyl, 67,000 ml. wht. cap,.trlr. hitch, & more $10,000 (352) 563-0434 2005 JEEP WRANGLER X 8,422 mi, S20',999,4,dI pkg 24x, A/C, PS, Tilt, Cruise, AM/FM/CD Ster- eo,7 spkrs, FrontAir Bags, Premium Wheels, Silver w/Soft BIk Top,' Side Steps, Tow Pkg, fog ' Its & more. Immaculate condition. (352) 422-2038 '05 Chrys Pacifica 3 royw seats, WLCT, Silver, $19,994 Call Steve or Alan 726-1238 CHEVY '89, Suburban, 3/4 ton, sllverado; tow pkg., loaded, 1 owner, good cond., below blue bk.. $2,100. GREAT BUY (352) 746-0921 JEEP '01, Cherokee Sport, 4.0L eng., 55k ml., many extras $11,000. (352) 621-3183 JEEP CHEROKEE '99, 100 K, A/C, Pwr, Exc. Cond. $6,200 352-637-1531 or 352-613-4646 JEEP WRANGLER 1997, Garaged, Beautiful 51l ml. loaded, $8,300,-r. , (352) 746-4859 Search 100's of Local Autos Online at wheels.com CiriJi2. TOYOTA 1996, Corolla DX, 4dr sedan, auto, pwr, A/C, tilt whi, exc cond, $4000. (352) 527-2769 TOYOTA CAMRY '01,4dr.,4 cyl., auto., white, nice cond., exc. mileage, $7,800 obo. Possible owner finance (352) 726-9369 A CLASSIC CAR WANTED American or Foreign Will travel, Cash waiting (407) 957-6957 Chevelle '66, 427 clone, 4 spd SOAl 4Kb 'u Chnrysler I DODGE ;'",, Granrd Cara,on gooa c:.:..3 ;:,:''O BC' (352) 726-5844 DODGE '77 niru e-T o parl; to go .D.,h $600. (352) 277-4195 DODGE VAN 1979 e:lerded.3 Ullir, .'hicle njr: ,utf neeOi .,jork C500.,o'ot (352) 489-8394 FORD '97 one o.\r,er 6ecel conrd "C e..erltrang ,vor: $3,895. 302-2865, 352-746-9624 Ford E150 i9.,d -'2.800 (352) 650-7433 KIA 20:1.2 Saaona E.'. .lear,. -larrer po': moon root. alto mAr li00',Om. wan. S.90S, (352) 489-0053 Search 100's of SLocal.Autos . Oilflrfeat ' wheels.com MR CITRUS COUNTY REALTY AtV + ATC USED PARTS fu,-;el r.5 :l r.. rC ,Go nr i -.6.p,-, Dave's USA (352) 628-2084 REWARD for Info Hon.a.' 30 E J.-.,r eeleri: sloler, .lar.i 10 Ironm Lecanro (352) 382-7039 SUZUKI 05, Z400, white w/ blue, o.rl., .50 rr. 3 yr warr. , '`1 201 OBO. (332) 746-4859 SYAMAHA BEAR TRACKER r'ur.,, reat prl..- rcau:.- $1495. (352) 274-7149 Ha(ley Softtail Deuced. 01, Silver, 425 miles, Harley slash cut mufflers, security sys., $15,400. (352) 220-2324VTX1I300 SAVE 06 VT750 Aero SAVEI (352) 795-4832 HONDA VALKYREE INTERSTATE 29K Black $12,000 Best Offer (352) 613-4127 Kawasaki Volcan .lear. 'itreak 600 cc's, windscreen; only 2250 milesI Showroom cond, $8,250, (352) 726-2641 Search 100's of Local Autos Online-at wheels.com SUZUKI 2003 650 Savage i 161 dk. green, exc.cond. $3,200 (352) 628-1943 2006 ECLIPSE FULL FACTORY EQUIPMENT! ii18,888 lop% I I I A 0% APR 2006 OUTLANDER FULL FACTORY EQUIPMENT! SAVE 145001 FULL FACTORY EQUIPMENT! E$1MONTH' APPRAISAL LINE t ,. - . NO MATTER .WHERE ;YOU PL AN MITSUBISHI 2200 SR 200. OCALA 352-622-4111 800-342-3008 OPEN TILL 10PMW''". 665 Q'PRE-TITLED WP1000 CASH OR TRADE EQUITY. *48 MONTH LEASE WP1,999 DUE AT SIGNING, 48,000 TOTAL MILES, e W.A.C. "6 YRS. @ 7.5% APR, W.A.C. ALL PRICES PLUS TAX, TAG AND '195 DEALER FEE. SUBURBAN 4x4 1989, Navy/grey, front & rear air, tow pkg. Clean & solid machine. $3,000. (352) 795-3970 CHEVY 1995, S10 Blazer, auto, 4x4, needs engine swap,2nd engine Included, $200 OBO. (352) 447-2602 Ford F150 1991,4X4, Straight 6, runs great] New tires, much more, $3500. 352-382-1020, 302-5779 Jeep Wrangler X 2004, solar yellow w/ black soft top, 16" alloy wheels on 32' pro-comp tires, 6 CD 7 speaker system, cruise, tilt, 6 cyl. 5 speed, tow pkg: 22k miles, $18,900, Firm (352) 564-4256 Search 100's of Local Autos Online at wheels.com Suzuki Samuri 1986, 4x4, new clutch, brakes like new tires, a/c, lifted, 3 tops, 9.rinn fAvi9%n\ sr19 1 -r-e-- ----- A. MOTORS Driven to Thriftf TRUS COUNTY (FL) CHRONICLE $ DOWN PAYMENT 15 PER MO." 2006 ENDEAVOR "FULL FACTORY EQUIPMENT! PQ299OPER P SS29 7MONTH- 2005 LANCER * AUTOMATIC TRANSMISSION *AIR CONDITION CI.ASSI]FIIIF-]E)S CITRUS COUNTY (FL) CHRONICLE -I PER MONTH 39 month lease, 10,000 miles per year, $2,500 up front, MSRP $33,735. All payments are plus taxes residual. 11.CVadlac. NEW 2006 TOOT RUNNER SR5 *~ Lease Per Month rn's Financing fl cusi-mer ry lepot. d.,.-rd En- ~a :-n all r,.-, :un~ 4nreiS, ~' 6rnod.lnr,urncHAI 61 '.,Ir, SEltACT iqurp~rerrt Addrqg options ,r,.:rasaes payment $22M,3 1 due it ningr.n-:lC.jte~j~ r c i",,l..ir, Mri-I iift Month nrptrn-r~t ; -,7 ul~ apt C.ate 05fP or, pay men? Let-4e pays M,3,r,r~ a.:,e-.ars .%.-,r and iSr srI,. tj,,:,mI 0 .-r r- rn1 IOC Er,* purch~arE.option $ 17 626 Mortri leai -, i3;GPmrEniz.. total S 14 :9K L Ei.poj: Ft,.:.I P '!;i .; ,y ue at CiE ~~dLE ste c-I14 .r n, 5 ..-,tdI.:. r [ule ese hrC-ugh S:urtaiTc-.,oi3 Frnar,c RsrtI Ii , -Si -,,,5I t. :Issrot~1da.rs I iMrh Il PER MO S39 month lease, 10,000 miles per year, $2500 up front, MSRP $42,305. S'All payments are plus taxes residual. - -- T -- .-.-..-- ---. .:" .-- . 7 03 Cadillac CTS"' "- Loaded. #C60115:....... ', .' :-' -- -.1:.' , -CADILLAC DEVICES 04 Cadillac eville...................Leathe#5989r,... Loaded... ...... .. .. ..... .2......0.2 2 ll 03 Cadillac CTS........................... Loaded. #C60115'A ...........8.......... ...98 01 Cadillac Seville STS...........#C60140A.. ... .. ........ ...-.O 98 030Cadillac Seville SLSL..........o#5990Ad.... .. ......................:............ 2S O 02 Cadillac Seville.................Loaded, lowmiles. #C6038A..................... 19,4 CADIL .DEVILLES d 03 BMW 325 Cl Convertible..... #T60695A .'1,488 04 Jeedillac Deviller...... ....Leather, Loaded #6001.. ........ ........ ........$2 04 Volvo 740 Gevile Wagon................Loaded #T60 693A 17,9.. .................. ,998 05 Chrylrc evieTown & Count..........y Van......Loaded T60710A ............................1920,900 S04 dilahrysler Town &...... ou......ntry Van... .............. ....:...195,488S 02 adillac D..il ..... ... ... ,,...... .. 51,9 8 8 MANAGER SPECIALS 03 BMW 325 Cl Convertible." .... ........#T60695A........................... ... .."..31 0 8 . 01 Mitsubishi Eclipse Convertible...#C50314A.......................... ........ 11,98 3 05 Jeep Wrangler ..... 7k iles. #T60690A .........................$21,988 04 Volvo 740 GL Wagon ....................L a CD. #T60693A ............:........... 9998 02 Subaru Forester ............................Very Clean, Low Miles. #T60571A...-1,995 03 Lincoln Town Car.......................... Like New, Must See. #T60712A ........ 17,998 05 Chrysler Town & Country Van ..... Loaded. #T60712A .......................... 19,988 04 ChrysierTow~n & Country Van..... added. #T60368A............... i,:.15,2889 04 Nissan Sentra.......................... ..... PW, PL, CD. #T60704A,.......... 1"....... 9,9 98 04 Scion XA ....................................... Auto, Certified, CD. #T60732A ........Y12,900 ' U. PER MONTH In lieu of customer cash No security deposit 36 month closed-enrd lease on all ne.. 2006 Sienra LE model number 5?,. Arh select equipment Adding options increases paymren $27 300 Adjusied Capitalized CCos based onr, 2 324 dcAr, Lessee pays maintenance. excess dear and tear and $0 15/rr.i e o.e. 12 000 miles per year Monthly payrentt lTotal ;12 .441. S ADispositon Fee of '350 is due at lease-erd Lea-e.erd puchal e option $19 0'37 Retail dei..ery, muit t. taker, oul of dealer ir:ckor bi March 31 2006 D TOYOTA CAMRYS 06 Toyota Camry.........................PW, PL, Cruise, CD, Certified. #T60534A.... 19,998 30,4 Toyota Camry..................... ...PW, PL, Certified. #T60395A. ......... .......SO LD b-04 Toyota Camry..................PW, PL, Certified. #T60725A.................. 5,998- 03 Toyota Camry..................PW, PL, Cruise, Certified..#5997 ................ 6,688 .03 Toyota Camry.................. PW, PL, Certified. #T60594A....................... 13,988: 01 Toyota,,Camry.....................PW, PL, Cruise. #T60653F......................'..... 12,998 TOYOTA LUXURY SEDANS 04 Toyota Avalon................. Loaded, Certified. #T60488A....................... 23,988 S03 Toyota Avalon............ ...Loaded, Certified. #T60735A.,.......................SO LD 2 Tpyota Avalon................. Loaded, Certified. #T60620A. .. ....... 14,983 02 Toyota Avalon................. Loaded, Certified. #T60666A...................... 6,998 01 Toyota Avalon,................ Loaded, Certified. #T60439A...................... 14,998!. I.." TOYOTA SUV's & VANS 05 ITbyota Highlander.......... All Power. #5992 ................ ..................... s23,488 03 Toyota Sequoia.................All Power, Very New. #T60713A.................28200 STOYOTI RUCKS 04 Toyota Tundra wlTopper.. .PW, PL, Cruise, CD. #T60128B ................... 9,988 04 Toyota Tundra................. PW, PL, Loaded. #T60459A... .................... 22,995 04 Toyota Tacoma Dbl Cab ....PW, PL, CD, Very Clean. #T60360A:........... S19,863'. 98 MANAGER SPECIALS 98 Ford Contour.................,. ,Automatic, PW, PL, Low Miles. #T60601A... ... 5,498: 04 Chrysler Sebring ........ :;..PW, PL, Cruise. #T60581A.......................... 12,299" "" **-; 1 *;-- ,s HOURS: XXA MON.-FRI. El TJ Di2? Oo E cwmOQQa DoualoEad? (9q0 D'D o [UDUDssGsC 8Am 7:30PM (352) 628-5100 1-800-852-7248 *Service Dept. (352) 628-2100 See our vehicles featured on naturecoastwheels.com SAT. 9AM 6PM ...email us: sales@villagetoyota.com T.. 9A P Village is not responsible for typographical errors. All sale prices expire on the Monday evening following publication. * * 4, ;&VU SATURDAY, NLkRCH I l,..ZUU(3 -ALIL MARC 1 -t4 li 2nnc SATURDAY. MARCH 11, 2006 21C E~l 11p, Al, .. ... * '~2~7' 7~'* .7 2006 Ford Focus ZX4 S 4-Dopr, 2.0 DOHC Engine, A/C, Automatic Trans., 15" Steel Wheels, Rear Window Defroster, Floor Mats and More. #N6C151 MSRP................... $16,020.00 NNF Discount................-771.00 Ford Rebate...............-2,500.00 S,749.00 >. . *...". i 2006 Ford 500 FWD SE 3.0 4V, V6, Duratec Engine, AM/FM, CD, ABS, Brakes, A/C, Premium Sound System, Day/Night Rear View Mirror, Continuously Variable Transmission. #N6C154 MSRP.......................$22,930.00 NNF Discount.... ..:....-1,394.00 Ford Rebate.............-1,000.00 $20,536.00 2006 Ford Escape XLS 4-Door, 2:3L Duratex Engine, Manual', FWD,.A/C, Roof Side Rail, Power Mirrors w/Mandal Fold, P225/75R15, A/S BSW Tires. #N6T090 MSRP...................$19,995.00. NNF Discount..............-976.00 Ford Rebate.............-2,000.00 $ 17,019.00 2006 Ford Ranger 4x2 Regular Cab; XL Trim, AM/FM,'tereo & ClocK, 2 3 EFI 14 Engine, 5-Speed.Manu.al Trans, 3 73 Reg. Axle, Mini'Spare, A/C #N6T238 MSRP. ..............$15;,935.00 NNF Discount...............-465.00 Ford Rebate...............-2,000.00 $a,470.00 Dig. 2006 Ford F-350 Dually Crew Cab, XL Trim, Trailer Towing Pkg, AM/FM Stereo w/Clock, 6.0 Diesel, Torqsheft Auto Trans., Tilt, A/C, and Much More. #N6T407 MSRP..................$38,070.00 NNF Discount..:..........-3,291.00 Ford Rebate............-2,500.00 s32,279.00 N F 2006 Ford F-150 XLT 2006 Ford Expeditioi Super Crew, XLT Series, 5.4 FFV V8 Engine, 4- XLT, 4x2, Rear A/C. Running Boards, Tire Speed Auto Trans., 7050 GVWR Pkg, Sliding Pressure Monitor System, Complex Headlamps, Rear Window, Fog Lamps. #N6T368 17" Alum. Wheels, 5.4 V8 Engine. #N6T300 ISRP.......................... $35,035.00 MSRP....................$37,500.00 JNF Discount ...........-3,581.00 NNF Discount...... .....-3,446.00 ord Rebate..........i.. 2,000.00 Ford Rebate...............-4,000.00 p29,454.00 '30,054.00 OeII A q & I P i 2005 FQ F-150 Styleside, Reg. Cab, 4.2 Engine, A/C, Manual Trans., Flat Vinyl 40/20/40, Trailer Tow Package, and Much More. #N6T408 MSRP.....::.....$20,205.00 NNF Discount'..........-1,115.00 Ford Rebate... ..........-2,500.00 *16,590.00 U4 I-UKU runKI TRAC XLT $21,999 '01 NISSAN FRONTIER S- 12.999 '02 LINCOLN LS $21.995 '03 FORD EXPEDITION XLT $25,999 'I .issa.i~V '9 *U0 RUKU RANGER EDGE fJPR A08 NNP4AH9A S14.999 aSUPRnGAB S33.995 $14.995 I, 1 . tifiee GITRus CouNTY (FL) CHRONICLE , 6j. 999 $6.999 '99 MA CON1 $1" '03 HONDA ELEMENT $18,999 S18.999 CC XLT A --11--l-I /VT% /-1---, ,',i BL_ CITRUS COUNTY (FL) CHRONICLE -. a UR SUE-O PIEO TEYA [UR SUE LWPRC CTE E O *U S*U LWPIPY t,, CREDI otIR w EnXPRSo L es. Y ~TO aUMtFE BUYERS D www~deucat0y6a *om ZZV SATURDAY, MARCH ILI, 2006 0 nasa m n, .. . anne 19I SATURDAY, MARCH 11, 2006 23C CTRUS CO3LLUNTY I(PL.) CHO.,'NICLE 741 I FoTU1H( , ,,,_I ..",,,, i : -. ..... *. ' .......................... **'"1 L I If ill 1 0L ILOWI-IF 4W I-iT ' il 11L 1ptF LIZ J[ o j"I21 03 AJ EL~ I r.-;:u U ~--~ 2003 DMC ENVOY SLT l003 EMC ENVOY SL5 LIhr r dic CD .uoodirairi lunrirq brdjS LIhr rinl r.diic CD '.vodgran lr t pl. *15.200" *14.995 2I02 BUICK I68SABHB E 2W4COWUD!EaURUU I Limlied 311 rin qihr heaiod S' r 1u0n1O EiCar 'cb 191Imiles CD cruise bedine I $139 00* i Ia,950*. $11,950" ramiy mover, spny. 2004 GMC ENVOY XUV SLT 18k, Ithr, OnStar, heated & memory $20.750* S0 GN- IM ISS UIUK ImBU BsUInU lW HU I IC 2000 MU IMT MnI w.UM. 2003 BUICK LESARE SIER SLE CENTURY REGAl M0 SAANNIU DITRIUEnMBl T WE I M n IEVTU , n G eai, C lMiner, 66K mi, n, tape, Linr, GOnape, pw, Low Top Cony, tow lnr, sunroo, CD Lilnr,CD, vem 4 .45KCDtape. Custom, CD, woodgrain pw, pi, cruise running brds, tow dual climate zone, pi, cruise, dual pkg, CDiape, TV/ chnrgr, htd eats, visom, bugishield, V tedw , l10.9985* ld .r -a54 -h VCs uR duald irmate 9j.a wO 1 $ .95 $.9M.Sefi $.1W. *8Dff!11," [I Dunnellon 4. 4 Hwy.98 Inverness Hwy. 50 Brooksville RoD Phillips 0^m HK 1111 Moon rool , " chrome, *a let. '9,99! Inglis ver EAGLE" BUICK GMC HoqnQsassa Spnngs Spring Hill t',wprr,:rr ,,,mrvf 7 ) CrRmyNrr[ *ll.'t. t-. .' TFn;/ ( T i l - in DPV 030 BUY FrOm CITRUS COUNTY (FL) CHRONICLE 24 AuRIIDrAV MA1~cT-T 11, 2006 OU i-AK I LITTLE PRICES E A BIG DIFFERENCE '04 MAXIMA $19,925 $0 DOWN $349 PER MO.* '03 SENTRA $7,925 *0 DOWN 139PER MO.* '03 ALTIMA 13,575 $0 DOWN 239PERMO.* '01 SENTRA 8,525 $0 DOWN *149PER MO.* '98 FRONTIER $4,775 $0 DOWN 89PERMO.* '03 FRONTIER $9,775 0 DOWN $169PER MO.* '04 TITAN 1 5,675 6o DOWN $269PER MO.* '01 FRONTIER $7,925 $0 DOWN $139 PER MO.* '04 ARMADA $23,750 $0 DOWN $429 PER MO.* '02 QUEST '11,150 0 DOWN '199 PER MO.* '03 MURANO 20,700 $0 DOWN $369 PER MO.* '01 PATHFINDERS11,875 $0 DOWN $209 PER MO.* TOYOTA '03 CAMRY 13,175 ,O DOWN $229 PER MO.* '01 COROLLA I7,350 *0 DOWN 129 PER MO.* '03 TUNDRA $13,875 '0 DOWN $239PER MO.* '01 TACOMA $8,050. *0 DOWN $139PER MO.* '01 HIGHLANDER s15,525 s0 DOWN $269PER MO.* '03 SEQUOIA 21,375 01 DOWN '369PER MO.* HONDA '01 CIVIC $8,325 0 DOWN 149PER MO.* '03 ACCORD $13,625 DOWNN '239PER MO.* DODGE '05 DURANGO S19,325 0 DOWN $339 PER MO.* '03 CARAVAN *8,550 0 DOWN $149 PER MO.* '02 RAM $11,875 DOWNN $199 PER MO.* '01 DAKOTA $7,950 $0 DOWN *139 PER MO.* '05 TAURUS .0 DOWN '02 FOCUS S0 DOWN $10,575 '189PER MO.* 6 1650 PER MO.* '01 F150Io10250 $0 DOWN *$ 19 PER MO.* '02 RANGER ,7,650 $0 DOWN $129 PER MO.* '01 EXPEDITION 1 1,550 s0 DOWN 0199 PER MO.* '04 EXPLORER s13,600 0 DOWN $239 PER MO.* CHEVY '03 IMPALA s8,925 0 DOWN $159PER MO.* '01 MONTE CARLO p7,925 *0 DOWN 139PERMO.* '02 SILVERADO 11,500 $0 DOWN 1 99PER MO.* '03 SILVERADO $13,275 $0 DOWN '229 PER MO.* '01 TAHOE $14,425 *0 DOWN $249 PER MO.* '03 BLAZER 9 25 *0 DOWN $16,PER MO.* I oc A L 352-622-4111 A 2200 SR 200 * OCALA OPEN "TIL 10PM INVENTORY SUBJECT TO AVAILABILITY. PICTURES FOR ILLUSTRATION PURPOSES ONLY. ALL PRICES WITH '1,000 TRADE EQUITY OR CASH, PLUS TAX, TAG, '195 DEALER FEE. PAYMENTS FOR 6 YEARS @ 7.50% APR, W.A.C. GOOD DAY OF PUBLICATION ONLY. 665828 FORD vS dr.-rp di SATURDAY, MARCH 11, 2006 .... I Ia wl e A gu ideto building in Citrus County ..... A. A L. 2 '"UM FINAL WEEKEND ZIP CODE 34465 Staustcs about the Beverly Hils 34--65 ZIP code indude: Average home price: 1 106,9N0 34. Average home age 29 years. Average size: 1.65-i square feet. Average lot size 1 86 acres 71.56 percent of the resi- dents of the area fit this profile: median age is -16.9 years old; more than 50 percent are older than 50; most households are couples. recent reures, plus a number of single-person households Median household income is almost 628,'0, pnmarn source of income is Social Secunry,; interest and diMdends, and pensions Mobile and single-fanmily homes account for most of the housing, homes are in newer areas. 22.69 percent of the resi- dents of the area are 8 5 earss old, of which 30 percent are 65 or older; half are couples with no children at home; few sin- gle-person households Median household income is $3",600 and average income is almost $60,.000 Homes are oner-occupied, sngle-famnldv or condominJi ns. Housing is newer: about 2 percent is sea- sonally occupied 5.76 percent of the resi- dents of the area are 3 9 -,e.u-s old and half are older than '55, i,0 percent h-e .alone The median household nLcorne is $15,0'0, more than half receive c'crial Sec:unri most are renters When one man's dream becomes reality BARBARA HARTLEY Blueprints editor This is the second in a series of articles spotlighting different developments in Citrus County. Today the spotlight is on Beverly Hills. every Hills became the reality of a dream held by Samuel J. Kellner, already a millionaire from a tire recap- ping business in New York. Kellner envi- sioned building a city that would be home to those older than 65, who had worked hard all of their lives and now needed a place to retire. With that in mind, he searched Florida and when he flew over Citrus County in the 1950s, he described the area as "the Alps of Florida." He began buying property, his first parcel of land was 1,500 acres and by the end of 1959, he had purchased another 6,000 at an average price of $150 an acre, including the surveying and attorney's fees. Today there are more than 3,500 acres in Beverly Hills and at one time it was the largest municipality in Citrus County. Kellner had a unique way of marketing his new city. He flew future buyers, mostly from the New York area, to Florida, put them up in his motel and signed many on the bottom line. The homes were about 1,000 square feet, and were priced under $10,000, which -.............A7.... .. 7 L111,n.at~~ttr -. -" ,- _______________ .g~ ,,~,A .~etrisrt. ~ is- Many new single-family homes are being built today in Beverly Hills, which has grown from an original 1,500 acres to more than 3,500. included the lot and landscaping. The houses in 1990, Monarch Homes came into the area -were well constructed, as Kellner had his own as a developer, as well as George and Bill lumber yard, cement plant, truss-making Rusaw. plant and owned the utilities. When Kellner died in 1975, publisher David Beverly Hills was self-sustaining with recre- S. Arthurs wrote in an editorial in the national facilities, a gas' station, a shopping Chronicle: "No single man has had a greater plaza, transportation to medical facilities and impact on the course of Citrus County's his- weekly jaunts to Ocala. tory than has Sam Kellner. He carved a Kellner provided the first fire truck and an unique community out of the hills of the ambulance. He also made plans to build a county's mid-section, Beverly Hills was meant hospital. His corporation was called Rolling to provide the retired working man and Oaks and was sold -upon Kellner's' death in woman from the north a place in the Florida 1975 to Roy Hollerman and Ray Collins. Collins later bought out the corporation and Please see : './Page 5D You have today and tomorrow, March 11 and 12, to visit the 2006 Parade of Homes spon- sored by the Citrus County Builders Association, Progress Energy, SunTrust Banks and the Citrus County Chronicle. There are 19 homes presented by 13 builders throughout the county. For locations, call the Builders Association at 746- 9028. FROM THE EDITOR Research proves fruitful BARBARA HARTLEY Blueprints editor We are quickly into our second edition of Blueprints. You will find Blueprints in .our Chronicle the second Sat- orday of every 'month. The response to Blueprints Barbara has been excep- Hartley tionally good. Blueprints So good, in fact, editor tlc. we had to Please see Etp ',R1Page 5D -- ~~nm-am0 . il l. l l. .. I. I.. -. I ,- V , C::' i..i i' ,i ,d~ l I,$d C11,. ,.- t' u6 t,0i"i i'' h,,C'I~l [% I,'}"I I',*' di in ' i' I 1 'i -*,l't(,''1 VC'i I r C, r'', t i T', , r '' i i. -1.,n .l ",', i,, .'i"I, .nI V l, i. i r' i l C" l' ,, ,,,irt, I r l ." l '' lr I' '.'" ' :.\ h hn ... 1 " 1','J ,h" ,,l a I -r h l ,; ,l l lh,-'*P ^,, l, l* "*' ,f l ". i r,,ql',,l W i'r'' ril"_' IIIi i' Cu1 r riflt'y i" 0' i '} '' i l 'h i I II.' P' p, r1 lI r '' l l l tq o | i l l 1 1,j N ~ i T p n''H i 1 1 "*, ,-* ,,l ,, 1 ,,,,u ,,,n : , .. M- ," -' ,,- p ll' -.^ t~~, "111 h ' i, r,',,il ".-' *l "1 *i [ ')-, *' ,, | l , , M itil .l uii ''iii iti; ''' I" fi,,,i' ,T ull' ,' it',,- r,,,,,',, C ... i'h1' I' l I uri C~r "'I" I. ru '. ''I Oini-i t, i p l' i',r t r : d it.. Jt i .i ," h ,: ,,, i Ii, r,..1 >.* t in'i fo l h lh : , ,^ li.. ( 1"': hu,',,l, .. ,n,.,i, ,: ,, ,1 ,, [ . ... p ,,;,o I. ," ,i'ii I;,i S '''n'' Cii', 1 i" ' 'ih ', ''' d' f ,h,, , 1illl1r1," 1, .,^ i .- h.,.,t,, h(ety ,, f T,"' .,"" 1. ,iF ,' f ,,,(, lluI h.n, ,.d!.u [.ral < ht~l "" i. l d" ,,C mi t'iS 'fl Vh",,U r '1'T' t,,ui l'' ;" C .,i 'f 'i, ,TuC ^ | 1^."1J^MIA 'I- r' n '. n nI , ll P ',i l'. n, il| "1' *~ Ml NA ('11A h'l.Fiv-.-:^.u:; A "- .'1 VI ,, J r i- ' l -. i i"" C-i' l 1-1. r ' ,i. u.T. iX, l it. in .i,.-, A i i'j i nilir 'fir'1 T, h f 'V, ,,r u ' " *? . J ,,. I ." 1IN.. ,, .... .. "" ... .. ;'"i* l r ;, . '"l, ." l ':.* : _*- ',r n.l-"T "*l i **- ,j1" 1""" i' .,la, ,,,,';l,,,, ' '" ""f f0 J' { ,, f' ,: .. ',h A J 'n: h L h, nH r- n 'n 1_-, 11",,I 1,. ,, 0"1' 1 ,, ' 4-. lT "' 4 Forqfv Ill.hbrIauy h i6),Iff1 J -o V I.. * l l .ll\i Pall HiIlll II l IJI I l,, IIt- "fid -f(r J] [pro:. l ' If p Fo r 1',Il" -1, ~ ~ ~ ~ ~ J fi.ll ,. . It'l-.I11 i ~ ~ ~ ~ v Ir, hul.1 f; ~ :: . I~ ]1 1 ' .. .. i ll m RDAY IVLARCH 11, 200ULL Dunklin StHs SNnFSa BI v N Flagstatf Ave e, N Flagstaff Ave. Fo\re]4 SMusta 4i, Rdg Blv.d 2 Royal Coachman Homes .Se......t --. B 4 Rulsaw Homes The SandlewLood l/ g's v N est. 5 Rusaw Homes South Hampton r 6 Cinnamon Rid"ge The Cilantro '. *7 Wheeler Construction, Inc. ..oe a sr "u The Jasmine Ofo R rB lvd 8 Wheeler Construction, Inc. B se1e The Madisonr S9 Citrus Ridge Realty Model Sw seven 1 Citrus Ridge Realty Modelsea '"ere^ o 11 Pinecrest Builders 12 Van der Valk Tradewinds - rp d 4- C nk 13 American Homes ..... Harr St._ 14 Taylor Made Homes v 15 Sparky & the Boys t 8ee W 16 AcmeHomes ion, I nc. /,/..,.de ',., .:,,..u, = i16 Acme Homes II W Cardi ni n a tI S : A .~4 ~ ~'. ~+ "-a---- Dougl~ $1 SJCglas St 4'. ',-f,! i l r- 2W Sa 4 .. - EOak EStaOI Village Blvd W Stage Coach ..- .; ,, .... : '*.; ., :,'b. :., ,'*-: a :.:. .--'' ,... B^J '- l' c ..,^ '^ aitSt f ^ ks~ 3444 PS 01. e 0 Vine St Co~ S Ct a 00 C-, Vilage Blvd~ * .. t _._ ... .v r '.. * Cathedral Ceilings SGas Fireplace w/Mantle SArched Window s in Master Bath & Front Entry Plant Shel es Spanish Lace Ceilings Lihtctd Guest Bedroom Closets Master Bath Deluxe \N rap Around Shower ,%/Class Block & Jetted Tub A N WEEK W ACHE E SUGARMILL l WOODS I 90 S R. P 1 * Master Suite & Sitting Room Combo * Pool Bath *Decoratie Round Corner Bead Solid Surface Countertops in Kitchen With Integral Sink Thermafoil Cabinets Landscape Package Sprinklder System up to 80' X 120' Lot Floratam Sod Allowance Alternate Elea nations (352) 382-5700 Se Habla Espanol Living Area................................................................1846- .--. Garage.....................................................................698 Lanai........................................................................162 .- ,: Entry........................................................................62"..6,2 Total Under Roof................................................... -768 .... :. ,' On the Comer of Cypress & Sycamore 2D SATU F~> ~ 4 X* .. -- Ka a 1 0 CiTRus CouNTY (FL) CHRoNicLL B TPRINTS ..... ..;.LAi a' T aUS 0,,',OU7 P)CRNC LE ar RT. TIKPIT1'JT.ST-DA,-MRC- 1,-00 3 New Homes Available TOday THIS IS A BRAND NEW 2005 BUILT 2 STORY HOME nr,. in 1'rger comr,e, l ht ..,h l ntutia c.:.i.:.rr M.ean 11,,,.,rna l Ie ,nh r.:..irr, Ttamr-,, r.:..:r, be k roc.l Brcd Ic-imal S ...r..rg .j.;rn l ..i n-ier,.1 Uper -rt te.,.:.<.m s r u -,-r, or-cr' 1: i, 1v.:. rev lar-Ie ar h I,- 9 l00 10 .I:,1 oul I:, 239 900 abnc-HI-, THIS 2006 BEAUTIFUL BUILT sits on a one acre lot, has a real Country Feel with Front Porch and lots of stone work on the outside. Super -4 high Vaulted Ceilings in -dining room, and living room. Light and bright Family Room with lots of windows, many upgrades make this a special new home. All light Fixtures, Stove, Microwave, S Refrigerator all included. A must see[ $289,900 248021B LOTS INCLUDED BRAND NEW CITRUS HILLS 3 Bedroom plus Den, 2 Bath, 3 Car Side Entry Garage on an Acre. This home has Granite Counter Tops, Large Bedrooms, Caged Pool, Sprinkler System, Tray Ceilings, Jacuzzi tub, His & Her Closets, Study off Great Room, Pool Bath. Why wait for your new home. $359,900 #248021C THIS IS A BRAND NEW -3 ediroom Ca bal 3 a, age pl pln .,.Th open Kh.,:hen i.:. C .n1ng room .-. i Vaulted C lrngs Maeser b dr.:,':m ..-..h Walk-in Closet 9nd rMlaster Beh Outside rna; era cr.e, and, tucc, work thal rake Thi: ,:out.e ro,,10. 4.?e31 $5169,900 24802,U . ;'' NEW BUILT HOME close to Pine Ridge with all the upgrades. This 3 Bedroom, k;' ,, .2 Bath, 2 Car Garage with Open Floor Plan has Vaulted Ceilings with slider to a 25x10 M Screened Porch. Master has large shower, dual sinks plus tiled Kitchen, baths, Laundry Room & Foyer. Outside has stone work and bands on windows which make this house appealing. Just move in. $189,900 #248021S THIS 2006 BUILT HOME ras o-. Oi : lr ,I n ..Tr. F,.)r., p.c .r,, ,iul.. l :u '.. rr nw .1. u ,0i ,,- n o ai 'iha i, I -,,29 ,,,,l IriI *Ii'%A* I n' r ,, BRAND NEW HOME IN new AIT 1 ll ', ,le slove, IT.C., O'v %.'"'' ,t ,'g l,, k' BRAa4D NEW HOME,',II CITRUS SPRINGS Trh. home ha.t Irairg ,oi:m n rari fami r[. m .: 1r.l r ,Icher, [hat nnludes dIsh.iasier t l,,. i ml .1 r, .. lT , shlfny mel.trhFg .511.,l-n cl*.ict :. ar : r00g. -'cr -ut $189.900 #248021J -4 71- .THIS IS A BRAND NEW : "-"" 2005 BUILT 2 STORY HOME V..ll,311 .eu. l .1 5 n .Ilor Fhs- In.nng nOr nor,6 ImnliIl; room 't-ire al3lt rnoo,:,k and ,: m,c,, ljiningrq itc hi en.'l..l 3n T, island Upitstrt 3 t.idim g /4' plu., I,'h open 1, io,,r ti lt, ha,. , .. -,w- p Irge 2 .: r rag.,- $224 900 u- -Hwit JUST COMPLETED: ra.., Toe .,, JER 2E ,B :ar ga,. oge all bedroomrnu are a gc-d ez12 pluj tn rome has I,..g room n5 laminrly .,'Or with open ktcen to arn,i' r,am, Master bedroom is 18, 12 r.ith ..alk. in closely, garden tub and dual -,ng z Sin master barn Al rli.ms ,aull J ceilings, sprinklersyste .r and U. covered patio $229,900. 24802HR NEW HOME! .R,?'eA 2c a gjraqge Trh, nmr han larg-e great com ft.:.rin-.a .l.r.ng arI kilcnenn with r nor, 14.- 1 covered screened porch, inside a3undry jarn,, ti u,' .n,:u.3 p a, ilr, .'. il .,r, ,:1:.- l I -.t ,p larI i- ,-1 1 Ail1d 1 ,l Cr.e r. rinock laundyv ,'oom t.:.th beths 6& 1to0, C2I I l iT ..0 r iril.:.rr.,a ior, $209.900 .24 ..5aHL L11 [ *U1* ,1U' l i'aII 4 T' T'T IM NJEWV HOME AVAILABLE IMMEDiATELY Have r,.- i ro,,1T, S ho ..,, r eT .iI,, ai, I r l ....ior, c. ,i t r , ar I ,,-.r, rT r ,: i I.:a .r r au.i Ira ~~~~~luri, I:,:,:,I..' I:ImIT uIT UII rl~ei e'scalalting as the community rortinue. 10 gryw $189,900 #2480121K ww xtrsontf ratSc m *olFre.-1388-789-7100S WYI. IOCUAN FINIHED OWI LOTS INCLUDED AL uni U. Ci*rws Im.0coma, macamy 3521 N. Lecanto Hwy;., BevertyMills, FL 34465 Winn-Dixie Plaza EOUAL HCIUS!fjG (3pp.0 RTUNITY' A .1 ViSSM9000 1 11 m", n l II k SATURDAY, MARCH 11, 2006 3D TT TT REPT1TTSS ri,- rnmrTtr-n /CT 1 "rmrnlvrrot f 4D SATURDAY. MARCH 11, 2006 BLTJEPRINTS CITRUS COUNTY (FL) CHRONICLE Things to consider when buying a newly constructed home: Part two BARBARA HARTLEY Blueprints editor When you are considering buy- ing a newly constructed home, you need to consider some of the advantages of home ownership, that includes: Home ownership represents a form of forced savings. Mortgage payments con- tribute to an investment, particu- larly if the property is located in an area where value will increase. Interest and taxes are legiti- mate income tax deductions. Equity in a home improves credit status and could be used as collateral for an emergency loan. Housing costs are stabilized with a fixed rate mortgage. Home ownership con- tributes to security. HOW MUCH HOUSE CAN YOU AFFORD? American consumers spend from 21 percent to 54 percent of family income on housing. Three basic considerations that can help determine how much house you can afford are: The amount of take home pay that the family can reasonably expect. Home ownership represents a form of forced savings. Family living costs and other debts. The total amount of housing expenses, including taxes, insur- ance, energy, furnishings- mainte- nance, mortgage payments, and maintenance fees if you live in a condominium or planned devel- opment. ARE YOU READY TO OWN A HOME? You need to consider the fol- lowing: Do you have a steady income and stable employment? Do you anticipate remaining in the same geographic location for the next several years? Have you created a budget so you know how much you can afford to pay for housing? Do you have an established credit record or can you create a non-traditional credit history? Do you have enough money saved for a down payment and closing costs? Have you been prequalified by a lender, so you know how much you can borrow? Is your existing debt low enough so you can qualify for a mortgage? Have you checked the bene- fits and requirements of financing options available to low and mod- erate income buyers available? TYPES OF NEW CONSTRUCTION Spec homes Good deals can be had here because builders are paying for the loans they took out to build the home. The longer the house sits vacant, the more it costs the seller in interest. One disadvantage is you may be locked out of choices, colors, options, etc. You also have the advantage that the wait time is greatly reduced. Pre-construction Prices for a home are always lower at pre- construction phase of a project. The earlier in the project you buy, Prices for a home are always lower at pre-construction phase of a project. The earlier in the proj- . ect you buy, the lower the price will be. the lower the price will be. Builder's doseout Be careful here! This can be one of the best ways to buy new construction. When a builder completes a development and not all of the units are sold, he is anxious to fin- ish the job and move to his next project. Sometimes you can get a really good deal. Just be cautious that it is really a close-out the builder is not just changing models, closing out some slow-selling units because of location or plans or starting a new phase in the same location and using closeout as a marketing tool. WARRANTIES AND INSPECTIONS Implied warranties vs. extend- ed warranties. Most states have laws that give the buyer protec- tion against shoddy workman- ship of cheap builders that cut corners. The implied warranty normally covers material defects and work- manship. You can purchase extend- ed warranties from the builder. ;; Before closing, you will take a" walk through inspection of your home, listing defects that the builder agrees to correct after closing. It might be smart to hire a professional inspector toI accompany you.. Sources for this article came from the University of Florida Extension Office and homebuy-, ingtips.com. A Florida-friendly yard will help beautify your new home Special to Blueprints The University of Florida has estab- lished nine Florida-friendly landscaping principles to guide Florida Yards & Neighborhoods programs offered through County Extension Services offices. In this issue, we present the first three principles, and the other six will follow in the next two issues of Blueprints. RIGHT PLANT, RIGHT PLACE Almost any plant will survive in your landscape if you plant it in the right place. Yoiu can drastically reduce the need for water, fertilizer, pesticides and pruning if you follow these tips. N~l-k:c a note of the type of soil, sun- light exposure and water conditions of the planting site before you shop. . Choose plants that thrive under the conditions you noted. Limit the number of plants that need a lot of water or care... Keep only as much grass as you directly use for recreation and other pur- poses. Plant beds and mulch areas use less water than grass. Remove invasive exotic plants so they don't steal water and nutrition from Florida-friendly plants. WATER EFFICIENCY Typically, 50 percent of water used by households is used outdoors. Efficient watering will not only help you save money and conserve water, but can also create a healthier landscape. Follow these tips to save water and money. Water your plants and lawn only when you know they need it or show signs of stress. Use a rain gauge or moisture sensor so you will know if rainfall has done its job. Install a drip or microspray system in your plant beds. They use water more efficiently than traditional spray heads. Install an automatic rain shutoff device to avoid watering when it's rain- ing. Stop overwatering! Overwatered grass has short roots that make it harder to survive pest .attacks, disease and drought. Collect water in a rain barrel to use to water your plants. FERTILIZE APPROPRIATELY . When too much fertilizer is applied to landscapes, it seeps past the root zone of the grass, plants or trees and into the aquifer or runs off into water bodies. Plants, animals and people depend on clean water for survival. Follow these tips to help prevent water pollution. Fertilize laws, trees and plants only. to maintain health. Don't exceed recom-- mended. SWAMP WATER? ROTTEN EGG SMELL? RUSTY WATER? E NO U N IT DOES IT ALL. I ~ ~qA1g~'i~. IL WIN LII ~i P ( " WE CLEAN * Injectors. Screens * Chemically Clean Resin Bed * We Also Perform a Water Analysis! New Customers Only. Not valid with, any other offer. ------------------ --- -- -- ------ 62 726-2008 if you live, work, worship or attend school in Citrus County -e : you're eligible for membership*. : Traditional Savings Tne applhca.on process is 6 breeze an s e fer. -,.. r Checking Rates starting at 5,0% ,APR! , *Car Loan, Same Day Approvall Home Equity Loans No Home Appraisal Needed! 0ManyOther Convenient A-dNO.CLOSINC'COST-*ONLOAlMOFS15,000PRMOPEI -. .. . Products & Services Not a member? No problem. ,D',:, Home Equity Loans FEDERAL CREDIT UNION " 2 Same day AppToval Money on the House! a trt invne, Flod3440- S-Home Equity Rates A smart way to -37.W72I1In n I 1: starting ar5.0'APR CASH in! o Phone: 352-726-1359 YOUR COMMUNITY CREDIT UNION SINCE 1978 iha 1 a H 'y O.hogbe ja Man gr is 1-fT~BJ ****.- .ffi .. -, -- *,q --- -- _6fi62M__________ v r i SUGARMILL: Gorgeous wooded lots from .......... $63,000 CRYSTAL RIVER: Plantation Golf Course from ........ $51,000 LECANTO: Near Govt. complex ............... $24,900 HOMOSASSA: Over a half acre ......................... $29,900 4,277 lots available through MLS starting at $6,000!! Many newer Resale & "Spec" homes also available in all areas of the county. INC. PO Bo "'10 Hvy 44 -efi nvesrvem,i.:.s FL :34451-0 1')Q1i ")327 ?6-0973 't.9 TUNE.U WE CHECK * Pump Pressure High- Low Setting * Pressure Tank, Air Charge * Backwash Flow Rate *1 dImM6mMwwmAwALm L- 4DSATuRDAY, MARcH 11, 2006 BLUEPRINTS CiTRus CouNTY (FL) CHRoNicLE *74m#40r NNW -Agiz CITRUS COUNIvY (FtL) CHKURNICJLE- .. -A2 H Insulated concrete forms -a popular building option ".=! -- .-.--- The building business is still booming in Beverly Hills. Homes now have increased from the origi- nal average worth of about $10,000 in the 1950s, to about $1 million today. DREAM Continued from Page 1D sun that would be spirited and stimulating and yet financially possible for them. Few will argue that his grand design has not met the needs of those for whom it was intended better than proba- bly any similar prospect in the state." RECREATIONAL FACILITIES The original facilities were behind what is still the motel. They were called the Bath and Tennis Club and consisted of a pool (at the motel), tennis courts, and a meeting pavilion. Fees were $150 a couple annually. Robert Bright, who stills lives in EDITOR Continued from Page 1D move to earlier deadlines in order to meet our print schedules. We want to thank our advertisers and editorial contributors that have made this a successful beginning. It was a little difficult rounding up the facts for today's Spotlight on Beverly Hills, however once I got into the story I found it intrigu- Beverly Hills was president of the steering committee that negotiat- ed with Kellner to acquire the land where the recreation facili- ties and clubhouse now stand. Opened in 1990, the 8,000- square-foot facility serves Beverly Hills and the surrounding com- munities. The complex on Civic Circle also has a swimming pool, tennis courts, a park and pavilion. Fees are $265 a couple annually. ORGANIZATIONS There are numerous clubs and organizations in Beverly Hills, everything from a Fishing Club to a Craftsman Guild. The Surveillance Unit is the "eyes and ears" of the Sheriff's Office and is manned by volun- teers as is the fire department. CIVIC ASSOCIATION ing. The man who started Beverly Hills, Samuel Kellner, had great foresight and dreams that he fash- ioned into reality I am sure he made money on his dream, how- ever he was generous to a fault with his contributions of land that certainly made the backbone of the community A special thanks to Robert Bright, 2001 Beverly Hills Man Of The Year, for his information. Mr. Bright served as president of the steering committee, who obtained The Association was founded -in 1963 with its mission to repre- sent the needs and interests of all residents of the community. Today, Beverly Hills is a com- munity of more than 15,000 per- sons with very diverse back- grounds and ages. What started as a retirement community is now also home to many families with children. With additional builders, the homes have gone from the origi- nal $10,000 to upwards of $lmil- lion. Sources for this article include "The Community With A Heart" by Stephen Dickter, "Back Home" by Hampton Dunn, as well as additional material from Robert Bright and Madeline Hickey. the land for the many structures on Civic Circle and then later served as president of the Community Council, a real com- munity servant. It feels like Spring is in the air and it's time to get the garden cleaned up according to the Master Gardeners. Maybe by the April issue, I'll have at least some of that done. Comments or suggestions can be sent to Barbara Hartley at Manateemarsha@aol.com. BERT HENDERSON Special to Blueprints An insulated concrete form (ICF) is an interlock- ing building block made out of foam, much like a child's Lego block. The interlocking ICF uses a system of grips or tips on the tops and bottoms to interlock the forms together vertically. Once, these forms are filled with concrete, the wall system ICFs creates a tightly sealed building envelope. aCCep Houses built and tested with ICFs have about one-third to everSy one-half as much air infiltration bR 4 as a typical frame home. ICF Kim homes have reported air changes code per hour as low as .05. Concrete walls need support United structures to hold the concrete in place during curing. Unlike tra- ditional forms that are removed after the curing process, ICFs are permanently left in place. Form ties connect the ICF blocks together hori- zontally and resist the exerted pressure of the Imagine, Thfe Possibilities Pai Cove- S.-Carpoz1s Screc~n rt.isr *Suixtooms it &Glass Room, And N\ic *0 ~I -7 15 e ftI g1 poured concrete. These ties are the attachment surfaces for the interior and exterior finishes that come later in the construction process. ICFs were first used on foundation walls in northern climates to keep the concrete warm for the curing process, even when the normal outdoor temperatures would be too low to work with con- crete. The insulating foam is either arfe expanded polystyrene (EPA), or sY extruded polystyrene (XPS) with ted by an opening in the center from 4 Inches to 2 feet where the con- B 56 O create is poured. The same properties making ,din9 ICFs practical for cold climates in the for more than 30 years are now being used to create energy-effi- S ates. cient, disaster-resistant and noise-suppressing homes in every region from Orlando to Calgary, Canada. ICFs are accepted by every major building code in the United States. Please see . /Page 6D ll- Styr and b,2.3 y. \ placc o .,9 I.1r: or.r rr ..- r Lecanto 746-3312 or 795-3325 Toll Free 800-728-1948 Ocala 622-9717 719 S. Otis Ave. 8 Locations In Florida' ! 660107 Licensed Florida Building Contractor #CBC001467* Licensed Florida Roofing Contractor #CCCO35617 Construction financing made easy. ACME HOME Models On Display Skyline Horton Homes of Merit All New Homes Set On State Approved Concrete Footer System S II, INC. JrCITRUS COUNI CHRONICLES OF Ttif EST vvv,,vvvvvv Monday-Friday 9:00-5:30 Saturday 9:00-5:00 Anytime by Appointment FAMILY OWNED AND OPERATED SINCE 1972 352-382-1076 1-800-226-1076 '8438 S. SUNCOAST (HwY 19) BLVD., HOMOSASSA, FL As the I1 national builder mortgage lender, we're as committed to' delivering ' uncompromising quality in every one of our financial transactions. That's why we've structured our One-Time-Close program so that we can tailor each loan to a customer's specific needs. FAST & EASY loan process One set of applications and closing costs Up to 18-month construction terms Multiple draw schedules Financing up to 95% of the appraised value of the home Land equity can be used for down payment & closing cost All builder soft cost and realtor commissions are reimbursed & paid at closing Up to 10% advance on contract price at closing Lot loan financing available With one qualification process and one closing, qualified borrowers can start enjoying the home of their dreams. Give me a call today for all the details. Gregory Berger Sales Manager-Builder Specialist National Builder Division Direct: (352) 584-5458 Fax: (352) 592-5523 Serving Citrus & Hernando Counties E-mail: gregory_berger@countrywide.com CouE LOANS HOME LOANS EV.al Noosing Lender.o 0Co nyrde Horme Loans, BM Tradasierilcr morks afrt prInpery of Counnylda Firondal Colrao andior Ie bSldladiese. Arona Mortgage Barwer dara Number BKM805. Udasoed by the Dpartmenl ofCorporadons unlderth Calfomia Reldenal Morlgage Lnding A.t Georgia Reg. 5920. 5607 Glenridga One. Aaua, GA 30342 Ilnos sild ntiael Morraga u.Uoaa. 1135 Idmealon Oaks Courtn ni.alon 60187, MassachusOO MortgageLenderl Uaense No ML 1623, NenHampyhir Mortgagea BnkrLense No. 5251-MB. Ucensed MortgageBanker NJ Doppann of aotnin and hurnoeD, D 2nd Floor. Cranford NJ 07616(608) 653-M3, UL nsed Mortgage Banker NYS Banking department. 719E. Jertco Turnpike. Huntinglon Station. NY 11743. RhOae Wand Lender's Ulnerse. Tis Is not an offer to enter Into an interest rate Ionk -n agreement under Minneot IT Sonrme products may not be available In somestates, Resthlction apply All rights reserved, you raceed thl1 dooumentl by efax and wV41 to disconbnuo rseoMn lines from this source, please call Counrya.de at 000-336"O594, IWHITEL ALUMINUM I. SATURDAY, MARCH I IL, 2006 5D BLUEPRINTS f-- /,17T 1 -..n w rl a M;,44*4 ! MAPLI 1 1 2AUKATBLT rEPRINTS CI, C N (k--/ Deal with 'stuff' to get a bigger garage "* ARBARA HARTLEY ", blueprints Editor MOSt Floridians don't . W hen itcomes t- have basements or garages, most h,"nlie- '.' owners feel "thc i, c- owners feel "the L attics to accommodate er htr better howeve~rh, -h- downside is, unfortunately, 'i gives you that much more sp.'-e for your "stuff." The trend nowadays in rhe home-building industry is for three-car garage. Garages are getting bigger and homeowners are utilizirng the space above for chil- dren's playrooms, home offices, in-law suites and so forth. Garages now have to accommodate perhaps two SUVs, a riding mower, bicycles and everything else we can i squeeze into our houses. Most Floridians don't have basements or attics that can accommodate storage, so the garage becomes the all- inclusive space. For some reason, we seem to hang onto broken items or outdated decora- tions or things we just know one day we will need, and guess where they end up in the garage, of course. If you are in the process of building a new home, you can CONCRETE Continued from Page 5D There are as many as 50 differ- ent manufacturers of ICFs. Many of the ICF systems components conceptually are the same, but each manufacturer's block is unique from the cavities, compo- nent parts, connecting systems and reinforcing, to the placement of electrical, plumbing, windows and other construction systems. According to the National Association of Home Builders (NAHB), ICFs have increased in consumer appeal and market share in recent years. There is a market willing to pay more to get more. With ICFs "more" is ther- mal efficiency structural integrity Rt.44 Winders" 6791 Gordon Pt,, Homosassa, FL 34446 over Cleveland 31 storage, so the garage becomes the L all-inclusive space. incorporate all types of storage you already have a clue red units in your garage as part of the garage, here are a few ideas to < overall plan. make it better organized. You are probably many steps First of all, get rid of all that 0 Have a garage sale. ahead if you choose to do this. If "stuff." There are always people who (safety), more soundproofing and more durability. In comparison to wood frame homes, the energy savings for ICF homes are about 20 percent - primarily due to a higher R-value provided by the foam forms. The insulation of the ICF walls depends on the thickness of the wall. Typical R-values range from R-17 to R-26 and that is compared to the R-values of most wood- framed walls at R-13 to R-19. Homeowners appreciate the overall reduced noise in an ICF home because ICF homes tend to have lower interior noise levels. The amount of sound reduction depends on the design consider- ations such as the width of the walls and the number of windows and doors. ICF walls can be installed on a Rt. 44 - 52-628-5752 spread footing or on-grade con- crete slabs. A layout line is snapped directing where the ICF blocks are set in place. After the ICF blocks are set in place, the steel reinforcement bars are put in the hollow cores either hori- zontally or vertically according to the wall's engineering specifica- tions. The concrete is poured typical- ly with a concrete pump. Because of a more predictable cure rate, ICFs can result in a higher strength wall than cast-in- place concrete one. The National Association of Home Builders (NAHB) says pos- sible benefits of ICFs when com- pared to block (CMU) or cast-in- place (CIP) concrete foundations include: 9 In the North, protection of Lecanto. Inverness -4 x urs M-F 9-5* Sat 9-3 Closed Sunday Grover Cleveland CFCC College Fn UPHOLSTERY & DRAPERY FABRICS Emily's FLEECE, VINYL FOAM FAKE FUR 3--1 2 Miles iles 1-31/2 Miles -710- 3 Miles, - newly poured concrete from tem- perature extremes insulating forms protect the concrete from freezing and rapid drying. Concrete can be poured in ICFs down to 10 degrees F, requiring the top of the form be protected with insulating blankets. In extremely hot weather, where evaporation is a concern, the top of the form is covered with plastic sheeting. Foundation walls built with ICFs may be easier and faster to construct than either CMU or CIP foundations, depending on the area. With ICFs, forms do not need to be removed as with nor- mal CIP concrete using wood or metal forms, eliminating a second visit by crews to remove the forms. have a place for your stuff. Create areas specifically for items like toys, pool supplies, gardening sup- plies, sports equipment, etc.; Use your wall space. Hang as many items as you c.tn, such as bikes, lawn ,:hair- .tind other big items. .1;,, can arrange racks in rh, ceiling g to hold plywood .ind shutters for hurricane S ,protection. Put up pegboards that can hold small tools and items such as masking tape, | etc. Hang/larger garden items such as shovels, rakes, brooms on wall racks made for such a purpose. Have a special secure place for Especially where finished basements are desired, the cost differential may be quite small. ICF walls are ready for interi- or finishing, although some prod- ucts may require furring out first. Carpentry crews can be trained to build with ICFs quite easily. Studies have shown that learn- ing to overcome the differences in construction takes place dur- ing the first three hours of work- ing with ICFs. Labor and, possibly, total labor plus material, costs may be less than CMU foundations. When used as a stem wall for slabs, ICFs provide built-in slab edge insulation for enhanced energy efficiency because the interior slab is poured completely inside the exterior ICF wall. hazardous materials such as paint, antifreeze, garden poisons and the like. It should be locked for the safety of children and pets. What about storage units? If you decide to buy storage units, be sure they will fit and not extend too far out in the space. Decide ahead of time what you are going to be storing there, and purchase accordingly. And here's the best idea of all: Label EVERYTHING. You think you will remember where everything is, since you know where it is now, but when the time comes that you need something, your memory will fade away and you'll waste a lot of time hunting. Remember, if the task seems overwhelming, you can always hire a professional! ICFs provide an easier method for placing edge insulation thah conventional methods. Scheduling of trades is sim-. plified because specialty founda-' tion construction and related trades may not be. needed. For more technical information about ICFs, visit the Portland Cement Association's Web site at, NAHB's Toolbase services at- base.org and the Insulating Concrete Form Association Web site at. Code information about ICFs can be found online at, and. Bert Henderson is the Energy Extension faculty for Citrus County University of Florida/IFAS Extension. Call him at 527-5700. YOUR WINDOWS NEVER LOOKED S I Quality Craftsmanship. Years of Knowledge. All the Options. Huge Selection of Wallpaper & Borders Full Line of Window Coverings, Blinds, Shutters, and Shades Best Prices Best Selection DISCOUNT WALLPAPER PLUS.. Just west of the intersection of 41 & 491* Beverly Hills/Holder 1-800-531-1808 489.0033 , -./ ..3 -. -Custom Closet Systems Inc. cne d ; Your custom home deserves custom closets. Make the most of all the space you have, call today .. for N'our FREE design consultation. Walk-ins, reach-ins, small linens to large pantnes, we can design a storage system to fit your every need. Adjustable Reliable Affordable (352)746-4424 Don't settle for anything less than the best. We are the source for all of your home storage needs. Ask your sales person about our mans other home storage soluuons. BA B n<- Insured CiTRus CouNiT (FL) CHRoNicLjV CsD SATURDAY. MARCH 11, 2006 4 BLUEPRINTS m u N (2to tuiNyix(1fl (?HnnuiCL B UE R-TSSAURA--MRC 1, -00 Efficiency can prevent long-term water waste Start with a drum Special to Blueprints I Many people make rain barrels out of inexpensive 50-gallon food- 'grade drums that were used to carry juices, olives, pickles, etc. Often, you can find barrels for about $10 from drum and barrel sup- pliers. Be sure to get a heavy-grade plastic container that won't let in -light clear or translucent barrels can speed the growth of algae which can clog pipes. The water savings from using stored rainwater rather than munic- ipal or n ell water can be substantial through a period of time A rain barrel can also help reduce the amount of water that may -ettle around the foundation of your home. USES FOR COLLECTED WATER Connect to a soaker hose (with the pressure-reducing washer removed). Fill a watering can and hand-k.aier plant., flowerbeds and gardens Keep your compost bin mo.t i Rinse off gardening tools. How much rainwater can I collect A rypia- 1 2-uich r.unfall will tll a 50- to 55- gallon barrel. Figure about a half gallon of v.aer per square foot of roof area dur- ing a 1-in,:h rainfall A 2,000-squ:re-cot roof can collect about 1,00ii gallon-s of water (accounting for about 20 percent I,4.. rn e. aporIun, rumnff and plas.h, i WHAT ABOUT FILTERING? .i Leaf debns, bird dropping- and chenmi- cals fro.rn roof material wnc't Iikeli be h.trnrmiul to plant is U.e a v. indov, streeil or .-ire mesh co keep out debris and insecrs and clean the tank penodjc:llv it remove an\ seulhng. DO I NEED A PERMIT? Check with viour ':ounry to see if a perrrut i- required t[0 ulintal a small rain barrel for landscape v atrenng Some subdm.sions '-.di deed re-tincuuns. prohibit them n u can ai-.so check %\:,ur local plumbuig -ind he.liCh codes for iiidanr:e STAY AWAY FROM PLUMBING It's important to keep your rain barrel independent from existing house piping or sprinkler system piping to prevent a Lross-connec- Lion to \ our potable water RIN BARREL SUPPLIES To find barrels or drumrrI-s o convert into rain barrels, check the phi.ine book or on the w;eb. Make sure oo purclu-.e plasuc fotd- ~rade conLuners ;:,u can aJso get re.ady.-to-go rain barrels, they come n:Tih an inIle and ouLde[ alread- iustalied Special to Blueprints T he Environmental Protection Agency reminds us that water is a finite resource and only 0.3 percent is avail- able for the world's population to share for agricultural, residential, manufacturing, com- munity and personal needs. While both world population and the demand on freshwater resources are increas- ing, supply remains constant. Water efficiency is the long-term ethic of conserving water resources through the employment of water- saving technologies. Through these practices, we will ensure that water will be available for future genera- tions. Here are some water efficiency measures for residences: com- pletely full. Use the appropriate water level or load size selection on the washing machine. Outside: Sweep driveways, sidewalks and steps rather than hosing them off. Wash the car with water from a bucket, or consider using a commercial car wash that recycles water. When using a hose, control the flow with an automatic shut-off nozzle. M"S meat Complete this survey to give you an estimnutc of how much water is used in your home in one day. ctIculsi.cd. .t- i '. S, ~, rii i 4 Water Uied t! Numtibci of TrAOI Mi,.jTici- .' .... cGallansUsed c- j. r :r, G~1o~L~.. Galloru Used 1- I. Total Galloris Ijsc~i -.. .U'Pid tNunt-c o f ntbf 5111aI Ut~ J .. Ii' I tjj---. tACUATD S Total GAo~ns Used G.-Ilon; Werd -4 Disu.Ui WItlP your irfinlywify W tVIc cmwv- ~vrcr.0home. WYfifc fro oft he Ima" oun the Imrs Provided. Decick ho.'f You will hClP Codi Other pWE or iuc Tnew habits %hare Your ideas with youi clas~smates. rot adfdtLuo.im nfomau,, 3ccrJte.1-1 -.Ta 'Fr~ C1ourCS. PIAF-C-t CknIW i~ wCOMMIPICatJOCIS Depal'rIVIIt Of Rte ScAjth..f.I vflc~i& .O w M 3 Di6IncaI SW.SOO 14i 76, en.i,4757, or .isit our -eb site altWatmrwMattrn.ar. 9. 1 Ir f WI LL Ii .Or- ZiI4000. EQUIPMENT Repair all leaks. A leaky toilet can waste 200 gallons per day. To detect leaks in the toilet, add food col- oring to the tank water. If the colored water appears in the bowl, the toilet is leaking. Toilet repair advice is available at Install ultralow-flow toilets, or place a plastic container filled with water or gravel in the tank of your conventional toilet. Be sure it does not interfere with operation of the toilet's flush mechanisms. Install low-flow aerators and shower- heads. Consider purchasing a high-efficiency washing machine, which can save more than 50 percent in water and energy use. SATURDAY, MARCH ILI, 2006 7 D BLUEPRINTS Crrays Coury (FL) E I vow I I C,,fl .ATIRAV A2C CC L EI LIJEPRIN'TS DESIGN CORNER ... A clever punch of color can really perk up a room KIMBERLY BACKMAN Smart Interiors Living in Florida, we are sur- rounded by color 365 days a year. Color can be a little challenging. Used too much, it becomes overpowering. Used too little; it becomes too washed out. Although you may have a neutral room, try adding a punch of color using accessories. By art- Kim fully placing colorful Bac accent pieces, your room Sr will be transformed easily Inti Accent painting or faux finishing your walls can make a neutral room come alive. Try sticking to one dominant color and bring in other coordinating colors in much smaller doses. From a design standpoint, color is used to compensate for a less-than-desirable room. Fill your room with personality - add color! Some tips: A neutral color scheme should- n't prevent you from bringing in color. berly kman mart riors. Be careful, a little goes a long way. Try using col- ors such as golds and greens, as these colors work well with many tones. Artwork is a great way to bring color into the room with your own per- sonal taste. Accessory selections should compliment your color. Arug, vase or even a lamp shade will make a statement and finish your room. Don't forget about your doors, baseboards and crown molding. Use accent paint with soft shades of whites or even a color, but make sure it is a different color palette. Get inspired, add color! Today is the day for the Water-Wise Fiesta from 9 a.m to 3 p.m. This year's events feature a v.ater-wise poster contest for kjds, irrigation evaluations.. Florida-friendly landscaping. recycling tips arid more There -ill be outdoor demonstration Iunder a tenti on the follo,.ing topics build- ing a rain barrel; butterfly gar- What's the value of your home; what do those terms mean? Special to Blueprints * ASSESSED VALL The Florida Con Here are some terms important to all effective Jan. 1, 19 homeowners as defined by [he Citrus increase in ;-e-.etse County Property Appraiser'. Office. :.rospe.rine.. For yo MARKET VALUE alue for this year r Market value means :he arn-Orit in typical pcrcern hi-gher than cash a willing buyer would pay to a r-.illing unless you have ac seller, less the costs of [he sale (documents, property or the ov-. stamps, Realhor's and attorney f-es, etc.). has changed. The a. GARDENING TIPS ... Hoe, hoe, hoe! It's time to clean the garden for spring Special to Blueprints Master Gardeners of Citrus County make the following recom- mendations for gardening in March. In general, they suggest that you clean up winter debris, rake, plant and mulch. After frost damage has passed, trim off dead wood and stems and fertilize shrubs. If you have amended the soil in new planting beds with peat, compost or manure, it is good to wait at least three weeks before planting. LAWNS Use a 15-2-15 or 15-0-15 slow- release nitrogen fertilizer after St. * WHAT: Water-Wise Fiesta. * WHEN: 9 a.m. to 3 p.m. today. * WHERE: County Extension Offices, Lecanto. * INFO: Call 527-5700. dering, composing. bluebirds- of Citrus Coijunt and aquascaping Educational programs are scheduled every hour and include topics like personal h.i draung, protecting the waterfront, mold arnd mildew, spring garderung, mannatrig a health septuC systern and ho)w tLo :onser\e .ater. There v0ill :dso be prizes and ~lvea-ays\ BrinC the family, there ?..dl be something for e'.erone. The acuLites aill be held at the Citruis C-:urip, Exrernsion. Offices, 36,509 WN Sovereign Path. Lecanto' The fiesta is free For m'ire Lnfoi-ario'n, :all 52.--5-0( Courtesy ARA Content A weed and feed fertilizer for- mula is not recommended for Citrus County, as the timing for weeds and turf grass growing is different. Fertilize fruit trees and thin larger fruit where needed. Patrick's Day (March 17). A weed and feed formula is not recommended for Citrus County, as the timing for weeds and turf grass growing is different. Trying to treat them both at once is not effective. TREES AND SHRUBS On average, roots of trees and shrubs will spread three times the width of the branches and less than three feet deep. Normal lawn fertilizing should supply all the needs for most established trees and shrubs. ACID-LOVING PLANTS It is important to use a fertiliz- er marked specifically for azaleas because standard fertilizers often contain nitrate nitrogen that will damage the azalea's roots. This can be used on camellias and other acid-loving plants. FRUITS AND GRAPES Fertilize apples, peaches, grapes, blueberries, etc. For larger fruit, thin fruit from peach and nectarine trees to one fruit per four to six inches of stem. PALMS AND CYCADS Fertilize palms and cycads around the root area with a spe- cial palm food that contains mag- nesium and other micronutri- ents. UE institution was amended 05. ti:) limir the annual d alhue fi:ir oi'mesrcrad ur h.rnme, 'iir a-.e :l may not be more than 3 last lear'" ascise: 1 alKue Icled or refjibished:l the ner-.rhi'p of the property '.ei. ed .dlue rniav never be higher hhan the market value EXEMPTION VALUE :exmprnti':i are iubt[rac(ed from the a -_ 'ed '. .d e .of ,'ouir propL 'rr t,' lrr e .t r.>Lljb!e .rIluc TAXABLE VALUE The ._--e.sed alue ot the proper'v minl-n. the mOUi:,unt a-ofr, JIpplicaLle e-xernpuon- under 4s or s ., Art. \I of the SLtate Corsltur'ri and ihaprer 1c0l', Courtesy,ARA Content Now that it's spring again, get into the garden and pick up win- ter debris, rake mulch and plant for a new season. Remember, if you have amended the soil in new planting beds with peat, com- post or manure, it is good to wait at least three weeks before planting. MAKING the RIG H T | CHOICE the first time A When you are choosing the details that make your house a home, such as color, cabinets, flooring, countertops, lighting, our professional staff and equipped "Color Room" will help in making the Fine furnishingS... Unique Accessories, Fabrics, w oldniW Treatments Lighting Fine and so much more Furnishings, a smart interiors 97 W. Gulf to Lake Hwy., Lecanto 352-527-4406 Open Mon. -Fri. 9:30-5:00; Sat. 10:00-4:00 nd more WORLD CLASS SERVICE 5141 Mariner Blvd., Spring Hill 352-688-4633 Water-Wise Fiesta is today in Lecanto Special to Bluepnmus CiTRus CouNTY (FL) CHRONICLE ODSATuRDAY. MARcH 11, 2006 * ', ;.-' ': CrrRUS COUNTY (FL) CHRONICLE BLUEPRINTS SATURDAY, MARCH 11, 2006 9D THE VILLAGE VIEW OF COMMUNITY LIFE Guidelines keep communities in harmony Special to Blueprints The Village View is a new fea- ture to Blueprints. The column, written by a professional team of community managers, is de- signed to provide members of homeowners and condominium associations information on the day-to-day operations and man- agement of property owners associations. Send us your questions and we will do our best to answer them in future issues. Here are new communi- ties and neighborhoods springing up all over Citrus County. In the beginning, developers design and designate a planned development. Part of the devel- opment process is to create a set of guidelines or restrictions called declaration of covenants or decla- ration of condominium (whichev- er relevant), to govern the com- munity. These documents outline the architectural standards, number -of board' members required, structure of maintenance fees or dues, meeting and quorum 4 requirements and so forth. In addition to the declaration, articles of incorporation are creat- ed to define the corporate status as either for-profit or more com- -monly, not-for-profit and a set of -by-laws that outline the associa- -tion's responsibilities to member- -ship, member's responsibility to Sthe association, board and offi- cers' duties and terms, to name a few. Initially, the developer appoints -the board of directors and main- tains control of the association .until a percentage (defined in the bylaws), of all units are purchased J y owners._At that point;, mem-- ;bership is entitled to appoint a -member to the board. i T,1, e,,-te Il L",,: e r ,dl. Il'w c.c -,per I- 1 l__ c, [,, [I I iH C D r-, i e ricr o I(, [ ,irh ;- :. i.it ,. r, - [,- m ei.rlu-er-hip T_. -ii. --, I,- . rh>,_ -:.:rin'unur', .i-_-,_ n.l .i,- n.tir- A ,:r,-,, *:" .'\.M ,:, 'nte h int.,- [-,1,. Once membership assumes control, men and women who moved here primarily to enjoy retirement, soon find themselves selecting a board of volunteers to facilitate the day-to-day opera- tions and oversee their neighbor- hood. Once elected, it doesn't munity association as a residen- tial homeowner's association in which membership is a condition of ownership of a unit in a planned development (Florida Statute 468.431.1). Furthermore, a community association manager is required take long for one to realize In plain that running an association is English, the not an easy job and involves a best ayto good deal of en joy a what we moved here to get a harmonious way from; the four-letter word, community IS W-O-R-K. For a commu- to obtain the nity to run har- moniously, pro- r fe siona fessional help is assistance of needed. There are monies that a license must be collect- ed, deposited Community and allocated appropriately, aSSociation notices must be posted and cor- manager. respondence will need to be sent to mem- bers, meetings will need to be noticing or con for any home- owner associa- tion containing more than 50 units or that has an annual budg- et in excess of $100,000 when done for com- pensation a CAM license is required for con- trolling or dis- bursing funds of a community association, preparing budg- ets or other financial docu- ments for a com- munity associa- tion (Florida Statute 468.431.2). A license is required for assisting in the attorneys for legal issues. Villages Services continues to add servic- es. Whether it's putting your com- munity documents online, devel- oping a Web site or assisting in setting up a committee, if you have a need, we do what we can to help. Most of us fly south to enjoy our golden years in a climate more favorable to year-round golfing and fishing. Because of this, we buy homes in mainte- nance-free communities so we have more time to do, what it is we came here to do. Volunteering to serve on your community's board of directors can be a rewarding experience, especially when working in con- junction with professionals such as those at Villages Services Cooperative. The first topic to be addressed by the Villages Services CAM team is a question that came up at more than one annual meeting recently "If there are discrep- ancies in the declaration of covenants and the rules and reg- ulations, which one should be fol- lowed?" The order of priority is: first, federal laws, state statutes and applicable county codes; then, covenants and restrictions; and next, articles of incorporation and bylaws. Finally, the rules and reg- ulations, generally developed by the board of directors, are the lowest in the precedence chain. For example, if your associa- tions' rules and regulations state that each household is permitted to have three pets and your covenants state that only two pets are allowed, the answer to the question of how many pets are permitted per household is two; however, there are some instances where a lower docu- ment may take priority, and a good rule of thumb to follow is to abide by the more restrictive doc- ument. An example of this is, if your documents require members be notified 21 days in advance of board meetings and Florida Statute 720.306 (5) states that members be notified, "not less than 14 days in advance," it's a good idea to give 21 days notice. This way you will be complying with both your governing docu- ments and the Florida statutes. If you are on the board of your community association and need professional advice, feel free to contact our offices at 746-6770 and speak to one of our licensed community managers. If you live in an association, and have ques- tions, write us at info@vil- lagesservices.com or 2541 N. Reston Terrace, Hernando, FL 34442. S T F B I .... the .,, rTH ofT EL, XJLRLL i - . n A-. L-1 1 -,nnic MOD SJ ATURDAY, M~AKRCH11, 2000""- CITRUS COUNTY (FL) CHRONICLE DI T .PRITTMTS Know what you're looking for when you check for termites. Workers and soldiers immature ter- mites have pale bodies and are somewhat ant-like in appearance, but with a broader junction between the thorax and abdomen. Immature termites have small or no compound eyes. Winged adult termites in the reproductive stage have bodies that may be darkly pigmented. Adults have well-developed heads, with chewing mouthparts and beaded antennae. Adults have compound eyes, and two pairs of membranous wings. Voracious pests terrorize our homes Special to Blueprints very day, homes like yours are being destroyed from the inside out. Termites infest millions of homes every year, in every state, except Alaska. Estimated damage is $5 billion annually Damage is rarely covered by homeowners insurance. The termites on Earth outweigh the humans on Earth, and it is estimated by scientists that they have been around for 250 million years. Termite queens are believed to live for 15 to 25 years and are capable of laying an egg every 15 sec- onds. These facts and the following information is pro- vided by Dow AgroScience. Learn more about ter- mites, preventative measures and test your infesta- tion rate. SOME TERMITE FACTS The more we learn about termites, the more we appreciate the tremendous impact they have on our buildings, our homes and our lives. BIOLOGY AND BEHAVIOR Thousands sometimes millions of ter- mites live in each soil-based colony *. Several termite colonies can exist in an acre of land. Workers forage continuously for food, eating any wood-based material they find. Foraging territories may extend several hun- dred feet from the colony nest. Workers share food and lead others from the colony to it via scent trails. Reproductive termites with wings swarm from an existing colony to start new colonies. in southern st' c this begins as early as January, i4norrherrn sitre, it occurs in May or June. A,.alL colofm :f approximately 60,000 ter- nmtes _. t ti linc-ti fo-t of 2-b,--i in ab-ut fire rn,- iths -- The termites on Earth outweigh the humans on Earth, and it is estimated by scientists that they have been around for 250 million years. Termite queens are believed to live for 15 to 25 years. The population of a Formosan subterranean I termite colony can number in the millions, foraging T over distances in excess of 100 meters. ,s One Formosan subterranean termite colony ca can consume 1,000 pounds of wood per year. ag Formosan termites have been known to eat cO through lead, .:Lplulr ster, rii rt, r, rubber and PC plas3uc ro find undri g -iri- .7 , WORRIED ABOUT YOUR HOME? TEST YOUR TERMITE INFESTATION RISK Special io Blueprntls Termite queens are believed to live 15 to 25 years and are capable of laying an egg every VWhat is the chance youu\hat is [he chance our home has sub- 15 seconds. terr.anean termites? The following onihne test was developed by researchers Dina Ric:lmaiani and Dr Phil Koehler at the Uni\ersi,- of Florida. Department of Entomnolhog:, Ginesille, to help homeowners determine termite infestadion potential \\-de it i. intended to help identify the likelihood of subterranean termites infesting t-uur home, it does not prodicle arny definite indicanon of their presence Dow AgroSciences reconmmend.s ou contact a local pest management professional to receive the most accurate indication of a termite infesitti-on 1. Is your home a wood frame on slab 6 inches thick or less? No 2. Do you have wooden fence posts within 2 feet of foundation? No 3. Do you have wooden siding? No 4. Do you store firewood within 2 feet of the foundation? Yes No 5. Do your sprinklers wet your walls? No 6. Are sprinkler heads within 2 feet of the foundation? V'es No 7. Is your home without gutters? Yes No 8. If you have gutters, do they discharge within 2 feet of foundation? Yes No 9. Does your AC drip line discharge within 2 feet of foundation? Yes No 10. Do you use mulch? (pea gravel, wood chips, pine needles, leaves) No 11. Is the inspection gap between the stucco/siding and loBwE^ M S i the soil less than 6 inches or absent? he population of a Formosan ubterranean termite colony an number in the millions, for- ging over distances in excess f 100 meters. One colony can onsume 1,000 pounds of wood er year. Yes No 12. Do you have stucco extending below grade? Ves No 13. Do you have trees or shrubs within 2 feet of the foundation? Ves No 14. Do you have irrigation or lighting lines within 2,feet of the foundation? Nlodcl SEI-00932x7( J CITRUSPRTCOUNTYAUR(PL) CHRONI206CLE I M. AMA NUEAC TUADu 0I L- Lr i,. No other home on the market is "Engerneered For People" like a Jacobsen Home. -, . I I I I I I ~.I'L I 4 .1~1 * I IJU~,,. I I. I U I - ~ I'll ~ L./ ~ I I I ~~~'-'" ,.~* I I ~ .-:.;:~ N *.~b 'IIi,. *. I Ii *--4~L. I ~' ~ - S dr1m NFQR, I Iaylor Made Homes is recognized as the most innovative leader in Florida manufactured housing, using the most advanced components and technology available. . ',,:,t '.'.77 S...... ,- - . | ., .. '.. _1*l - - U F - - E very home that Jacobsen builds is designed by our highly-trained, in-house engineering staff. Jacobsen Homes pioneered the use ofAuto-CAD in the Florida manufactured home industry; this is one of the most sophisticated computer programs available. This ensures that every individual floor plan will be executed with precision. 1 Vs s5?s +ss i w.' P,,-.a TAYLOR MADE MO .-': = L I.I WONG CLASS' ........ .. .._" L .... hI HOMES 7165 U.S. Hwy. 19 HOMOSASSA (352) 621-9181 1 Mile South Of Howard's Flea Market ~2'g I-*.- MS S SATuRDAY, MARcH 11., 200611D TiTTlWPRITTtS c-or c I"'nriv% ,.f T ) rrrnNarrT F I NNIMENNEEMN .-. / m m 7. 52no CITRUS COUNTY (FL) CHRONICLE X20E SA-ruRDAY, NLARcH 11, 2006L XFJUZ~kANAn AU OREED DrALER Turn to the Experts CondCita ^*oBBHH The Five Star Edition of the Carrier InfinityTm System is the world's first self-monitoring .. residential air conditioning system. Designed and programmed to run a daily diagnostic check, it actually adjusts itself to maintain maximum efficiency. I Cool 0 Cash You stay cooler, drier and save money. You also get the best limited warranties* in the business plus Puron., the environmentally sound refrigerant. Get a $1,200 Cool Cash instantly Citrus 795 - Marion 489 - Levy 447 - Hernando 688 - Ask About HYBRIDC:L 2.6 6 5 Turn to the Experts * WAC arid pqchmw of qac~rffteqipmew. Offer ENDS2 5/3 1 /D6. See Bay Ama your Carrier Faofoy Autiortzed Dealer, for fuLl detaft as sme re*ldlmflapply to Nnlftd warlarlim .Purm Is a regiveered ftudenwaklcof CaurrirCoqvrptonkft Wry & Hybrid Flaw are Trademrkis of Carrier Ccrporatiom. Fie Simr Editon Ioplont.NmL a wffcl z~itforly. DilBpdik'SStalee Cerrifled CACD10415 Celebrating 30 Years of Service, Reliability, Performance. Service All Makes & Models z NATE Certified Technicians Sales Service Installation Carrier Factory Authorized Dealer Saturday Service No Extra Charge AeroSeal Certified Duct Sealing Annual Service Contracts Available * Two-Year Warranty On Parts & Labor Environmentally Friendly Purone Products Voted Best of the Best Every Year Since 1996 National Carrier Distinguished Dealer Award Winner GRIP Guarantee-Guaranteed Repairs Ideal Pricing Best Stocked Warehouse & Service Trucks In The Area You Expect The Best And You Get It. FACIR3' ATHrIORIZED DEALER Turn to the Expe AERD t i Certified Duct Sealing rts. i, i_ Carrier Distinguished Dealer We're One of only 75 Dealers in the United States! Are you paying to heat & cool your attic? The simple fact is that 90% of the homes in America leak up to 40% of their heated/cooled air through perforations in the ductwork. AERD' .. Not sealing these leaks is like leaving your front .- door open all year long! The problem is easy to ignore because you can't see it- it's not like a Certified Duct Sealing hoIneowner? Authorized 0~ ' Citrus Marion Levy Hernando 795 - 4898- 447- 2 6 6 5 688 - Turn to the Experdt I A checkup today costs less than in May... June, Juiy,orAugust. sT noo I .. .. . Why wait when you can save money now? Call today and schedule your Carrier Factory Authorized Precision Test, Tune & Cleaning with Bay Area. g,.j per system FACM >;l 3 M W ~ Expires 3/31/06 rI ,.r... C O.Turn to the Experti, Se-e CrHdCAC1015 CCC Bum Prnim S a Co..fld CAC010415 aRT TTIEmRITTqT's 'I 421M ---- nA --- I I I 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/00435
CC-MAIN-2015-27
refinedweb
88,775
78.55
I.]]> At the moment both my desktop and laptop run Gentoo Linux. It’s a fine OS and it’s been the longest running Linux distro I’ve had, but it takes a lot of effort to keep it up to date. Over time I’ve used my desktop less and less for work, to the point it’s really just a media server. Since it hasn’t been used for much, I haven’t kept it up to date, and it’s still awaiting the split-X upgrade, and now the gcc 4.11 upgrade. I don’t want to do them again, I’ve done them on my laptop and they take a long time, and there’s always something that needs fixing at the end. So I figure it’s time to try out something a little more low maintenance, enter Kubuntu. I’ve had some experience with Ubuntu before, and it’s pretty pain-free, providing you don’t mix and match your source lists too much, all too common when you want to try some new version of a package. I downloaded a copy of Kubuntu Feisty Fawn, which is the latest development version, so strictly speaking you shouldn’t use it as your current desktop OS, but I don’t plan to upgrade for a short while so I just wanted to give it a test run. N.B. This was done with the live CD rather than doing an install. Overall pretty good, it did try to use an unsupported video mode between the original boot menu and X, but I just sat it out and it was fine. It brought up X and found the network. X did start up and was working but still needed some configuration to get to a decent state. It had chosen the highest resolution possible, which meant a low refresh rate, I had to copy over my old settings to get it the way I liked it. I was surprised to see an option to change the resolution and refresh rate in KDE control center, but these had no effect besides restarting X. It also setup a US keyboard, so that needed changing. It didn’t detect my printer, but I’m still using the parallel port, so fair enough. More annoyingly it didn’t create any mount points for my hard drives and DVD drive, so I had to do this for myself. Since the main purpose of the box will be to serve media files, this is an important area. Sounds works fine, so we were off to a good start, but that’s where it ended. There’s a definite lack of multimedia software with Kubuntu, namely: The only media player was Kaffeine and when it started, it complained about various things, e.g. missing Win32 codecs, insufficient permissions to read /dev/dvd, not great. The lack of codecs was a real problem. Most files couldn’t play (duh, they’re avi files!), but also some mpegs lacked sound. That’s where my first adventure into Kunbuntu ended. The appeal of apt-get is a strong one, so I think it’ll continue, I just need to find a source list that will give me multimedia love I crave. If I can get that sorted and setup a CUPS and Samba server, it might be time to retire one of the older Gentoo installations out there. I just came across a free fax by email service from TPC. It looks like it’s been going for a long time. Very handy when you come across a company who doesn’t have an email address or phone number!]]> I just came across this post. It looks like there’s talk to introduce special operators for getters and setters in Java 7! The following two lines might be equivalent: a.setFoo(b.getFoo()); a->Foo = b->Foo; See page 27 of this PDF. It’s just so wrong to me. The problem only exists because field access is done by static type, if they did the same lookup as they do for methods, we could just use ‘.’. If you wanted to do something different in a setter or a getter, then you could explicitly write a method. The suggestions on page 28 make more sense, e.g. String support in switch blocks, and comparison operators for enums. But why not just give us generic support? Why can’t I use any object in a switch statement? Surely it could just invoke equals()? Similarly give me the chance to define what -> means, or add comparison operator support to any class I want. Then I wouldn’t mind stupid things like ->, but this whole, some objects are more equal than others thing when it comes to operators, and stupid operator definitions, that I can’t abide! I’ve started using Gmail at work and I like it. The conversation view really grows on you, and little things like filtering out duplicate mails (think replies to a mailing list) are really handy. After using it for a few weeks it made Squirrel Mail, which I was using for my personal mail, feel really basic. So I decided to setup Gmail to be my main mail client, but with my regular email address. Here’s what I did: PATH=$HOME/usr/bin:$HOME/usr/local/bin:/usr/local/bin:/usr/bin:/bin:/usr/bin/X11:/usr/games MAILDIR=$HOME/Maildir PMDIR=$HOME/.procmail LOGFILE=$HOME/procmail.log SHELL=/bin/sh # ... SpamAssassin stuff omitted ... # Forward to Gmail (if not from Gmail, e.g. bcc’s) :0c * ! ^Sender: user@gmail.com ! user@gmail.com # Default entry to make sure mail is delivered :0 $HOME/Maildir/ N.B. replace user@gmail.com with your email address.The bold bit forwards all mails to Gmail unless it’s sent by your Gmail user, e.g. if you’re bcc’ing each mail to yourself (useful for normal mail clients to maintain a conversation view but unnecessary for Gmail), but the main idea is to stop loops. With this setup a copy of all my email is forwarded to Gmail, I can send mail from my regular address, and a copy of each message I send is backed up to my ISP. It’s working well at the moment, the only downside being I have to sort through mail twice, first in Gmail, and secondly went downloading the backup from my ISP, I’ll have to see how that works out in the long run. My next tasks will be to see if I can upload my old mail, and to try out the new mobile Gmail app.]]> Here’s the first post, in hopefully what will be a relatively infrequent series. It’s going to cover stupid things I’ve done in Java, so you won’t make the same mistakes. In this first post I’m covering a scenario where I was getting a NullPointerException on a field that is initialised on construction, i.e. it should never be null. Below is a set of classes that recreates the situation (I don’t know if it compiles or runs), see if you can spot the mistake: public class X { private String someVar; public X(String someVar) { this.someVar = someVar; } public void doSomething() { // Does something with someVar this.someVar.length(); } } public class Y extends X { private static final Y INSTANCE = new Y(); private static String SOME_CONSTANT = "blah"; private Y() { super(SOME_CONSTANT); } public static Y getInstance() { return INSTANCE; } } public class Main { public static void main(String[] args) { Y y = Y.getInstance(); y.doSomething(); // NullPointerException happens here } } Did you spot it? In this example X.someVar will always be null because Y.INSTANCE is created before Y.SOME_CONSTANT, meaning doSomething() will throw a NullPointerException. It’s an odd bug because it makes you think about class initialisation and mixing static and non-static fields in your class. My mistake was thinking that constants (i.e. static final fields) are always set before you can instantiate a class, but in this example you can use it before it is set. I don’t think the compiler catches it because the first use of SOME_CONSTANT appears after it’s definition, but the declaration of INSTANCE jumps ahead of it causing the problem. So if you have a singleton, make sure you create it after the rest of your static fields. Update 1: Dmitry spotted a couple of bugs in my code, and one that in fact shows the above case cannot happen. A variable declared as static final always gets initialised first, so the code I was working on must have omitted the final declaration hence causing the NullPointerException. Update 2: I’ve modified the code above to now break as I described since some people are running it. See the comments for explanations on the full set of conditions for this bug to occur.]]> The Register reports that from next month, T-Mobile will introduce a new tariff that allows people to use VOIP on their phones. Ahead of next week’s announcements, The Register has learned Web ‘n’ Walk Max will have a 10GB data limit and no restrictions on VoIP or instant messaging use. It’ll cost consumer punters £22.50 as a standalone product and £44 for suits, who get voice bundled in. Also new will be Web ‘n’ Walk plus, which provides 3GB without VoIP, but with instant messaging allowed. Standard Web ‘n’ Walk, as available now, will remain unchanged at £7.50 for 1GB. Instant messaging will be allowed for light users too. I was already planning to switch when my Vodafone contract runs out at the end of this year so I could surf on my phone. This news provides an interesting new option. I’ve been mucking around with WengoPhone, which is like Skype but uses the open SIP standard. They already have a mobile client, but it’s for Windows smart phones, which I definitely won’t get. Hopefully they’ll put together a J2ME version soon.]]> I came across this thread that simplifies the ical controller from my previous example. It correctly sets the content type header and removes the need for a template. The new version is: class IcalController < ApplicationController caches_page :competitions def competitions headers[’Content-Type’] = “text/calendar” cal = Icalendar::Calendar.new Competition.find_all.each do |comp| event = Icalendar::Event.new event.start = comp.date event.end = comp.date event.summary = comp.name cal.add event end render_without_layout :text => cal.to_ical end I hadn’t used the render_without_layout command before, but it’s very handy for situations like this. I was chatting to Simon the other day and the question of, should you have getters and setters in your Ruby classes, or should you just let other classes access the attributes directly, came up. We were talking about ActiveRecord, which dynamically creates them for any columns in the table the class is representing. The short answer is, if you want other classes to access that data, yes, you need getters and/or setters, but for different reasons that you might think if you come from a Java world. Getters and setters are one of my pet peeves in Java. I hate it when I see them thrown in by default for every field in the class, reducing it to nothing more than a C struct. The good reason for not allowing direct access to a field in Java is data encapsulation. By making it private you can decide if it’s read-only or read/write (or neither). But I think this is a poor reason, in so much that other objects shouldn’t be pulling data out, but asking it to do things. Rather than starting from a view point of what data does this class provide, you should think of what are its responsibilities. But that is tangential to what I want to talk about, why are getters and setters so prevalent in Java? I think the first reason is the early OR mapping frameworks. They typically required you to inherit from a class, or broke OO (no inheritance in EJBs?!?), so you treated the domain object as struct, just to ferry data from Java to the database. Then you’d put logic in other objects and you’re just doing procedural programming. I think the situation is better now that you can work with POJOs (e.g. Hibernate) but you still see tutorials following the old pattern. The second reason is the madness that is field access in Java. Getters and setters can protect you from this. Java binds field access at compile time, i.e. to a variable’s static type, e.g.: public class A { int num = 0; } public class B extends A { int num = 2; } public class Test { public static void main(String[] args) throws Exception { A a = new B(); System.out.println(a.num); B b = new B(); System.out.println(b.num); } } Would output: 0 2 when you’d hope it would do something sensible like: 2 2 i.e. you shadow fields rather than override them, so you can get weird bugs if the static type is different from the runtime type. The variables can even be different types! Methods are determined by your runtime type so we can make sure we’re always accessing the right variable, e.g.: public class A { int num = 0; public int getNum() { return this.num; } } public class B extends A { int num = 2; public int getNum() { return this.num; } } public class Test { public static void main(String[] args) throws Exception { A a = new B(); System.out.println(a.getNum()); B b = new B(); System.out.println(b.getNum()); } } Does output: 2 2 so unless the field is defined in your class, you really shouldn’t access it directly. This means to be safe, all fields should be private and we need protected scope getters and setters if we want that field available for subclasses, what a pain, but helps explain why they are so prevalent. Back to Ruby, how does it deal with this? If you look back at the top I said if you want to access the data you need getters and setters. This is because attributes (Ruby’s name for fields) are private to an object, and everything you ask from an object has to be a method, basically you couldn’t get to that attribute directly if you wanted to! Ruby also doesn’t have the problem of field shadowing because you don’t declare variables, so when you reference it, you’re referencing the only variable with that name. So what do the getters and setters look like? class Test def someField @someField end def someField=(newValue) @someField = newValue end end aObject = Test.new test.someField = "blah" test.someField >> "blah" i.e. our getters and setters look like we’re accessing a field directly but they are actually method calls. Without these, if we tried to access a field, Ruby would complain that no such method exists. Since this is such a common pattern Ruby has some shortcuts: read-only: class Test attr_reader :someField end write only: class Test attr_writer :someField end read/write: class Test attr_accessor :someField end All these methods can take multiple arguments if you’re defining multiple fields. A good summary of all this can be found here: But Ruby’s not perfect. A subclass can access attributes from its parent. which means you’re dependant on its implementation, but a code review can stop that. The bigger problem is clashes with mixins. If a mixin uses an instance variable you can get collisions. A mixin has no state, that instance variable it refers to belongs to the object that included the mixin, so if it uses a variable with the same name you can get some weird behaviour. Because there is no static typing, the object’s methods and the mixin’s method can change what is held in that attribute and you won’t see that error until runtime where you’ll probably see a missing method error. Typical workarounds are prefixing variables with some sort of namespace to avoid collisions, or using a module level hash to store the mixin’s state outside of the object. All in all I prefer the Ruby way of getters and setters. On the surface it looks the same but by preventing direct access to attributes and using virtual attributes (not covered here), you classes are less likely to become structs and more like genuine objects.]]>
http://feeds.feedburner.com/milesbarr
crawl-002
refinedweb
2,765
71.14
From OSGi to Jigsaw A tutorial on porting a sample OSGi application to the new Java Platform Module System and Jigsaw. Join the DZone community and get the full member experience.Join For Free in my last post. if you want an introduction on what the new java platform module system (referred to as jpms hereafter) entails and how to get started, read 'the java module system: a first look' . this post assumes you're familiar with the basics of the proposed module system. and if you're the kind of person who just wants to see the code: here you go . the original osgi application before diving into the jigsaw port, let's have a look what the original application is all about: paul bakker called 'provisioning the iot'. in this talk, we use apache ace to dynamically update and provision osgi bundles to running instances of the car entertainment system on multiple devices. it's actually really cool to see your system update in real-time without restarting. if you want to see it in action i recommend watching the talk . the demo starts around the 11 minute mark. technically, the dynamic dashboard looks up all instances of the app interface in the osgi service registry. this interface is almost the only piece of code that is publicly shared between bundles. in turn, bundles containing an app implementation register themselves upon bundle start, and unregister when the bundle is stopped. this makes full use of the dynamic life-cycle afforded by osgi. the dashboard gets app instances from the service registry without having to know about the implementation classes. inversion of control in action! each app implementation bundle also provides its own resources such as images. you can check out the original application on github . finding the right modules. our challenge is to translate the osgi bundles into equivalent jigsaw modules. the first step for re-creating this example in the jpms is to find out what should go into the module-info.java descriptors. these module descriptors contain the dependency information for java modules. it is similar to the osgi meta-data in the manifest file of osgi jars. the most straightforward module definition is the one for the api bundle: module carprov.dashboard.api { exports carprov.dashboard.api; requires public javafx.graphics; } you can find the full code for the jigsaw version of the dashboard on github if you want to follow along. it compiles and runs on build b86 of the jigsaw-enabled jdk. we declare a module with the name carprov.dashboard.api , exporting a package of the same name. meaning the interface and helper class inside this package are visible to all modules that import this module. next, we need to declare what this module needs in terms of dependencies. since the app the last two lines indicate that the app interface imports from the java.lang and javafx.scene packages. by providing the -module. another option for finding the right modules is to peruse the module overview page of the early access jigsaw build. it gives a comprehensive overview of all jdk modules and their dependencies. to get a feeling for the new modularized java platform, it's indispensable. there's on last twist: what does the public in requires public mean in the module descriptor? let's have a look at the app interface: import javafx.scene.node; public interface app { string getappname(); int getpreferredposition(); node getdashboardicon(); node getmainapp(); } public. however, we're getting off track. back to porting the dashboard example. how do the apps actually end up on the dashboard using the jpms? services with serviceload? this means we don't require any app implementation modules in the dashboard's module-info: module carprov.dashboard.jfx { requires carprov.dashboard.api; requires javafx.base; requires javafx.controls; requires javafx.swing; uses carprov.dashboard.api.app; } the interesting part is the last line of the module descriptor: uses carprov.dashboard.api.app; . with this uses-clause, we tell the jpms that we are interested in instances of app interface. subsequently, the dashboard can use the serviceloader api to retrieve these instances: iterable<app> apps = serviceloader.load(app.class); for(app app: apps) { renderdashboardicon(app); } instances are created by the module system. of course, the big question is: how does the module system locate service providers? let's look at an example of a module providing an app service. the phone module exposes its app implementation as follows: module carprov.phone { requires carprov.dashboard.api; requires javafx.controls; provides carprov.dashboard.api.app with carprov.phone.phoneapp; } actual source of the dashboard implementation for an example of both a uses and provides-clause in the same module descriptor. layer construct of the jpms. let's see how close it can bring us to loading additional modules on-the-fly. in short, the serviceloader mechanism allows us to hide implementations in a modular world. it's not quite dependency injection but it is a form of inversion of control. i'm sure dependency injection models will be built upon this foundation. resources modules can encapsulate more than just code. in this application, we need images as well. loading resources using class.getresourceasstream still works, with some caveats. the class calling this method must be in the same module that contains the resource. otherwise, null is returned. the original osgi implementation delegated loading resources to a helper class in the dashboard api bundle. it did this by passing the bundlecontext of the requesting bundle to this helper class. the bundlecontext provides access to the bundle and its meta-data. public static imageview getimagebyfullname(bundlecontext bundlecontext, string name) { url entry = bundlecontext.getbundle().getentry(name); try { image image = new image(entry.openstream()); imageview view = new imageview(image); view.setpreserveratio(true); return view; } catch (ioexception e) { throw new runtimeexception(e); } } i tried to emulate this by passing a class object from the requesting module to a similar helper class in the jpms version: public static imageview getimaget(class<?> loadingcontext, string name) { image image = new image(loadingcontext.getresourceasstream(name)); imageview view = new imageview(image); view.setpreserveratio(true); return view; } however, the access checks do not seem to care about the class object which getresourceasstream getresourceasstream and pass the resulting inputstream to the helper instead: public static imageview getimage(inputstream stream) { image image = new image(stream); imageview view = new imageview(image); view.setpreserveratio(true); return view; } after talking to mark reinhold at javaone, i learned this behavior is by design. there is an alternative that looks more like the bundlecontext solution: you can also pass a java.lang.reflect.module to a helper method like the one above. this reified module instance effectively allows the recipient to do anything they would like with the calling module. including getresourceasstream on that module. list loaded modules the original dashboard had an app that lists the loaded osgi bundles comprising the whole application. naturally, that needs to be ported as well. there is a new api for introspecting modules of the jpms. using it is fairly straightforward: layer layer = layer.boot(); for (module m: layer.modules()) { if(m.getname().startswith("carprov")) { string name = m.getname(); optional<version> version = m.getdescriptor().getversion(); // show it in the ui } }. conclusion it's going to be interesting to see how the current jpms prototype will morph into a production-ready module system for java 9. one thing is sure: it's a big step forward for the java platform.! Published at DZone with permission of Sander Mak, DZone MVB. See the original article here. Opinions expressed by DZone contributors are their own.
https://dzone.com/articles/from-osgi-to-jigsaw-1?fromrel=true
CC-MAIN-2021-04
refinedweb
1,266
51.55
Symptoms Consider the following scenario: In this scenario, the computer may crash. When this issue occurs, you receive an error message that resembles the following: Notes - You have a computer that is running Windows Server 2008 R2. - You install the Server for Network File System (NFS) role service and the Distributed File System (DFS) role service on the computer. - You add some NFS shares to a DFS namespace or to a DFS Replication group. STOP 0x0000001E (c00000005, parameter2, parameter3, parameter4) Notes - The last three parameters in this error message vary, depending on the configuration of the computer. - Not all "0x0000001E" Stop errors are caused by this issue. Cause This issue occurs because of one of the following errors: - A logic error in Server for NFS when the file system returns STATUS_PENDING for a lock operation. - A coding error in Server for NFS when it tries to read uninitialized data in an error condition. Eigenschappen Artikel-id: 2554414 - Laatst bijgewerkt: 27 dec. 2012 - Revisie: 1 Windows Server 2008 R2 Standard, Windows Server 2008 R2 Foundation, Windows Server 2008 R2 Enterprise, Windows Server 2008 R2 Datacenter, Windows Server 2008 R2 for Itanium-Based Systems
https://support.microsoft.com/nl-nl/help/2554414/-0x0000001e-stop-error-when-you-add-some-nfs-shares-to-a-dfs-namespace
CC-MAIN-2018-05
refinedweb
192
52.19
Definition of mathematical matrix. More... #include <CVarMatrix.h> Definition of mathematical matrix. Definition at line 27 of file CVarMatrix.h. Definition at line 30 of file CVarMatrix.h. Create empty matrix. Copy constructor. Create matrix with specified size. Create matrix from vector. Set all matrix cells to zero. Get sum of two matrices. Referenced by operator+(). Get single column as vector. Calculate decomposition in form of QDQ where Q is orthogonal matrix and D is diagonal one. It works for square matrix only. Get result of multiplication of two matrices. Referenced by GetMultiplied(), and operator*(). Get result of multiplication of two matrices. Definition at line 212 of file CVarMatrix.h. References GetMultiplied(). Get result matrix with negated all elements. Referenced by operator-(). Get single row as vector. Get result of multiplication of this matrix with scalar value. Referenced by operator*(). Solve 'Least Square Problem'. Solve linear Least Square Problem for equation AX = Y, where A is a N * M matrix, N >= M, X is n * k matrix and Y is m * k matrix. Solving of linear system with triangle matrix. Rx = y, result = x. Get result of substraction of two matrices. Referenced by operator-(). Get trace of this matrix. Get transposed matrix. Get transposed matrix. Referenced by Transpose(). Transform matrix to upper triangle form using method of Householder reflexions. Create identity matrix. Definition at line 262 of file CVarMatrix.h. References GetMultiplied(). Definition at line 272 of file CVarMatrix.h. References GetScaled(). Definition at line 232 of file CVarMatrix.h. References GetAdded(). Definition at line 242 of file CVarMatrix.h. References GetSubstracted(). Definition at line 252 of file CVarMatrix.h. References GetNegated(). Solve 'Least Square Problem' using robust algorithm. Solve linear Least Square Problem for equation AX = Y, where A is a {n * m} matrix, X is {m * k} matrix and Y is {n * k} matrix. This implementation solve LSP in place, it transforms internal matrix A into R = HA and matrix Y into Y' = HY. Then it solves equation in form RX = Y', where R is 'quasi' triangle matrix. Transform this matrix in place. Transpose matrix. Definition at line 222 of file CVarMatrix.h. References GetTransposed(). © 2007-2017 Witold Gantzke and Kirill Lepskiy
http://ilena.org/TechnicalDocs/Acf/classimath_1_1_c_var_matrix.html
CC-MAIN-2018-51
refinedweb
364
55.2
Well heres my idea, The character(in my game) is centerd in the midle of the JFrame, upon movement, the character animates, but the only thing that actually move's is the environment around him. Well Here's what I need, I need help making a method that return a image based on a virtual game map with virtual gameCoords. Evan though the size of the game screen (JFrame) is 1000 x 800, The method should be based on objects near it, here because you guys dont have my source, Ill show you guys how you can start off: Code : /** * Return a 1000 x 800 image based on absX, and absY, * * Turned into a ?? x ?? Virtual Map <-- TODO: Come up with a good size, for now 64 by 64 * * @param absX * @param absY * @return */ public BufferedImage getVirtualMap(Player p) { BufferedImage enviorment = Util.toBufferedImage(Main.getImageDatabase().getImages().get("backround").getImage().getScaledInstance(1000, 800, 0)); Graphics g2 = enviorment.getGraphics(); List<GameObject> nearByObjects = new ArrayList<GameObject>(); for(GameObject gameObject : gameMap.getGameObjects()) { if(Util.getDistance(gameObject.getAbsX(), gameObject.getAbsY(), p.getX(), p.getY()) <= /* */) { nearByObjects.add(gameObject); //g2.drawImage(gameObject.getDefinition().getSprite().getImage(), WHERE, null); } } System.out.println("Total nearby objects : " + nearByObjects.size()); /** * TODO: * * Use g2, to draw Objects and such, */ g2.dispose(); return enviorment; } If you need anything just let me know, Ill gladly post, and here's the inDistance method im using: Code : /** * @return Returns the distance between two positions. */ public static int getDistance(int coordX1, int coordY1, int coordX2, int coordY2) { int deltaX = coordX2 - coordX1; int deltaY = coordY2 - coordY1; return ((int) Math.sqrt(Math.pow(deltaX, 2) + Math.pow(deltaY, 2))); } The "GameMap" is the virtual map with the objects and such, the "Player" is just a instance of the person playing the game, I hope you guys get what I need,
http://www.javaprogrammingforums.com/%20whats-wrong-my-code/4419-some-serious-questions-printingthethread.html
CC-MAIN-2016-07
refinedweb
300
51.58
Thank Thanks!!! tito, Thanks for looking into this already. Now that ST3 is in open beta, I'm trying to get set up with it to write and BufferScroll is essential (I have been using it daily since you got it to its current level of functionality, all that time ago, thanks). Now in ST3 (I'm running Win7x64, if that makes a difference) and I can get typewriter scrolling working fine, but no scroll sync. It will appear to scroll sync briefly if I erase the user settings file and throw in a fresh copy of the default settings file for the plugin, but the only file I've seen scroll sync even then has been the default settings file (I've had a long plaintext and a short plaintext file open and ready to go for testing but neither have responded), and even that behavior subsides quickly. Seems suspicious to me, like maybe something in ST3 is changed or broken, but right now, ST3 is nearly useless (funny how the lack of your plugin cripples the whole thing for this particular user). Any thoughts on what might be going on here? I've made sure to try removing the file type specific settings you made as examples in the default setting file and also leaving them be and setting scroll sync for plaintext to true. I've also gone in with fresh copies of the default settings, copied the whole thing over to user, then set them all to true, just in case there was some conflict. Obviously some folk have it working, and I've seen it fire a couple times here, so I don't know what else I might be doing wrong. Thanks,Kensai Alright, after much futzing around with things (basically just trying the same things over and over, restarting ST3, over and over, yada yada yada), it seems to be working properly now. For now ;-p Of course, having to be this stubborn to get a plugin to activate still seems to suggest some small incompatibility between BS and ST3 or beta bugs just on ST3s side. Here's hoping it keeps working, because other than this little headache, ST3 is looking like even more of a hotrod than ST2 was after I'd tricked it out. Thanks tito. Kensai, I think is not your fault, but a malfunctioning of the package. I reviewed the last days the functionality and made a little tweak to the sync scroll logic. Maybe you want to update, and let me know if still present issues. I was able to reproduce the problem at first, but not lately, so I *think *is fixed.github.com/SublimeText/BufferScroll/tree/st3 Regards, How are you guys installing this for Sublime Text 3? ST3 appears to want it's packages as .sublime-package files and BufferScroll does not install like that when cloned from GitHub. Are there some instructions on how to do it somewhere? Whether we can make a selection with:- only folded region- only non-folded region (simply excluded fold-marker)? Done Whao, that's so fast, thank you.window.run_command("buffer_scroll_fold_select_folded")window.run_command("buffer_scroll_fold_select_unfolded") I suggest changing BufferScrollFoldSelectUnfolded to: class BufferScrollFoldSelectUnfolded(sublime_plugin.TextCommand): def run(self, view): folds = [item.a, item.b] for item in self.view.folded_regions()] if folds: self.view.sel().clear() prev = 0 for fold in folds: # sublime.message_dialog(self.view.substr(fold[0])) self.view.sel().add(sublime.Region(prev, int(fold[0]))) if self.view.substr(fold[1]) == "\n": prev = int(fold[1]) + 1 else: prev = int(fold[1]) self.view.sel().add(sublime.Region(prev, self.view.size())) Done, thanks Didn't test it Is ST2 no longer supported for this plugin? Nope, if possible consider upgrading, not only it works better and faster, you will also support work invested into new versions. Unless there is one of the few bug that may affect your setup, just upgrade. I made some updates, and recovered some lost functionality. In theory it should restore scroll and selections in all the situations.. did I broke something!? Just started using Sublime text recently. I was wondering if you (Tito) would be willing to post the zip for the latest compatible bufferscroll for Sublime text 2, as you did for sidebar enhancements. I will eventually try out sb 3, but am new to advanced text editors, and have only started setting up sb 2, so I don't want to jump ship just yet. Either way, thanks for your efforts. This package sure does look useful! Thanks! I'd suggest you to go dirrectly on ST3. Despite its beta status, it's super stable. Besides that, you will find ST2 compatible packages harder and harder Yes, be safe and use ST3.
https://forum.sublimetext.com/t/bufferscroll/2949?page=4
CC-MAIN-2018-22
refinedweb
795
62.88
SUFTware¶ Written by Wei-Chia Chen, Ammar Tareen, and Justin B. Kinney. SUFTware (Statistics Using Field Theory) provides fast and lightweight Python implementations of Bayesian Field Theory algorithms for low-dimensional statistical inference. SUFTware currently supports the one-dimensional density estimation algorithm DEFT, described in [1], [2], and [3]. The image on the right shows DEFT applied to alcohol consumption data from the World Health Organization. This computation took about 0.25 seconds on a standard laptop computer. Code for this and other examples can be found on the Examples page. The Tutorial page contains a short tutorial on how to use SUFTware. The Documentation page details the SUFTware API. Installation¶ SUFTware can be installed from PyPI using the pip package manager (version 9.0.0 or higher). At the command line: pip install suftware The code for SUFTware is open source and available on GitHub. Quick Start¶ To make the figure shown above, do this from within Python: import suftware as sw sw.demo() Resources¶ For technical assistance or to report bugs, please contact Ammar Tareen. For more general correspondence, please contact Justin Kinney. Other links:
https://suftware.readthedocs.io/en/latest/
CC-MAIN-2021-21
refinedweb
187
50.84
Shortest Path with Dijkstra’s Algorithm. The diagram above labeled “Internet” in the diagram are additional routers. The job of all of these routers is to work together to get your information from place to place. You can see there are many routers for yourself if your computer supports the traceroute command. The text below shows the output of running traceroute google.com on the author’s computer, which illustrates that there are 12 routers between him and the Google server responding to the request. traceroute to google.com (216.58.192.46), 64 hops max, 52 byte packets 1 192.168.0.1 (192.168.0.1) 3.420 ms 1.133 ms 0.865 ms 2 gw-mosca207.static.monkeybrains.net (199.188.195.1) 14.678 ms 9.725 ms 6.752 ms 3 mosca.mosca-activspace.core.monkeybrains.net (172.17.18.58) 8.919 ms 8.277 ms 7.804 ms 4 lemon.lemon-mosca-10gb.core.monkeybrains.net (208.69.43.185) 6.724 ms 7.369 ms 6.701 ms 5 38.88.216.117 (38.88.216.117) 8.420 ms 11.860 ms 6.813 ms 6 be2682.ccr22.sfo01.atlas.cogentco.com (154.54.6.169) 7.392 ms 7.250 ms 8.241 ms 7 be2164.ccr21.sjc01.atlas.cogentco.com (154.54.28.34) 8.710 ms 8.301 ms 8.501 ms 8 be2000.ccr21.sjc03.atlas.cogentco.com (154.54.6.106) 9.072 ms be2047.ccr21.sjc03.atlas.cogentco.com (154.54.5.114) 11.034 ms be2000.ccr21.sjc03.atlas.cogentco.com (154.54.6.106) 10.243 ms 9 38.88.224.6 (38.88.224.6) 8.420 ms 10.637 ms 8.855 ms 10 209.85.249.5 (209.85.249.5) 9.142 ms 17.734 ms 12.211 ms 11 74.125.37.43 (74.125.37.43) 8.792 ms 9.290 ms 8.893 ms 12 nuq04s30-in-f14.1e100.net (216.58.192.46) 8.759 ms 8.705 ms 8.502 ms. ![ Connections and weights between routers in the internet](figures/route-graph.png) Above we show. Dijkstra’s Algorithm a distances dictionary which we will initialize to 0 for the start vertex, and infinity for the other vertices. Our algorithm will update these values until they represent the smallest weight path from the start to the vertex in question, at which point we will return the distances dictionary`. The algorithm iterates once for every vertex in the graph; however, the order that we iterate over the vertices is controlled by a priority queue. The value that is used to determine the order of the objects in the priority queue is the distance from our starting vector. By using a priority queue, we ensure that as we explore one vertex after another, we are always exploring the one with the smallest distance. The code for Dijkstra’s algorithm is shown below. import heapq def calculate_distances(graph, starting_vertex): distances = {vertex: float('infinity') for vertex in graph} distances[starting_vertex] = 0 entry_lookup = {} pq = [] for vertex, distance in distances.items(): entry = [distance, vertex] entry_lookup[vertex] = entry heapq.heappush(pq, entry) while len(pq) > 0: current_distance, current_vertex = heapq.heappop(pq) for neighbor, neighbor_distance in graph[current_vertex].items(): distance = distances[current_vertex] + neighbor_distance if distance < distances[neighbor]: distances[neighbor] = distance entry_lookup[neighbor][0] = distance return distances example_graph = { 'U': {'V': 2, 'W': 5, 'X': 1}, 'V': {'U': 2, 'X': 2, 'W': 3}, 'W': {'V': 3, 'U': 5, 'X': 3, 'Y': 1, 'Z': 5}, 'X': {'U': 1, 'V': 2, 'W': 3, 'Y': 1}, 'Y': {'X': 1, 'W': 1, 'Z': 1}, 'Z': {'W': 5, 'Y': 1}, } # calculate_distances(example_graph, 'X') # => {'U': 1, 'W': 2, 'V': 2, 'Y': 1, 'X': 0, 'Z': 2} Dijkstra’s algorithm uses a priority queue, which we introduced in the trees chapter and which we achieve here using Python’s heapq module. The entries in our priority queue are lists of [distance, vertex] which allows us to maintain a queue of vertices sorted by distance. When the distance to a vertex that is already in the queue is reduced, we wish to update the distance and thereby move it to the front of the queue. We accomplish this by maintaining a mapping of vertices to entries in our queues as entry_lookup. When we wish to update the distance to a vertex, we retrieve the entry from entry_lookup and update the 0-th item in the list. Let’s walk through an application of Dijkstra’s algorithm one vertex at a time using the following sequence of diagrams as our guide. We begin with the vertex . The three vertices adjacent to are and . Since the initial distances to and are all initialized to infinity, the new costs to get to them through the start node are all their direct costs. So we update the costs to each of these three nodes. We also set the predecessor for each node to and we add each node to the priority queue. We use the distance as the key for the priority queue. The state of the algorithm is: In the next iteration of the while loop we examine the vertices that are adjacent to . The vertex is next because it has the lowest overall cost and therefore bubbled its way to the beginning of the priority queue. At we look at its neighbors and . For each neighboring vertex we check to see if the distance to that vertex through is smaller than the previously known distance. Obviously this is the case for since its distance was infinity. It is not the case for or since their distances are 0 and 2 respectively. However, we now learn that the distance to is smaller if we go through than from directly to . Since that is the case we update with a new distance and change the predecessor for from to . The state of the algorithm is now: The next step is to look at the vertices neighboring (below). This step results in no changes to the graph, so we move on to node . At node (below) we discover that it is cheaper to get to both and , so we adjust the distances and predecessor links accordingly. Finally we check nodes and .. Analysis of Dijkstra’s Algorithm Finally, let us look at the running time of Dijkstra’s algorithm. We first note that building the priority queue takes time since we initially add every vertex in the graph to the priority queue. Once the queue is constructed the while loop is executed once for every vertex since vertices are all added at the beginning and only removed after that. Within that loop each call to heappop, takes time. Taken together that part of the loop and the calls to heappop take . The for loop is executed once for each edge in the graph, and within the for loop updating the distance for the neighbor vertex in the priority queue takes time So the combined running time is
https://bradfieldcs.com/algos/graphs/dijkstras-algorithm/
CC-MAIN-2018-26
refinedweb
1,170
68.06
On 05/23/2012 03:56 PM, Brett Cannon wrote: On Wed, May 23, 2012 at 3:35 PM, PJ Eby <pje@telecommunity.com mailto:pje@telecommunity.com> wrote: On Wed, May 23, 2012 at 3:02 PM, Brett Cannon <brett@python.org <mailto? Assume that we're talking about importing either a top-level namespace package named 'parent' and a nested namespace package parent.child. The problem is that NamespaceLoader is just passed the parent path (typically sys.path, but if a sub-package then parent.__path__). The concern is that if the parent path object is replaced: sys.path = sys.path + ['new-dir'] or parent.__path__ = ['new-dir'] then the NamespaceLoader instance can no longer detect changes to parent_path. So the proposed solution is for NamespaceLoader to be told the name of the parent module ('sys' or 'parent') and the attribute name to use to find the path ('path' or '__path__'). Here's another suggestion: instead of modifying the finder/loader code to pass these names through, assume that we can always find (module_name, attribute_name) with this code: def find_parent_path_names(module): parent, dot, me = module.__name__.rpartition('.') if dot == '': return 'sys', 'path' return parent, '__path__' import glob find_parent_path_names(glob) ('sys', 'path') import unittest.test.test_case find_parent_path_names(unittest.test.test_case) ('unittest.test', '__path__') I guess it's a little more fragile than passing in these names to NamespaceLoader, but it requires less code to change. I think I'll whip this up in the pep-420 branch. Eric.
https://mail.python.org/archives/list/python-dev@python.org/message/63ELSUYJWNNZM3TC2JB7B2TU3IXUPHBQ/
CC-MAIN-2022-27
refinedweb
249
55.03
If you're working with Vue.js you know that here are a lot of UI component libraries orbiting around the Vue.js world like Vuetify, Buefy, BootstrapVue and so on. Rather than coding and styling buttons, cards, and layouts, you can use these libraries to get access to all the necessary UI elements for creating beautiful, content-rich applications. However sometimes you want to switch to your custom design or try another UI framework that doesn't provide any ready-to-use Vue.js component. In such cases you would like to have a set of naked UI components on which you can apply your style: here's where Oruga comes into play! Say Hi to Oruga! 👋 Oruga is a new lightweight library of UI components for Vue.js (2.x and 3.x) without any CSS framework dependency. In fact, it doesn't depend on any specific style or CSS framework and it doesn't provide any grid system or CSS utility, it just offer a set of components that you can easily customize modifying your stylesheets or integrating it with a CSS framework. It also provides a default stylesheet containing only the essential rules to display Oruga components correctly such as display, position, z-index and other basic attributes. Oruga wants you to focus only on UI/UX aspects of your application and be totally flexible to future changes without having to touch a line of JavaScript. 👉🏻 You can find useful resources and links at the end of the article! Setup 🐛 Let's start a new project for Vue.js 2.x and install Oruga package (note that Oruga is available for Nuxt.js as well, see the documentation) yarn add @oruga-ui/oruga Then, import Oruga default stylesheet, the Config component and the Button component import Vue from 'vue' import { Config, Button } from '@oruga-ui/oruga'; import '@oruga-ui/oruga/dist/oruga.css' Vue.use(Button) Config will be used for customization. Customization Customization is the core feature of Oruga. You can easily override existing components style appending one or more classes using the Config component. Each component has some class properties that you can define to extend classes of the target component. Each class property affects a specific part of the component as you can discover using the Class props inspector in Oruga documentation. Suppose we want to style our Oruga components using a cool CSS framework like Nes.css to give our app a cool 90s style. To install Nes.css run yarn add nes.css (add --ignore-engines to the command above if you're using Node.js > 10.x) And import it in your project import "nes.css/css/nes.min.css"; Let's start with a simple Button component from Oruga. <o-button @Search</o-button> Nes.css provides nes-btn class for buttons, so we can extend Oruga Button component using the Config object Vue.use(Config, { button: { rootClass: 'nes-btn' } } When you instantiate a new Oruga Button, you'll have the class nes-btn automagically applied to your component, alongside default classes applied on that part of the component. If you wish to override default classes and use only your custom class, you can assign to rootClass an object, with the override attribute set to true. Vue.use(Config, { button: { rootClass: { class: 'nes-btn', override: true } } } Using the Class props inspector we can easily find the class name to add a class when the button is disabled (in this case disabledClass), then we can extend our configuration overriding all the class props of o-button we need to customize Vue.use(Config, { button: { override: true, rootClass: 'nes-btn', disabledClass: 'is-disabled' } }) Result Sometimes you may need more flexibility to extend classes and decide programmatically which class to apply to our component, especially when you have to deal with variant or position classes. Many Oruga components has some classes applied when certain properties change, like position and variant, on the other side Nes.css provides "variant" classes like is-success and is-warning and "position" classes like is-centered. For example, how can I apply the correct class in this case? <o-buttonWarning!</o-button> Follwing the Class prop inspector we can easily find that the Class prop we need to override is variantClass but its values are not fixed, it could be is-warning, is-error, is-success depending on variant value as you can see in the Suffixes column Oruga provides an easy way to help us: you can extend classes using functions! A function will receive two parameters: - a suffix(that will receive for example waring, success, errorin case of variants or centered, right.. in case of positions) - a contextcontaining the context of the component instance. To extend variantClass with Nes.css for Button we can simply do that Vue.use(Config, { button: { rootClass: "nes-btn", variantClass: (suffix, context) => { return `is-${suffix}` } } }) Result: variantClass is determined by a function that will receive "warning" as suffix when variant property of o-button is "warning". Using a function we can instruct Oruga to apply to our Button components a class whose name is composed by "is-" followed by the suffix value, in this case the variant. Thanks to the context parameter, you can take more refined decisions like not applying a variant if the component is outlined (see an example here) A Pokèmon finder with Oruga and Nes.css Using Oruga and Nes.css I built a simple Pokèmon finder to search some statistics of my favourites Pokèmon taking advantage of the cool PokèAPI. The app is really simple: it allows you to type Pokèmon name you want to find, press a button and then, through the API, get all the information you need and show them in a table. If the Pokèmon can't be found, the search input will turn red (variant="error") and an error message will be shown. You can play with the app on Netlify and browse the final code on GitHub As you can see in the main.js file the final configuration for Oruga is really simple. Useful resources You can also play with other cool Oruga examples Discussion (7) the current only UI library does vue3 at production-ready quality is primevue, oruga seems the second most potential ones(all the rest options are still early in their vue3 efforts), hope to see a stable Oruga-for-vue3 soon Sure! To support Vue 3 completely is our goal :) 👋 Yes we're working hard on Vue3 support to make it as more stable as possible. Uoh, it looks like a brilliant idea. I struggle in every project on this exact aspect of frontend development (Vuetify2 => Vuetify3?!?! ...coff ...coff) and the fact that is available for Vue2 AND Vue3 (my favourite frameworks) makes me very happy. Do You know if this can be used with Vuetify2/3? Thanks Andrea and keep up! Thanks Fabio! Well, you could try customizing Oruga with Vuetify CSS and see if it works... I only tried to customize Oruga with Bootstrap Material css here oruga-multiframework-demo.netlify.... Should be a killer combo with tailwindcss! I'm wondering if it's easy to convert from Buefy to Oruga. Anyone did it? Oruga comes from Buefy so i think you'll find 95% of Buefy features in it. About UI the full-css is very similar but the class naming doesn't follow Bulma/Buefy syntax; I don't think to be able to follow both projects so for this reason (later) I'll develop a Buefy plugin (+ how to) for Oruga in order to make it easier to migrate from it.
https://practicaldev-herokuapp-com.global.ssl.fastly.net/astagi/oruga-the-new-kid-on-the-block-1n55
CC-MAIN-2022-33
refinedweb
1,273
61.87
Provided by: manpages-dev_4.04-2_all NAME times - get process times SYNOPSIS #include <sys/times.h> clock_t times(struct tms *buf); DESCRIPTION times() in the system while executing times() TO POSIX.1-2001, POSIX.1-2008, SVr4, 4.3BSD. NOTES The (i.e., about 429 million). past the maximum value that can be stored in clock_t. SEE ALSO time(1), getrusage(2), wait(2), clock(3), sysconf(3), time(7) COLOPHON This page is part of release 4.04 of the Linux man-pages project. A description of the project, information about reporting bugs, and the latest version of this page, can be found at.
http://manpages.ubuntu.com/manpages/xenial/man2/times.2.html
CC-MAIN-2019-18
refinedweb
105
79.77
Declared Overloaded Record Fields (DORF) Thumbnail Sketch This proposal is addressing the narrow issue of namespacing for record field names by allowing more than one record in the same module to share a field name. Specifically the record is under usual H98 namespace and module/qualification control, so that for the record type in an importing module: - Some fields are both getable and setable; - has been prototyped, and methods get and set Record declarations generate a Has instance for each record type/field combination. As well as type arguments for the record and field, there is a third argument for the field's type, which is set at the instance level using equality constraints in a functional-dependencies style. Here is the Has class ( r is the record, fld is the proxy type for the field, t is the fields type), an ... myCust.customer_id ... -- dot notation is sugar for reverse func apply Note that the Has mechanism uses a Proxy as the type 'peg' for a field (this is the wildcard argument to get and set): - The Proxy must be declared once, and is then under regular name control. - The field selector function also must be declared once, using the Proxy. --and set. - Parametric polymorphic fields can be applied in polymorphic contexts, and can be setincluding changing the type of the record. - Higher-ranked polymorphic fields can be applied in polymorphic contexts, but cannot be set. Uses equality constraints on the instance to 'improve' types. Hasuses type family functions to manage type-changing update, which adds complexity -- see Implementer's view. - Multiple fields can be updated in a single expression (using familiar H98 syntax), but this desugars to nested updates, which is inefficient. - Pattern matching and record creation using data constructor prefix to { ... } work as per H98 (using DisambiguateRecordFields and friends). . DORF Full motivation and examples Explained in 5 wiki pages (these proposals are linked but somewhat orthogonal): - No Mono Record Fields (precursor to DORF) - DORF -- Application Programmer's view (this page) - DORF -- Implement. Option Four: Type Punning on the `fieldLabel` q.v. .]
https://ghc.haskell.org/trac/ghc/wiki/Records/DeclaredOverloadedRecordFields?version=27
CC-MAIN-2017-43
refinedweb
343
57.4
In the two previous tutorial posts, an introduction to neural networks and an introduction to TensorFlow, three layer neural networks were created and used to predict the MNIST dataset. They performed pretty well, with a successful prediction accuracy on the order of 97-98%. However, to take the next step in improving the accuracy of our networks, we need to delve into deep learning. A particularly useful type of deep learning neural network for image classification is the convolutional neural network. It should be noted that convolutional neural networks can also be used for applications other than images, such as time series prediction. However, this tutorial will concentrate on image classification only. This convolutional neural networks tutorial will introduce these networks by building them in TensorFlow. If you’re not familiar with TensorFlow, I’d suggest checking out my previously mentioned tutorial, which is a gentle introduction. Otherwise, you’re welcome to wing it. Another option is to build the convolutional neural network in Keras, which is more syntactically stream-lined – you can see how to do this my brief Keras tutorial. Recommended online course – Once you’re done reading this post, and if you’d like to dig deeper in a video course, I’d recommend the following inexpensive Udemy course: Deep Learning: Convolutional Neural Networks in Python What’s the problem? As shown in the previous tutorials, multi-layer neural networks can perform pretty well in predicting things like digits in the MNIST dataset. This is especially true if we apply some improvements. So why do we need any other architecture? Well, first off – the MNIST dataset is quite simple. The images are small (only 28 x 28 pixels), are single layered (i.e. greyscale, rather than a coloured 3 layer RGB image) and include pretty simple shapes (digits only, no other objects). Once we start trying to classify things in more complicated colour images, such as buses, cars, trains etc. , we run into problems with our accuracy. What do we do? Well, first, we can try to increase the number of layers in our neural network to make it deeper. That will increase the complexity of the network and allow us to model more complicated functions. However, it will come at a cost – the number of parameters (i.e. weights and biases) will rapidly increase. This makes the model more prone to overfitting and will prolong training times. In fact, learning such difficult problems can become intractable for normal neural networks. This leads us to a solution – convolutional neural networks. What is a convolutional neural network? The most commonly associated idea with convolutional neural networks is the idea of a “moving filter” which passes through the image. This moving filter, or convolution, applies to a certain neighbourhood of nodes (which may be the input nodes i.e. pixels) as shown below, where the filter applied is 0.5 x the node value: As can be observed, only two outputs of the moving/convolutional filter have been shown – here we are mapping a 2×2 input square into a single output node. The weight of the mapping of each input square, as previously mentioned, is 0.5 across all four inputs. In other words, the following calculations were performed: a convolution operation, this 2×2 moving filter would shuffle across each possible x and y co-ordinate combination to populate the output nodes. This operation can also be illustrated using our standard neural network node diagrams: The first position of the moving filter connections is shown with the blue lines, the second (x + 1) is shown with the green lines. The weights of these connections, in this example, are all equal to 0.5. A couple of things can be observed about this convolutional operation, in comparison to our previous understanding of standard neural networks: - Sparse connections – notice that not every input node is connected to the output nodes. This is contrary to fully connected neural networks, where every node in one layer is connected to every node in the following layer. - Constant filter parameters / weights – each filter has constant parameters. In other words, as the filter moves around the image the same weights are being applied. Each filter therefore performs a certain transformation across the whole image. This is in contrast to fully connected neural networks, which have a different weight value for every connection - Note, I am not saying that each weight is constant witihin the filter, as in the example above (i.e. with weights [0.5, 0.5, 0.5, 0.5]). The weights within the filter could be any combination of values depending on how the filters are trained. These two features of convolutional neural networks can significantly reduce the number of parameters required in the network, compared to fully connected neural networks. The output of the convolutional mapping is then passed through some form of non-linear activation function, often the rectified linear unit activation function. This step in convolutional neural networks is often called feature mapping. Before we move onto the next main feature of convolutional neural networks, pooling, it is worth saying a few things about this idea. Feature mapping and multiple channels Earlier I mentioned that the filter parameters i.e. the weights, are held constant as the filter moves through the input. This allows the filter to be trained to recognise certain features within the input data. In the case of images, it may learn to recognise shapes such as lines, edges and other distinctive shapes. This is why the convolution step is often called feature mapping. However, in order to classify well, at each convolutional stage we usually need multiple filters. So in reality, the moving filter diagram above looks like this: On the right you can now see stacked outputs, and that the separately trained filters each produce their own 2D output (for a 2D image). This is often referred to as having multiple channels. Each of these channels will end up being trained to detect certain key features in the image. Therefore, the output of the convolutional layer will actually be 3 dimensional (again, for a 2D image). If the input is itself multi-channelled, as in the case of a colour image with RGB layers, the output of the convolutional layer will be 4D. Thankfully, as will be shown later, TensorFlow can handle all of this mapping quite easily. Don’t forget that the convolutional output for each node, over all the channels, are passed through an activation function. The next important part of convolutional neural networks is called pooling. Pooling The idea of pooling in convolutional neural networks is to do two things: - Reduce the number of parameters in your network (pooling is also called “down-sampling” for this reason) - To make feature detection more robust by making it more impervious to scale and orientation changes So what is pooling? Again it is a “sliding window” type technique, but in this case, instead of applying weights the pooling applies some sort of statistical function over the values within the window. Most commonly, the function used is the max() function, so max pooling will take the maximum value within the window. There are other variants such as mean pooling or L2-norm pooling which are also used at times. However, in this convolutional neural network tutorial we will only concentrate on max pooling. The diagram below shows some max pooling in action: We’ll go through a number of points relating to the diagram above: Basic function As can be observed in the diagram above, the different coloured boxes on the input nodes / squares represent a sliding 2×2 window. Max pooling is performed on the nodes within the sliding window i.e. the simple maximum is taken of the output of the nodes. In other words: \begin{align} out_1 &= max(in_1, in_2, in_6, in_7) \\ out_2 &= max(in_3, in_4, in_8, in_9) \\ out_3 &= max(in_5, pad_1, in_{10}, pad_2) \\ \end{align} Strides and down-sampling You may have noticed that in the convolutional / moving filter example above, the 2×2 filter moved only a single place in the x and y direction through the image / input. This led to an overlap of filter areas. This is called a stride of [1, 1] – that is, the filter moves 1 step in the x and y directions. With max pooling, the stride is usually set so that there is no overlap between the regions. In this case, we need a stride of 2 (or [2, 2]) to avoid overlap. This can be observed in the figure above when the max pooling box moves two steps in the x direction. Notice that having a stride of 2 actually reduces the dimensionality of the output. We have gone from a 5×5 input grid (ignoring the 0.0 padding for the moment) to a 3×3 output grid – this is called down-sampling, and can be used to reduce the number of parameters in the model. Padding In the image above, you will notice the grey shaded boxes around the outside, all with 0.0 in the middle. These are padding nodes – dummy nodes that are introduced so that 2×2 max pooling filter can make 3 steps in the x and y directions with a stride of 2, despite there being only 5 nodes to traverse in either the x or y directions. Because the values are 0.0, with a rectified linear unit activation of the previous layer (which can’t output a negative number), these nodes will never actually be selected in the max pooling process. TensorFlow has padding options which need to be considered, and these will be discussed later in the tutorial. This covers how pooling works, but why is it included in convolutional neural networks? Why is pooling used in convolutional neural networks? In addition to the function of down-sampling, pooling is used in convolutional neural networks to make the detection of certain features in the input invariant to scale and orientation changes. Another way of thinking about what they do is that they generalise over lower level, more complex information. Consider the case where we have a number of convolutional filters that, during training, have learnt to detect the digit “9” in various orientations within the input images. In order for the convolutional neural network to learn to classify the appearance of “9” in the image correctly, it needs to activate in some way no matter what the orientation of the digit is (except when it looks like a “6” that is). That is what pooling can assist with, consider the diagram below: The diagram above is a kind of stylised representation of the pooling operation. Consider a small region of an input image that has the digit “9” in it (green box). During training we have a few convolutional filters that have learnt to activate when they “see” a “9” shape in the image, but they activate most strongly depending on what orientation that “9” is. We want the convolutional neural network to recognise a “9” regardless of what orientation it is in. So the pooling “looks” over the output of these three filters and will give a high output so long as any one of these filters has a high activation. Pooling acts as a generaliser of the lower level information and so enables us to move from high resolution data to lower resolution information. In other words, pooling coupled with convolutional filters attempt to detect objects within an image. The final picture The image below from Wikipedia shows the final image of a fully developed convolutional neural network: The fully connected layer At the output of the convolutional-pooling layers we have moved from high resolution, low level data about the pixels to representations of objects within the image. The purpose of these final, fully connected layers is to make classifications regarding these objects – in other words, we bolt a standard neural network classifier onto the end of a trained object detector. As you can observe, the output of the final pooling layer is many channels of x x y matrices. To connect the output of the pooling layer to the fully connected layer, we need to flatten this output into a single (N x 1) tensor. Let’s say we have 100 channels of 2 x 2 pooling matrices. This means we need to flatten all of this data into a vector with one column and 2 x 2 x 100 = 400 rows. I’ll show how we can do this in TensorFlow below. Now we have covered the basics of how convolutional neural networks are structured and why they are created this way. It is now time to show how we implement such a network in TensorFlow. A TensorFlow based convolutional neural network TensorFlow makes it easy to create convolutional neural networks once you understand some of the nuances of the framework’s handling of them. In this tutorial, we are going to create a convolutional neural network with the structure detailed in the image below. The network we are going to build will perform MNIST digit classification, as we have performed in previous tutorials (here and here). As usual, the full code for this tutorial can be found here. As can be observed, we start with the MNIST 28×28 greyscale images of digits. We then create 32, 5×5 convolutional filters / channels plus ReLU (rectified linear unit) node activations. After this, we still have a height and width of 28 nodes. We then perform down-sampling by applying a 2×2 max pooling operation with a stride of 2. Layer 2 consists of the same structure, but now with 64 filters / channels and another stride-2 max pooling down-sample. We then flatten the output to get a fully connected layer with 3164 nodes, followed by another hidden layer of 1000 nodes. These layers will use ReLU node activations. Finally, we use a softmax classification layer to output the 10 digit probabilities. Let’s step through the code. Input data and placeholders The code below sets up the input data and placeholders for the classifier. import tensorflow as tf from tensorflow.examples.tutorials.mnist import input_data mnist = input_data.read_data_sets("MNIST_data/", one_hot=True) # Python optimisation variables learning_rate = 0.0001 epochs = 10 batch_size = 50 # declare the training data placeholders # input x - for 28 x 28 pixels = 784 - this is the flattened image data that is drawn from # mnist.train.nextbatch() x = tf.placeholder(tf.float32, [None, 784]) # dynamically reshape the input x_shaped = tf.reshape(x, [-1, 28, 28, 1]) # now declare the output data placeholder - 10 digits y = tf.placeholder(tf.float32, [None, 10]) TensorFlow has a handy loader for the MNIST data which is sorted out in the first couple of lines. After that we have some variable declarations which determine the optimisation behaviour (learning rate, batch size etc.). Next, we declare a placeholder (see this tutorial for explanations of placeholders) for the image input data, x. The image input data will be extracted using the mnist.train.nextbatch() function, which supplies a flattened 28×28=784 node, single channel greyscale representation of the image. However, before we can use this data in the TensorFlow convolution and pooling functions, such as conv2d() and max_pool() we need to reshape the data as these functions take 4D data only. The format of the data to be supplied is [i, j, k, l] where i is the number of training samples, j is the height of the image, k is the weight and l is the channel number. Because we have a greyscale image, l will always be equal to 1 (if we had an RGB image, it would be equal to 3). The MNIST images are 28 x 28, so both j and k are equal to 28. When we reshape the input data x into x_shaped, theoretically we don’t know the size of the first dimension of x, so we don’t know what i is. However, tf.reshape() allows us to put -1 in place of i and it will dynamically reshape based on the number of training samples as the training is performed. So we use [-1, 28, 28, 1] for the second argument in tf.reshape(). Finally, we need a placeholder for our output training data, which is a [?, 10] sized tensor – where the 10 stands for the 10 possible digits to be classified. We will use the mnist.train.next_batch() to extract the digits labels as a one-hot vector – in other words, a digit of “3” will be represented as [0, 0, 0, 1, 0, 0, 0, 0, 0, 0]. Defining the convolution layers Because we have to create a couple of convolutional layers, it’s best to create a function to reduce repetition: def create_new_conv_layer(input_data, num_input_channels, num_filters, filter_shape, pool_shape, name): # setup the filter input shape for tf.nn.conv_2d conv_filt_shape = [filter_shape[0], filter_shape[1], num_input_channels, num_filters] # initialise weights and bias for the filter weights = tf.Variable(tf.truncated_normal(conv_filt_shape, stddev=0.03), name=name+'_W') bias = tf.Variable(tf.truncated_normal([num_filters]), name=name+'_b') # setup the convolutional layer operation out_layer = tf.nn.conv2d(input_data, weights, [1, 1, 1, 1], padding='SAME') # add the bias out_layer += bias # apply a ReLU non-linear activation out_layer = tf.nn.relu(out_layer) # now perform max pooling ksize = [1, 2, 2, 1] strides = [1, 2, 2, 1] out_layer = tf.nn.max_pool(out_layer, ksize=ksize, strides=strides, padding='SAME') return out_layer I’ll step through each line/block of this function below: conv_filt_shape = [filter_shape[0], filter_shape[1], num_input_channels, num_filters] This line sets up a variable to hold the shape of the weights that determine the behaviour of the 5×5 convolutional filter. The format that the conv2d() function receives for the filter is: [filter_height, filter_width, in_channels, out_channels]. The height and width of the filter are provided in the filter_shape variables (in this case [5, 5]). The number of input channels, for the first convolutional layer is simply 1, which corresponds to the single channel greyscale MNIST image. However, for the second convolutional layer it takes the output of the first convolutional layer, which has a 32 channel output. Therefore, for the second convolutional layer, the input channels is 32. As defined in the block diagram above, the number of output channels of the first layer is 32, and for the second layer it is 64. # initialise weights and bias for the filter weights = tf.Variable(tf.truncated_normal(conv_filt_shape, stddev=0.03), name=name+'_W') bias = tf.Variable(tf.truncated_normal([num_filters]), name=name+'_b') In these lines we create the weights and bias for the convolutional filter and randomly initialise the tensors. If you need to brush up on these concepts, check out this tutorial. # setup the convolutional layer operation out_layer = tf.nn.conv2d(input_data, weights, [1, 1, 1, 1], padding='SAME') This line is where we setup the convolutional filter operation. The variable input_data is self-explanatory, as are the weights. The size of the weights tensor show TensorFlow what size the convolutional filter should be. The next argument [1, 1, 1, 1] is the strides parameter that is required in conv2d(). In this case, we want the filter to move in steps of 1 in both the x and y directions (or height and width directions). This information is conveyed in the strides[1] and strides[2] values – both equal to 1 in this case. The first and last values of strides are always equal to 1, if they were not, we would be moving the filter between training samples or between channels, which we don’t want to do. The final parameter is the padding. Padding determines the output size of each channel and when it is set to “SAME” it produces dimensions of: out_height = ceil(float(in_height) / float(strides[1])) out_width = ceil(float(in_width) / float(strides[2])) For the first convolutional layer, in_height = in_width = 28, and strides[1] = strides[2] = 1. Therefore the padding of the input with 0.0 nodes will be arranged so that the out_height = out_width = 28 – there will be no change in size of the output. This padding is to avoid the fact that, when traversing a (x,y) sized image or input with a convolutional filter of size (n,m), with a stride of 1 the output would be (x-n+1,y-m+1). So in this case, without padding, the output size would be (24,24). We want to keep the sizes of the outputs easy to track, so we chose the “SAME” option as the padding so we keep the same size. # add the bias out_layer += bias # apply a ReLU non-linear activation out_layer = tf.nn.relu(out_layer) In the two lines above, we simply add a bias to the output of the convolutional filter, then apply a ReLU non-linear activation function. # now perform max pooling ksize = [1, pool_shape[0], pool_shape[1], 1] strides = [1, 2, 2, 1] out_layer = tf.nn.max_pool(out_layer, ksize=ksize, strides=strides, padding='SAME') return out_layer The max_pool() function takes a tensor as its first input over which to perform the pooling. The next two arguments ksize and strides define the operation of the pooling. Ignoring the first and last values of these vectors (which will always be set to 1), the middle values of ksize (pool_shape[0] and pool_shape[1]) define the shape of the max pooling window in the x and y directions.]). This will halve the input size of the (x,y) dimensions. Finally, we have another example of a padding argument. The same rules apply for the ‘SAME’ option as for the convolutional function conv2d(). Namely: out_height = ceil(float(in_height) / float(strides[1])) out_width = ceil(float(in_width) / float(strides[2])) Punching in values of 2 for strides[1] and strides[2] for the first convolutional layer we get an output size of (14, 14). This is a halving of the input size (28, 28), which is what we are looking for. Again, TensorFlow will organise the padding so that this output shape is what is achieved, which makes things nice and clean for us. Finally we return the out_layer object, which is actually a sub-graph of its own, containing all the operations and weight variables within it. We create the two convolutional layers in the main program by calling the following commands: # create some convolutional layers layer1 = create_new_conv_layer(x_shaped, 1, 32, [5, 5], [2, 2], name='layer1') layer2 = create_new_conv_layer(layer1, 32, 64, [5, 5], [2, 2], name='layer2') As you can see, the input to layer1 is the shaped input x_shaped and the input to layer2 is the output of the first layer. Now we can move on to creating the fully connected layers. The fully connected layers As previously discussed, first we have to flatten out the output from the final convolutional layer. It is now a 7×7 grid of nodes with 64 channels, which equates to 3136 nodes per training sample. We can use tf.reshape() to do what we need: flattened = tf.reshape(layer2, [-1, 7 * 7 * 64]) Again, we have a dynamically calculated first dimension (the -1 above), corresponding to the number of input samples in the training batch. Next we setup the first fully connected layer: # setup some weights and bias values for this layer, then activate with ReLU wd1 = tf.Variable(tf.truncated_normal([7 * 7 * 64, 1000], stddev=0.03), name='wd1') bd1 = tf.Variable(tf.truncated_normal([1000], stddev=0.01), name='bd1') dense_layer1 = tf.matmul(flattened, wd1) + bd1 dense_layer1 = tf.nn.relu(dense_layer1) If the above operations are unfamiliar to you, please check out my previous TensorFlow tutorial. Basically we are initialising the weights of the fully connected layer, multiplying them with the flattened convolutional output, then adding a bias. Finally, a ReLU activation is applied. The next layer is defined by: # another layer with softmax activations wd2 = tf.Variable(tf.truncated_normal([1000, 10], stddev=0.03), name='wd2') bd2 = tf.Variable(tf.truncated_normal([10], stddev=0.01), name='bd2') dense_layer2 = tf.matmul(dense_layer1, wd2) + bd2 y_ = tf.nn.softmax(dense_layer2) This layer connects to the output, and therefore we use a soft-max activation to produce the predicted output values y_. We have now defined the basic structure of our convolutional neural network. Let’s now define the cost function. The cross-entropy cost function We could develop our own cross-entropy cost expression, as we did in the previous TensorFlow tutorial, based on the value y_. However, then we have to be careful about handling NaN values. Thankfully, TensorFlow provides a handy function which applies soft-max followed by cross-entropy loss: cross_entropy = tf.reduce_mean(tf.nn.softmax_cross_entropy_with_logits(logits=dense_layer2, labels=y)) The function softmax_cross_entropy_with_logits() takes two arguments – the first (logits) is the output of the matrix multiplication of the final layer (plus bias) and the second is the training target vector. The function first takes the soft-max of the matrix multiplication, then compares it to the training target using cross-entropy. The result is the cross-entropy calculation per training sample, so we need to reduce this tensor into a scalar (a single value). To do this we use tf.reduce_mean() which takes a mean of the tensor. The training of the convolutional neural network The following code is the remainder of what is required to train the network. It is a replication of what is explained in my previous TensorFlow tutorial, so please refer to that tutorial if anything is unclear. We’ll be using mini-batches to train our network. The essential structure is: - Create an optimiser - Create correct prediction and accuracy evaluation operations - Initialise the operations - Determine the number of batch runs within an training epoch - For each epoch: - For each batch: - Extract the batch data - Run the optimiser and cross-entropy operations - Add to the average cost - Calculate the current test accuracy - Print out some results - Calculate the final test accuracy and print The code to execute this is: # add an optimiser optimiser = tf.train.AdamOptimizer(learning_rate=learning_rate).minimize(cross_entropy) # define an accuracy assessment operation correct_prediction = tf.equal(tf.argmax(y, 1), tf.argmax(y_, 1)) accuracy = tf.reduce_mean(tf.cast(correct_prediction, tf.float32)) # setup the initialisation operator init_op = tf.global_variables_initializer() with tf.Session() as sess: # initialise the variables sess.run(init_op) total_batch = int(len(mnist.train.labels) / batch_size) for epoch in range(epochs): avg_cost = 0 for i in range(total_batch): batch_x, batch_y = mnist.train.next_batch(batch_size=batch_size) _, c = sess.run([optimiser, cross_entropy], feed_dict={x: batch_x, y: batch_y}) avg_cost += c / total_batch test_acc = sess.run(accuracy, feed_dict={x: mnist.test.images, y: mnist.test.labels}) print("Epoch:", (epoch + 1), "cost =", "{:.3f}".format(avg_cost), " test accuracy: {:.3f}".format(test_acc)) print("\nTraining complete!") print(sess.run(accuracy, feed_dict={x: mnist.test.images, y: mnist.test.labels})) The final code can be found on this site’s GitHub repository. Note the final code on that repository contains some TensorBoard visualisation operations, which have not been covered in this tutorial and will have a dedicated future article to explain. Caution: This is a relatively large network and on a standard home computer is likely to take at least 10-20 minutes to run. The results Running the above code will give the following output: Epoch: 1 cost = 0.739 test accuracy: 0.911 Epoch: 2 cost = 0.169 test accuracy: 0.960 Epoch: 3 cost = 0.100 test accuracy: 0.978 Epoch: 4 cost = 0.074 test accuracy: 0.979 Epoch: 5 cost = 0.057 test accuracy: 0.984 Epoch: 6 cost = 0.047 test accuracy: 0.984 Epoch: 7 cost = 0.040 test accuracy: 0.986 Epoch: 8 cost = 0.034 test accuracy: 0.986 Epoch: 9 cost = 0.029 test accuracy: 0.989 Epoch: 10 cost = 0.025 test accuracy: 0.990 Training complete! 0.9897 We can also plot the test accuracy versus the number of epoch’s using TensorBoard (TensorFlow’s visualisation suite): As can be observed, after 10 epochs we have reached an impressive prediction accuracy of 99%. This result has been achieved without extensive optimisation of the convolutional neural network’s parameters, and also without any form of regularisation. This is compared to the best accuracy we could achieve in our standard neural network ~98% – as can be observed in the previous tutorial. The accuracy difference will be even more prominent when comparing standard neural networks with convolutional neural networks on more complicated data-sets, like the CIFAR data. However, that is a topic for another day. Have fun using TensorFlow and convolutional neural networks! By the way, if you want to see how to build a neural network in Keras, a more stream-lined framework, check out my Keras tutorial. Recommended online course – If you’d like to dig deeper in a video course, I’d recommend the following inexpensive Udemy course: Deep Learning: Convolutional Neural Networks in Python This is an excellent tutorial. Thank you. I’ve added a link to here on my blog – I’m sure my readers too will find these tutorials very useful.
http://adventuresinmachinelearning.com/convolutional-neural-networks-tutorial-tensorflow/
CC-MAIN-2017-30
refinedweb
4,844
54.93
Adding Portlet Managers You need portlets at an additional place in your Plone. In this example we put contextual portlets above the content. This is about adding Portlet MANAGERS, hint: PortletManager != Portlet. A PortletManager is a kind of container for the portlets, like the ViewletManager is for Viewlets. So, after reducing the momentum of misunderstanding, lets start: Prerequsites I assume you're familar with GenericSetup based setups for Plone 3. Take a look at DIYPloneStyle and related tutorials if not. You need Plone 3 installed and a Product NEWTHEME for your own skin (based on DIYPloneStyle works fine). Strategy In my example I don't want to customize the main-template. So the idea is to add a viewlet to the plone.app.layout.viewlets.interfaces.IContentViews viewletmanager. So the steps need to be done is - Add a viewlet to the viewlet-manager - Add a portlet-manager - Add a management view for the portlet-manager. Step One: Add a viewletin Products.NEWTHEME add a file abovecontentportlets.pt containing: <tal:block Here we call the portlet manager, we create it in step two. But first lets register our new viewlet for the viewletmanager. Edit your Products/NEWTHEME/configure.zcml and add: <browser:viewlet Step Two: Add a portlet manager Create a marking interface for the manager and add or edit Products/NEWTHEME/interfaces.py from plone.portlets.interfaces import IPortletManager class IMyAboveContent(IPortletManager): """we need our own portlet manager above the content area. """ Add (or edit) your Products/NEWTHEME/profiles/default/portlets.xml and register a portlet manager: <?xml version="1.0"?> <portlets> <portletmanager name="my.abovecontentportlets" type="Products.NEWTHEME.interfaces.IMyAboveContent" /> </portlets> Thats all you need if you don't want to manage the portlets through the web. Oh, you want to? So you need a third step: Step Three: Add a management view for the portlet manager The management view is rendered for the left and right slots directly on the main-template. But we use a viewlet and in here we have a different view. so we need to call explicitly our view and call the our manager within its context. We need to register a new browser view for an own page template directly calling our manager. Again add some lines to your configure.zcml:We need to register a new browser view for an own page template directly calling our manager. Again add some lines to your configure.zcml: <browser:pageAnd finally we need the template, so add an file managemyabove.pt and edit it: <html xmlns="" xmlns: <head> <div metal: <link type="text/css" rel="kinetic-stylesheet" tal: </div> </head> <body> <div metal: <h1 class="documentFirstHeading">Manage My Portlets</h1> <span tal: </div> </body> </html>That's it. After restarting your zope you can call and assign portlets over your content. Navigation portlet Thanks for help.
http://plone.org/documentation/how-to/adding-portlet-managers
crawl-002
refinedweb
471
58.99
#include <MRenderView.h> This class provides access to the Maya Render View. The class allows plugins to send image data to the Render View in the same way that the Maya renderer does. Either a "full render" or a "region render" can be performed. In a full render, the Render View expects to receive pixel data that fills the entire image, while a region render expects only updates to a specified image region. Usage To send an image to the Render View, use the following sequence of calls: Determines whether or not a Render View exists to receive image data. If this function returns false, then Maya is currently running in batch mode, so it would be pointless to try to send data to the Render View. Informs the render client of the camera that will be performing the rendering. Retrieves the currently selected Render Region in Maya's Render View. The region extends from the bottom-left corner (left,bottom) to the upper-right corner (right,top) inclusive (i.e. the row y=top and column x=right are part of the region). Informs the Render View that a full image render is about to begin. The entire Render View buffer will be cleared in anticipation of receiving an entire image. Informs the Render View that a region render is about to begin. The specified region will be cleared in anticipation of receiving new image data for it. The specified region must lie within the image region (0,0)->(imageWidth-1,imageHeight-1). The region 'left' coordinate must be less than the region 'right' coordinate, and the region 'bottom' coordinate must be less than the region 'top' coordinate. Sends a block of pixels to the Render View. Pixel colours are represented as 4-channel floating point values in the range (0,255.0). Requests that the Render View refresh the display of a particular region of the displayed image. Informs the Render View that the current render has completed. The Render View is refreshed and no further updates are accepted.
http://download.autodesk.com/us/maya/2009help/API/class_m_render_view.html#bb89ae0effdfdf6c13925554ec21ef02
crawl-003
refinedweb
341
64.3
// standard disclaimer applies, this is based on the released Beta 1 bits, things are subject to change, if you are reading this in 2012, things may be, look, smell, work differently. That said, if it’s 2012 and you’re reading this, drop me a line and let me know how you found this! As you might have heard, Beta1 of VS is out the door, and available to the public sometime today. As you may know we’ve done a bunch of work for WF4, and I wanted to give a quick, high level overview of the designer. Here’s a good overview for the new WF bits all up. First, let’s start with your existing WF projects. What happens if I want to create a 3.5 workflow? We’re still shipping that designer, in fact, let’s start there on our tour. This shows of a feature of VS that’s pretty cool, multitargeting. Click New Project Notice the “Framework Version” dropdown in the upper right hand corner. This tells VS which version of the framework you would like the project you are creating to target. This means you can still work on your existing projects in VS 2010 without upgrading your app to the new framework. Let’s pick something that’s not 4.0, namely 3.5. You’ll note that the templates may have updated a bit, select Workflow from the left hand tree view and see what shows up. There isn’t anything magical about what happens next, you will now see the 3.5 designer inside of VS2010. You’re able to build, create, edit and update your existing WF applications. Let’s move on and switch over to a 4.0 workflow. Create a new project and select 4.0 Create a new WF Sequential Console application and name it “SampleProject”. Click Ok. We’ll do a little bit of work here, but you will shortly see the WF 4.0 designer. It looks a little different from the 3.x days, we’ve taken this time to update the designer pretty substantially. We’ve built it on top of WPF, which opens up the doors for us to do a lot of interesting things. If you were at PDC and saw any Quadrant demos, you might think that these look similar. We haven’t locked on the final look and feel yet, so expect to see some additional changes there, but submit your feedback early and often, we want to know what you think. Let’s drop some activities into our sequence and see what’s there to be seen. We’ve categorized the toolbox into functional groupings for the key activities. We heard a lot of feedback that it was tough to know what to use when, so we wanted to provide a little more help with some richer default categories. Add an Assign activity, a WriteLine activity and a Delay activity to the canvas by clicking and dragging over the to the sequence designer. You’ll note that we’ve now got some icons on each activity indicating something is not correct. This is a result of the validation executing and returning details about what is wrong. Think of these as the little red squiggles that show up when you spell something wrong. You can hover over the icon to see what’s wrong You can also see that errors will bubble up to their container, so hovering over sequence will tell you that there is a problem with the child activities. What if I have a big workflow, and what if I want to see a more detailed listing of errors? Open up the Error View and you will see the validation results are also displayed here. You’ll note there is some minor formatting weirdness. This is a bug that we fixed but not in time for the Beta1 release. Now, let’s actually wire up some data to this workflow. WF4 has done a lot of work to be much more crisp about the way we think about data within the execution environment of a workflow. We divide the world into two types of data, Arguments, and Variables. If you mentally map these to the way you write a method in code (parameters, and state internal to the method), you are one the right track. Arguments determine the shape of an activity, what goes in, what goes out. Variables allocate storage within the context of an activities execution. The neat thing about variables, once the containing activity is done, we can get rid of the variables, as our workflow no longer needs them (note, we pass the important data in and out through the arguments). To do this, we have two special designers on the canvas that contain information about the arguments and variables in your workflow First, let’s click on the Argument designer and pass in some data. Arguments consist of a few important elements Most of these are self explanatory, with the one exception being the Direction. You’ll note that this has In, Out and Property. Now, when you are editing the arguments, you are actually editing the properties of the underlying type you are creating (I’ll explain more about this in a future post). A more appropriate name might be “Property Editor” but the vast majority of what you’ll be creating with it is arguments. Anyway, If you select In or Out, this basically wraps the type T in an InArgument, so it becomes a property of type InArgument<T>. We just provide a bit of a shorthand so you don’t always have to pick InArgument as the type. The default value takes an expression, but in this case, we won’t be using it. Let’s go ahead and add an argument of type TimeSpan named DelayTime. You’ll need to select browse for types and then search for the TimeSpan Variables are similar, but slightly different, variables have a few important elements: Remember earlier, I mentioned that variable is part of an activity, this is what Scope refers to. Variables will only show up to be the scope of the selected activity, so if you don’t see any, make sure to select the Sequence, and then you will be able to add a variable. Let’s add new variable, named StringToPrint, of type String. Now let’s do something with these in the workflow. One thing I’m particularly happy with that we’ve done on the designer side of things is to enable people to build activity designers more easily. There are lots of times where you have activities that have just a few key properties that need to be set, and you’d like to be able to see that “at a glance” The assign designer is like that. Now, let’s dig into expressions. One big piece of feedback from 3.0 was that people really wanted richer binding experiences. You see this as well with the WPF data binding . We’ve taken it to the next level, and allow any expression to be expressed as a set of activities. What this means is that we do have to “compile” textual expressions into a tree of activities, and this is one of the reasons we use VB to build expressions. In the fullness of time, other languages will come on board. But how to use it, let’s see. Click on the “To” text box on the Assign activity. You will see a brief change of the text box, and then you will be in a VB Expression Editor, or what we’ve come to refer to as “The Expression Text Box” or ETB. Start typing S, and already you will see intellisense begin to scope down the choices. This will pick up all of the variables and arguments in scope. On the right side, we won’t use any of the passed in arguments, we’ll show off a richer expression. Now, the space on the right side of the designer is kind of tight for something lengthy, so go to the property grid and click on the “…” button for the Value property String.Format("Someone wants to wait {0} seconds", TimeToWait.TotalSeconds) This just touches the surface of what is possible with expressions in WF4, we can really get much richer expressions (3.x expressions are similar to WPF data binding, they are really an “object” + “target” structure). Not everything makes it to the canvas of the designer surface, and for that, we have the property grid. If you’ve used the WPF designer in VS2008, this should look pretty familiar to you. Select the delay activity, and use the property grid to set the duration property to the InArgument you created above. This experience is similar, with the ETB embedded into the property grid for arguments. Finally, repeat with the WriteLine and bind to the StringToPrint variable. There are two different things that we have to help navigating the workflow, our breadcrumb bar at the top and the overview map (which appears as the “Mini Map” in the beta). Let’s look at the overview map. This gives you a view of the entire workflow and the ability to quickly scrub and scroll across it. Finally, across the top we display our breadcrumbs which are useful when you have a highly nested workflow. Double click on one of the activities, and you should see the designer “drill into” that activity. Now notice the breadcrumb bar, it displays where you have been, and by clicking you can navigate back up the hierarchy. In beta1, we have a pretty aggressive breadcrumb behavior, and so you see “collapsed in place” as the default for many of our designers. We’re probably going to relax that a bit in upcoming milestones to reduce clicking and provide a better overview of the workflow. Finally, there may be times where we don’t want to have a designer view, but would rather see the XAML. To get there, just right click on the file and ask to “View Code” This will currently ask you if you are sure that you want to close the designer, and you will then see the XAML displayed in the XML editor. For the workflow we just created, this is what it looks like: 1: <p:Activity mc:Ignorable="" 2: x:Class="WorkflowConsoleApplication1.Sequence1" 3: xmlns="" 4: xmlns:__Sequence1="clr-namespace:WorkflowConsoleApplication1;" 5: xmlns:mc="" 6: xmlns:p="" 7: xmlns:s="clr-namespace:System;assembly=mscorlib" 8: xmlns:sad="clr-namespace:System.Activities.Debugger;assembly=System.Activities" 9: xmlns: 10: <x:Members> 11: <x:Property 12: </x:Members> 13: <__Sequence1:Sequence1.TimeToWait> 14: <p:InArgument x:[TimeSpan.FromSeconds(10)]</p:InArgument> 15: </__Sequence1:Sequence1.TimeToWait> 16: <p:Sequence> 17: <p:Sequence.Variables> 18: <p:Variable x: 19: </p:Sequence.Variables> 20: <p:Assign> 21: <p:Assign.To> 22: <p:OutArgument x: 23: [StringToPrint] 24: </p:OutArgument> 25: </p:Assign.To> 26: <p:Assign.Value> 27: <p:InArgument x: 28: [String.Format("Someone wants to wait {0} seconds", TimeToWait.TotalSeconds)] 29: </p:InArgument> 30: </p:Assign.Value> 31: </p:Assign> 32: <p:Delay>[TimeToWait]</p:Delay> 33: <p:WriteLine>[StringToPrint]</p:WriteLine> 34: </p:Sequence> 35: </p:Activity> Inside the project you will see the Program.cs to execute the workflow, let’s take a look at that. 1: namespace WorkflowConsoleApplication1 2: { 3: using System; 4: using System.Linq; 5: using System.Threading; 6: using System.Activities; 7: using System.Activities.Statements; 8: using System.Collections.Generic; 9: 10: class Program 11: { 12: static void Main(string[] args) 13: { 14: AutoResetEvent syncEvent = new AutoResetEvent(false); 15: 16: WorkflowInstance myInstance = 17: new WorkflowInstance(new Sequence1(), 18: new Dictionary<string, object> 19: { 20: {"TimeToWait", TimeSpan.FromSeconds(3.5) } 21: } 22: 23: 24: 25: ); 26: myInstance.OnCompleted = delegate(WorkflowCompletedEventArgs e) { syncEvent.Set(); }; 27: myInstance.OnUnhandledException = delegate(WorkflowUnhandledExceptionEventArgs e) 28: { 29: Console.WriteLine(e.UnhandledException.ToString()); 30: return UnhandledExceptionAction.Terminate; 31: }; 32: myInstance.OnAborted = delegate(WorkflowAbortedEventArgs e) 33: { 34: Console.WriteLine(e.Reason); 35: syncEvent.Set(); 36: }; 37: 38: myInstance.Run(); 39: 40: syncEvent.WaitOne(); 41: Console.WriteLine("Press <Enter> to exit"); 42: Console.ReadLine(); 43: 44: } 45: } 46: } This is the standard program.cs template with two modifications. The first is passing data into the workflow, indicated by the dictionary we create to pass into the WorkflowInstance. This should look familiar if you have used WF in the past. WorkflowInstance myInstance = new WorkflowInstance(new Sequence1(), new Dictionary<string, object> { {"TimeToWait", TimeSpan.FromSeconds(3.5) } } ); The second is a break at the end to keep our console window open (lines 41 and 42). Hitting F5 from our project results in the following output (as expected). This concludes our brief tour through the new WF designer. I’ll be talking a lot more in upcoming days about some of the more programmatic aspects of it and how it’s put together.
http://blogs.msdn.com/b/mwinkle/archive/2009/05.aspx
CC-MAIN-2016-07
refinedweb
2,167
65.01
Rechercher une page de manuel fgetws Langue: en Version: 1999-07-25 (fedora - 01/12/10) Section: 3 (Bibliothèques de fonctions) NAMEfgetws - read a wide-character string from a FILE stream SYNOPSIS #include <wchar.h> wchar_t *fgetws(wchar_t *ws, int n, FILE *stream); DESCRIPTIONThe fgetws() function is the wide-character equivalent of the fgets(3) function. It reads a string of at most n-1 wide characters into the wide-character array pointed to by ws, and adds a terminating Laq\0aq character. VALUEThe fgetws() function, if successful, returns ws. If end of stream was already reached or if an error occurred, it returns NULL. CONFORMING TOC99, POSIX.1-2001. NOTESTfgetwc(3), unlocked_stdio
https://www.linuxcertif.com/man/3/fgetws/en/
CC-MAIN-2022-40
refinedweb
113
63.39
02 January 2012 01:30 [Source: ICIS news] By Adele Zhu SINGAPORE (ICIS)--Acrylonitrile (ACN) supply in ?xml:namespace> The total supply of ACN is forecast to be at around 1.66m tonnes in 2012, up by 7.2% year on year, which includes domestic output at 1.14m tonnes and imports estimated at 520,000 tonnes. In 2012, imports – accounting for 30% of total supply – are expected to grow by 8.3% while domestic output is likely to increase by 6.6%. However, Demand from the downstream ABS sector, which accounts for about 33% of ACN consumption, is estimated to grow in 2012 because the nameplate capacity for ABS will increase by 950,000 tonnes to 3.688m tonnes/year in 2012, according to Chemease. ABS is a common thermoplastic resin, widely used for the outer shell of home appliances, toys and other daily necessities. Similarly, demand for ACN from the acrylonitrile butadiene rubber (NBR) sector is expected to rise too. Zhenjiang Nantex’s 20,000 tonne/year expansion is expected to be finished in the first half of 2012 and Lanxess-TSRC ( However, demand from acrylic fibre (AF) sector is likely to remain stable in 2012 as no expansion plans have been scheduled so far. In addition, Fushun Petrochemical’s 55,000 tonne/year, Fushun Flame Resistance Group’s 5,000 tonne/year and Qilu Petrochemical’s 54,000 tonne/year AF unit may be permanently shut in accordance with the Chinese government’s policy to retire old plants. Meanwhile, in the second half of 2011, most ACN producers in The lowest price in 2010 was assessed at yuan (CNY) 15,900 /tonne ($2,516/tonne) ex-tank in east China, and the lowest price in 2011 was assessed at CNY10,900/ tonne ex-tank in east China during the first half of November, ICIS data showed. The decline in prices was largely a result of the credit tightening by the Chinese government, ongoing eurozone debt crisis and weak downstream demand, which was due to the low operating rates at ABS plants in Ivy Ruan contributed to the article. ($1 = CNY6.32) Please visit the complete ICIS plants and projects database For more information on Acrylonitri
http://www.icis.com/Articles/2012/01/02/9519520/outlook-12china-acn-supply-to-grow-on-downstream-demand.html
CC-MAIN-2015-06
refinedweb
368
58.72
good evening to every one..i am new to this website..i want to know how to use 10 inch TFT display and LVDS colour formet??? can anyone help me..? thanks advance Welcome to the community! This thread might help you out a bit Re: Cortex-M0 or Cortex-M3? jensbauer might be able to help out a bit too.. Hi viju28. I'm sorry for the late response; I'm on vacation at the moment. Have you decided which chip you want to use yet ? I know you can configure the LPC1788 fairly easy (The same goes for LPC4088). Those use RGB colors and support both TFT and STN displays. A common resolution for TFT displays is 480 x 272 pixels in 8, 16 or 24 bit mode. I've tried setting it up for 512 x 384 colors, 60 Hz, in 16 bit mode myself. If you already have a board, I might be able to help you a bit further, if you can tell me the name of the specific chip. Hi..jensbauer.. thanks for ur ,,response.actually i am using lpc 1788 chip.(arm cortex m3).. and i am using 10 inch TFT display(1024*600)pixels..and actually i need the front porch and back porch value for the TFT lcd display.thanks advance.. I think it might be best to try either 16 colors per pixel or 256 colors per pixel first with this resolution. Safest bet is that 16 colors per pixel (eg. 4 bits per pixel) would work. Next thing is to find a suitable vertical blanking frequency. Normally a 60Hz frequency is good for VGA-style resolutions, but since your resolution is quite high for the LCD controller, it may be better to start by using a 30Hz resolution. Your 10" TFT display have some minimum and maximum values I think. Horizontal Frequencies and Vertical Frequencies. These numbers are important, in order to find suitable values for the front-porch, vertical sync pulse, back porch and active video. But you could try the following values (which are my guesses): VSP: 4 (Vertical Sync Pulse) VBP: 23 (Vertical Back Porch) VAV: 600 (Vertical Active Video) VFP: 1 (Vertical Front Porch) HSP: 136 (Horizontal Sync Pulse) HBP: 160 (Horizontal Back Porch) HAV: 1024 (Horizontal Active Video) HFP: 24 (Horizontal Front Porch) Note: You should make sure your display can handle the resolution before you try it out. Unfortunately, I am not able to try out these things myself; I don't have the display, and since I'm also on vacation, I can't even check if the values can be fed into the LCD controller; but it's a fair guess. thank you for ur response jensbauer..its working ...partially... but not fully..i also got some 10" (1024*600) data sheet...so trying ..the main problem is i dont have proper data sheet for my TFT lcd..:(...so if u know tell me..and one doubt what is use of vertical blanking frequency..? I do not know which display you have, but from the 1024x600 resolution, I calculated the data above. The purpose of the vertical blanking frequency, is to tell the display that a new picture is being drawn; eg. that the screen must start drawing the first pixel after the vertical sync signal. The higher the vertical blanking frequency is, the quicker updates and more smooth animations you will get. If you have a name of the display manufacturer and the display itself, try searching the net for these two. If you are using Google, you can search for this line... manufacturerName displayName datasheet filetype:pdf -Where you replace the two first words, and you may find the datasheet. Otherwise, you should ask the shop, where you bought the display, if they can provide a datasheet. hi ..jensbauer ..thanks for ur reply ..i am also searching that proper data sheet only..my HSD display model is WY101ML308HS18A ..10.1" Inch(16:9) 1024*600 pixels..if u have any idea tell me.. I've found a display, which supports 1024x600; it's not the same display, but it might be compatible, regarding sync lengths and signals. Hi jensbauer., first thanks for your response..i am new for TFT lcd.I attached my details.If u got any idea tell me.i am facing problem in 10" TFT lcd interfacing.problem is lcd back light is flikering.i attached a file see that. 1)my TFT pannel WY101ML308HS18A is a Active matrix TFT panels and it can support up to 24-bit bus.my controller is lpc1788 so it has inbuild lcd controller and it can support . 2)the controller has a parallel bit interface, the panel has a LVDS interface.But here i am using a SN75LVDS83B to convert the 24 bit parallel data into LVDS format..and sending to TFT lcd pannel via 4 bus. 3)i am using 256Mbit (16M x16) Synchronous DRAM for storing image buffer.i thought its enough..and SDRAM WORKING GOOD .i cheked it. 4)i thought the problem is in lcd initialization.i need the exact value for hsync and vsync front porch,back porch ,horizontal and vertical pulse width value. i attached my lcd initialization code .if you got any idea tell me..thanks advance. code: #include "LPC177x_8x.h" // Device header #include "TFT_LCD.H" #include "SDRAM.H" #include "math.h" #include "string.h" #include "ASCII_LIB.h" #include "UART.h" #include "ICONS_LIB.h" #include "TIMER.H" uint8_t start_bit, stop_bit, start_bit_for_ascii11, stop_bit_for_ascii11; #define WHITE 0xFFFFFF #define BLACK 0x000000 #define BLUE 0xFF0000 #define RED 0x0000FF #define GREEN 0x00FF00 #define YELLOW 0x00FFFF #define PURPLE COLOUR(127,0,255) #define ORANGE 0X00A5FF //COLOUR(255,165,0) #define LIGHTBLUE COLOUR(23,208,255) #define SKYBLUE 0xFFFF00 //COLOUR(0,255,255) #define NAVY_BLUE COLOUR(0,0,128) #define GREY COLOUR(61,60,59) #define COMM_BOARDER_GREY COLOUR(121,120,119) #define RTC_GREY COLOUR(0,0,50) #define BLACK_Grey COLOUR(10,10,10) #define SILVER COLOUR(192,192,192) #define TOMATO_RED COLOUR(255,99,71) #define SPRING_GREEN COLOUR(0,255,127) //#define COLOUR(R,G,B) ((B<<16)|(G<<8)|(R<<0)) #define LCD_VRAM_BASE_ADDR ((unsigned long )SDRAM_BASE_ADDRESS) #define TFT_H_SIZE 1024 #define TFT_H_PULSE 40 //1//30-- 606088 #define TFT_H_FRONTPORCH 56 //40//210 #define TFT_H_BACKPORCH 124 //88//16 #define TFT_V_SIZE 600 #define TFT_V_PULSE 48 //3//13--602223 #define TFT_V_FRONTPORCH 28 //3//22 #define TFT_V_BACKPORCH 56 //3//10 #define HORIZONTAL 0XFF #define VERTICAL 0X00 /******************************************************************************* * Function Name : LCD_ClockDivide * Description : find closest clock divider to get the desired clock rate. * Input : None * Output : None * Return : None * Attention : None *******************************************************************************/ static uint32_t LCD_ClockDivide(uint32_t LCD_clock) { uint32_t divide, result; divide = 1; while ( ( (120000000 / divide) > LCD_clock ) && (divide <= 0x3F) ) { divide++; } if (divide <= 1) { result = (1 << BCD_BIT); /* Skip divider logic if clock divider is 1 */ } else { result = 0 | (((divide >> 0) & 0x1F) | (((divide >> 5) & 0x1F) << 27)); } return result; } /************************************************************************************* 1. Function name: glcd_initialization 2. Purpose : glcd initialisation 3. Input : void 4. Return type : void *************************************************************************************/ void glcd_initialization (){ unsigned long i; unsigned long *pDst = (unsigned long *)LCD_VRAM_BASE_ADDR; IOCON_P0_4 = LCD_RED; IOCON_P0_5 = LCD_RED; IOCON_P4_28 = LCD_RED; IOCON_P4_29 = LCD_RED; IOCON_P2_6 = LCD_RED; IOCON_P2_7 = LCD_RED; IOCON_P2_8 = LCD_RED; IOCON_P2_9 = LCD_RED; IOCON_P0_6 = LCD_GREEN; IOCON_P0_7 = LCD_GREEN; IOCON_P1_20 = LCD_GREEN; IOCON_P1_21 = LCD_GREEN; IOCON_P1_22 = LCD_GREEN; IOCON_P1_23 = LCD_GREEN; IOCON_P1_24 = LCD_GREEN; IOCON_P1_25 = LCD_GREEN; IOCON_P0_8 = LCD_BLUE ; IOCON_P0_9 = LCD_BLUE ; IOCON_P2_12 = LCD_BLUE ; IOCON_P2_13 = LCD_BLUE ; IOCON_P1_26 = LCD_BLUE ; IOCON_P1_27 = LCD_BLUE ; IOCON_P1_28 = LCD_BLUE ; IOCON_P1_29 = LCD_BLUE ; IOCON_P2_2 = LCD_DCLK ; IOCON_P2_5 = LCD_HSYNC; IOCON_P2_3 = LCD_VSYNC; IOCON_P2_4 = LCD_LCDDEN; IOCON_P2_0 = LCD_PWR; LPC_SC->PCONP |= 1<<0; LCD_CTRL_REG &= 0; LCD_CTRL_REG |= (5<<1)|LCDTFT; LCD_CTRL_REG &= ~BGR; LCD_CTRL_REG &= ~LCDPWR; LCD_POL_REG &= 0; LCD_POL_REG |=(1<<0); LCD_POL_REG |=IVS|IHS; LCD_POL_REG |= (TFT_H_SIZE-1)<<16; LPC_LCD->POL |= (LCD_ClockDivide(72300000)<<0); LPC_SC->LCD_CFG =0;// 120000000 / ((unsigned long) C_GLCD_PIX_CLK); 120 MHZ /*Refresh time 41msec*/ LCD_TIMH_REG &= 0; LCD_TIMH_REG |= (TFT_H_BACKPORCH - 1)<<24; LCD_TIMH_REG |= (TFT_H_FRONTPORCH - 1)<<16; LCD_TIMH_REG |= (TFT_H_PULSE - 1)<<8; //*same LCD_TIMH_REG |= ((TFT_H_SIZE/16) - 1)<<2; //*same LCD_TIMV_REG &= 0; LCD_TIMV_REG |= (TFT_V_BACKPORCH)<<24; LCD_TIMV_REG |= (TFT_V_FRONTPORCH)<<16; LCD_TIMV_REG |= (TFT_V_PULSE - 1)<<10; LCD_TIMV_REG |= TFT_V_SIZE - 1; LCD_UPBASE_REG = LCD_VRAM_BASE_ADDR & ~7UL ; LCD_LPBASE_REG = LCD_VRAM_BASE_ADDR & ~7UL ; for( i = 0; (TFT_H_SIZE * TFT_V_SIZE) > i; i++) *pDst++ = WHITE; for(i = 10000; i; i--); // LCD_CTRL_REG |= LCDPWR| LCD_EN; LCD_CTRL_REG |= LCDPWR;//| LCD_EN; } void lcd_powerenable(){ LCD_CTRL_REG |= LCD_EN; } void lcd_powerdisable(){ LCD_CTRL_REG &= LCD_EN; } int main() { int a=102,b=290; sdram_initialization(); glcd_initialization (); lcd_powerenable(); set_color(WHITE); //init_timer1(1000); while(1) { // lcd_color_pixel(102,190,RED); lcd_color_pixel(102,191,RED); lcd_color_pixel(102,192,RED); lcd_14arial_writestr(a,b,"WELCOME",'B',RED,WHITE);// Its a function for displaying 14 Arial font character. a=horizontal location,b=vertical location,welcome =character should display in TFT lcd(accessing from ASCII Library), red=character color,white=screen border color. } } i am also getting character in lcd but back light is flickering .need help..thanks advance. hello friends. is it possible to use the 10.1" TFT lcd by using Htotal,Hac,Vtotal,Vac and Vsync.without using horizontal front porch,back porch value and pulse width ? if its possible how? "Guessing" the Front Porch, Back Porch and Sync Pulse timings are often difficult, but I'm positive you'll get through it. First time is always the hardest one. I just got back from vacation, so my reply is a bit late. I'll try replying the best I can, so that if you're still stuck, you may find the answer. Normally, you will need the 4 timing values for both the Horizontal and the Vertical directions. The Horizontal/Vertical Active Video is the "visible" resolution; the one you normally mention, when you speak about visible pixels; for example 1024 x 600 in this case. The Horizontal/Vertical Sync Pulse time is required for the screen to find out when to synchronize the pixels and lines. The time between the Sync Pulse and the Active Video is also needed, so that the picture can be adjusted left/right/up/down. You can see it as a "black border area". On the image shown, the yellow area is the Vertical Sync Pulse. The white area is the Horizontal Sync Pulse; this overlaps a part of the Vertical Sync Pulse, which means both pulses happen in that area. The black (grey) areas represents the Back Porch, the blue areas represents the Front Porch. The ducklings are in the Active Video area. (The illustration is not 100% correct, but it should give you a fair idea about the placements of the timings) So first you'll have the Vertical Sync Pulse, then the Vertical Back Porch, the Vertical Active Video and finally the Vertical Front Porch. For each pixel-line you'll have the Horizontal Sync Pulse, then the Horizontal Back Porch, the Horizontal Active Video and finally the Horizontal Front Porch. The Front Porch is usually smaller than the Back Porch. In your case, you know the total number of pixels per line and the total number of lines per frame: Typical values are 1344 and 625. You also know the number of active pixels/lines: 1024 and 600. Subtract these from the total... 1344 pixels - 1024 pixels = 320 pixels 625 lines - 600 lines = 25 lines Usually Vertical Sync Pulse is 2 or 3 lines. So assuming it's one of those, we'll get 23 lines left for front and back porch. The front porch is usually smaller than the sync pulse, so we'll assume vertical front porch is 1 line, leaving 22 lines for the vertical back porch. For the horizontal values.... These should usually be divisible by 8. Often (but not always), the Horizontal Back Porch is half of the pixels left over from the above subtraction; eg. (1344 - 1024) / 2. So assuming the front porch is 160 pixels, we'll try giving the back porch 24 pixels and the sync pulse 136 pixels. So we'll have something like... VSP: 2 lines VBP: 22 lines VAV: 600 lines VFP: 1 line HSP: 136 pixels HBP: 160 pixels HAV: 1024 pixels HFP: 24 pixels Sometimes the horizontal values must be divisible by 16, so you may need to make HFP either 16 pixels and HSP 144 pixels OR HFP 32 pixels and HSP 128 pixels. I believe you should try and make the pixel clock as low as possible (44 MHz); since that is easier for the LPC's LCD controller to handle. Hi jensbauer ., thanks for your response.your explanation was very useful to me.i tried your all values.in some case character is displaying in TFT screen But LCD is flickering (not character background pixel) .i cant find the problem whether clock or LVDS convertor?Yes i am using LVDS CONVERTOR to convert from RGB to LVDS.i am using sn75lvds83b.link is. can you help me what will be the problem for lcd flickering? It's difficult to say what's causing the flickering (I've been walking on thin ice for a while, as I have no experience with LVDS and only very little with external LCD/TFT displays, except for VGA monitors). Flickering might be due to problems with one of the sync signals. There are two significant parameters for one sync signal: 1: The ON time. 2: The OFF time. Usually you'll look at the ON time only, but the OFF time is just as important. Make sure that the total time, is within the required limits. Those limits are Htotal and Vtotal. The ON time + OFF time must then be between 1320 pixels and 1362 pixels for the horizontal sync pulse, and it must be between 612 lines and 638 lines for the vertical sync pulse. If the timings are outside those limits, you will definitely get flickering or no picture. It's also a very good idea to keep an eye on the frequencies; if you have an oscilloscope or a frequency meter, then measure the Horizontal and Vertical frequencies. The vertical frequency is usually the easiest one to measure. Vertical frequency must be between 55 Hz and 65 Hz The horizontal frequency must be between 44.4 MHz and 65.2 MHz. Usually, the first thing I do, is to get the HSync timing in range (I measure this using an oscilloscope). After getting the HSync correct, it's usually no problem getting the VSync correct. Then I move on to checking the frequencies. After correcting the frequencies (if necessary), I move on to finding the top of the active video area. I usually output 16 pixels in the "middle center" of the screen, and move the line up, until it's hidden. From that point on, I suggest changing to 1 set pixel, skipping one pixel and 14 set pixels. I move those left until the one pixel disappears, then I've found the left side of the screen. When "moving" the line up, you'll need to subtract lines from the back porch and add the same number of lines to the front porch. Eg. if you subtract 32 lines from VBP, then add 32 lines to VFP. Here's a real good pixel-pattern for finding the top/left/bottom/right sides (the green pixels are those that are 'set'): -Using this pattern, you will easily be able to see when the square moves outside the visible area. Since you're using the LCD-controller, it's probably best to place it in the beginning of the video RAM, then you can use the front/back porch parameters to move it around (eg. start with the max. back porch and minimum front porch values; the 'square' should be visible somewhere in the top/left quadrant of the display). Unfortunately, it seems the video didn't make it. (you can edit your previous post, and try adding it again). If the flickering is caused by the VSync / HSync timings being incorrect, my guess is that this could also be the reason why the pixel is not "pure white" but gray. Yes, we know the size of the active area, but we do not know the position. Finding the position of the active area will give us the usable values for the front porch and back porch in both horizontal and vertical directions. +Hi jensbauer, the Vsync and Hsync may be the problem for flickering.and one more thing friend i thought we cant shift the pixel ,if we want we can shift the pixel location so the pixel can blink in that particular location.if you keep on moving left or right it will be invisible because it ill go to inactive area . sir what is the use of finding active area?we already know active area is 1024*600.so if we want to display the image in horizontal x vertical (e.x) 0x10 location mean it will display there . i thought the problem is Hsync,Vsync value and RGB TO LVDS convertor also .because in RGB interface there is no problem ,in LVDS interface only lcd its flickering and color is changing(mean if we set white=(255,255,255),Its displaying grey block=(60,60,60 ). .i attached video clip just see and tell me.if u have any idea. View all questions in Cortex-A / A-Profile forum
https://community.arm.com/developer/ip-products/processors/f/cortex-a-forum/3859/how-to-configure-a-10-inch-tft-lcd-in-arm-cortex-m3
CC-MAIN-2019-39
refinedweb
2,820
64.61
- You can find details about seeing a live version of this project, both web and Facebook interfaces, here. Recently I have been spending a lot of time with Django and PyFacebook. There is a decent enough tutorial for getting started with PyFacebook, but based on reading some of the comments on the mailing list, it seems like a more comprehensive walkthrough might be appreciated. This series of articles aims, in the clear step-by-step style of the Django tutorial, to take you through the process of building a Django application that exists as both a simple web application, and also as a Facebook application. The web and Facebook applications will store information in the same database, using the same models, and thus users of one interface will be able to interact with the other. Also, in the spirit of capitalism and entrepreneurship, we are going to invade the Django tutorial's turf and build a big and better toy polling application. At this moment venture capitalists are trembling across Silicon Valley at the hit to their pocket books due to these polling apps. Or something alone those lines. Lets take a look at what we're going to accomplish over the next hour or three: - Building models that we will share between the web app and the Facebook app. - Using generic views to avoid writing as much code as possible. - Templates using both HTML and FBML (Facebook Markup Language) for rendering our content. - Ajax using both Facebook's Javascript, and the JQuery javascript library. - Using the Django testing framework to bring Test Driven Development to the web. - Using newforms to validate data, as well as represent it. A few things this series is unfortunately not going to cover: - How to adapt command line instructions to a Windows. I don't have a Windows box to play with. - Setting up mod_python or any other deployment mechanism on your server. This tutorial aims to cover a lot of ground, but don't worry, it doesn't expect much previous knowledge from you. As long as you have a terminal, Python, and Subversion, we're going to get through this together. Now, lets get started. Installing Django The very first thing we need to do is to install Django. We are using the SVN version of Django, which at the time of this writing is version 6794. So lets grab a copy. First navigate to a place you want the library to live. Personally mine is in a directory like this '/Users/will/django/'. But its entirely a personal stylistic choice. Choose a directory, and go there and then type: svn co django-trunk This will checkout the most recent version of the Django trunk into a folder named 'django-trunk'. Now we need to tell Python where Django is. Do that... we need to know where Python is. So lets find out: python -c "from distutils.sysconfig import get_python_lib; print get_python_lib()" /Library/Frameworks/Python.framework/Versions/2.4/lib/python2.4/site-packages The location of your library may be a bit different. Thats okay. Now lets teach Python how to find Django. ln -s `pwd`/django-trunk/django /Library/Frameworks/Python.framework/Versions/2.5/lib/python2.4/site-packages/django This creates a symbolic link in your site-packages folder, so that Python can operate as if your you can installed your package there in the first place. Lets confirm that this just worked. Lets fire up Python... python -v (The -v flag makes python very verbose about what it is doing, which is a bit painful for actually working with the interpreter, but not so bad now since we're just checking that an import works.) And now lets try to import Django. >>> import django import django # directory django # django/__init__.pyc matches django/__init__.py import django # precompiled from django/__init__.pyc If things are not set up correctly, you'll get this instead: >>> import django Traceback (most recent call last): File "<stdin>", line 1, in ? ImportError: No module named django If that happens, reread the instructions above and try to figure out where you went wrong, and try again. Installing PyFacebook Now we're going to go through the same steps to install PyFacebook. svn checkout pyfacebook - Figure out your site-packages folder: python -c "from distutils.sysconfig import get_python_lib; print get_python_lib()" /Library/Frameworks/Python.framework/Versions/2.4/lib/python2.4/site-packages - Symbolically link your checked out library to your site-packages folder. ln -s `pwd`/django-trunk/django /Library/Frameworks/Python.framework/Versions/2.5/lib/python2.4/site-packages/django - Make sure it worked. python and then... import facebook As long as you don't get an ImportError thrown, then you have correctly configured everything. Setting up our project folder. First we need to start a new Django project: django-admin.py startproject polling (If django-admin.py isn't in your path, then you'll need to refer to it via a relative or absolute path. It will be at "django-trunk/django/bin/django-admin.py", but you'll have to remember where you decided to checkout django-trunk.) Now lets go into the project directory cd polling And our project is born. Now we're going to create three applications, each of which will be responsible for a separate slice of our project. Our three apps will be: - core: will hold our models, and all code that is not specific to either the web app or the Facebook app. - web: will hold all code and resources specific to our web app. - fb: will hold all code and resources specific to our Facebook app. So now lets create those apps. python manage.py startapp core python manage.py startapp web python manage.py startapp fb PyFacebook has some functionality for setting up special facebook oriented Django apps, but it isn't particularly helpful, so we'll be setting things up ourselves. Setting up our fb app First your want to [download this file][middleware_replacement] into the polling/fb directory. It is explained more here, but is basically an unsophisticated set of functions I put together to avoid using the PyFacebook middleware. Save it as helpers.py, so it should be sitting at polling/fb/helpers.py Okay. Now we want to open up and edit the views.py file in fb. emacs polling/fb/helpers.py (Full disclosure: its actually okay to use something other than emacs. Although, I can't officially condone it.) And you'll want to throw all of these imports into it: from django.http import HttpResponse, HttpResponseRedirect from django.views.generic.simple import direct_to_template from django.shortcuts import get_object_or_404 from django.utils import simplejson from polling.fb.helpers import * from polling.core.models import * Now save it. And forget about it for the time being. Including our new apps in the polling/urls.py file Fortunately including our new apps in the polling/urls.py file is quite painless. First lets open it up... emacs polling/urls.py And edit it so that it looks like this: from django.conf.urls.defaults import * urlpatterns = patterns('', (r'^admin/', include('django.contrib.admin.urls')), (r'^facebook/', include('polling.fb.urls')), (r'^', include('polling.web.urls')), ) Save that, and we're done playing with urls.py for the time being. A folder for our templates... Move into the pollings folder, and now we're going to make a place to store all of our templates we make. mkdir templates mkdir templates/fb mkdir templates/web Remember that these folders should be at polling/templates, polling/templates/fb, and polling/templates/web. We'll be telling Django where to find these folders in a moment, when we edit the settings.py file. A brief lesson in tedium: settings.py Okay, the heading may be overstating the case a bit, its just not my favorite part of setting up a Django project. Fortunately, it won't take very long either. I promise I'll endure as long as you do. So we have two groups of things to deal with in settings.py, the generic Django setup, and setting up the entries we need for PyFacebook. Setting up PyFacebook is easier, so lets start with that. You'll need to add these global variables (just paste em in anywhere, is the less snobby explanation) to your polling/settings.py file. *Please note that you'll need to change the first values to real values, supplied to you via the Developer application on Facebook.* FACEBOOK_API_KEY = '11111111111111111111111111111111111' FACEBOOK_SECRET_KEY = '11111111111111111111111111111111111' FACEBOOK_APP_NAME = "application_name" FACEBOOK_INTERNAL = True FACEBOOK_CALLBACK_PATH = "/facebook/" Not too much to explain, but the callback path is set to "/facebook/" because that is where we included our fb app in polling/urls.py. Now lets get to work at configuring the rest of our settings.py file. We're going to use SQLite for our database (we're developing, not creating a production site): DATABASE_ENGINE = 'sqlite3' DATABASE_NAME = '/Users/will/django/polling/poll.db' You'll need to change the database name to a real place on your system, preferiably in the polling folder we are working in. ADMIN_MEDIA_PREFIX = '/admin_media/' We're going to be setting up the devel media server in a bit, and will be using the /media/ prefix for it, so we won't want any competition. TEMPLATE_DIRS = ('/Users/will/django/polling/templates/') Like usual, you'll need to change the path to represent where the polling folder is on your filesystem. And finally, installing our apps. INSTALLED_APPS = ( 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.sites', 'django.contrib.admin', 'polling.core', 'polling.web', 'polling.fb', ) Since all our models will actually be living in polling.core, we don't actually have to add the polling.web and polling.fb apps to the list of installed apps, but its a bit more consistent to do so anyway (and if we don't, but later did add some models to one or the other, we might be very confused why they weren't being noticed). Phew. We're done with messing with settings.py. Using the Django devel server to serve media Again, as I've mentioned before, we're working on putting together our development setup, not a production setup. We are going to use the devel server to serve our media, but only because its very convenient: this is not an adequate solution to real world static file serving. Okay, with that warning out of the way, lets get to it. First we need to make a few folders (starting from inside the polling folder): mkdir media mkdir media/web mkdir media/fb And then we need to open up polling/urls.py for just a quick moment, and edit it so it looks like this: from django.conf.urls.defaults import * urlpatterns = patterns('', (r'^media/(?P<path>.*)$', 'django.views.static.serve', {'document_root': '/Users/will/django/polling/media/'}), (r'^admin/', include('django.contrib.admin.urls')), (r'^facebook/', include('polling.fb.urls')), (r'^', include('polling.web.urls')), ) Like usual, the reference to /Users/will/django/polling/media/ will have to be edited to reflect the location of your polling folder. And we're done... setting up If you didn't feel like doing all the changes yourself, [here is a zipped copy of my setup][polling1]. You will have to edit the polling/settings.py abd polling/urls.py to refer to the correct places on your system. With that little change, we're finally finished setting everything up. Take a break. Drink some tea, and come back when you're ready to continue to part two where we start putting together our models. Great series Will. I noticed a syntax error with the section under Installing pyfacebook. Your example to find the site-packages location is broken there. It is correct in the earlier section. I'm attempting to get a copy of our facebook app running under my Dreamhost account. We'll see. @stubblechin yes... yes it was. That was... embarrassing. But its fixed now. Thanks for pointing it out. This is broken: [download this file][middleware_replacement] yeah... so will it come back on ..the helper file I think you copy and pasted the ln setup from the django ln for the pyfacebook files. (thanks for doing this. It's how pathetic my life is that i actually woke up today wondering what was involved in developing a fb app in python/django. what are the odds) Wow, excellent post. This is really great stuff. I haven't got into the whole thing of developing for Facebook, but it's on my todo list. Your post is a valuable resource in that regard. Thanks again. Why do nearly all the code examples have "qaodmasdkwaspemas26ajkqlsmdqpakldnzsdfls" instead of the code? @Lucy The advantage of using the helper is that the middleware will attempt to attach a facebook instance to every request that your Django project handles. This means that requests that are not interacting with Facebook (such as the web app in the walkthrough) will also have the PyFacebook middleware fiddle with their requests. That may or may not be important to you. The total extra memory used and the extra processing done unnecessarily on non-Facebook related requests is likely not even noticable. So the gains are A) some minor efficiency boosts, and B) greater control and awareness over your code. In the next few days I hope to put out a decorator that will attach a Facebook instance to the request it is attached to, and thus you could simply put it infront of any of the normal PyFacebook decorators (require_login, etc) and it would be oblivious if you were using the pyfacebook middleware or not. That means there is only one decorator needed to take advantage of all the other PyFacebook code, instead of having to rewrite everything to work without the middleware... what are the advantages and disadvantages to using your facebook helper instead of the pythong facebook middleware? Awesome walk-through! Hi, Just a couple of things worth noticing: pwd/pyfacebook/facebook /Library/Frameworks/Python.framework/Versions/2.5/lib/python2.4/site-packages/facebook The example was for Django which is incorrect. Currently it says "GNU license" which doesn't exists. I assume you mean the GPL but it would that means that if anyone uses it their code would be GPL as well. A more appropriate license would probably be LGPL or BSD. great tutorial i like it :) Looks like the download links are broken again... but a very helpful tutorial. Thanks! Hi Will, Enjoying the tutorial at this early stage. The helpers.py file attachment link is broken ... any chance you could fix this so I can move onto the next stage. Thanks, Darrell Reply to this entry
http://lethain.com/entry/2007/dec/04/two-faced-django-part-1-building-project-exists-si/
crawl-002
refinedweb
2,467
67.04
Technical Support On-Line Manuals RL-ARM User's Guide (MDK v4) #include <rtl.h> OS_TID os_tsk_create_user_ex ( void (*task)(void *), /* Task to create */ U8 priority, /* Task priority (1-254) */ void* stk, /* Pointer to the task's stack */ U16 size, /* Size of stack in bytes */ void* argv ); /* Argument to the task */ The os_tsk_create_user_ex os_tsk_create_user_ex function is an extension to the os_tsk_create_user function that enables you to pass an argument to the task. argv argument is passed directly to the task when it starts. An argument to a task can be useful to differentiate between multiple instances of the same task. Multiple instances of the same task can behave differently based on the argument. The os_tsk_create_user_ex function is in the RL-RTX library. The prototype is defined in rtl.h. note The os_tsk_create_user_ex function returns the task identifier value (TID) of the new task. If the function fails, for example due to an invalid argument, it returns 0. os_tsk_create, os_tsk_create_ex, os_tsk_create_user #include <rtl.h> OS_TID tsk1,tsk2_0,tsk2_1; static U64 stk2[2][400/8]; __task void task1 (void) { .. /* Create task 2 with a bigger stack */ tsk2_0 = os_tsk_create_user_ex (task2, 1, &stk2[0], sizeof(stk2[0]), (void *)0); tsk2_1 = os_tsk_create_user_ex (task2, 1, &stk2[1], sizeof(stk2[1]), (void *)1); .. } __task void task2 (void *argv) { /* We need a bigger stack here. */ U8 buf[200]; .. switch ((int)argv) { case 0: printf("This is a first instance of task2.\n"); break; case 1: printf("This is a second instance of task2.\n");.
https://www.keil.com/support/man/docs/rlarm/rlarm_os_tsk_create_user_ex.htm
CC-MAIN-2020-34
refinedweb
245
56.76
n-bodies: a parallel TBB solution: parallel code: so what does TBB_USE_THREADING_TOOLS do? Por robert-reed, publicado el 8 de abril de 2010 Our East coast Parallelism Road Show was a success, and having finally caught up with some of the work that piled up while I was gone, I’ll squeeze enough time at least to add a footnote to a previous rambling. In my last bumbling about, I tried defining the TBB_USE_THREADING_TOOLS macro as a stab to find the problem with my Intel® Parallel Inspector analysis of nbodies. Didn’t seem to do much at the time, so I thought it might be interesting to find out what it really does. It was easy to find examples of it in the open source. spin_mutex.h contains has a scoped lock constructor: //! Construct and acquire lock on a mutex. scoped_lock( spin_mutex& m ) { #if TBB_USE_THREADING_TOOLS||TBB_USE_ASSERT my_mutex=NULL; internal_acquire(m); #else my_unlock_value = __TBB_LockByte(m.flag); my_mutex=&m; #endif /* TBB_USE_THREADING_TOOLS||TBB_USE_ASSERT*/ } There is a bit of getting the cart before the horse to examine the details of a lock before even talking about races in my way-slower-than-expected narrative exploring the effort to parallelize some code, but it seems appropriate as a footnote. So, what’s going on up there? In the non-TBB_USE_THREADING_TOOLS case something called __TBB_LockByte is being called with a field of the spin mutex object (probably a byte?), which must be the lock part (a gate where only one thread gets by at a time). Then the spin mutex object is stashed until later. If multiple threads tried to do this __TBB_LockByte call at the same time, they might face some contention with each other, and some tool designed to detect those dataraces might flag this operation as suspect. On the other hand, when TBB_USE_THREADING_TOOLS is asserted, it looks like local mutex pointer is set to a safe value and the mutex itself is passed to some other function, internal_acquire(), effectively hiding any lock funny business from our correctness inspection tool. So that’s what it does. Maybe after I introduce scoped locks, I’ll come back here and peel another layer, and we can look at the alternate implementations of the lock.
https://software.intel.com/es-es/blogs/2010/04/08/n-bodies-a-parallel-tbb-solution-parallel-code-so-what-does-tbb_use_threading_tools-do
CC-MAIN-2018-26
refinedweb
368
59.13
Intro: 3D Printer Cantilever C3Dt/n Put your old NetGear Router to good use. The idea of this build was to build a low budget, no frills printer that can print PLA (no heated bed). The printer is a cantilever printer build on 3030 extrusion and a recycled Netgear router case to contain all electronics. All axis move over Linear guide rails which provide the accuracy of this printer. There's little give in these Linear rails. The original thought was to go with the standard Ramps 1.4 kit but due to it's stacked hight I ended up going with a cheap KFB2.0 controller board. Each of the axis are built using 3030 aluminum extrusion. each of which ends up being it's own linear actuator (more on this later). The entire printer was designed in Fusion 360, prior to implementation. In this instructable, I will walk you through the different materials used for this build. I will provide all STL files for the 3D printed components of this build and will also provide the entire design via GrabCad.com The main topics of this implementation will be the actual build, the installation of the electronics and lastly the configuration of the software. Step 1: Materials I tried to keep the cost down to some extend but did not have to patience to go through China. Most parts were ordered off of Amazon and EBay. I am an affiliate so if you want to help me out, use the links provided. The backbone of this printer is 3030 Aluminum extrusion. The design requires approximately 1200mm. To be safe (since you will need to cut this) I'd order more. Your best bet is to order this from Ebay.com. 80/20 3030 seriesEbay $17.10 (plus shipping) Linear Rails 3 x 250 mm Ebay (I was able to get mine at 16.77 per) Stepper Motors (1.7A) Amazon $51.99 (You can get away with lighter ones) Idlers 2 5-packs (for the linear actuators) Amazon $8.99 Belt Pulleys (16 teeth) 5-pack Amazon $10.99 (you could also get the 20 teeth) v6 Hotend (bowden) Amazon $15.98 (You can go for the real E3d but that would blow my budget) KFB2.0 Controller board Amazon $19.95 (Substitute for RAMP 1.4 Kit, as it doesn't fit) DRV8825 Stepper Motor Driver (5 pack) Amazon $11.99 LCD 12864Amazon $14.99 Bed 200x200 (220x220 actual) non-heated: ebay $12.84 (you could go with heated bed but it would require additional power). NetGear CaseeBay (the design is based on dimension of NetGear FSV318, could be changed though) MK8 ExtrudereBay $8.33 Cables for Stepper motors Amazon $9.99 Power Brick 12V 8A 96W Amazon $22.50 (comes with adapter that fits netgear power input Filament (PLA) Amazon $23.00 I did end up using a little ABS for the Hotend bracket. Everything else is PLA. GT2 Timing belt Amazon $8.99 USB ConnectorAmazon $6.79 (optional but makes for nicer finish) Circuit BoardAmazon $6.99 (optoinal to add jsx connectors. Cables could go directly to KFB2.0 Board) Square Nuts M3 Amazon $6.99 (only need 7) Hex nuts M3 Amazon $7.05 T-nut 30 series (m6) 100 pack Amazon $13.99 (Again only need 3) T-nut 30 series (m3) 50 pack AlieXpress $8.78 (you can get them from amazon in 10 packs for way more but faster) Pan head screws M3 30mm Amazon $8.72 (only need 20) Hex socket screws of various sizes Amazon $13.99 JST 2.54 connectors (2/3/4/5/6) Amazon $9.99 (the KFB2.0 is all JST connectors. You may have to crimp your wires accordingly. Cable wire Wrap (4m) Amazon $6.18 3030 Corner Bracket (come in 10 pack) Amazon $10.99 (only need 2) As you can see things start adding up (little over $400). One has to be realistic that all the little items matter and cost money. I've tried to represent as close as possible all the items needed for this build. If you have time and patience many of these items can be found on AliExpress.com for much much less. Delivery times can run up to several weeks, so again, patience is the name of that game. Step 2: Linear Actuators All three axis are based on the same design and are in fact standalone linear actuators that could be used for any purpose. Components needed for each of the actuators: Linear Rail (for this design 250mm but could be longer) 3030 Aluminum extrusion (375mm for Z-axis, 320mm for X-Axis and 320 for Y Axis). If you go with longer linear rail then go with more extrusion. Stepper motor with belt pulley for each actuator. In this design I used 1.7A stepper but I think you can easily go with 1A steppers. End-stop for each actuator. The end stops are Gowoops 5 PCS of Mechanical Endstop Switch with Cable. The cases in which they are attached are to be 3D printed. GT2 timing belt 3 idlers to guide the GT2 belt End casings for the actuator to be 3D printed 6 pan head 30mm m3 screw Based on the Axis different linear guide slider Connectors/belt tensioners. 3D printer files for each of the axis are: X-Axis: - IdlerCapFront (Mirror).stl, - IdlerCapBack (Mirror).stl - NemaCapFront (Mirror).stl - NemaCapBack (Mirror).stl - EndStopCaseX.stl - HotEndAdapter.stl - HotEndBracket.stl - LinearAdapterTensionClip.stl (2x) Y-Axis: - IdlerCapFront.stl, - IdlerCapBack.stl - NemaCapFront (Mirror).stl - NemaCapBack (Mirror).stl - EndStopCaseY.stl - LinearAdapterY.stl - LinearAdapterTensionClip.stl (2x) Z-Axis: - IdlerCapFront (Mirror).stl, - IdlerCapBack (Mirror).stl - NemaCapFront (Mirror).stl - NemaCapBack (Mirror).stl - LinearAdapterZ.stl - LinearAdapterTensionClip.stl (2x) - AdjustableEndStopCaseZ.stl - AdjustableEndStopWheel.stl - AdjustableEndStopWheelHouseBottom.stl - AdjustableEndStopWheelHouseTop.stl The Nema Endcaps are connected via a 30mm pan head screw (with idler in between) and 4 pan head screw connecting the Nema Stepper motor. In the back caps there is space to place hex nuts. Once you've connected all the idlers (two in the End caps and one in the Nema caps) and attached the Nema Stepper moter to the Nema caps, you can weave the GT2 belt through (and around the pulley) and pull both ends up to the Linear rail slider. Keep several inches past the linear slider on each end as you will be wrapping them around the tension clips and inserting these into the adapter. I have found it easiest to do this with a lot of slack, then connect the adapter to the slider with four hex Socket screws (6mm) and only tighten one side of the belt. With pliers you can now tighten the belt on the other side (until the belt is real tight) and screw the remaining screws. The end-stop casings are a real close fit to the actual end stops. Make sure you connect the wiring prior to sliding he end stop in the case. The case can then be attached to the extrusion with a T-nut and 20mm hex socket screw Step 3: The Case I used a netgear fsv318 Router as the base for the printer. It can hold the electronics and comes equipped with an on/off button as well as a power connection. In order to prepare the case, I opened the case and cut the circuit board next to the power adapter leaving the board with the on/off swich and power adapter. I did some rewiring to get plus and minus wires that can originate from the power adapter and can be switches on/off with the existing switch. This does require the ability to use a volt meter and to solder to figure out where and how to connect the new wiring. I created a controller board base that uses the existing screw holes in the Netgear case and allows for the addition of a circuit board that can connect all the wiring (via jst connetors). The Y-axis is connected via two 3D printed brackets that can be screwed into the case (by means of hex socket screws and nuts) and in turn wraps around the extrusion, to be connected via 4 t-nuts and 15mm hox socket screws. The 3D printed items for this step are: - bodyClamp.stl - bodyClamp_2.stl - MotherBoardBracket.stl Step 4: Electronics For this implementation I ended up using a KINGPRINT KFB2.0 Controller Board (for Reprap Mendel Prusa I3 Kossel 3D Printer). I had initially order the usual RAMPS 1.4 kit but figured out quickly enough that stacked up it would exceed the height of the Router case (intended to hold the electronics). At the time of ordering the KFB2.0 there was no documentation, whatsoever, to be found on it but it seemed to be simply everything that was on a RAMPS 1.4 shield (and then some) and for less than $20 I felt it was worth a try. Turns out I'm pretty pleased with it. It does exactly the same as a RAMPS 1.4 shield and it takes the same software. It is basically an Arduino Mega 2560 with all the connectors needed for stepper drivers and all other 3D printer related connections. This board can actually take 24 Volt (as opposed to only 12V for the RAMPS 1.4). The only difference is all the connections. These are all JST 2.54 connectors and thus I did end up crimping a lot of wires. The stepper motor wires I put in the material list already use JST 2.54 so that should make it is bit easier. In the case of my implementation I decided to leave all connections outside of the box and prepared a circuit boars with JST connetors for X, Y, Z steppers and end stops, Extruder, hotend and thermistor. I left room for possibly a second extruder. I had hope that wiring the way I did, I could easily open the case and get to the electronics. As you can see in the images, I can do that to some extend but opening and closing the case is a pretty tight fit. In order to pass through the wires for the LCD, I had to saw open one of the side gaps. The LCD wiring fits nicely. I also added a secondary connector for my power brick that I can reach when the case is half open. Optional but handy. When adding the stepper drivers, don't forget to insert the proper jumpers (all three for each driver) to get the most accurate steps for this configuration 1/16 steps. Make sure the drivers have their potential-meter screw pointing towards the Main Board Chip (see images). Inserting them the wrong way I believe will fry components beyond repair. The same goes for the End stop connections. The signal is towards the outside of the board. Most connections are printed on the bottom of this particular controller board, so check it out first prior to screwing the board down. I've included an STL for a case that can be used to house the LCD. I've left it open in the back as I haven't figured out if I want to connect it somehow to the case or if I want to leave it loose (I pick it up when operating it). LCD Case: LCDCase.stl Step 5: Bed and Assembly At this point all components to the printer are in place. All that is left to complete the build is assembly. The printer bed is supported by a 3D printer frame on which an aluminum bed can be added (via screws and springs). The MK8 Extruder can be attached to the Z-axis with the provider Extruder Bracket: ExtruderBracket.stl The STL for the 3D printed bed is: BedFrame.stl All that is left is to attach all three axis to each other and to the case subsequently. The X-Axis is attached to to Z-Axis via the Linear adapter on the Z-Axis by means of three 6M t-nuts and 3 M6 Hex socket screws (10mm) The Z-Axis is attached to the Y-Axis via a "bridge" using 3030 Extrusion and 2 corner brackets. It may take some effort and a water level to make sure the connections make perfect 90 degree angles. Not putting in that effort may make for some wonky prints. Step 6: Software Setup The KingPrint KFB2.0 board runs marlin software which can be downloaded at: Once loaded locally it will need some configuration to get it to work with this printer build. Most changes will be made to the configuration.h file (attached) changes: Endstops require inver. Steps based on 1/16 and 16 teeth and MK8 extruder #define DEFAULT_AXIS_STEPS_PER_UNIT { 100, 100, 100, 92.6 } Since the bed is only supported by the linear slider, there will be more vibrations. The Jerk needs to be pushed down (maybe even further than the numbers shown) #define DEFAULT_XJERK 10.0 #define DEFAULT_YJERK 10.0 #define DEFAULT_ZJERK 0.4 #define DEFAULT_EJERK 5.0 based on current build (this may differ based on stepper wiring) #define INVERT_X_DIR false #define INVERT_Y_DIR false #define INVERT_Z_DIR false based on the current build and it's dimension I had to set the X Y and Z boundaries // Travel limits after homing (units are in mm) #define X_MIN_POS -17 #define Y_MIN_POS -37 #define Z_MIN_POS 0 #define X_MAX_POS 200 #define Y_MAX_POS 200 #define Z_MAX_POS 270 Since my end stop are outside the bounds of the bed I need to change the manual home settings // Manually set the home position. Leave these undefined for automatic settings. // For DELTA this is the top-center of the Cartesian print volume. #define MANUAL_X_HOME_POS -17 #define MANUAL_Y_HOME_POS -37 #define MANUAL_Z_HOME_POS 0 Turn on Full graphics LCD and SD card support //#define ULTRA_LCD // Character based #define DOGLCD // Full graphics display /** * SD CARD * * SD Card support is disabled by default. If your controller has an SD slot, * you must uncomment the following option or it won't work. * */ #define SDSUPPORT Enable the proper LCD // // RepRapDiscount FULL GRAPHIC Smart Controller //... // #define REPRAP_DISCOUNT_FULL_GRAPHIC_SMART_CONTROLLER Because the Z-axis is belt driven (whereas most are lead screw driven) I end up with an issue when a print is stopped. If I click STOP PRINT (or even if a print is done) the Z-Axis will loose power and drop like a rock. This can damage your print or in worse case shatter your bed. For this I made some changes to the more hidden code. Whenever a SD_FINISHED_RELEASECOMMAND is issued power is dropped to all stepper which for this printer can be bad (dropping Z-axis). I expanded the code in Configuration_adv.h to add to more command in that event. #define SD_FINISHED_STEPPERRELEASE true //if sd support and the file is finished: disable steppers? //compact #define SD_FINISHED_XYHOMECOMMAND "G28 X0 Y0" #define SD_FINISHED_ZHOMECOMMAND "G0 Z0" #define SD_FINISHED_RELEASECOMMAND "M84 X Y E" // You might want to keep the z enabled so your bed stays in place. //#define SD_FINISHED_RELEASECOMMAND "M84 X Y Z E" // You might want to keep the z enabled so your bed stays in place. I also changed the release command to NOT drop power on the Z-Axis stepper. Now when the stop command is executed, the printer will first home to X0Y0 (which should get out of the way of any print. Subsequently the printer homes to Z0 and then drops power to X and Y (not Z). In the stepper.ccp file the code has been changed to execute these new commands. #ifdef SD_FINISHED_RELEASECOMMAND if (!cleaning_buffer_counter && (SD_FINISHED_STEPPERRELEASE)) { enqueue_and_echo_commands_P(PSTR(SD_FINISHED_XYHOMECOMMAND)); enqueue_and_echo_commands_P(PSTR(SD_FINISHED_ZHOMECOMMAND)); enqueue_and_echo_commands_P(PSTR(SD_FINISHED_RELEASECOMMAND)); } #endif _NEXT_ISR(200); // Run at max speed - 10 KHz _ENABLE_ISRs(); // re-enable ISRs return; } These are all the changes that were made to make this printer run. Step 7: Conclusion So this was all it took to build the Cantilever printer I set out to build. The materials list I believe is complete but mostly sourced from Amazon. The build can be lot cheaper if you dig a little deeper into AliExpress. The printer performs fine for the budget it was built on. Having the entire bed rest on a single linear slider is a bit of a stretch but seems to work. Step 8: STL Files and Design All 3D printed parts that have been referenced in this build can be found in the uploaded STL_Files.zip. The entire design can be downloaded from GrabCad at All items where printed on another custom built printer of mine. That one is a bit more complicated than this build but maybe one day I'll create an instructable for it as well If you liked this check out my other instructables or visit my website at 19 Discussions 7 months ago also could we have more information about the LCD? what kind to use, and how to hook it up Reply 7 months ago I use the LCD 12864 Amazon $14.99 for most of my printers which features 128 x 64 dots but you can just as easily do it with a 20 Character x 4 Line LCD (). Each comes with two grey ribbon cables for which most controller boards have the connectors present (see more on this in my wiring instructable... Reply 7 months ago what about the kingprint LCD touch screen? Reply 7 months ago You may need an mks board for that. Not sure the 8 but Arduino can handle that. I personally don’t think the touch screen adds value. I operate most my printers with octo print (control via web site or smart phone) Reply 7 months ago i may just put a cheap android tablet in the hole that used to have a keypad in this new plotter im forging ahead on. its 7.5" diagonally across, I could get a decent cheap tablet and load octo print on it and thats the interface instead of a application specific touchscreen that i mentioned previously. we'll see tho. I am taking TONS of pics with this one every step of the way and I have a draft of an instructable that ready to be published when its completed, working or not. as Adam Savage says, Failure is an option. These projects, with your help on here, is teaching me a lot and im confident that it will turn out! Reply 7 months ago Ah well, can't argue with Adam Savage ;-) Installing the Octoprint server on an android will be interesting to see. That would make a good instructable by itself Reply 7 months ago So the KINGPRINT MKS TFT28 2.8-Inch Full-Color Touch Screen claims it can work on plain RAMPS 1.4 (so theoretically it should work on the KFB 2.0). I did notice an additional power input on that unit so be aware of that. The Bigger LCDs seem to indicate MKS compatibility. Not sure that is what the KFB2.0 is 7 months ago im curious, (as i am new to building one of these) why couldnt we use a linear screw for all 3 axis? Reply 7 months ago It is very common for the Z-axis to have the linear screw as it carries more weight and only moves in small increments. For this printer I actually had to make some software adjustments to stop the Z-axis from crashing down when done. The X and Y axis generally are belt driven as they move longer distances and at much faster speeds. If you were to drive X and Y with screws your motors would be doing over-time. For a belt it takes (depending number of teeth on the nema) 80 steps for 1mm of movement, with a screw it would take 400 steps for 1mm. Z only moves in 0.1-0.3mm increments (layer height) where as X and Y sometimes travel 200mm in one move. Reply 7 months ago ok so ill go with the belt drive Question 8 months ago on Step 6 how did you program the controller? I have the arduino ide and see the board on com3 but it doesn't communicate." 10 months ago Why i can't download the stl file and configuran.h also...?? Reply 10 months ago here are the direct links as in the instructable .h file:... .stl file:... Reply 10 months ago Ok, Its done, i try with another browser to download the file and its done, Thx sir Reply 10 months ago I don't know. I have no trouble downloading both 11 months ago That looks great! I'd love to see some examples of prints you made :) Reply 11 months ago Thx, the vase was the first print after initial calibration. 3DBenchy next. I'll post pictures as I make them
https://www.instructables.com/id/3D-Printer-Cantilever/
CC-MAIN-2018-43
refinedweb
3,476
73.37
The Element.requestFullscreen() method issues an asynchronous request to make the element be displayed full-screen. It's not guaranteed that the element will be put into full screen mode. If permission to enter full screen mode is granted, the document will receive a fullscreenchange event to let it know that it's now in full screen mode. If permission is denied, the document receives a fullscreenerror event instead. Only elements which are in the HTML namespace (that is, elements which are standard HTML), plus the <svg> and <math> elements, which are located in the top-level document or in an <iframe> with the allowfullscreen attribute can be displayed full-screen. This means that elements inside a <frame> or an <object> can't. Syntax Element.requestFullscreen(); Example Before calling requestFullScreen(), set up event handlers for the fullscreenchange and fullscreenerror events, so you know when you've successfully switched into full-screen mode (or when permission to do so has been denied). tbd Specifications Browser compatibility [1] Also implemented as webkitRequestFullScreen. [2] Implemented as mozRequestFullScreen (notice the capital S for Screen). Before Firefox 44, Gecko incorrectly allowed elements inside a <frame> or an <object> to request, and to be granted, fullscreen. In Firefox 44 and onwards this has been fixed: only elements in the top-level document or in an <iframe> with the allowfullscreen attribute can be displayed fullscreen. [3] See documentation on MSDN.
https://developer.mozilla.org/en-US/docs/Web/API/Element/requestFullscreen
CC-MAIN-2017-34
refinedweb
233
52.7
0 Hi I'm new to Java and I was dealing with the creation of packages. Suppose I have the following two source files which I want to put in one package called mypackage. The two source files are in the (Linux) directory: /home/user/workspace/mypackage. package mypackage; public class HelloWorld { public static void main(String[] args) { System.out.println("Hello, world!"); output.func(); } } package mypackage; public class output { public static void func() { System.out.println("This is my package!"); } } To compile the Helloworld class in Linux terminal, I did the following command: javac mypackage.HelloWorld.java but unfortunately I get the "javac: file not found: mypackage.HelloWorld.java" error. Can you please help me with a step by step way of compiling and executing these source files. cheers
https://www.daniweb.com/programming/software-development/threads/319252/java-packages
CC-MAIN-2018-17
refinedweb
130
50.12
Included are two similar programs in C and Java (/usr/green3/local.java/NIGHTLY1/jdk1.1/solaris/JDK1.1M-5). The java version takes 443 times longer to run (far more than most comparisons) The output of the two are: ccode ccount = 19990 took 210 milliseconds java jcode java count = 19990 took 93225 milliseconds ---------------------- The C code --------------------------- #include <stdio.h> main(int argc, char *argv[]) { char buff[2000]; FILE *fd; int count = 0; clock(); fd = fopen("/usr/dist/share/lib/nameslistx", "r"); while(fgets(buff, 2000, fd) != NULL) { count++; } printf("ccount = %d took %d milliseconds\n", count, clock()/1000); } --------------------- The Java Code ----------------------------------- import java.io.DataInputStream; import java.io.FileInputStream; import java.util.Date; class jcode { public static void main(String arg[]) { long start = new Date().getTime(); try { DataInputStream fs = new DataInputStream(new FileInputStream("/usr/dist/share/lib/nameslistx")); int count = 0; while(fs.available() > 0) { String line = fs.readLine(); count++; //System.out.println("Line "+count+": "+line); } System.out.println("java count = "+count+" took "+(new Date().getTime() - start)+" milliseconds"); } catch (Exception e) { e.printStackTrace(); } } } N/A Yes, Java I/O could be faster. This performance gap has been addressed by the java.nio package. Also, the java.io package may be re-implemented on top of java.nio in a future release. xxxxx@xxxxx 2002-05-07 In Merlin (jdk1.4) JSR-51 introduced the java.nio and java.nio.channels packages. These add new APIs for scaleable I/O. In particular, if the example were to be re-written using a FileChannel and a direct byte buffer of reasonable size, you will see substantial performance improvements. Using these APIs, you can approach native performance more easily. That being said, the test provided would require some work to be usable as a true benchmark of steady-state Java performance for file reads. Many benchmarks, including the one provided fall into the category of "microbenchmarks". Benchmarks need to be written very carefully in order to avoid measuring JDK start-up time, VM byte-code compilation, garbage collection, code run in interpreted mode before compilation, etc. There are several sources on the web which discuss the pitfalls of microbenchmarks and provide tips on how to write them correctly. Closing this bug as a duplicate of 4313882 which covered the relevant portions of JSR-51. Posted Date : 2006-05-25 07:24:58.0
http://bugs.sun.com/bugdatabase/view_bug.do%3Fbug_id=4015161
crawl-002
refinedweb
391
60.72
Details Description YARN-6623 added support in container-executor for admin supplied Docker volume whitelists. This allows controlling which host directories can be mounted into Docker containers launched by YARN. A read-only and read-write whitelist was added. We now need the ability for users to supply the mounts they require for their application, which will be validated against the admin whitelist in container-executor. Issue Links Activity - All - Work Log - History - Activity - Transitions Thanks Eric Yang for the commit. Also, thanks to Eric Badger, Miklos Szegedi, Daniel Templeton, and luhuichun for the discussion and reviews. SUCCESS: Integrated in Jenkins build Hadoop-trunk-Commit #13269 (See) YARN-5534. Allow user provided Docker volume mount list. (Contributed (eyang: rev d42a336cfab106d052aa30d80d9d30904123cb55) - (edit) hadoop-yarn-project/hadoop-yarn/hadoop-yarn-site/src/site/markdown/DockerContainers.md - (edit) hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-nodemanager/src/test/java/org/apache/hadoop/yarn/server/nodemanager/containermanager/linux/runtime/TestDockerContainerRuntime.java - (edit) hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-nodemanager/src/main/java/org/apache/hadoop/yarn/server/nodemanager/containermanager/linux/runtime/docker/DockerRunCommand.java - (edit) hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-nodemanager/src/main/java/org/apache/hadoop/yarn/server/nodemanager/containermanager/linux/runtime/DockerLinuxContainerRuntime.java Thanks for the review, Miklos Szegedi. AFAIK, only NUL isn't allowed on modern Linux systems. I've updated the regex to be more inclusive. Note that we still need a delimiter and I don't think NUL would be a good choice, so a colon, the current delimiter, also isn't allowed. Thank you, Shane Kumpf for the patch. 165 private static final Pattern USER_MOUNT_PATTERN = Pattern.compile( 166 "(?<=^|,)([\\s/.a-zA-Z0-9_-]+):([\\s/.a-zA-Z0-9_-]+):([a-z]+)"); This pattern excludes characters considered valid and supported by Linux in several languages. Please consider a pattern excluding the known reserved characters as described here: Shane Kumpf This failure is caused by: <source>:<destination>:<mode> This doesn't work well with toc macro. By change the text to: *source*:*destination*:*mode* Maven site can pass fine. Attaching patch to address the checkstyle warning. I'm not sure what is causing the mvnsite failure, but I saw this on the last patch I submitted with doc changes as well. Anyone know the reason or fix? I've updated the title and description to better reflect the current scope of the issue. I'm attaching a new patch that adds support for the user provided mount list. One item I did want to discuss. We do still have YARN_CONTAINER_RUNTIME_DOCKER_LOCAL_RESOURCE_MOUNTS which I believe we could do away with in favor of YARN_CONTAINER_RUNTIME_DOCKER_MOUNTS. The challenge is the additional validation currently being done for that option and it would be a change in behavior. I don't think the additional validation is necessary with the changes in YARN-6623, and any validation should be handled by c-e anyway. I don't expect YARN_CONTAINER_RUNTIME_DOCKER_LOCAL_RESOURCE_MOUNTS has been widely used outside of yarn native services, but I don't know for certain. /cc Billie Rinaldi Shane KumpfEric Badger . Thanks for the input. I open a separate JIRA YARN-7516 to track the security check for running untrusted image. We can continue the discussion there. We can check the origin of the docker image, if it comes from private registry, image name that starts with hostname of private registry, then we allow white list volumes. IMO the hosted docker private repositories should be allowed. Checking that the image isn't from docker.io would be problematic for that case. The docker hub private repository solution gives users a private space to store images without needing to manage the private registry infrastructure themselves. Using the docker hub private repositories also gives the user vulnerability scanning "for free", so it's appealing to new users where pull bandwidth isn't of major concern. IMO, this is a pretty safe alternative to running your own private registry. As Eric Badger mentioned, there are other items that need to change to support these types of images beyond the whitelist; don't override the CMD/ENTRYPOINT, don't bind mount the container log dir, usercache, appcache, don't override the --user option, etc. I would prefer if we worked through those details holistically on a separate JIRA and see if it's even necessary to support that use case. Arbitrary docker images will need to be handled separately than what we consider to be "trusted" images more than just in the whitelisted volumes regard. These containers shouldn't be bind-mounting anything IMO and should be running without any capabilities. Even at that point, I'm not sure I'm comfortable allowing untrusted images run containers on the node, since the container will be running as root. This, of course, is unless we can figure out how to leverage user namespace remapping from Docker. Bottom line, if we are going to allow support for arbitrary images, I think we should open up a separate JIRA and create a complete plan over there with how we can utilize the current state of docker support while also creating a secure environment for these images to run. Eric Badger Shane Kumpf In YARN-7430, there was mentioned how do we handle arbitrary docker image from docker hub without consistent uid:gid with the cluster. That discussion is related to allow defining white listed volume. We can check the origin of the docker image, if it comes from private registry, image name that starts with hostname of private registry, then we allow white list volumes. If image is from public repository, then we disallow user defined mount. When image has been approved to move from dockerhub to private repository, then user can store data into HDFS. The approval process is the safe guard to make sure the uid:gid used by image is compatible with the cluster. Does this sound reasonable approach to protect against unknown images? Shane Kumpf It doesn't look like YARN-6623 contain all features of this JIRA. I don't see syntax for defining arbitrary volumes in YARN-6623. Would you like to rebase the patch base on YARN-6623? Eric Badger YARN-6623 is committed, but there seems to have some issues in the implementation that it worked on Ubuntu but not CentOS. We need to monitor the development of YARN-7344 to determine if we are on the right path. Can we wait a few days before deciding closure of this JIRA? Thanks I think that we can close this as it's been completely superceded by YARN-6623. Shane Kumpf, do you agree? Miklos Szegedi White list should be visible to all users who have access to the system. Miklos Szegedi I think core-site.xml make most sense to ensure both hdfs and yarn can agree on same security setting even though hdfs service doesn't require knowledge of this today. The idea of global white list and job specific white lists, have their own attractiveness. However, I think having global white list in container-executor.cfg might be risky. If the information is leaked and admin did not secure white list mount point properly, then the system could be vulnerable to attack. For white list, more eye balls can examine the configuration, would make the system more secure. On the other hand, if a black list is to be implemented, then it might have advantage to be in container-executor.cfg and readable by root only. Basic security through obscurity can be performed with some level of effectiveness. Thank you, Eric Yang for the comment. Can you please clarify where the user reads the whitelist from? yarn-site.xml? Would it be useful to have the whitelist in both Java and container-executor like Vinod Kumar Vavilapalli suggested above? The right location depends also on whether privileged containers are enabled or not, which is the preference of the administrator. Miklos Szegedi It's a cute perspective, but there might be usability issues. Today, it is possible to keep container-executor.cfg read only to root and yarn user. Authorized and banned users are only known to root user and yarn user. This is similar to sudoers file that managers who has sudoers rights. Other the other hand, file system mount points needs to be known by all users who would like to use mount points. It would be more convenient to give everyone read access to file system mount point file, like /etc/fstab. If volume white list is mixed with user privileges control, then we lose some flexibility to keep banned users a secret or we lose ability to know what mount points can be used. With this reason, I prefer to keep white list volume separated from container-executor.cfg for separation of duty from security point of view. However, black list volume maintained in container-executor.cfg, can make attack more difficult. Eric Yang I would approach this from the user point of view. container-executor and container-executor.cfg should govern the rules, how the yarn user can get root access or access it does not have otherwise. If the yarn user cannot access a directory, then mounting it should be whitelisted in container-executor.cfg. Yarn-site.xml and core-site.xml are trusted configuration from Hdoop server point of view. Hadoop Kerberos, and proxy users configuration are defined in the *.xml files. WIthout trusting those configurations, Hadoop security fall apart. There is keyword like final to lock configuration in place therefore an overlay of Hadoop configuration can not alter the configuration values. Volume white list in core-site.xml or yarn-site.xml are secured. There should be very little configuration in container-executor.cfg file to govern uid and banned user. The rest of the logic in core-site.xml is preferred to ensure the logic is preprocessed in yarn user before handing off to root for execution. YARN can act as a shielding user in pre-processing to make exploits more difficult. still don't see why the overall mounting setting would be in container-executor.cfg while the user-specific setting would be in yarn-site.xml. If we're looking at this from a security perspective, the volume mount is either a potential attack vector or not. If it's not, then we don't really care whether anyone can mount it and then I would say we should just put everything in yarn-site.xml. If we assume that it is a potential attack vector, then we very much care that only certain users can mount that volume. In that case, I don't see why we would put that whitelist of users in yarn-site.xml, if we're also assuming that yarn-site.xml is potentially untrusted (I assume the reason we're putting things into container-executor.cfg is because it is only root read/writable). So basically my main points are: 1. If yarn-site.xml is untrusted, then we can't put any configs with potential security-related consequences in there (e.g. which volumes are whitelisted) 2. If yarn-site.xml is trusted, then I don't know why we need to move any of the configs into container-executor.cfg It's going to end up being a combination. Some settings have to be done in the container-executor.cfg(like whitelisted volume mounts), and some will go into yarn-site.xml. emailed Miklos Szegedi about this offline, but I'd like to get some additional perspectives here possibly from Varun Vasudev, Shane Kumpf, Vinod Kumar Vavilapalli, Daniel Templeton, Jason Lowe. My thoughts on the matter are in the email I sent to Miklos Szegedi below. The overall question is whether we should be putting the docker configs in yarn-site.xml, container-executor.cfg, some in each, or some/all in both. I would like to come to a consensus so that we can move forward on this JIRA and others. I'm a little confused about a few things here. First, putting docker properties in multiple places seems like a bad idea for the less than expert admin. They will see some configs in one place (yarn-site.xml or container-executor.cfg) and assume that those are all of the configs when really there's others in a different place. Maybe this is more of an inconvenience, but it doesn't make sense to me to have them in 2 different places. Second, I don't see why some properties should be protected under the veil of root via the container-executor.cfg but not others. In the current docker implementation, you get to specify the image that you want to use. I could easily put a setuid binary in there and get root in the container. There are constantly new exploits on how to get out of the container if you get root (assuming you're not using user namespace remapping, which we aren't). This could possibly be mitigated by dropping the SETUID capability for the container, but that's also a property in yarn-site.xml and not container-executor.cfg. So I don't see why the volume whitelist belongs in container-executor.cfg, but these other properties belong in yarn-site.xml. Seems like they should all belong in container-executor.cfg or none of them should. I'm not sure if this is the best place for discussion to occur since this topic is bigger than simply whitelisting volume mounts. If there's a better place, then we can move the discussion there. Eric Badger, only the ones that need root access. So is the assumption here that yarn-site.xml is untrusted and can be tampered with? If that's the case, then we need to add all of the docker properties to container-executor.cfg. Otherwise, the assumption would be that the attacker can set the docker capabilities, whether they can run as a privileged container, and the network that they use. Currently those are all set via yarn-site.xml. Thank you, Shane Kumpf and Vinod Kumar Vavilapalli for the details. As Shane said, Java knows the configuration letting launch the container and seeing it fail in C. If the system is sending so many invalid privileged requests that it affects system performance because of this, there is already something wrong with that system. However, one more thing. While having a general config to enable/disable privileged is nice, I think eventually admins will need to specify the users that should be allowed to elevate to privileged. This can be applied probably to the whitelist as well. Sorry for raising too many design questions late in the development. From a usability stand point, I have to agree with Miklos Szegedi, expecting admins to define the white list in two places is not ideal. If the two configs get out of sync, it will lead to surprising behavior. While I'm not a fan of the current direction of moving more and more functionality into container-executor, it seems there is no way around doing so with the current design. I will need to move all of the whitelist validation into container-executor to keep it in a single place. One pitfall of this approach is that we can no longer fail fast and must spawn the container-executor process before the validation occurs. If this is the consensus on how we need to handle the whitelist, I will start to rework the patch to move the configuration to container-executor.cfg and do all of whitelist validation in container-executor. In general I think this is redundant. Each feature should have only one config location otherwise it affect usability (for the admins). The reason why we need it both areas is because (a) the java land only reads yarn-site.xml and the C land only reads container-executor.cfg and both need to know if a feature is enabled or not (b) the files have different ownerships - yarn user vs root. This is an existing pattern given the NM -> Container-Executor separation. Unrolling it would mostly mean forcing the java land also read container-executor.cfg. The opposite will likely not happen - C land reading multiple config files will increase the surface area. getCGroupsCpuResourceHandler(), where any of the config settings implied that the user needs a resource handler without any other config knob. getCGroupsCpuResourceHandler() works because all the cgroups heavy-lifting is done in the java land and so this split code problem doesn't exist there. There is only one privileged operation in the c land - setup of cgroups, which one can argue shouldn't be enabled by default either.. Vinod Kumar Vavilapalli, in general I think this is redundant. Each feature should have only one config location otherwise it affect usability (for the admins). Example: I actually like the way you and Varun solved getCGroupsCpuResourceHandler(), where any of the config settings implied that the user needs a resource handler without any other config knob. Quick question, should not white-list-volume-mounts be a setting in container-executor.cfg instead of yarn-site.xml?. Once YARN-6033is committed, I plan to rewrite it to do invocations via a config file and we can add the checks into the container-executor.cfg. if we check in this jira with yarn-site.xml as the location for the whitelist, we have to keep it backward compatible throughout the lifecycle of 3.0. I would wait with this jira until your container-executor changes get in. YARN-6033 simplifies the configuration management, and there is existing configuration outside of this patch that YARN-6033 should give a compatibility story for. So YARN-6033 doesn't need to be a blocker for this JIRA, me thinks. If YARN-6033 also makes it into 3.0, which it should, the new config added in JIRA can simply be removed. Shane Kumpf, container-executor.cfg is only writable by root. Varun Vasudev, my only concern, is that if we check in this jira with yarn-site.xml as the location for the whitelist, we have to keep it backward compatible throughout the lifecycle of 3.0. I would wait with this jira until your container-executor changes get in. Thank you for the patch Shane Kumpf. Quick question, should not white-list-volume-mounts be a setting in container-executor.cfg instead of yarn-site.xml? Ideally it should be but the the current NM->container-exectuor interface doesn't allow for it. Once YARN-6033 is committed, I plan to rewrite it to do invocations via a config file and we can add the checks into the container-executor.cfg. should not white-list-volume-mounts be a setting in container-executor.cfg instead of yarn-site.xml? Can you help me understand what the benefit would be? For the current localized resource mounts, the checking is handled in the container runtime. Thank you for the patch Shane Kumpf. Quick question, should not white-list-volume-mounts be a setting in container-executor.cfg instead of yarn-site.xml? IMO, I think that feature might be better suited as a separate patch though, since it will essentially bypass the whitelist. I'm ok with it being a separate patch. It's fundamentally different since it doesn't depend on user input, while the whitelist volumes would. So I think that makes sense. And I'd be happy to work on that patch if that's what we decide to do. Thanks Eric Badger and Daniel Templeton for the feedback. I was thinking of the current code where we are bind-mounting "/sys/fs/cgroup" for every container. Part of the point of the mount whitelist is so we can remove the hard coded /sys/fs/cgroup mount. That really doesn't apply to all containers, for instance CentOS 6, and actually introduces odd behavior on systems with many cores.". I think we could solve the need above through documentation, but I can understand the convenience of having an auto bind mount list. IMO, I think that feature might be better suited as a separate patch though, since it will essentially bypass the whitelist. Can you help me understand the use case here? While there are mounts that will be commonly needed by containers, I'm not sure of any bind mounts that every container will require. I was thinking of the current code where we are bind-mounting "/sys/fs/cgroup" for every container.". Given that these mounts are read-only and wholly at the discretion of the admin, I don't see that it should be much of a risk. I think that I agree with this. The mounts have to be provided by the admin, so if they have malicious content in them, that's on them. I agree with the opt-in model guarded by the admin-defined whitelist. I also fail to see the use case for admin-enforced mounts. The nature of a container is that it's inscrutable by the system, so there's no telling what's in there or whether any given mount point makes any sense. Given that these mounts are read-only and wholly at the discretion of the admin, I don't see that it should be much of a risk. The main use case for the feature is to make the Hadoop directory mountable by the container, and I see no risk there. As long as we clearly document the risks in the feature docs, I don't see the need to add training wheels to try to keep admins from shooting themselves in the foot. So you're proposing having a whitelist of volumes that can be bind-mounted that is defined by the NM and then have the user supply a list of volumes that need to be a subset of that whitelist? That is correct. The user will opt-in to bind mounts they require, and those bind mount must be in the whitelist (or must be localized resources) for the operation to succeed. What about volumes that the NM always wants to mount regardless of the user? Can you help me understand the use case here? While there are mounts that will be commonly needed by containers, I'm not sure of any bind mounts that every container will require. I'd prefer an opt-in model so we don't needless expose host artifacts when they aren't required. However, it wouldn't be very difficult to add this feature, so let me know and I can work to add it. My question is whether they can leverage these mount points to gain root in the container if minimal capabilities (aka not SETUID/SETGID/etc.) are given. Great questions. I agree it is possible for them to shoot themselves in the foot, but I don't believe that adding support for bind mounts opens up additional risk with regard to overriding libraries and binaries. Avoiding privileged containers and limiting capabilities is use case dependent, but best practices should be followed to limit the attack surface. Having said that, it seems there could be a need for admins to be able to control the destination mount path within the container. However, the implementation becomes less straight forward for localized resources/distributed cache. Currently we support arbitrary destination paths within the container for localized resources. Consider the hbase container use case, where hbase-site.xml is localized and the hbase processes in the container expect hbase-site.xml to be in /etc/hbase/conf. The admin doesn't know the full path to the localized resources up front, so it wouldn't be possible for the admin to define these localized resources in the whitelist. We could possibly address this through special syntax (i.e. $$LOCALIZED_PATH$$/hbase-site.xml:/etc/hbase/conf/hbase-site.xml:ro") if this is a concern. Thoughts?). I'm not sure I understand this correctly. Let me know if I have this right. So you're proposing having a whitelist of volumes that can be bind-mounted that is defined by the NM and then have the user supply a list of volumes that need to be a subset of that whitelist? What about volumes that the NM always wants to mount regardless of the user? One question here, does any feel there is value in allowing the admin to restrict the destination mount point within the container? Well they could certainly shoot themselves in the foot pretty easily by mounting over an important directory within the image (e.g. /bin), but I'm not sure if that will ever lead to anything that could prove malicious. Maybe a possibility is that they overwrite /bin with their mount that has a bunch of crafted malicious binaries. Though I'm not sure how they would get the malicious binaries in the src volume on the node. And also, I'm not sure if this is anything different/worse than putting a setuid binary in the distributed cache. Or another possibility would be overwriting glibc with a malicious version. Basically allowing arbitrary mount points allows the user to overwrite things owned by root, which makes me a little uneasy. My question is whether they can leverage these mount points to gain root in the container if minimal capabilities (aka not SETUID/SETGID/etc.) are given. I don't see any need to restrict the mount point in the container. Eric Badger - sorry for the delay here. I'm actively working on this. Couple of comments on the approach: YARN-4595addressed read-only mounts for local resources. I'm planning to consolidate the mount whitelist and local resource mounts into a single ENV variable. - Local resources will be implicitly added to the whitelist in read-only mode. - There is currently an issue with multiple mounts and MapReduce due to how environment variables are parsed. See YARN-6830. -). One question here, does any feel there is value in allowing the admin to restrict the destination mount point within the container? I can't think of a use case for this, and expect most admins would likely just wildcard the field for all the mounts. Currently, the plan for the admin supplied whitelist does not include restricting the destination within the container. Shane Kumpf ok it's ok for me luhuichun Zhankun Tang - We're close on this one. Would you like me to take the lead on this and get it wrapped up? Thanks! Thanks for updating the patch, luhuichun. The new patch matches more with what I had in mind. There are still a couple of issues: - In YarnConfiguration, you should add a Javadoc comment for the new property - In DLCR.isArbitraryMount(), instead of the for loop, you should use a foreach. - DSCR.isArbitraryMount() always returns false. File child = new File(mount); for (int i = 0; i < whiteList.length; i++){ File parent = new File(mount); if (isSubDirectory(parent, child)){ return false; } } It's always true that parent.equals(child), so isSubdirectory() will always return true. - You should parse the white list property once and store it instead of doing it every time the method is called - Instead of using String.split(), you could use Pattern.split() to allow for whitespace, making it a little more user friendly - Look at for ideas of how to do the subdirectory check more efficiently. I like the Set idea. - In DLCR.isSubdirectory(), the naming around child, parent, and parentFile is pretty confusing. - In DLCR.isSubdirectory(), printing the stack trace is a bad idea. Do something more useful. At a minimum, log the exception instead of printing the stack trace to stderr. - You should have a space before the curly brace throughout, e.g. if (parent.equals(parentFile)){ Thanks for the patch luhuichun! I agree with Daniel Templeton. YARN-4595 only allows for mounting localized resources, which isn't flexible enough for what we need here. We'd like to eliminate issues such as YARN-5042 (mounting /sys/fs/cgroup in every container) every time we have a similar need. Another example would be /dev/urandom, which is commonly mounted into containers that generate keys. The current implementation is moving towards allowing subdirectories under a white listed mount to be mounted into the docker container. What is the use case for allowing subdirectories vs forcing the user supplied mount to match the white list entry? Here are some items to address in the future patch: 1) + + public static final String NM_WHITE_LIST_VOLUME_MOUNT = + NM_PREFIX + "white-list-volume-mount"; + The configuration should be under the DOCKER_CONTAINER_RUNTIME_PREFIX. 2) if (!path.isAbsolute()) { throw new ContainerExecutionException("Mount must be absolute: " + - mount); + mount); } if (Files.isSymbolicLink(path)) { throw new ContainerExecutionException("Mount cannot be a symlink: " + - mount); + mount); Can you fix the formatting changes here? 3) + private boolean isSubDirectory(File parent, File child){ + try { + parent = parent.getCanonicalFile(); + child = child.getCanonicalFile(); + File parentFile = child; + while (parentFile != null){ + if (parent.equals(parentFile)){ + return true; + } + parentFile = parentFile.getParentFile(); + } + } catch (IOException e) { + e.printStackTrace(); + } + return false; } Assuming we need subdirectories, I would expect a subdirectory check has been implemented elsewhere in the code base and doesn't need to be defined again, but I didn't find it in my non-exhaustive search. Perhaps someone else can chime in if they know of one. Otherwise, maybe it would be good to add this to a utility class vs leaving it in the runtime? validateMount() already rejects anything that isn't a localized resource path. What this patch does is reject anything that's not also whitelisted, i.e. to accept a mount, it must be both a localized resource path and whitelisted. Because YARN-5298 already mounts all localized resource paths, YARN-4595 and this patch don't accomplish much. Thanks for posting the patch, luhuichun. Sorry for taking so long to get around to reviewing it. I apparently also misread the issue description the first time. Given that the current volume mounts only allow mounting directories from the set of localized files, I'm not sure additional white listing is all that useful. And given that YARN-5298 already mounts all the localized directories, I'm not sure this JIRA will actually change anything. What I originally thought I read, and what I think would be useful, is allowing arbitrary volume mounts from a whitelist, not just mounting localized resources. For example, If I'm going to use a Docker image to execute MR jobs, I have to install Hadoop in that image. When I upgrade my cluster, I then have to upgrade or recreate all my Docker images. If the Hadoop directories were mountable, I could let YARN mount them from the host machine and not have to worry about it. A good use case for this is mounting in the Hadoop directories so that they don't have to be build into the container. Another use case is mounting in the local tool chain. Eric Badger This is currently committed to trunk (3.1.0).
https://issues.apache.org/jira/browse/YARN-5534
CC-MAIN-2017-51
refinedweb
5,196
56.86
This is a Java Program to Increment Every Element of the Array by One & Print Incremented Array. Enter size of array and then enter all the elements of that array. Now using for loop we increment all the elements of the array. Here is the source code of the Java Program to Increment Every Element of the Array by One & Print Incremented Array. The Java program is successfully compiled and run on a Windows system. The program output is also shown below. import java.util.Scanner; public class Increment_Array { public static void main(String[] args) { int n, i = 0; Scanner s = new Scanner(System.in); System.out.print("Enter no. of elements you want in array:"); n = s.nextInt(); int a[] = new int[n]; System.out.println("Enter all the elements:"); for(i = 0; i < n; i++) { a[i] = s.nextInt(); a[i]++; } System.out.print("Elements of array after increment by 1:"); for(i = 0; i < n - 1; i++) { System.out.print(a[i]+","); } System.out.print(a[n-1]); } } Output: $ javac Increment_Array.java $ java Increment_Array Enter no. of elements you want in array:5 Enter all the elements: 2 5 8 6 9 Elements of array after increment by 1:3,6,9,7,10 Sanfoundry Global Education & Learning Series – 1000 Java Programs. Here’s the list of Best Reference Books in Java Programming, Data Structures and Algorithms. « Prev Page - Java Program to Find if a given Integer X appears more than N/2 times in a Sorted Array of N Integers
https://www.sanfoundry.com/java-program-increment-every-element-array-one-print-incremented-array/
CC-MAIN-2018-13
refinedweb
254
50.23
Created on 2009-02-19.13:11:12 by gunter.bach, last changed 2009-03-02.20:46:36 by aviflax. When doing from org.apache.commons.fileupload import * FileUpload is None when doing from org.apache.commons.fileupload import FileUpload FileUpload is set correctly. Checked also with other java-classes Just encountered this issue also. Which version? 2.5b1 or the latest SVN? I encountered this issue in the 2.5b1 version, downloadable from the website, but it does not affect me with a checkout of the latest SVN. I'm using the 2.5b1 release. Glad to hear this is fixed already! I am using the 2.5b1 release I see also this feature for the release 2.5b1. Import from java using : from <package> import * does not work So this is a dup of unless some of you are using standalone mode (or turning off package scanning in some other way). If you have package scanning off, you cannot use from <java class> import * due to limits of the JVM (Native Java packages have no getClasses() and package scanning works around this). So in this case you need to turn scanning on, or use explicit imports like: import java.io.File from java.io import File But why does this work just fine with 2.2? Avi: this *is* a bug in 2.5b1 that is fixed in trunk. standalone mode wouldn't work this way in 2.2 either. OK, great, thanks for explaining!
http://bugs.jython.org/issue1263
CC-MAIN-2014-52
refinedweb
248
79.26
API interface for stats.nba.com Project Description A Python Package for easily acquiring NBA Data for analysis What is py-Goldsberry? py-Goldsberry is designed to give the user easy access to data available from stats.nba.com in a form that facilitates innovative analysis. With a few simple commands, you can have access to virtually any data available on the site in an easy to analyze format. In fact, some of the data is in a less summarize form giving you the opportunity to work with the most raw data possible when you are attempting to answer questions that interest you. Why was it built? I attended the 2015 Sloan Sports Analytics conference and had the fortunate opportunity to listen to Kirk Goldsberry address the crowd regarding the state of analytics in sports (You can watch the talk here). One of the questions he addressed at the end was related to the availability of data (or lack thereof in some instances). Basically, he concluded that the lack of availability of some of the newest data is actually hindering the progression of analytics in sports. Innovation is now restricted to those with access to data instead of to the entire community of interested parties. I wrote (am writing) this package in an attempt to help address this issue in whatever small way I can. This package is a work in progress. As the NBA continues to make more data available, I will do my best to update py-Goldsberry to reflect these additions. Currently, there is almost a cumbersome amount of data available from the NBA so dealing with what is there is a bit of a challenge. UPDATE: The NBA has apparently masked some of the tables that were previously available. The log level data is no longer available. This is disappointing as there was a multitude of research opportunities availble with the use of the data. Hopefully, the NBA will make this data available again in the near future. Getting started To get started with py-Goldsberry, you need to install and load the package. From your terminal, run the following command: pip install py-goldsberry Once you have the package installed, you can load it into a Python session with the following command: import goldsberry import pandas as pd The package is designed to work with pandas in that the output of each API call to the NBA website it returned in a format that is easily converted into a pandas dataframe. Getting a List of Players One of the key variables necessary to fully utilize py-Goldsberry is playerid. This is the unique id number assigned to each player by the NBA. py-Goldsberry has a top-level class PlayerList() built-in to give you quick access to a list of players and numbers. players2010 = goldsberry.PlayerList(Season='2010-11') players2010 = pd.DataFrame(players2010.players()) players2010.head() If you want a list of every game during the current season use the GameIDs() class: games = goldsberry.GameIDs() games = pd.DataFrame(games.game_list()) games.head() As you get started with py-goldsberry, TAB completion in either Jupyter or IPython is going to be your best friend. I’m working on documetation, but there is a great deal of it to do and I don’t have that much time. Release History Download Files Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
https://pypi.org/project/py-goldsberry/
CC-MAIN-2018-13
refinedweb
575
62.07
Last week I attempted to mimic this article from Microsoft: Testing and Mocking Framework. I ran into a problem involving some code that was in the article last week, but has since been removed (I’m assuming that Microsoft changed something in their EF6 framework or .Net and didn’t update the article before I tested it). Anyway, I have now duplicated the unit tests that Microsoft demonstrates with my own table. Two “gotchas” were discovered while attempting to make this work. First, I had to pass the context into my object (instead of just using a “using” statement with the context I needed. The reason for this is so the unit test can pass in a mock context. The second “gotcha” was that the DataSet object inside the EF code needs to be virtual. This was more difficult due to the fact that the code itself was auto-generated (because I used the EF designer to create it). Fortunately, there is a reference in the article that states that “virtual” can be added to the T4 template used by EF (inside the <model_name>.Context.tt file). I added the virtual keyword and my unit test worked like a charm. The Details So I wrote a console application and created one table. The table was generated in MS SQL server. I named the table “account” and put a couple of fields in it (the primary key field was set up as an “identity” field so it will generate a unique key upon insert). Here’s the ERD: Don’t laugh, I like to start off with really simple stuff. Things seem to get complicated on their own. Make sure you use NuGet to download the version 6.0.1 (or later) version of Entity Framework. I just opened the NuGet window (see “Tools -> Library Package Manager -> Manager NuGet Packages for Solution…”), then I typed “Entity Framework” in the “Search Online” search box. My console application main program looks like this: using System; namespace DatabaseTestConsole { class Program { static void Main(string[] args) { UserRights rights = new UserRights(new DatabaseContext()); string test = rights.LookupPassword(“test“); Console.WriteLine(test); } } } My entity container name is called “DatabaseContext”, I created the container using the project right-click, then “add” -> “new item”, then selecting “ADO .Net Entity Data Model”. I added a connection and dragged my table to the EF Model Diagram. Then I created a new class called “UserRights” (right-click on project, “add” -> “class”). This is the content of the UserRights.cs file: using System.Linq; namespace DatabaseTestConsole { public class UserRights { private DatabaseContext _context; public UserRights(DatabaseContext context) { _context = context; } public string LookupPassword(string userName) { var query = (from a in _context.accounts where a.username == userName select a).FirstOrDefault(); return query.pass; } } } I manually added some data into my table and tested my program, just to make sure it worked. Then I added a unit test source file (I named it “UnitTests.cs”), using the same “add -> class” that I used to create the UserRights.cs file above. Then I added in two references and usings for unit testing and moq. Here’s the entire source code for the test: using System.Collections.Generic; using System.Data.Entity; using System.Linq; using Microsoft.VisualStudio.TestTools.UnitTesting; using Moq; namespace DatabaseTestConsole { [TestClass] public class UnitTests { [TestMethod] public void TestQuery() { var data = new List<account> { new account { username = “test“,pass=”testpass1” }, new account { username = “ZZZ“,pass=”testpass2” }, new account { username = “AAA“,pass=”testpass3” }, }.AsQueryable(); var mockSet = new Mock<DbSet<account>>(); mockSet.As<IQueryable<account>>().Setup(m => m.Provider) .Returns(data.Provider); mockSet.As<IQueryable<account>>().Setup(m => m.Expression) .Returns(data.Expression); mockSet.As<IQueryable<account>>().Setup(m => m.ElementType) .Returns(data.ElementType); mockSet.As<IQueryable<account>>().Setup(m => m.GetEnumerator()) .Returns(data.GetEnumerator()); var mockContext = new Mock<DatabaseContext>(); mockContext.Setup(c => c.accounts).Returns(mockSet.Object); UserRights rights = new UserRights(mockContext.Object); Assert.AreEqual(“testpass1”, rights.LookupPassword(“test“), “password for account test is incorrect“); Assert.AreEqual(“testpass2”, rights.LookupPassword(“ZZZ“), “password for account ZZZ is incorrect“); Assert.AreEqual(“testpass3”, rights.LookupPassword(“AAA“), “password for account AAA is incorrect“); } } } As you can see from the unit test (called “TestQuery”) above, three rows of data are inserted into the mocked up account table. Then the mock context is setup and the UserRights object is executed to see if the correct result is read from the mock data. If you want to test this for yourself, go ahead and copy the code segments from this article and put it into your own project. Unit testing methods that perform a lot of database operations will be easy using this technique and I also plan to use this for end-to-end integration testing. Update: I have posted the code on GitHub, you can click to download the code and try it yourself. 0 thoughts on “Entity Framework 6 Mocking and Unit Testing” I'm trying to implement the same unit test from the same Microsoft article. I run into issues when I try to use an include. The source is null. When I debug the context, I can see the collection, and the objects inside of. If I look again a second later, they're all gone. Have you encountered anything like this yourself? I apologize for taking so long to respond to your question. I only blog on the weekends. I have not ran into any issues similar to what you describe, but I have only written this one example and I might have just been lucky. I'll be using this technique for our production system soon, so I'm betting that I'll run into every quirk EF-6 has in it. I am currently developing with Visual Studio 2012 Update 3 (version 4.5.50709 in the about box). EF-6 seems to be in it's bleeding edge phase and Microsoft is changing their information and putting out patches. I'm going to create another table and setup a different unit test to see if I run into any issues. Don't forget to search in your .Context.tt script file for the DBSet definition and add "virtual": public string DbSet(EntitySet entitySet) { return string.Format( CultureInfo.InvariantCulture, "{0} virtual DbSet<{1}> {2} {{ get; set; }}", Accessibility.ForReadOnlyProperty(entitySet), _typeMapper.GetTypeName(entitySet.ElementType), _code.Escape(entitySet)); } Hi Frank Excellent article. 1) Did you have any success regarding the ".Include()" scenario as you commented on? 2) I'm hoping all the Moq code above can be achieved in MS FAKES framework? I've never used Moq Cheers Kyle I have been using the fakes framework that Microsoft demonstrates. It seems to work smoother than the moq. There are a few things that can't be easily faked or mocked. The SqlFunctions.StringConvert() is notorious as well as the "removerange()" method. If you read through my newer blog posts, you'll discover that I'm researching NHibernate in hopes to get around a lot of these issues that EF has. Hi Frank Great Article. I have been trying to unit test using Moq by following your example and also this example () Do you have an example of a delete operation unit test. I have been trying to work this out but I cannot find any examples. I have a question open on Stackoverflow (). Any help would be appreciated. I have trying to figure this out for days, Even though the test passes the entity is not removed from the list. I think it is because it is an IQueryable, but don't know how to fix it Awesome! it works like a charm…Thanks! Any luck with the delete? It works perfectly if I set my context from test and perform read operations in my code. But when I try to delete a record, the result view which showed 2 records initially, now says "Enumeration yielded no results". If I do a query, it still returns 2 records instead of 1. This is what I have: var myTable = Context.MyTableList.Where(x => x.ListId == myListId).FirstOrDefault(); if (myTable != null) { Context.MyTableList.Remove(myTable); Context.SaveChanges(); } At this point the resultview says "Enumeration yielded no results" If I do a query right after my delete: var myTable = Context.MyTableList.Where(x => x.ListId == myListId).FirstOrDefault(); It still shows me 2 records instead if 1. Is it due to mock that doesn't let you modify the content during testing? I just setup a project to simulate what you are talking about and you're right. I cannot remove records from the mocked table. I've only used the Moq object a few times in production. After I found out about doubles, I setup a double object for my context and it works much smoother (and the test code is really small). In the test double, you actually provide a method to remove records. I have hundreds of tests using the doubles method. See this Microsoft article for more info: I am getting a compilation error on accounts You're in luck! I still have the code. It's on Github: I'll amend this article to include the Git reference.
http://blog.frankdecaire.com/2013/11/29/entity-framework-6-mocking-and-unit-testing/
CC-MAIN-2018-13
refinedweb
1,521
66.33
I'm just wondering why in posting a poem, the lines are separated double..Can we edit that? Thanks! =) In a HubPages text capsule, a hard return (created by tapping the Enter key) puts in an end-of-paragraph mark. In HubPages, the default paragraph is single-spaced with word-wrap within the paragraph, and double-spaced after. If a poet types each line of the poem and hits Enter at the end to mark a line break, then it shows up that each line of the poem is a separate paragraph, and it has a full line space after, so the poem looks double-spaced. If you want single-spaced poetry, there is a solution. Use Shift+Enter at the end of each line of the poem, and HubPages will start a new line for you without the space. At the end of a verse, use Enter, and you get a space between verses. If you want to indent a poem, you can try the double-quote button on the formatting bar. You can see examples of single-spaced poetry in hubs about Haiku by KrisL. Just use shift+enter for single space and for double just use Enter.
https://hubpages.com/community/answer/219904/why-poems-are-double-spaced-on-the-text-capsule
CC-MAIN-2017-51
refinedweb
200
71.14
Definition An instance of type random_source is a random source. It allows to generate uniformly distributed random bits, characters, integers, and doubles. It can be in either of two modes: In bit mode it generates a random bit string of some given length p ( 1 < = p < = 31) and in integer mode it generates a random integer in some given range [low..high] ( low < = high < low + 231). The mode can be changed any time, either globally or for a single operation. The output of the random source can be converted to a number of formats (using standard conversions). #include < LEDA/core/random_source.h > Creation Operations
http://www.algorithmic-solutions.info/leda_manual/random_source.html
CC-MAIN-2017-13
refinedweb
104
56.96
Jooby: A minimalist web framework for Java 8 DZone's Guide to Jooby: A minimalist web framework for Java 8 Join the DZone community and get the full member experience.Join For Free - Solid. Build on top of mature technologies. - Scalable. Stateless application development. - Fast, modular and extensible. So extensible that even the web server is plugable. - Simple, effective and easy to learn. Ideal for small but also large scale applications. - Ready for modern web. That requires a lot of JavaScript/HTML/CSS Hello world: import org.jooby.Jooby; public class App extends Jooby { { get("/", () -> "Hey Jooby!"); } public static void main(final String[] args) throws Exception { new App().start(args); } } That's all you need!! Want to learn more? Topics: Opinions expressed by DZone contributors are their own. {{ parent.title || parent.header.title}} {{ parent.tldr }} {{ parent.linkDescription }}{{ parent.urlSource.name }}
https://dzone.com/articles/jooby-minimalist-web-framework
CC-MAIN-2018-51
refinedweb
140
54.69
All source code is divided into a stream of tokens. The compiler tries to collect as many contiguous characters as it can to build a valid token. (This is sometimes called the "max munch" rule.) It stops when the next character it would read cannot possibly be part of the token it is reading. A token can be an identifier, a reserved keyword, a literal, or an operator or punctuation symbol. Each kind of token is described later in this section. Step 3 of the compilation process reads preprocessor tokens. These tokens are converted automatically to ordinary compiler tokens as part of the main compilation in Step 7. The differences between a preprocessor token and a compiler token are small: The preprocessor and the compiler might use different encodings for character and string literals. The compiler treats integer and floating-point literals differently; the preprocessor does not. The preprocessor recognizes <header> as a single token (for #include directives); the compiler does not. An identifier is a name that you define or that is defined in a library. An identifier begins with a nondigit character and is followed by any number of digits and nondigits. A nondigit character is a letter, an underscore, or one of a set of universal characters. The exact set of nondigit universal characters is defined in the C++ standard and in ISO/IEC PDTR 10176. Basically, this set contains the universal characters that represent letters. Most programmers restrict themselves to the characters a...z, A...Z, and underscore, but the standard permits letters in other languages. Not all compilers support universal characters in identifiers. Certain identifiers are reserved for use by the standard library: Any identifier that contains two consecutive underscores (like_ _this) is reserved, that is, you cannot use such an identifier for macros, class members, global objects, or anything else. Any identifier that starts with an underscore, followed by a capital letter (A-Z) is reserved. Any identifier that starts with an underscore is reserved in the global namespace. You can use such names in other contexts (i.e., class members and local names). The C standard reserves some identifiers for future use. These identifiers fall into two categories: function names and macro names. Function names are reserved and should not be used as global function or object names; you should also avoid using them as "C" linkage names in any namespace. Note that the C standard reserves these names regardless of which headers you #include. The reserved function names are: is followed by a lowercase letter, such as isblank mem followed by a lowercase letter, such as memxyz str followed by a lowercase letter, such as strtof to followed by a lowercase letter, such as toxyz wcs followed by a lowercase letter, such as wcstof In <cmath> with f or l appended, such as cosf and sinl Macro names are reserved in all contexts. Do not use any of the following reserved macro names: Identifiers that start with E followed by a digit or an uppercase letter Identifiers that start with LC_ followed by an uppercase letter Identifiers that start with SIG or SIG_ followed by an uppercase letter A keyword is an identifier that is reserved in all contexts for special use by the language. The following is a list of all the reserved keywords. (Note that some compilers do not implement all of the reserved keywords; these compilers allow you to use certain keywords as identifiers. See Section 1.5 later in this chapter for more information.) A literal is an integer, floating-point, Boolean, character, or string constant.. The suffix and prefix are interpreted as follows: If the suffix is UL (or ul, LU, etc.), the literal's type is unsigned long. If the suffix is L, the literal's type is long or unsigned long, whichever fits first. (That is, if the value fits in a long, the type is long; otherwise, the type is unsigned long. An error results if the value does not fit in an unsigned long.) If the suffix is U, the type is unsigned or unsigned long, whichever fits first. Without a suffix, a decimal integer has type int or long, whichever fits first. An octal or hexadecimal literal has type int, unsigned, long, or unsigned long, whichever fits first. Some compilers offer other suffixes as extensions to the standard. See Appendix A for examples. Here are some examples of integer literals: 314 // Legal 314u // Legal 314LU // Legal 0xFeeL // Legal 0ul // Legal 078 // Illegal: 8 is not an octal digit 032UU // Illegal: cannot repeat a suffix A floating-point literal has an integer part, a decimal point, a fractional part, and an exponent part. You must include the decimal point, the exponent, or both. You must include the integer part, the fractional part, or both. The signed exponent is introduced by e or E. The literal's type is double unless there is a suffix: F for type float and L for long double. The suffix can be uppercase or lowercase. Here are some examples of floating-point literals: 3.14159 // Legal .314159F // Legal 314159E-5L // Legal 314. // Legal 314E // Illegal: incomplete exponent 314f // Illegal: no decimal or exponent .e24 // Illegal: missing integer or fraction There are two Boolean literals, both keywords: true and false. Character literals are enclosed in single quotes. If the literal begins with L (uppercase only), it is a wide character literal (e.g., L'x'). Otherwise, it is a narrow character literal (e.g., 'x'). Narrow characters are used more frequently than wide characters, so the "narrow" adjective is usually dropped. The value of a narrow or wide character literal is the value of the character's encoding in the execution character set. If the literal contains more than one character, the literal value is implementation-defined. Note that a character might have different encodings in different locales. Consult your compiler's documentation to learn which encoding it uses for character literals. A narrow character literal with a single character has type char. With more than one character, the type is int (e.g., 'abc'). The type of a wide character literal is always wchar_t. A character literal can be a plain character (e.g., 'x'), an escape sequence (e.g., '\b'), or a universal character (e.g., '\u03C0'). Table 1-1 lists the possible escape sequences. Note that you must use an escape sequence for a backslash or single-quote character literal. Using an escape for a double quote or question mark is optional. Only the characters shown in Table 1-1 are allowed in an escape sequence. (Some compilers extend the standard and recognize other escape sequences.) String literals are enclosed in double quotes. A string contains characters that are similar to character literals: plain characters, escape sequences, and universal characters. A string cannot cross a line boundary in the source file, but it can contain escaped line endings (backslash followed by newline). A wide string literal is prefaced with L (always uppercase). In a wide string literal, a single universal character always maps to a single wide character. In a narrow string literal, the implementation determines whether a universal character maps to one or multiple characters (called a multibyte character). See Chapter 8 for more information on multibyte characters. Two adjacent string literals (possibly separated by whitespace, including new lines) are concatenated at compile time into a single string. This is often a convenient way to break a long string across multiple lines. Do not try to combine a narrow string with a wide string in this way. After concatenating adjacent strings, the null character ('\0' or L'\0') is automatically appended after the last character in the string literal. Here are some examples of string literals. Note that the first three form identical strings. "hello, reader" "hello, \ reader" "hello, " "rea" "der" "Alert: \a; ASCII tab: \010; portable tab: \t" "illegal: unterminated string L"string with \"quotes\"" A string literal's type is an array of const char. For example, "string"'s type is const char[7]. Wide string literals are arrays of const wchar_t. All string literals have static lifetimes (see Chapter 2 for more information about lifetimes). As with an array of const anything, the compiler can automatically convert the array to a pointer to the array's first element. You can, for example, assign a string literal to a suitable pointer object: const char* ptr; ptr = "string"; As a special case, you can also convert a string literal to a non-const pointer. Attempting to modify the string results in undefined behavior. This conversion is deprecated, and well-written code does not rely on it. Nonalphabetic symbols are used as operators and as punctuation (e.g., statement terminators). Some symbols are made of multiple adjacent characters. The following are all the symbols used for operators and punctuation: You cannot insert whitespace between characters that make up a symbol, and C++ always collects as many characters as it can to form a symbol before trying to interpret the symbol. Thus, an expression such as x+++y is read as x ++ + y. A common error when first using templates is to omit a space between closing angle brackets in a nested template instantiation. The following is an example with that space: std::list<std::vector<int> > list; Note the space here. The example is incorrect without the space character because the adjacent greater than signs would be interpreted as a single right-shift operator, not as two separate closing angle brackets. Another, slightly less common, error is instantiating a template with a template argument that uses the global scope operators: ::std::list< ::std::list<int> > list; Space here and here Again, a space is needed, this time between the angle-bracket (<) and the scope operator (::), to prevent the compiler from seeing the first token as <: rather than <. The <: token is an alternative token, as described in Section 1.5 later in this chapter.
http://etutorials.org/Programming/Programming+Cpp/Chapter+1.+Language+Basics/1.2+Tokens/
crawl-001
refinedweb
1,658
55.95
A number of system services, such as the following, can be executed either synchronously or asynchronously: The W at the end of the system service name indicates the synchronous version of the service. The asynchronous version of a system service queues a request and immediately returns control to your program pending the completion of the request. You can perform other operations while the system service executes. To avoid data corruptions, you should not attempt any read or write access to any of the buffers or itemlists referenced by the system service call prior to the completion of the asynchronous portion of the system service call. Further, no self-referential or self-modifying itemlists should be used. Typically, you pass an event flag and a status block to an asynchronous system service. When the system service completes, it sets the event flag and places the final status of the request in the status block. Use the SYS$SYNCH system service to ensure that the system service has completed. You pass to SYS$SYNCH the event flag and status block that you passed to the asynchronous system service; SYS$SYNCH waits for the event flag to be set and then examines the status block to be sure that the system service rather than some other program set the event flag. If the status block is still zero, SYS$SYNCH waits until the status block is filled. The following example shows the use of the SYS$GETJPI system service: ! Data structure for SYS$GETJPI . . . INTEGER*4 STATUS, 2 FLAG, 2 PID_VALUE ! I/O status block STRUCTURE /STATUS_BLOCK/ INTEGER*2 JPISTATUS, 2 LEN INTEGER*4 ZERO /0/ END STRUCTURE RECORD /STATUS_BLOCK/ IOSTATUS . . . ! Call SYS$GETJPI and wait for information STATUS = LIB$GET_EF (FLAG) IF (.NOT. STATUS) CALL LIB$SIGNAL (%VAL(STATUS)) STATUS = SYS$GETJPI (%VAL(FLAG), 2 PID_VALUE, 2 , 2 NAME_BUF_LEN, 2 IOSTATUS, 2 ,) IF (.NOT. STATUS) CALL LIB$SIGNAL (%VAL(STATUS)) . . . STATUS = SYS$SYNCH (%VAL(FLAG), 2 IOSTATUS) IF (.NOT. IOSTATUS.JPISTATUS) THEN CALL LIB$SIGNAL (%VAL(IOSTATUS.JPISTATUS)) END IF END The synchronous version of a system service acts as if you had used the asynchronous version followed immediately by a call to SYS$SYNCH; however, it behaves this way only if you specify a status block. If you omit the status block, the result is as though you called the asynchronous version followed by a call to SYS$WAITFR. Regardless of whether you use the synchronous or asynchronous version of a system service, if you omit the efn argument, the service uses event flag 0. This chapter describes the use of the lock manager to synchronize access to shared resources and contains the following sections: Section 7.1 describes how the lock manager synchronizes processes to a specified resource. Section 7.2 describes the concepts of resources and locks. Section 7.3 describes how to use the SYS$ENQ and SYS$ENQW system services to queue lock requests. Section 7.4 describes specialized features of locking techniques. Section 7.5 describes how to use the SYS$DEQ system service to dequeue the lock. Section 7.6 describes how applications can perform local buffer caching. Section 7.7 presents a code example of how to use lock management services. 7.1 Synchronizing Operations with the Lock Manager Cooperating processes can use the lock manager to synchronize access to a shared resource (for example, a file, program, or device). This synchronization is accomplished by allowing processes to establish locks on named resources. All processes that access the shared resources must use the lock management services; otherwise, the syncronization is not effective. To synchronize access to resources, the lock management services provide a mechanism that allows processes to wait in a queue until a particular resource is available. The lock manager does not ensure proper access to the resource; rather, the programs must respect the rules for using the lock manager. The rules required for proper synchronization to the resource are as follows: A process can choose to lock a resource and then create a subprocess to operate on this resource. In this case, the program that created the subprocess (the parent program) should not exit until the subprocess has exited. To ensure that the parent program does not exit before the subprocess, specify an event flag to be set when the subprocess exits (use the completion-efn argument of LIB$SPAWN). Before exiting from the parent program, use SYS$WAITFR to ensure that the event flag is set. (You can suppress the logout message from the subprocess by using the SYS$DELPRC system service to delete the subprocess instead of allowing the subprocess to exit.) Table 7-1 summarizes the lock manager services. A resource can be any entity on the operating system (for example, files, data structures, databases, or executable routines). When two or more processes access the same resource, you often need to control their access to the resource. You do not want to have one process reading the resource while another process writes new data, because a writer can quickly invalidate anything being read by a reader. The lock management system services allow processes to associate a name with a resource and request access to that resource. Lock modes enable processes to indicate how they want to share access with other processes. To use the lock management system services, a process must request access to a resource (request a lock) using the Enqueue Lock Request (SYS$ENQ) system service. The following three arguments to the SYS$ENQ system service are required for new locks: The lock management services compare the lock mode of the newly requested lock to the mode of other locks with the same resource name. New locks are granted in the following instances: Processes can also use the SYS$ENQ system service to change the lock mode of a lock. This is called a lock conversion. 7.2.1 Resource Granularity Many resources can be divided into smaller parts. As long as a part of a resource can be identified by a resource name, the part can be locked. The term resource granularity describes the part of the resource being locked. Figure 7-1 depicts a model of a database. The database is divided into areas, such as a file, which in turn are subdivided into records. The records are further divided into items. Figure 7-1 Model Database The processes that request locks on the database shown in Figure 7-1 may lock the whole database, an area in the database, a record, or a single item. Locking the entire database is considered locking at a coarse granularity; locking a single item is considered locking at a fine granularity. In this example, overall access to the database can be represented by a root resource name. Access either to areas in the database or records within areas can be represented by sublocks. Root resources consist of the following: Subresources consist of the following: Because resource names are arbitrary names chosen by applications, one application may interfere (either intentionally or unintentionally) with another application. Unintentional interference can be easily avoided by careful design, such as by using a registered facility name as a prefix for all root resource names used by an application. Intentional interference can be prevented by using resource domains. A resource domain is a namespace for root resource names and is identified by a number. Resource domain 0 is used as a system resource domain. Usually, other resource domains are used by the UIC group corresponding to the domain number. By using the SYS$SET_RESOURCE_DOMAIN system service, a process can gain access to any resource domain subject to normal operating system access control. By default, each resource domain allows read, write, and lock access by members of the corresponding UIC group. See the HP OpenVMS Guide to System Security for more information about access control. 7.2.3 Resource Names The lock management system services refer to each resource by a name composed of the following four parts: For two resources to be considered the same, these four parts must be identical for each resource. The name specified by the process represents the resource being locked. Other processes that need to access the resource must refer to it using the same name. The correlation between the name and the resource is a convention agreed upon by the cooperating processes. The access mode is determined by the caller's access mode unless a less privileged mode is specified in the call to the SYS$ENQ system service. Access modes, their numeric values, and their symbolic names are discussed in the HP OpenVMS Calling Standard. The default resource domain is selected by the UIC group number for the process. You can access the system domain by setting the LCK$M_SYSTEM when you request a new root lock. Other domains can be accessed using the optional RSDM_ID parameter to SYS$ENQ. You need the SYSLCK user privilege to request systemwide locks from user or supervisor mode. No additional privilege is required to request systemwide locks from executive or kernel mode. When a lock request is queued, it can specify the identification of a parent lock, at which point it becomes a sublock (see Section 7.4.8). However, the parent lock must be granted, or the lock request is not accepted. This enables a process to lock a resource at different degrees of granularity. 7.2.4 Choosing a Lock Mode The mode of a lock determines whether the resource can be shared with other lock requests. Table 7-2 describes the six lock modes. Locks that allow the process to share a resource are called low-level locks; locks that allow the process almost exclusive access to a resource are called high-level locks. Null and concurrent read mode locks are considered low-level locks; protected write and exclusive mode locks are considered high-level. The lock modes, from lowest- to highest-level access, are: Note that the concurrent write and protected read modes are considered to be of the same level. Locks that can be shared with other locks are said to have compatible lock modes. High-level lock modes are less compatible with other lock modes than are low-level lock modes. Table 7-3 shows the compatibility of the lock modes. NL = Null CR = Concurrent read CW = Concurrent write PR = Protected read PW = Protected write EX = Exclusive A lock on a resource can be in one of the following three states: A queue is associated with each of the three states (see Figure 7-2). Figure 7-2 Three Lock Queues When you request a new lock, the lock management services first determine whether the resource is currently known (that is, if any other processes have locks on that resource). If the resource is new (that is, if no other locks exist on the resource), the lock management services create an entry for the new resource and the requested lock. If the resource is already known, the lock management services determine whether any other locks are waiting in either the conversion or the waiting queue. If other locks are waiting in either queue, the new lock request is queued at the end of the waiting queue. If both the conversion and waiting queues are empty, the lock management services determine whether the new lock is compatible with the other granted locks. If the lock request is compatible, the lock is granted; if it is not compatible, it is placed in the waiting queue. You can use a flag bit to direct the lock management services not to queue a lock request if one cannot be granted immediately. 7.2.7 Concepts of Lock Conversion Lock conversions allow processes to change the level of locks. For example, a process can maintain a low-level lock on a resource until it limits access to the resource. The process can then request a lock conversion. You specify lock conversions by using a flag bit (see Section 7.4.6) and a lock status block. The lock status block must contain the lock identification of the lock to be converted. If the new lock mode is compatible with the currently granted locks, the conversion request is granted immediately. If the new lock mode is incompatible with the existing locks in the granted queue, the request is placed in the conversion queue. The lock retains its old lock mode and does not receive its new lock mode until the request is granted. When a lock is dequeued or is converted to a lower-level lock mode, the lock management services inspect the first conversion request on the conversion queue. The conversion request is granted if it is compatible with the locks currently granted. Any compatible conversion requests immediately following are also granted. If the conversion queue is empty, the waiting queue is checked. The first lock request on the waiting queue is granted if it is compatible with the locks currently granted. Any compatible lock requests immediately following are also granted. 7.2.8 Deadlock Detection A deadlock occurs when any group of locks are waiting for each other in a circular fashion. In Figure 7-3, three processes have queued requests for resources that cannot be accessed until the current locks held are dequeued (or converted to a lower lock mode). Figure 7-3 Deadlock If the lock management services determine that a deadlock exists, the services choose a process to break the deadlock. The chosen process is termed the victim. If the victim has requested a new lock, the lock is not granted; if the victim has requested a lock conversion, the lock is returned to its old lock mode. In either case, the status code SS$_DEADLOCK is placed in the lock status block. Note that granted locks are never revoked; only waiting lock requests can receive the status code SS$_DEADLOCK. While most processes do not require very many locks simultaneously (typically fewer than 100), large scale database or server applications can easily exceed this threshold. If you set an ENQLM value of 32767 in the SYSUAF, the operating system treats it as no limit and allows an application to own up to 16,776,959 locks, the architectural maximum of the OpenVMS lock manager. The following sections describe these features in more detail. 7.2.9.1 Enqueue Limit Quota (ENQLM) An ENQLM value of 32767 in a user's SYSUAF record is treated as if there is no quota limit for that user. This means that the user is allowed to own up to 16,776,959 locks, the architectural maximum of the OpenVMS lock manager. A SYSUAF ENQLM value of 32767 is not treated as a limit. Instead, when a process is created that reads ENQLM from the SYSUAF, if the value in the SYSUAF is 32767, it is automatically extended to the maximum. The Create Process (SYS$CREPRC) system service allows large quotas to be passed on to the target process. Therefore, a process can be created with an arbitrary ENQLM of any value up to the maximum if it is initialized from a process with the SYSUAF quota of 32767.
http://h71000.www7.hp.com/doc/82final/5841/5841pro_022.html
CC-MAIN-2014-52
refinedweb
2,530
60.95
On Thu, Jun 21, 2001 at 07:58:07AM -0700, Justin Erenkrantz wrote: > On Thu, Jun 21, 2001 at 02:54:43PM +0200, Luke Kenneth Casson Leighton wrote: > > what i have been hinting at, and planning, is that i will actually > > provide, with the TNG architecture, is the FULL \\servername\\PIPE\pipename > > functionality. yes, that's right: i will write code that redirects > > to TNG, which will farm out the data over SMB over to a remote > > system FOR you. > > > > that's right: a unix apr application will be able to connect to > > a *remote* NT apr server. that's *remote* platform independence, > > not just local platform independence. > > > > and if you don't expose the full pipe-name in the APR api, i can't > > do that. > > Heh, you attempted to answer my previous question before I asked it. whoopsie :) > Teaches me to read all of your posts before replying to any of them. :) me too, i think i have enough experience at the consequences of not reading ahead, now :) > But, aren't named pipes typically local-only? server-side, they can be nothing _but_ local-only. client-side, no. it's possible to connect to \\servername\PIPE\samr and make direct dce/rpc requests to it, if you feel so inclined. or to \\servername\PIPE\LANMAN, or whatever is running or whatever someone chooses to make run, listening on a pipe. > Maybe what you need is > something outside of traditional named pipes (i.e. "remote" named > pipes). Add the named pipe code and then add a "special" function in > apr that allows you to get at the full namespace, if so desired. .... which is why i'm advocating the NAL because then 'hooking' in 'special' functions becomes a trivial matter. *thinks. *thinks some more*. AH! bill, i think you're right, regarding server-side, about specifying _just_ the pipe name. client-side, i'm not so sure. does anyone have any working NT client / server pipe apps? i'd be a lot happier / lot more confident if i could see coding examples, native NT code. and bill, do you envisage calling apr_namedpipe_create() on _both_ the client-side _and_ the server-side, a bit like when you create a socket? because if so, i think the full syntax \\server\pipe\pipename will be needed, and if you go 'server-side', then server has to be '.' otherwise it's an error. > But, > it seems that this "remote" named pipe would only be available with an > SMB library - which is TNG's domain, not APR's. i envision that anyone could write a 'redirector' daemon, and without such a daemon running, you simply don't _get_ the ability of client-side programs to connect to remote pipes, you can only connect to \\.\PIPE\pipename. > I guess I'm unsure whether named pipes will work from other machines on > other platforms. If this works only with Win32 (or having an SMB > protocol to handle this on the Unix end), or your own 'redirector' daemon that runs on the client and on the server, but to be honest, doing it via SMB is the simplest option: take a look at the odbc-odbc-bridges that are out there, the principle is sound - for only _one_ server - but as soon as you get to multiple servers it becomes completely unworkable. > this seems something that TNG > could add outside of the apr space. -- justin OS/2 also supports TransactNamedPipe and friends, i asked :) all best, luke p.s you know, i really should just go and code this up :)
http://mail-archives.apache.org/mod_mbox/apr-dev/200106.mbox/%3C20010621173715.I25402@angua.rince.de%3E
CC-MAIN-2017-09
refinedweb
593
69.92
The QHelpEngine class provides access to contents and indices of the help engine. More... #include <QHelpEngine> This class is not part of the Qt GUI Framework Edition. Inherits QHelpEngineCore. This class was introduced in Qt 4.4. The QHelpEngine class provides access to contents and indices of the help engine. Constructs a new help engine with the given parent. The help engine uses the information stored in the collectionFile for providing help. If the collection file does not already exist, it will be created. Destroys the help engine object. Returns the content model. Returns the content widget. Returns the index model. Returns the index widget. Returns the default search engine.
http://doc.qt.nokia.com/4.6-snapshot/qhelpengine.html
crawl-003
refinedweb
110
71.41
Israel and Palestine Toddling to talks about: Bringthegoldstandardback, cutter & Froy. Here are excerpts from David White in New Zealand. His letter speaks the truth. (Due to character limitations, I had to chop it into 2 posts). His words - not mine. Read it Please. An Open Letter to the Palestinians from an Agnostic Sun,. A Down Under Overview! Page 1 of 2 Open Letter to Palestinians – continued (page 2 of 2) Full Text: I read that entire thing just now, so I will invite you to click on my screen name and read any of my previous posts. I never, not once agreed with what the Palistinian/Arab's have been doing. But that is not what we are here to discuss. I initially came on here to comment about how Israel is dragging down the economies of the West, all so it can fulfill some silly ancient prophecy. If you really had "Western values" as you claim, your nation would never vote for any politician who suppresses millions of people. I will agree with you on this, everything that man said was absolutely correct.....under the assumption that Israel truly wants a two state solution and a peaceful coexistence with Muslims and Christians in their nation. You see, logic comes in different forms. Your logic is different than mine, and different than everyone else's. No two people share a perfectly identical way of thinking. Ideologies are different. So let us not argue in who's logic is "better." Let's talk about facts. What is happening on the ground? When Israel first started off as a nation, it always used the same excuse to expand itself....The Palestinians/Arabs refuse to recognize us as a nation. Then The West Bank's "government" I am referring to Abbas n company (not sure if you consider them a government or not, but it's irrelevant.) Finally put their weapons down and recognized Israel as a nation. Their counterparts, the Gazans, have not done this. Instead they have done the opposite. Now recognizing Israel or not, that is also irrelevant. What is relevant is that they have NOT put down their guns. They have kept up their PHYSICAL resistance of Israel. Any Gazan that says he/she does not recognize Israel, is an idiot. Plain and simple. If Israel isn't a nation, then who the hell has you under a blockade and who crosses the border in raids? Now, what is the outcome of the decision of the West Bank and that of Gaza? The West bank is losing territory every day. The Gazans are being caged and suffocated. Whenever Israel gets the chance, it kill off as many as it can in cross border raids and even air strikes and other ridiculously overly aggressive tactic that are not necessary at all. I for one fear that Israel is saving them for when they finish off the soft ones in the West Bank first. Here is the accusation: Israel does not truly want any peace with the Palestinians and never has. Their plans from the first day of its creation, and long before, has been to take over the land in between the Med. Sea and the Jordan river. There are also other stories that Israel seeks to control an even larger land mass that sits between two other bodies of water, spread much farther apart. However, that is not confirmed and I have not personally seen that kind of evidence that would assure me of this, so we won't get into that. Since Israel's creation, it has done everything, to prove that this is its plan. So how is it that you expect something like what this David White fellow has written to actually change anything on the ground? Do you think the average Palestinian even has access to something like that? Yeah, try telling a Gazan teenager that if he/she stops throwing rocks at Israeli's and stops shooting at them, and stops trying to blow them up, that their life will improve. I certainly wouldn't buy it if I were them. Israel cannot just "finish them off" as he(David White) says they would do if they really wanted to. They cannot do that because Israel is 100% dependent on the US. Which means they are 100% dependent on the votes of American citizens. An outright genocide by Israel would mean the end of voting for pro-Israeli politicians. So you must create a scenario where you are stealing their land in self defense. More and more Americans are seeing it. As our Economy gets worse, even more people will begin to see it. Our economy is going down hill, let no one fool you. We are not in recovery. We are in what economists call the bumpy plateau. When the economy slightly goes up and down several times before a collapse. Now a total collapse is not imminent, meaning it isn't too late to prevent it. However, Israel's policies will finish the job if we now get into it with Iran. In other words, your actions are affecting America and the rest of the "West." I really hope for our sake that your religious prophecy is right. I really do, because if not, then we are headed for an ugly future Ha-chever shell! (hope i said that right) Some Kiwi repeating the same old tired talking points as you. What's the big deal? You got tired of typing and now you prefer to copy&paste? I can also get you articles from people from any country of your choosing denouncing Israel's crimes. But it's much more fun to write it myself, tailored to refute your rants. For example, here you have a newly released documentary exploring the many similarities between South African apartheid and the Israeli one, directed by South African Ana Nogueira and Israeli Eron Davidson, with the contribution of Israeli academics and South African anti-apartheid activists: I will be happy to reply to your post point-by-point (as much as I can). QUOTE: "I initially came on here to comment about how Israel is dragging down the economies of the West" With one of the highest GDP in the world, how Israel is doing so?..... Please elaborate. QUOTE: "If you really had "Western values" as you claim, your nation would never vote for any politician who suppresses millions of people". No we don't. You are looking only one side of the coin - the Arab's side. Not the Israeli one. If you look carefully at past Israeli elections for past 40 years. It clearly shows that, whenever Pals engaged in violence against Israeli citizens. Israeli voters had responded with electing right wing leaders like Netanyahu. And while peace negotiations were going on, we elected the moderate party, like the late Itzhak Rabin, and Ehud Barak, or Ariel Sharon (whom left the right wing Likud, and formed the centrist party of Kadima). QUOTE: "Since Israel's creation, it has done everything, to prove that this is its plan." That is pure conjecture, not reality. If fact, it is the Arabs & the Pals who have been declaring their intent to destroy Israel. They have left enough documented evidence of their insidious intent. I invite you to provide me with a single official document that is the case with Israel. Please read official documents from PLO, HAMAS & Israel. The "Apartheid" rubbish. Israeli Arabs make up 17% of the total population. They have 10 members in the Knesset, a former cabinet member, and a highly respected Judge in Israel's supreme court. Occupation of the WB notwithstanding. Pals are not citizens of Israel, or vise versa. So where is the Apartheid? Expansion issue: If Arabs wanted to prevent us the Israelis from expansion into their land, they should have, a) accept UNR 181, and not violently resist Jews their equal right to their own state - however small it would have been. b) Not give Israelis the reasons to take their, by inciting their crowd and terror against civilians, or initiate other hostilities. Gaza: Since you had brought Gaza. this is a classic example of what I was saying. Israel had left Gaza in Aug. 2005. It left behind fully functioning green houses with 1M plants to the Pals, which were providing jobs to hundreds of Pals. Within 3 weeks, all were looted by the pals. Gone. What Hamas ended doing, after we had left? Use imported cements to build tunnels and massive bunkers to smuggle weapon and other means to attack Israel - instead of using it to build homes and other infrastructures. Thus, demonstrate to the world, they are capable to lead their people to better economic & political prosperity. Had they done so, I like to see anyone in my government dare to attack someone who his building his society for peaceful life and good neighborly. In a span of 8 years, Hamas had launched more then 12.000 rockets into Israeli cities and town, holding 900.000 Israelis hostage. As David White had asked in his letter, "what did you expect the Israeli do?" Finally, with their idiotic and Don Quixotic act, Hamas leaders do not serve the Palestinians aspirations of self governess, free of occupation - rather act as Israeli agents who's sole objective is to defeat the Pals aspirations for self government. At the same time, PLO must stop demanding concessions from Israel which are absolute red line for Israel. a) flood Israel with 7M Arab refugees with clear intend to tip the demographic balance to their favor. Then use our own democracy to destroy our democracy (Sharia Law?). b) Settle the borders between the two countries through direct negotiates – not force it down our throat. c) stop teaching their children to hate Jews. Levy, I just don't know how many times I need to say this. "I DO NOT SUPPORT THE STANCE TAKEN BY PALESTINIAN POLITICIANS OR THEIR MILITARY GROUPS." So please stop making statements about the failures of the Palestinian leadership. That does not concern me. I am not Palestinian, nor do I have some fairy tale view that all Muslims are one against the "Zionist Regime." Palestinians are not even united themselves, so why should I, an American citizen, want to destroy Israel for them? As a matter of fact, I do not want to destroy Israel for anyone, nor do I want to see Israel destroyed. I have met many Israeli's in my life and they are just normal loving people like anyone else, I certainly do not wish any harm for any innocent Israeli citizen who believes in nothing but a peacefull homeland for his/her people. I have made that point several times here. We will go back to my original point, Israel is a burden on America and is dragging us into a new crusade against Arab/Muslim nations. Israel has not been able to maintain a friendly relationship with any of its neighbors. Even Turkey, who stood as Israel's greatest regional ally for decades, has been managed to be turned into another enemy. Israel has no plans, and has never had any plans to accept the initial offering of the UN. It's plan had always been to expand its borders to fulfill its ancient prophecy. This is documented in many places, just google Zion, you will get thousands, maybe millions of results with both support for Zionists and all the accusations against it. Whether you concider it official or not, is up to you. Now, since the Palestinians/Muslim's/Arabs cannot unit together for ANY common cause, and since their own leaders are working against them, I personally don't find any reason to blame Israel, soley, for any of the problems in the ME. However, I do blame them for the problems that are starting to arise in America. I do not agree with any nation expanding itself at the expense of another nation (we can say at the expense of another group of people since you don't like to recognize Palestine as a nation.) However, if Israel wants to fulfill some prophecy and creat it's religious homeground in the midst of the most volatile region in the world, then let Isreal do it by itself. Stop using MY TAX DOLLARS to do it. Stop using my country's military to swoop in and save Israel whenever a nation strong enough to create a threat to Israel comes about. It is Israel that wants something unreasonable, therefore take unreasonable measures to get it all you want, I promise you I will not scream genocide if you kill off all the Palestinians. Just don't do it with my tax dollars or the lives of innocent Americans. Arab/Muslim hatred for America is because of our unconditional, unreasonable support for Israel. If we truely played a neutral role in this conflict, then 9/11 would have never happened. Iraq and Afghanistan would have never been invaded and occupied for over a decade. We wouldn't be dealing with this non-sense with Iran today. Make no mistake, Americans do not care about Israel. They know very little about it and I gaurantee you the majority of Americans wouldn't be able to point it out on a clearly drawn map, without labels on the countries. America unconditionally supports Israel becuase of the defacto Israeli government agent, AIPAC. If you do not believe me, then please read this. It's very long, and I don't expect you to read the whole thing. I just ask that you skim through it. Read at least the first few pages. I do however, encourage you to read the whole thing. Documented support for the claim that Israel is in fact against US interests, and is simply milking it for everything it has. I just want to say that for the record, I support Sadat's decision to not only make peace with Israeli's, but to actually go to the Knesset to announce it to the world. Sadat was a realist who saw through the insane world of the Arabs and wanted to distance Egypt from their politics. However, I have special respect for the late Sadat because he understood that dealing with Israel will require both, peacefull intentions, AND a military to physically deal with Israel. When Sadat took power, Isael refused, on many occasions, to sit down with him and negotiate for the Sinai. It wasn't until he launched that small offensive that got Israel to the negotiating table. His peacefull intensions were not enough. Just a lesson to anyone trying to deal with Israel. I am replying to your post from below: You are right about all the reasons why Mexican youths join cartels, why inner city American youths join gangs, and why Japanese pilots killed themselves in combat. All the same as why I am right about why Palestinian youths are so eager to risk their lives in trying to figh Israel. They believe it is the only way. They believe that if they do not do this, then they will be exterminated off the face of the Earth. Much why you justify unreasonable force against them. Do not try to make historic argument to try and convince these people to stop the violence against you. It will not work and will never work. Try to solve some of their REAL problems, joblessness, extreme poverty, lack of adequet education, and then you will see results. Until then, do not keep up the same policies and expect something different, as that is the exact definition of insanity. Again I do appreciate your comment. Myself also an American & Israeli. It is also my tax dollar to which you have alluded to. It is all depends how one looks at this issue. You look at it from your own Arab Muslims pov. I look at it from the Jewish Israeli one. There is nothing wrong with your right to express your opinion where your tax money is spent. You think, spending it on Israel is detrimental to US's interest in the ME. I think the opposite. The question is, which one of us is better informed about the scale of the economic cooperation between the two countries, and their true effect on US. Since, I speak the languages of both countries, I dare say, I am far more informed (on this particular subject) then you, or other average Americans. Respectfully, I disagree with your comments "Americans don't know, nor care about the Israelis" - that is not true. Majority of Americans DO care about a small country of 7M surrounded by 350M Arab who wish to destroy it. You will be surprised to learn that, many leaders throughout the Arab states "hate" Israel to serve their own domestic agenda, and overall tribal obligation to play the group's agenda - not necessarily tp serve the Pals welfare. I do recall during my studies at university here in US, many Arab students (Syria, Lebanon & Jordan). While in public, they would bash me and spew hatred of Israel, in private one-on-one, they would tell me their true feelings. "Levy, we really don't hate you, we hate the Pals, who came into our country and live off us like parasites, and brought terror into out country. We admire you for your hard work and envy you for the freedom which you enjoy in your country". Maybe it was because they belonged to the elite and the educated from their respective countries, All I know, we the Israelis have lot more friends throughout the region, then enemies. Again and again my good man, I am asking the same question, if Pals (or other Arab countries) wish not lose their land, and knowing well of IDF's certain response, why do they provoke Israel in the first place? with nonsense attacks against civilians, which certainly result with them lose more and more land. Had Syria, Egypt and Jordan back in 1967 not Provoked my country with close of the straits of Tiran, which was Israel's life line to the east, and amass a whole armies on Israel borders - Pals would have had the entire territory (WB, Gaza & E. Jerusalem) for their new state. Finally. Between 1948 - 1967 there was not a single Israeli occupation of these area. Yet, Pals never ever demanded the Jordanians nor the Egyptians who were occupying their land, to leave. Nor they ever applied to UNSC for the same recognition as they are asking today. This is the crux of the problem which many Americans ask. Kindly, let me bring you another one of those "In their own words". see these two youtube clips where MUslim CLERICS (in one is An American convert) explain the purpose and meaning of 72 unused, brand new the latest models vagina waiting for the martyrs. With raging testosterone, how much effort do you think it takes to incite these innocent young man to blow themselves up. Mind you, not a single word of "Israel". Nor any mention of occupation is mentioned in both clips. Here please see it for yourself Well, that is the beauty of this country, no doubt. A Muslim and Jew getting together to respectfully debate an issue as sensative as this one. With both of us having all the freedom in the world to say WHATEVER THE HELL WE WANT! God/Allah/El bless America huh?? It's like you said, we're just coming from different points of views. I think you are wrong about saying you know about the economic impact of our so called friendship with Israel. I graduated from George Mason University with a degree in Economics. I studied History of Economics in America, Public Policy, and many other subjects that can closely be tied to this issue. Don't take my word for it, just look up GMU, I am sure you will be impressed by their nobel prize winning professors who inspire our econ department. Ever hear of Dr. Thomas C. Rustici? Look him up, a genious man, he was personally my professor in many of the classes I took and is regaurded as one of the most respected Econ professors in the country. So your claim to knowing more than me about the economic impact of this issue is only opinion, not fact. While I am not claiming to know more than you, I am confident that I know what I am talking about. Aside from that, I lived in the US my entire life. Can you make that claim? I have friends that are white, black, and of every other ethnic decent. I know the wide spectrum of ideologies that this country has. I think it's intersting that you backed up your claim of knowing how Americans think about this topic by using non-Americans as your source. There are some Americans that think they should side with Israel becuase their government does. Our media is filled with biased reports about the events that take place in Israel. In spite of all this, you still have a growing number of Americans that are fed up with our foreign policy. When you have presidential candidates that say things like, "my foreign policy is to protect Israel," suspician of that politician must arise. Because I thought it was the duty of the American president to use foreign policy to protect America?? but that's just me. More proof that our politicians, just like Arab politicians, are not working for our nations interests, but for their own personal ones. After making a statement like this, AIPAC then floods their accounts with campaign money. Sad...but true. You see, your whole claim is that Israel is "responding" do the "attacks" by the Arabs. While that is not fact, it is a pov. The Arabs believe they are "responding" to your "attacks." So how long are you willing to keep up this circle of insanity? When will someone stand up and say enough, then try to bring a real solution to the table? When will the Palestinians stop their BS and unite already? When will the Israeli's cut their BS and draw official borders already? As an American, I don't care for the so called Arab pride, nor do I care about the promises God made to Israeli's. I, as a Muslim, have chosen to not believe in the lies my parents' generation tried to pass off to me about Jew's. Will you reject the lies you have been taught about Muslims? well again Habibi, I read your comments with pique and interest. You claim to have lived your entire life here in US. But you did not live in those countries (Israel & Islamic) on which we are discussing. Despite your impressive academic achievements, you received your information, mostly from academic sources - not from tangible contacts with the subject matter. I did live and spent the better part of my life in both an Islamic & Jewish state. (Perhaps that is one of the reason, Arab & Muslims bloggers can not convince me with their crocodile tears about the Pals - despite my sympathy to their suffering). When you talk with Israelis in the streets of Jerusalem, Heifa & Tel Aviv. Or with Muslims in their own respective countries - listen to them express their views in public then in private, then you and I could talk like in Arabic they say Ta-khless (facts, to the point). Knowing some of the beautiful attributes of Muslims, is the factor which helped me to form my opinions about Arabs. Muslims are the most hospitable and kindest people in the world - WHEN THEY WANT TO. The core problem lays with the Muslim clerics, like Youssuf Al-Qwardawi, whom every night on Al Jazeera spews hatred, and sense of hopelessness, to more then 60M Muslims in the region, and no one dares to confront this thug - because he declares "Allah says so". In regards to Israel's effect on American economy. Much of the benefit which Israel contributes to US comes in form of R&D and intelligence information, and advanced military tactics which saved the lives of many US solders. Israel has more companies listed in NSDAQ then any other country, except Canada. I suggest you to read a book which I just finish reading. The Startup Nation, by Dan Senor & Saul Singer. watch the clip describing Israel breathtaking innovation. No, I cannot claim to have lived in any Islamic nation, and I've never even been to Israel. So you do have more of a right to take this personally than I do, I can give you that. I also understand the average Israeli citizens pov, all you see and have seen since your birth was Arabs trying to kill you and threatening to end your existance. So I get it, trust me, I do. However, what you're not getting, is that the Palestinian kid on the street has seen nothing but this as well. A kid at that age does not understand the complex political quagmire that is dragging this conflict along. All he/she sees is Israel expanding at the expense of what is supposed to be his/her land. Now, I am not saying that land is rightfully Palestine's or Israel's. What is done is done, Israel is where it is and it isn't going anywhere. So let's move on from here. Israel, as the superior nation(as you and other pro-Israeli bloggers claim), should be the one to start this. Let's cut the crap that you are the underdog here. Israel was well capable of defending the borders that the UN originally gave to Israel from the get go. No Arab nation was even close to really challenging Israel's defence forces and you know this very well. So what is all this expansion in the name of "creating defensible borders?" Here is a start for Israel to achieve real peace. Draw real borders already and let the Palestinians rule themselves. If they really are just self distructing people, as you claim, then Israel will have nothing to worry about. And I personally believe that. If Palestine was given it's statehood already and given 100% autonomy and the ability to do whatever it likes, it will still never be strong enough to even put a scratch on Israel's defense forces. Neither will any other Arab nation. Israel has been a spectical of military genious from its birth, no one can deny that. Fighting wars and expanding its borders from literally every direction; north south, east and west. No one is here to challenge that Israeli's are innovative people that can benefit the world with scholarly research and things of this nature. But if you really do want to live in peace with a two state solution, then do it already. It is Israel that has the power to do this, not the Palestinians. Now we have already heard about all the "deals" that the Arabs have turned down, no need for you to repeat them in response to this. But it's like I said, the kid on the street picking up a gun or bomb does not understand that, and even if I, a Muslim, tried to convince him to do otherwise, it would not work. And I am not even sure if I would tell them to stop physically defending themselves. I mean just look at the Palestinians that have chosen to recognize Israel and stop physically resisting it, they are losing land every day to illegal settlements. It's either pick up a weapon and fight for their rights, or go back to a sh*tty life and watch on as your whole family suffers from extreme poverty. Israel is the one with the power, do not forget that. This is not an even battle. So show your superiority if you are going to claim it. Draw your borders already, then say to the world, "This is officially the Jewish state. Anyone outside of it does not have to like us or recognize us, but they will live with us one way or another!" Then allow any backwards government lead the Arabs into deeper economic problems, which will lead to an even further decline in the status of that nation. I stand by my point from the very beginning. Both sides share an equal share of the blame for this ongoing conflict. Every Israeli that is killed is becuase of its own governments policy, same with the Palestinians/Arabs. Also, did you know that the US Constitution denies the right of our government to give aid to any foreign nation? Now we give aid to most of the world in one way or another, but we demand a return on it by purchasing American weapons or goods, so you can see that as an investment by the American government. Israel's aid is the only one that comes with very little/or absolutely no restrictions. You can see it how you wish, but our friendship with your nation is harmful to the USA. More importantly it is Illegal according to our constitution. Habibi, I don't mine taking the time and share with you my conviction that, this conflict has little to do with land, and everything with state of mind - religious being the primary reason. Most of us moderate Israelis, we have been voicing our objections in public that, continued expansion of settlements in the WB, do not serve our country's long term interest, and they need to stop. (Very few though, support the notion of giving up E. Jerusalem). Not only to allow Pals to go on with their lives in their own country. But as way to shut the Pal's claim of these expansions are obstacle to peace. But you see!, our voices are drawn out, not only by our religious nuts like Gush Emunim, who want to throw the Pals out - rather by Hamas, with it idiotic rockets. The result is, the nationalist point their finger at Hamas as the reason for the need for strong leadership. We end up electing right wing government like Bibi, whom we believe "will get the job done" to shut Hamas with only language they know - force. There is no question, Pals deserve to live in their own state. The question is, what is their real intention for their state. Again and again, I am bringing here the Pals own declaration and intent to destroy Israel by any means necesary. I have yet to see any anti-Israeli pundits (hey froy, where are you man? You disappeared on me. lol), show me the same type virulent hate filled speech coming from Israeli officials - not from the crowd. It is the Palestinian leaders like Hamas, and some from PLO who go on on TV and swear, never recognize Israel, and they will not stop their jihad and other armed resistance, until all Palestine (read the entire state of Israel and part of Jordan) are "liberated" and cleansed of Jews. If they themselves admit of their real agenda vis-a-vis Israel, who are others (like you) to say otherwise? And to that little Palestinian boys and girl whom you are referring to. I would advise him this. Little Mohammad, we should respect people - regardless of their religious, or political belief. Naming others as "pigs & Apes", is an insult and disrespect. Next time, when the Imam says to you Jews Apes & Pigs, where trees and rocks tell you to come and kill the Jew hiding behind me. You get up and tell the Imam. "Imam!!! Are you meshuggeneh? Who talks to trees & rocks? - not me. We should respect others - not call them with ugly names. Finally you ask him. "Imam!! I don't care about others, I care about us. Why do you teach us to hate?" We are finally getting to agree on some things. So I will take it from this post that you see the main problem stems from the leadership, of both sides. While you (an average common Israeli) are level headed and see that expansion into the WB is counter-productive to peace, your government sees it as an excuse to once again expand Israel's borders. Now the accusation is that this is all to fulfill the ancient religious prophecy. That is, afterall, the main reason for you to justify the creation of a Jewish homeland in Levant, is it not? Now, I agree with Israel existing simply because it is there. Israel exists with all its might, anyone trying to deny its existance is an idiot, plain and simple. I do not agree or believe in punishing anyone for the deeds of their ancestors. While I do not believe it was right for the UN to create Israel in the first place, it simply is irrelevant today. There are millions of innocent Jews now living in Israel, none of them deserve to be harmed because of something their ancestors did. Same with my belief that Germans should no longer be punished for what some of their ancestors did to your people. My opinion of why Israel has a right to exist is irrelevant as well, I was just trying to explain my personal point of view and show you that it is definitely not the typical "arab" one as you claimed earlier. I also want you to see that all my accusations against Israel are aimed at its politicians and religious fanatics, not you or any other ordinary citizen of Israel who really wants peace. I know you don't want to live with rocket attacks and cross border raids every day. I know you don't want millions of innocent people being killed, whether they be Muslim or Jewish. I know Israeli citizens (most of them) are loving peaceful people that want nothing more than a land to call their own. Just like you justify the military response to any threat of destroying Israel, the Palestinians/Arabs justify any act of violence against you in the name of protecting their homeland as well. And with policies such as the one your government has, who is to really blame them? I blame their leaders, not them. Mr. Abbas is a much, much larger enemy to the Palestinians that Israel can ever be! Sadly, people like you and I never have a say in policies, if we did the world would be in much better shape than it is today. All we can do, as individuals, is give up the blind hatred our parents' generation has passed down to us. I am not accusing your, or my parents of anything, just using a general term here. There will never be true peace until a full generation comes about without any violence between the two sides. So I just try to do my part, which is reject the lies about Judaism, I just hope you can try to do yours and reject any lies you have been told about Islam. On a side note, this Imam you speak of. I've never heard of him before, but I already know, he's an idiot. It's people like him that got me to hate going to mosques as a kid. Not that any of my local mosques preach anything even close to that. It's simply that ego that religious preachers carry. That mentality that they can say whatever they want so long as they are carrying out "God's plan." Freakin rediculous, I truely hope that guy deisapears from the face of the Earth, him and all the other leaders of other religions like him! again, I do appreciate the comment. Yes we so agree on some points, and disagree on others. The fact that you justify the existence of my country because "it is already there" - rather then, the fundamental right of Jews to live in their own state, free from further persecution, I find it very very disturbing, and reject it out right. We are there, because of Jews fundamental & inalienable right to live like everyone else. A fact which was recognized by majority members of world community (UN) who voted in favor of Jewish state as homeland for Jews worldwide. The fact that, Arabs and many Muslims don't like, that is too bad. When I talked about Arab & Islamic state of mind, this is what I mean. Even an American born, who grew up in democracy, and among Jews, you can not free yourself from the old baggage of "Jews proper place is, to live under Islamic rule", to which you seem to allude. The bottom line is, yes Israel must control the fanatic elements who wish to fulfill their age old greater Israel to its former glory. Equally, Arabs & Muslims must alter their state of mind and fundamental view of Jews. Stop teaching their children hatred of Jews - thus destroy any chance of future understanding and tolerance between Jews & Arabs. Look at how offended you got when I simply stated my opinion. What is the difference in the reason "why" I believe you have a right to exist? I believe in Israel's right to exist and that should be all that concerns you and any other Israeli. You'd be much better off with people like me in a seat of power in any Arab nation then the current Arab leaders. Like I said in an earlier comment, and I do not mean to offend you or any other Jew, I don't care about some religious prophecy you have in order to take someone's land. There is no disputing that there were PEOPLE, ethnicity and religion aside, living in the area which we call Israel today. The vast majority of those people not being Jewish and not wishing for a Jewish state to come in and take that land. Now, what was done was done, let's move on. I accept you as a nation(Jewish nation or whatever else you would want to be called) so what else do you want? I don't agree with what the European colonists did to the native Americans either, but your not going to see me trying to kill Americans of European decent for it. What was done was done, and a beautiful nation was born out of it that revolutionised the world! Maybe the same fate lies for Israel, who knows? I myself, do now want to live under what most people believe to be "Islamic Law." Why would I want that for Jews? I have said this time and time before on this website, just because some idiot yells Allah before committing an act does not make that person a Muslim and it does not make that act an Islamic act. It was just some idiot who yelled something before making an idiotic act, nothing more. I would look at the hatred that your culture has taught to you before looking elsewhere. By the way, there are PLENTY of non-Muslim, Americans that did not come from any Arab or Muslim nation that do not believe that Israel should have been created in the first place. Just look as Cutters and Froy, are they too following the Arab & Islamic state of mind? few reply before we conclude this conversation. 1. due to my tangible experience as a Jew, living under Islamic rule & Israeli, confronting the likes of Hamas, I have learned to make sure, we do understand each other the way both had intended to agree. Otherwise I would agree with your comment. Comments like "well, you are already here, that is a fact. Nonetheless, in my book, you are still a thieve (stole land), and I hold grudge against you. Some distance in the future, when it is the right moment, I will come back at you to finish the job (of wipe you out)". This is not the way how it works. 2. You yourself do not want to live under Sharia Law. Yes, I do believe you - Hamas does want to force me, and my country to live under the Sharia Law. They say loud and clear. So habibi, whom should we believe to?. You or Hamas. As I have said it before, it is not enough to say, "I will tolerate you because I have no other choice". Peace means, both sides tolerate & accept each other - not only their sheer presence, but also, their cultural, political system, history, heritage and language. Genuine peace mean all these. 3. In regards to "stolen land" nonsense. There is plenty of written documentations out there to prove that, the additional land acquired by Israel, was direct result of defending itself. It was true in 1948 & 1967. The only time Arabs won their land back was through peace negotiations. Ask Egypt how they received the Sinai. (Egypt refused to get back Gaza, and Jordan did the same for E. Jerusalem & West Bank.) finally, I don't hate Muslims - just have no time, nor the inclinations to waste my energy or emotional capital on this garbage. This is not the way I was educated in Israel, and this is not the I teach my children, nor my fellow Israelis. I do appreciate that, while you do share the blame on the Pals, as much as Israelis for this tragic conflict. I don't know, beside giving the Pals all they want - the entire state of Israel, and total surrender to their demand, how else Pals will stop teaching their children to hate Jew, yet expect them members of society capable of living in peace with their neighbors. Like I said at the beginnning of this debate, there is no need to argue this with pro-Israeli bloggers. You will never see another point of view. Who knows maybe your right, maybe your wrong, but I just want to say that your accusation that I am saving my "real" intentions for the Jews until I have the power to attack them is just rediculous. I am just looking at this from what has already happened and now looking for an approach to move forward. Again, I as an individual have rejected any blind hatred towards Israeli's/Jew's. That is all I can do. I am not a politician nor am I a wealthy business man who can sway public policies. I can only control myself, and rest assured, you will never see me trying to harm or kill innocent Israeli's/Jew's(the vast majority of you). Nor will you ever see me teach any hatred to my children (should I have them some day). thanks for the chat. You have helped me to learn more about the Juduea-Islam's relationship from the western pov, and I appreciate it. these talks and any future ones will never reach any end until the question of the "HEREDITARY PALESTINIAN REFUGEES" is addressed . The Jews sorted out their 900000 refugees w3ho fled from the Arab lands , in the 1940's and 50's The settlement question is a red herring , as all the settlements in the Sinai and Gaza were removed when it was required The Palestinians are still only interested in Israels demise , at the end of the day Sorting the refugees may go some way to resolving the crisis of confidence that exists on the Israeli/Jewish side , as to the intentions of the Arabs "Adopting a harder line..." Why is it considered a "hard line" to demand of people to live by international law and bilateral agreements which they reached with their counterparts and on which they signed...?? The Palestine Liberation Organization (PLO), following the well established tradition of rejecting all peace offers, gestures and opportunities for an accommodation of peaceful coexistence between Arab and Jew, between the Muslim-Arab world and the nation-state of the Jewish people, Israel, going back to 1920, have also rejected those made during the past twenty years. Since the Madrid Peace Conference of 1991 which was the commencement of the present peace process, the governments of Israel have proposed the following: Rabin's contour for peace, October 1995, rejected Barak's peace offer, Summer 2000, rejected Sharon's peace gesture, Summer 2005, rejected Olmert's peace offer, October 2008, rejected Netanjahu's offer for direct and unconditional peace talks, 2009 to present, rejected Thus, one should ask: Who is a hard-liner here...??!! In order to better appreciate the major and risk gestures that Israel has made over the decades one should keep in mind the legal background of the conflict and the way to resolve it: San Remo Conference, 1920 League of Nations decisions, 1922 United Nations Charter, Article 80, 1945 UN Security Council Resolution, 242, 1967 After "Palestine" - a territory, not a nationality of a state, mind you!! - was partitioned in 1921 during which 77% was handed over to the Arabs, who subsequently renamed it Jordan, the international community assigned the rest, 23% of "Palestine", the land between the Jordan River and the Med. Sea, to the Jewish people as its national home, 1922. This decision was later, 1945, adopted by the UN and written into its Charter, Article 80, as an irrevocable decision. No where was there a mention of the setting up of an additional national home or a state between the River and the Sea, no where!! And, UNSC resolution, 242, of 1967, on the basis of which ALL peace talks have been conducted not only follows the same line of not mentioning the need to set up an additional state, but also doesn't even make use of concepts such as "Palestine" - which ceased to exist many decades ago - or "Palestinians"!! And, these are the fundamental documents which are part of international law relevant to the resolution of the Arab Israeli conflict!! I am wondering why you are ignoring the comment I have addressed to you? I am curious to hear your take on my comment. With discussions of fault and where(or when) a line should be drawn on a map we guarantee nothing but venom crossing the table. Once again I say the only way to go forward is to look forward. For a plan that addresses the biggest and most urgent problems( lack of jobs,food and water in Gaza ,Sinai and Negev)see. Although I feel like I personally have nothing to contribute to your cause, I greatly support it. I also recommend people to read this, as it's a very good idea. The truth is a "peace treaty" will never actually solve anything. You must get all sides to be commercially connected. Then you actually have a dependency on the success of your neighbors. But so long as one side is economically developed and the other side is being choked half to death with blockades and such, you will never achieve peace! Now, the headlines in some of the papers in the region state that Abbas blames Israel, again, for the failure of talks in Amman. Having heard and read numerous blames by the Muslim-Arab leadership, local and regional alike, directed at "the other", generally the Jews of Israel, one wonders: does the concept of introspection, soul searching, self-criticism even exists in Muslim-Arab thinking...?? Once again, we are told, they blame us. Let us enumerate a handful of major causes of blame that they have expressed since the commencement of the peace process at the Madrid peace conference in 1991: 1) They blamed Mr. Rabin for having drown his contour for peace in his speech at the Knesset, October 1995 2) They blamed Mr. Barak for having made his peace offer at Kemp David, Summer 2000 3) They blamed Mr. Sharon for having made his peace gesture of the Summer of 2005 4) The blamed Mr. Olmert for having made a peace offer in the Autumn of 2008 5) And now, they blame Mr. Netanjahu's invitation to them to sit down and talk peace, 2009 to present It is high time even the more lenient among us began to question: Do these people actually want peace or rather they want Israel to commit a collective suicide before they are satisfied with Israel's "offer"."!! P.P.S. And, each time they blame the Jews for refusing to meet their demands as extortionists, they commence a new campaign of violence and terror against the Jewish civilian population of Israel; each time!! Sadly, we must embrace ourselves for another such wave. Unfortunatly almost everyone who reads it says "good idea" but-someone else has to do it. The only way to move forward is to have an Egyptian leader(perhaps encouraged by a Jordanian) say we do want to move forward and this plan lets us do it with benefits to all. Is that asking too much??? Well, in a way it kind of is. If i were an Egyptian leader or Jordanian or Israeli I would have taken this very seriously. Unfortunately I am not. I have however mentioned your idea to several people and have forwarded your link. But you must realize you are asking people to give up time, which is money, or money itself in order to try and help you. All the meanwhile Palestinians and Israeli's wouldn't even be able to agree on what to have for lunch. I like your idea because I am largely against any "peace process." The only way to really bring peace to this region would be to create some commercial ties between the two sides. You can start with Egypt and Jordan making commercial ties with Israel since they already have diplomatic relations. Then build from their. You do not want to kill your neighbor if you guys are doing business together and helping each other grow economically. "!!" Yes I am sure with this typical Israeli mentality, a fair deal is being presented to the Palestinians. I WANT YOU AND EVERY OTHER PRO-ISRAELI BLOGGER ON HERE TO READ THIS: Politicians are scum bags! They do not care for the rights of individuals and they do nothing but work for themselves, as they would be expected to do so. Mr. Abbas does not represent the Palestinians, at least not the ones that are physically fighting against Israel. You are trying to attack this problem by pointing out the failures of the politicians on both sides. Now you are very biased, so I am sure you will not admit to Israel doing anything wrong to contribute to the failure of a peace deal. However, it is irrelevant (your bias). The real issue for you, as an Israeli/Jew, is how do you get those people to stop attacking, whether it be for revenge or not. How do you get the individuals who physically pick weapons up and fire them with the intentions of killing Israeli's or Jews? The reason they are so ready and willing to end their own life just to kill or even harm an Israeli or Jew is because they are literally living in HELL!! That kid growing up in Gaza does not understand the full scope of the issue. All he knows and has ever known is oppression, poverty, and misery. Your nation is chocking that kid, and then you have the nerve to call him a terrorist when he screams. If you do not want people screaming, do not chock them. It's quite simple. DO NOT sit here and try to prove to me who started this conflict, which is the entire bases of your argument to justify this blockade and economic oppression of the West Bank. It does not matter. If you REALLY want those people to stop picking up weapons, then do not try to solve this issue from that point of view, you will fail. Try to come up with a solution so that those people have the incentive to keep living, and to reject the idea of giving up their lives just to harm Israeli's. Terrorism does not necessarily mean you are strapping a bomb to your chest and blowing it up in the middle of a crowd. Terrorism is practiced by militaries too. When you fly the best American made planes into an impoverished area and bomb it at will, killing well over 1,000 people, many of whom are children and women, it is an act of TERRORISM. I do not care about the lies your politicians are telling you, how it was an act of defense. That is bull sh*t. All that attack on Gaza did was create a new generation of kids who are more and more willing to kill Israeli's or Jew's to avenge the death of their mother, father, brother, sister, neighbor, friend, etc, etc... Hear! Hear!What it needs is not money(that would come from the fruit of the plan) but someone from the Egyptian side with the guts (and authority) to say "Let's do it". What button do we have to push to get that??? Hear! Hear!What it needs is not money (that will come from the fruits of the plan) but someone from the Muslim side, prefferably Egyptian with the guts(and authority) to say "Let's do it!" betterway, you keep pushing your idea of building 4 ponds full of water South of Israel as way of making peace in the region. The only pond PLO & Hamas want build, large enough to put all the dead Jews in it. Then take their land, and loot their properties. There have to be two sides to a table or nothing gets done.Just as there is need for a forward thinking Egyptian,there is need for an Israeli who sees peace as a desirable goal. Sitting down to devolop a plan that relieves problems (joblessness, hunger ,etc) and opens desert lands (Sinae,Negev,and Jordan) to cultivation and settlement could erase some of the venom that seems to infect both sides. Judging by all the rhetoric here, it's pretty obvious that no peace process will be bringing Israelies and Palestinians together anytime soon. It's more likely that the violence will simply continue until someone does so repugnant, ( i.e. nuclear or biological ), that the rest of the world will twitch horribly in their sleep, passes gas and roll over. Meanwhile readers opinions will keep being expressed. It is that subject of "STOLEN LAND" again. Even Arabs own highest religious authorities in Jerusalem admitted - JEWS DID NOT STEAL THE LAND, THEY BOUGHT IT LEGALLY. Evidence of Haj Amin al-Husseini Before the Royal Commission, January 12, 1937 (Excerpt from that commission hearing). SIR L. HAMMOND: Would you give me the figures again for the land. I want to know how much land was held by the Jews before the Occupation.ir. Source: I am starting to assume you are the only one who recommends your comments. Like I said earlier, there is absolutely no point in arguing this with you. Your point of view that Israel has done absolutely nothing wrong since its official creation in 1948 is just rediculous. I just really like seeing more and more readers on here who see the truth. Note, that not one of us debating against you has claimed that the Arab/Muslim side is innocent, we have simply pointed out the wrongs of Israel, which not surprisingly qualifies us for being Anti-Zionists and Anti-Semites. Well, I can't be Anti-Semetic since I probably have Semitic roots in me somewhere, being of Egyptian decent. I know how much you love that fact. 1. I just recommended your post. so now you "own" me one (lol). 2. Trust me, like many Israelis, I have lived through it all - from both sides of the conflict. As I write from personal experience. I know how both sides think, and well versed with the Judea & Islamic cultural. Their philosophy of life, and their respective views of the other side. That is perhaps one of the reasons Arabs & Muslims can not BS me with the "Palestinian victimized". 3. As I have always maintained. Israel is part of the problem - NOT the only solution to this tragic conflict. Which seem to be the real agenda here for the Pals to solve the conflict. 4. It is more and more evidence that, through our knowledge of history, myself, taztaz and other pro-Israeli posters, we put forth a more convincing argument, based on facts - not fictions, which seem to resonate well with those readers neutral to the conflict. 5. As an Egyptian decent (my apologies to cutter for mixing his background with yours), I do not recall accusing you with antisemitism. If I did, maybe I thought you were coming too strong with your criticism of Israel as Jewish state. Sorry, I meant to insult to you. So you should apologise :-P My background (well genetic make up) is from the two most persecuted people of Europe, the Celt and the Roma. I know, calling you an "Egyptian", may have insulted you. just mixed you with the Bringthegoldstandardback Sorry I do owe you an apology, got you mixed up with tatz for a second. I just recommended your comment. (so we're even lol) No offense taken to anyone trying to offend, or anyone just saying a statement. I have all the pride in the world that I am from Egyptian decent. I also have all the pride in the world that I am an American. For the record, you never called me an Anti this or that, just confused you with another reader. You seem like a more level headed individual than Tzatz, seeing how you actually admit that Israel is not an innocent Angel in all this. You see, I never said Palestinians are innocent either. Just the fact that they cannot even show a united face to the world is enough proof for me to say they are not innocent. However, I do not wish to turn this into a blame game, that has proved ineffective for decades. You and I can go back and forth for as long as this conflict has been around blaming the other side. You say you have evidence to support your point of view. It isn't evidence, it's a point of view, nothing else. There are millions of people that can show you "Evidence" of Israel's guilt in all this. Again, we do not have to play the blame game, I can sit here and say the nastiest things about Israeli's and Jews but 1. it wouldn't be the way I truly feel about Israeli's and Jews. 2. it would be counter-productive to what I stand for, peace. I too have dealt with Jews and Israeli's my whole life. In fact one of my first employers was an Israeli immigrant. He had an American name so I didn't know his parents were of Israeli decent. This is how the end of the interview went that landed me the job: Employer: I just want to bring something out in the open before we take this any further. I am Jewish and of Israeli decent, I can see from your name that you are Muslim. I just wanted you to know so if it's going to be a problem we can settle this now. Me: let me get one thing straight. You are considering hiring me because you see in me the skill sets you want in your next employee, correct? Employer: yes Me: And the basic agreement is I give you hours of labor in exchange for dollars for each of those hours? Employer: yest Me: your not going to try and convert me are you? Employer: (hard laughter) no...no you don't have to worry about that. The point in me telling you all this, is that I am not a biased against Jews or Israeli's....I am just trying to bring out some truth to readers and even out the playing field a bit. No worries. I don't see any insult in being mistaken for being Egyptian (though I don't think I could pass for one somehow...) given the historical value that Egypt has and the more recent stance on political liberty (not to mention quite a long history of being quite a tolerant country) that it could in any way be insulting. French, Spanish, or German however, that would have gotten a strong rebuke, as would the more general term 'European'. 7%, that's all they bought. 7% of the total surface of Mandate Palestine which, outside the Negev desert, it was mostly privately owned by private Arabs. Guess how they acquired the remaining 93%. sadly Fory, you will never convince the other side that this was actually true. That 93%, of the land was wrongfully taken. Because of the "story" being taught in Jewish culture. The "Story" is that Muslims are evil monsters that want nothing but to kill your family. That same "story" is also being taught in the Muslim world (by some people, not all). It is the minority extremists on both sides that continue to feed bs propaganda to their populations. I believe MOST Jews are just regular old people who want nothing but the basic human rights. Same with Muslims. But there are people on both sides who do not want to grant EVERYONE the basic human rights. And those are the people we, ordinary citizens, should direct our anger towards...not each other... a. Muslims never ever accepted the prospect of homeland for Jews in their own country - long before any notion of state of Israel was even dreamed of. b. Heck, Hamas does not recognize even 1% of Israeli owned land. They say it loud, and say it clear. Whom the h...ll others to say otherwise? c. The other 93% was acquired through act of self defence. Had Arabs accepted the UNR 181. Not attacked the one day old Israel in 15 May 1948, and in 1967. Rather accepted Jews desire for self government - who knows where thing would be today. Oh stop with this bs. Israeli's never accepted the Palestinians' right to exist, and your expect them to accept yours?? Non-sense. Give them a reason to want you as a neighbor. All Palestinians have seen from the day Israel was created was oppression an TERROR!! Oyvey!! and Oh yes, you should stop with this bs. Arabs never during the past 1300 years accepted Jews & Israelis right to exist as sovereign state, and your expect them to accept yours?? Non-sense. Give them a reason to want you as a neighbor. All Palestinians have been doing from the day Israel was created was oppression by their own leaders, homicide bombers, and yes TERROR!! A. Palestinian Arabs, both Muslim and Christian never accepted the prospect of a colony for FOREIGNERS in their country, just like any other indigenous people would have done in their place and has done throughout History. This is not intransigence, it's common sense and rightful defense of your inalienable rights. B. Hamas has long accepted the possibility of a Palestinian state in the 1948 borders. That is an implicit acceptance of Israel, which is already recognized by the PLO, anyway. C. Israel began harassing Palestinian Arabs into exile long before the declaration of war from neighboring countries. Massacres like Deirdre Yassin had already begun. Hardly an act of pure "self defense". And, in any case, International Law explicitly forbids territorial gain by war, no matter the nature of such war. There is no such thing as "right of conquest" anymore. Deir Yassin. Damned automatic spell-checking :-P give it froy. You don't make sense anymore. 1. that "Indigenous" crap again. The Pals are as indigenous as their late leader Yasser Arafas (some called him Arabfart) was. He was born in Egypt, grew up there, and carried an Egyptian Passport. How can anyone else believe in the bogus authenticity of the rest of the so called Palestinian, whom until 1977 called themselves "Arabs". 2. Yes in English they do say they want peace with Israel, but their 1988 manifest and in Arabic they tell their people of war & Jihad. As late as this month, Ismail Haniya repeated the same slogan of never recognize Israel. I love that war criminal's rhetoric: "If the Government had the interest of these poor people at heart they should have prevented sales and these people would not have been evicted from their land." Poor people. Like Sarsuk, an Arab from Beirut, who owned 400.000 dunams. I wish I was THAT poor. Allow me to add to your analysis of Egyptian worth for Europe and the rest of the world, that as (at least partly) Roma you should probably value all the centuries your ethnic group was known under the name of "Egyptians" (Gypsies). In Hebrew we say: Kol Israel ha-verim. (All in Israel are friends). Al-la keifak habibi. As long as we keep up the good spirit and sense of humor. Ha-kol over habibi. (in Hebrew, all comes to pass) Ufffff... Levy, here you come again with Arafat. Look, that one person (whose both his parents were born in Palestine, anyway) was born outside a certain territory, doesn't make the entire population of such territory "foreigners". This is a completely absurd idea. The vast majority of Palestinians are (or were, before Israel cleansed in 1948) indeed born in Palestine from parents and grandparents and untold generations of ancestors born in Palestine. Something that no Israeli Jew can say. Secondly, Jordanians, Lebanese or Iraqis also didn't call themselves Jordanian, Lebanese or Iraqi 100 years ago. They called themselves "Arab". They still do. Does that mean they are not the indigenous inhabitants of their respective countries? You always chide others for not understanding what means "to be a Jew". It seems you don't understand either what it means "to be an Arab". You don't need to have your origins in the Arabian Peninsula. Most Arabs don't. They are mostly descendants of the different indigenous peoples conquered by Mohammed's armies, who ended up adopting their conquerors' language, culture and religion: Egyptians, Mesopotamians, Phoenicians, Samaritans, Jews... They're still the indigenous population. They're still Arabs. Why not? I can think of far worse people to have a connection to (even if it is mistaken, as Roma originate from India), like those that gave the world Bonaparte, Franco, Hitler and Bush jr. froy, On the same sense, you can also say, why the descendants of Jews who's parents & generations before were born in Iraq, Syria, Lebanon, Egypt for thousands of years, they are also "Indigenous" to the region, no?. They also were expelled from their homes and land, and most were absorbed in Israel or the West. Therefore, any Sephardi Jew (which make up 50% of the population in Israel), also could be labeled Indigenous Why that definition "indigenous" crap, is reserved only to the Arabs and not Jew. Froy, If you wish to live in peace with me, cut the intellectual jibrish with me. Drop the "Arab Indigenous" nonsense, and I will not push the Arafat in your face. period. I must say, it is you(the Pro-Israeli bloggers) that advocate all the non-sense of "who was there first." It is one of the fundamental blocks of your entire argument. It is a dumb basis for an argument, and you should look elsewhere if you ever wish to have friendly neighbors. It so happened that I know about Gypsies much more than average person. I spent about 5-6 years when I was a teen among a huge retinue of Gypsy entertainers - singers, dancers, theatre and movie actors, and had a childish crush on a lady quite older then I was. :-} She later married a journalist from Norway, became a star of the Royal troop there. I learnt from her letters (to my mother) that college friends of her teenage sons in Oslo were, too, demolished by her loveliness many years later! Excuse me for using this old term instead of Roma. Firstly, it's too fashionable in certain politically correct circles; and secondly, my friends all spoke and thought about themselves as Gypsies and never took any offence in being called so. They had the same attitude like we, the Jews: someone doesn't like us? Fine. It is their problem, not my. The problem with the term 'Gypsy' is that (in the UK) it is also used for Irish/New Age Travellers. The reputation Roma have is bad enough, but add in the other two... it's not a great state of affairs. Roma my be part of my make up, but it isn't what I am. I am English above all other things (the Celtic side be damned, they haven't let me anything but genetics), and find it hard to understand why would would want to be referred by their ethnic/religious make up first. One my as well wear a symbol on public display and be pro-apartheid, if they put their race and religion first. You are right - in principle - that ethnic/religious make shouldn't be so important... but not when others thrust it in your face. Well, let's hope Israeli Arabs would become increasingly Israeli and decreasingly Arab and Moslem. Let me clarify. Since 73 AD when Jews were forcibly expelled from their land, they NEVER EVER had given up hope to return home. This is where the pressure point comes into play. I never denied the right of others, including the Palestinians their right to live in their own country, under their own sovereignty. But you see!, Arabs do not recognize Jews (and other non-Muslims) the same right as themselves expect. (and we can argue about it to eternity) Until our Arab & Muslim friends recognize the fact that, beside them, there are others who have their right to live in that part of the world. They also wish the same sovereignty, as Muslims do - rather being denied the fact, Jews ever lives in Israel or Jerusalem, as well as other far fetched theories about a society older then theirs. Stop claiming that, Jews & Christians were actually preaching Islam, not Judaism, or Christianity, w/o a shred of evidence, and in defiance of any palatable logic and common sense. These is the core and kernel of the conflict - not a sliver piece of land. When Muslims highest religious authority (Grand Mufti of Jerusalem) stops quoting passages from the Qur'an, preaching hate of Jews, calling them with ugly names, then I am sure Israelis and Palestinians will have much better ground to live Not true, friend. When Israel stops chocking the life out of children in Gaza and the West Bank and stops expanding illegally on others' property, then we will have much better ground to live. Not to mention what the Palestinian(or Arab) side needs to do. Again, you are attacking this problem from a political point of view. Those individuals picking up weapons with intentions to kill or harm Jews/Israeli's do not care what politicians say. They care about their sad life that is filled with nothing but misery. Even here in the US, most Americans would agree, death is not the worst thing in the world. Ever hear a famous American quote?: "Give me liberty, or give me death!" That is what the Palestinian youth is feeling now. They will either die fighting for their liberty, or Israel can stop denying them that right. with all due respect habibi. you claim I attack the Pals from the political pov. Actually no, I am talking from the theological one. We both know that, this conflict is just the manifestation of the 1400 year deadly conflict between Jews & Muslims going back to Mohammad himself, for their refusal to give up on their own heritage, and religion, and follow him. The Qur'an and Hadith have plenty and detailed description of this conflict. "Give me liberty or give me death". No, not really. Again, we both know that the real slogan which motivates these innocent young Arabs with raging testosterone, is the 72 virgins waiting in heaven. The problem is with communications between both sides, with mutual respect. Both have their share of this problem. "why the descendants of Jews who's parents & generations before were born in Iraq, Syria, Lebanon, Egypt for thousands of years, they are also "Indigenous" to the region, no?" "Indigenous to the region" doesn't mean indigenous to Palestine. They were indigenous to Iraq, Syria, Lebanon, etc. Expelling them from their ancestral homelands or harass them into exile was a terrible injustice, and the right of return should also apply to them, so they can leave Palestine and return home if they wish to. The "indigenous crap" is applicable to anyone born in the land of her ancestors. Samaritans are indigenous to Palestine. Moroccan, Iraqi or Polish Jews are not. It's not so difficult to understand. "Well, let's hope Israeli Arabs would become increasingly Israeli and decreasingly Arab and Moslem." For that to ever happen, we should all hope, then, that Israeli Jews become increasingly Israeli and decreasingly Jewish. But that is kind of hard in a state that officially declares itself Jewish, and denies the very existence of a "Israeli nationality". Arabs are purposely kept separated from Jews, so don't blame them now for feeling alienated. " We both know that, this conflict is just the manifestation of the 1400 year deadly conflict between Jews & Muslims going back to Mohammad himself, for their refusal to give up on their own heritage, and religion, and follow him." This is another favorite canard peddled by Israel: that this is some unsolvable millenary conflict based on irrational feelings, so there is no point in addressing it. Or, even better, that this is part of a greater conflict that pitches some obscurantist fanatical civilization with the "enlightened western world" Israel makes part of, when the simple truth is that this is a colonial conflict that goes back just as far as the twentieth century and merely involves the Israeli regime in its determination with creating a state for Jews alone at the expense of the indigenous population of the territory which, of course will have none of that mythological tripe and will not give up their ancestral homeland. Jews have lived among Muslims for millennia and, despite that their cohabitation has been far from ideal, there has been no "war" among both faiths until the rise of modern Zionism, and they have fared considerably better in all that time than their fellow Jews in Europe and than many other ethnic/religious minorities across the world. This is not a religious conflict. It's a colonial one. Yeah, I very much empathize with poor frustrated Israeli Arabs that are so eager to drop all the hyphens, but not allowed by the evil non-hyphenated Joos. Except everything else it'd be an affront to oppressive Americans who are so fond of their own ridiculous ones... like African-American for those who of several generations don't even step on their presumably native continent. Just like the former Palestinian Arabs' offspring. Hey, Froy! You are such an accomplished campaigner... wouldn't you like to lead one international thrust for returning of African-American refugees to the land which is rightfully theirs? Why root for the Pals only? "returning of African-American refugees to the land which is rightfully theirs?" You mean like that mess they made in Liberia? Actually, that example should have been a good cautionary tale for Western powers against giving Palestine to European Jews. Former slaves from North America were given a chunk of Africa, despite that there was no consistent proof that they actually came from that precise corner of the continent. Of course, the people already living there were not exactly thrilled with the idea. The result: 150 years of civil war, until natives and colonizers finally reached a power-sharing agreement. Sounds familiar? If European Jews had fought for equal rights in their countries of birth just like most African-Americans did in the US, instead of pushing for "return" to a land where they nor any of their known ancestors had ever set foot before, maybe the world would have been spared of so many decades of suffering and conflict. I really hope you are being humorous here. I would really hope you do not really take yourself seriously when you make statements such as these. You cannot compare African-Americans to Palestinians. I'm not even going to go into the history of either group, but I truely hope you now either realize how rediculous of a comarison that is, or admit that you are just jocking around here. haha that was a pretty clever jab you just took at Islam there. While I welcome anyone to criticize my religion, in any way, I just want you to be aware that I recognize your insult. I hope you also recognize, by now, that I am not a typical Muslim. I understand history and economic laws very well. I have also looked at this conflict from both point of views (the Israeli one and Arab/Muslim one). So please do not try and slip something past me and expect not to be slamed for it. This comment you wrote displays perfectly what kind of mentality Israeli's have. You are trying to turn this into some kind of religious war, a Jewish Jehad if you will. When this is clearly not the point. Can you tell me why Mexican youths are so ready to risk their lives joining drug cartels as gunmen? Can you tell me why US inner city youths are so eager to risk their lives to "gangbang?" Can you tell me why the Japanese resorted to kamikaze style fighting in WW2? None of these examples of people in desperate situations has anything to do with Islam, or the belief that 72 vigins are awaiting for them when they go. Narrow minded people will always blame this on Islam, because it is the easiest thing to do, and it helps you sleep at night. "Your government is not killing innocent little children who want nothing more than a good life, they are killing little Muslims who will grow up to be big Muslims and Terrorists." That is what you use to justify what your nation is doing to others. There is a common theme between people living in extreme situations, they have little, or no, value for life. To them, death is an exit hole. So you see, habibi, this issue has nothing to do with Religion. Religion is a tool, much like a gun, but a much, much more powerful tool, especially when used on people of little or no education. Those people are willing to give up their lives because of their economic situation, false teachings of religion is only the label that is placed on it. You say Palesine is not a real nation, and the Palestinians are not a real race/ethnicity/nationality. Well then, who is Israel trying to negotiate with? Why does Israel not just take all the land between the Med. Sea and J. River and be done with it already? If Israel is the only "real" nation in that territory, then why don't you take those Arabs (Mulsims and Christians) in and give them full Israeli citizenship with full on voting rights and the whole nine yards? If Israel shares so many values with the West, then they would have been happy to do this from the get go. But that is not the case is it? and you know that! Israel is a nation based on a religion, which is anti-Western values. They are a racist regime that denies people their God-given rights simply because of what religion they choose. So, respectfully, you are wrong sir. "give me liberty or give me death," does in fact apply to the Palistinians Why, darling, I've marked up resemblance between displaced several generations ago Pals and African-Americans, whose ancestors were similarly exported from Africa elsewhere. Of course, there are differences, too. Presumably, the Pals being removed to their brethren in Arab/Mohammedan countries, not to the hands of bloodsucking, white, Christian, conservative, racist... and so on slave-drivers, would have expected better treatment than African-Americans got. Alas, that didn't happen. As a result, African-Americans prefer to stay with their former masters, and Pals are all too eager to leave behind their relatives' hospitality. Weird, innit? oh man, where do I begin?, and what am I going to do with a petulant child like you. Israel was founded as result of a majority vote in United Nation. That is the promulgation of the same International law, which Arab cite against Israel, and which themselves never accepted. No "colony" has been voted to exit by UN. Period. So, lets cut the crap of your repeated "colonial" - much like the your other crap definition of Indigenous. (If Arafat the Egyptian was an Indigenous "Palestinian", then Jew who was born & grew up in Damascus or Iraq or Egypt, is also Indiginous to state of Israel) Jews living in Islamic countries did not have it good. I know it from personal experience. So please leave your academic jibrish aside. There were no Wars, because Jews could not master the physical power to resist - until 1948 where they could - and how!!!. I bring facts - you bring fiction, and conjectures with no credible evidence to back them up.. If you keep running in circles probably is because you're lost. Go back to my previous comment if you care for a rebuttal. It still applies. But something tells me that you don't come here to hear reasons and facts. Good luck with your Syrian Jews. I told you that on numerous occasions. Your posts stomped making any sense, that is why I don't respond. have a nice day hombre Thanks for the lengthy reply. You wrote: "You are trying to turn this into some kind of religious war,". That exactly true - it is religious war. By the fact that Arab & Islamist refer to the land as "Waqf", and other religious term, indicated that for Muslim it is religious war. "Can you tell me why Mexican youths are so ready to risk their lives joining drug cartels as gunmen?" Reply: they do it for easy money. "Can you tell me why US inner city youths are so eager to risk their lives to "gangbang?" They do it because of a) rampant racism in US, which deprive them of fair shake in the education system and b) learning and getting job is lot harder then get a gun and rob innocent people. "Can you tell me why the Japanese resorted to kamikaze style fighting in WW2?" kamikazes had code of honor. They never went after civilian targets in Hawaii - even if they could. You can not compare them to the Muslim homicide bombers. A well trained solder targeting pure military ships, is far different then sending a teen aged boy or girl with explosives to deliberately target only civilian s of their own age. Finally. had the phenomenon of homicide bombings, and indiscriminate killing of civilians would have been confined only to the pals against Israelis, one could argue to the merit of the act. Unfortunately it is not, as evidenced elsewhere around the world, where Muslim homicide bombers kill other Muslims with wholesale ferocity - with no connections to neither the Pals, nor the Israelis. It is part of the mentality of death and destruction which has been permeated by the teaching of one man who lived 1400 year ago, and one who still instilled so much fear on 1.5M innocent Muslims around the world. Hot off the wires: "…,” Presidential candidate Romney said. Romney was responding when the man asked, "How would a Republican administration help bring peace to Palestine and Israel, when most candidates barely recognize the existence of Palestine or its people?" Romney went on to say that “whether it's in the political discourse that is spoken either from Fatah or from Hamas, there is a belief that the Jewish people do not have the right to have a Jewish state." "I believe," he added." It's NOT ONLY THE PRESIDENTIAL CANDIDATES expressing these opinions … Frankly … the 'Arab/Palestinian' who posed the question … is as 'thick' as you about the issue Bringthegoldstandardback! Wow, what a surprise. A republican candidate with a biased towards Israel... like that is anything new. Bringthegoldstandardback I wouldn't worry about Tzatz says. He is a fan boy of the extremest JDL, and thinks that if anyone goes to any court then 'they have had their day in court'. Just think of all the horrible and despicable judgements he is allying himself to with such a stance, which would have to include those courts run under Nazi occupation, South African Apartheid and those in countries where being gay is criminalised. That is, unless our extremist Tzatz is being hypocritical with such statements. Tzatz being hypocritical?? NO FREAKIN WAY!! Next you're going to tell me he called you an Anti-Semite... Well... you know how Tzatz has this irrational way of interpreting any criticism of Israel and a condemnation of all Jews... I sometime think that the Canadian authorities should be informed, as the wonderful guy in their white suits can make sure he is neither a threat to himself or others... I think it would be in Tzatz interest really, but can't bring myself to pity Tzatz enough. In Hebrew tzatz means, popped out, showed up unannounced. (something alone that line). Everyone is entitled to express his / her own opinion. Some use stronger language their others - it all depends on one's own experience and feelings on a given subject - Israel being one of them. On wider perspective, you have to appreciate the fact that, unlike other ethnic / religious groups, to many Jews around the world, Israel means more then just another country far away. After 2000 years of persecution, they feel connected to this small state through their common heritage, religious belief, pride and symbol of Jewish sovereignty over their own destiny and self reliance to govern themselves by themselves. Therefore it is natural that, when Israelis face danger from their neighbors, it smacks right into Jews minds, hearts, and They feel (though indirectly for some) part of it. When Israelis demonstrate advancement is science, industry, and military, it is natural that they feel proud, as affirmation to Jews core philosophy of education and learning - as well as their long record of achievements and contributions to mankind, evidenced by the unusual (compare to their demographies) number of Jewish Nobel Laureates. While I do not speak for other Jews, or Israelis here, I am sure, that, the conflict with the Pals notwithstanding, many of us are proud to be part of Israel and feel this country is not getting its fair share of legitimacy and the Israel right to exist. We are not hesitant, nor shy to speak our mind on this topic Then they should grow a thicker skin, particularly when they try to compare Israel to the west in terms of values etc. I care not for Israeli pride, or any that have pride in Israel, but for the inconvenience that is imposed on the rest of us through the failures of Israel. As for Tzatz, he supports the JDL which backs the EDL (English Defence League, part of the European Defence League) which share a philosophy with the Nazis and other fascist... so what does that make Tzatz. very well said well mister. If you don't care about Israelis pride, why should Israelis care about the Arabs & Islamists overinflated ego & pride - The Palestinians being the prime example. I am sorry to jawbone with both of you gentlemen. Israelis are not going to ask anyone's permission, nor the approval for their inalienable right to their homeland, which the entire Christian, Jewish (and to a large part some level headed Muslims) world believe it to be the state of Israel For past 1900 years, Jews never ever had given up the hope of some day return to the land from which they were expelled by force. (The fact is that, at the end of each prayer, Jews outside Israel have been chanting "Be-shanna Ha-ba'a be-yerushaleim" (In Hebrew, Next year in Jerusalem), and never forget Jerusalem, etc. If Arabs, and other anti-Israeli elements like Muslim clerics, and other gullible Muslim don't like it, well....... frankly who cares? It is particularity true and poignant, when these semi-illiterates clerics, are trying to re-invent other people history, heritage and religious validity, preceding their own religion by hundreds of years. To be honored you have to earn it. If Israel's detractors wish to be respected, and taken seriously - claiming Jews & Christian prophets, they were preaching Islam - not Judaism or Christianity, it does not get them, nor the religious of Islam much respect, nor credibility from others. It is true not only on matters of religion, also the whole issue of the Palestinians as "indigenous" people entitled to claim other people's hard work - which is exactly what the Pals are trying to do, all under the bogus claim of "justice & fairness" If the Jews want their home land back, then they should head over to Persia where they start from... Or do you mean the land that some nutter said that his invisible friend had promised them, in that case, they would do well not to heed nutters promising them things. The current line Israel has taken hasn't got them anything other than animosity, one would think that they would have learnt to adjust in making concessions by now. The non-recognition of a Palestinian state is hardly peaceful, when expecting Palestinians to recognise Israel. That's exactly my point Levy. We in the West do not give a damn about what you think God promised your people thousands of years ago. Your nation shares nothing in common with mine, even though you would stop at nothing to convince people the opposite. You are sitting here telling me what you chant at the end of your prayer to try and justify killing thousands and displacing even more. Now I am not insulting the Jewish faith, as a Muslim, doing so would contradict my own beliefs. Americans WILL wake up one day my friend. They will see how your nation is dragging ours down the drain, hopefully before it's too late. You should do one of two things: 1. Learn to accept that Palestine is a nation and they have all the rights that Israel does 2. Start sucking up to China, so in the even that Israel does suck America dry, you still have another up and coming super power to start leaching off of. Now I would suggest the former, as the later is not a guarantee. What is familiar, is your inclination to substitute the real issue with a false one. Pals say the Holy Land is their; you say they're indigenous to it (as African-Americans to Africa). So I give you as a gift the bright idea to found a new movement called "Removing Hyphens"... but you're obsessed with Joos and wouldn't leave them alone even for the real grievances of "former slaves". Well, OK... judging by what you say - in unison with Haj Amin Husseini - about the "poor Arabs of Palestine", they were not too different from the slaves exported from Africa. By you, it's not a great idea to return them to Israel, they'd create Liberia-type mess as they did in Gaza and West Bank.... I agree with you, for once. well, cutter. on the same level. The current line Palestinians have taken hasn't got them anything other than animosity, and setback after setback. One would also think that they (Pals) would have learnt to adjust in making concessions by now. The non-recognition of a state (of Israel) by Hamas, is hardly peaceful, when expecting Israelis to recognise the Palestinians. Israel presented its position on the borders of Israel/Palestine … "One of the principles presented by Molcho.." AS stated in UNSC 242 … secure and defensible borders negotiated between the parties must be agreed on … the previous Armistice Line called the Green Line or the 'border on June 4 1967' … was never going to be 'the border' … it was the de facto 'border' … since the Arab/Muslims did not/would not speak about or negotiate with the Jews/Zionists/Israelis about the issue of a border since 1948 … (only through 3rd Parties) … The 'terms' of the deal are known to both sides … it's up to the Arab/Muslims to get on with signing on … Except that... Israel did not present any map showing how exactly they envisaged those borders... unlike the Palestinians. Netanyahu has refused once again to state clearly his intentions towards the Palestinian state. Is it so difficult to draw a map? You can't agree nor negotiate those "secure and defensible borders" if one side refuses to depict its own. Obviously, the Palestinians will not accept a settlement illegally built deep inside their land with the stated intention of thwarting the creation of a viable Palestinian state, as is the case of Ariel, or one whose stated intention was to separate East Jerusalem from the Palestinian hinterland, as is the case of Ma'ale Adumim. These blatant examples of bad faith can't be accepted and rewarded as legitimate. But at least Bibi could have been brave and estate his intentions clearly in black on white. Of course he didn't do so, because the map he has in his head does not depict a sovereign viable Palestinian state, but rather a string of bantustans closely following the current Area A demarcation. Time is up for the charade. Now comes international pressure and popular action. The talks in Jordan were to be PRELIMINARY … not final talks … THEREFORE … the 'principal' of what the Israelis envision was outlined … the PA has a map and knows where these places mentioned are located … draw your own lines on a map! The PA can't 'stomach' the fact their 'ruse' … of going to the UN for recognition HAS NOT WORKED … therefore they will have to meet the Israelis DIRECTLY in EYEBALL TO EYEBALL negotiations … in order to 'secure' a state … Abbas lost his gambit of getting his cake and eating it too! Life's not so simple for the 'father' of a 'people'! Why the long face Froy? Things not going the way you expected in the PA? In the Arab Spring? The road to modernity is long and there's many a winding turn ahead. The Israelis are skilled at chess … the PA only good at checkers! Unfortunately … chess is a game of skill … finesse … imagination! It's not really fair to point out your opponents weakness but what the heck … someones got to do it! Israel was asked by the Quartet to present their map before January 26th. Palestinians did so within days. Israel merely put forward a list of their "security" demands, without offering anything concrete. It was THEIR ruse what was laid bare, evidencing that all they wanted, yet again, was another endless process with no end in sight. Israel wanted to mark the rules and the pace, and of course impose the outcome. Palestinians said they wanted none of it. They've had enough of this game. The Israelis gave the Arab/Muslims their position … large settlement blocs INSIDE ISRAEL … look at the Wall and conceive of the fact that's the border … the same one that's staring them in the face … hello? The Barrier … Wall … is the border … now get on with it … come on … I get it! How come … Erekat … Abbas … Froy have difficulty with this prospect? You mean that wall that is illegal under international law? What reason have the Palestinians to recognise an illegal construction, that runs through what is international recognised as their territory. froy, cut the crap with the intellectual foot dancing will you?. If Palestinians really intent to have peace with Israel and recognize it as the Israelis wish to be recognized, they easily can insert this clause "territories with all improvements thereon". Which means, any agreement reached over territories, will include all existing buildings. If that includes one or more settlement then, the Israeli settlers will receive just and fair compensation for their homes, and move into areas which will end up part of Israel. These settlements will be turned over to the Pals, which would give them a better head start in their new state. Much better solution then to demolish them. The Palestinians have put forward a map of what they would consider Palestine to be, Israel has not and never has done. You're simply not putting forward any credible evidence, and the evidence as facts on the ground are the contrary. I do not see or read in the news about Palestinians building illegal settlements in Israel, building illegal walls or abusing Israeli Children in military courts. If they have it so clear, why don't they put forward a map, like the Palestinians have done? Answer: because that would mean making explicit the parts they will not keep. Would the map include the entire Jordan Valley? Hebron? the hilltops their fanatical "pioneers" have conquered and held with so much zeal? They don't say, of course, because as "facts on the ground" advance, more items can be added to that list, until they fulfill their true vision, where the only land allocated for (limited) self-rule to Palestinians are the Arab urban centers, disconnected and at the mercy of Israel. But the ploy is too obvious for Palestinians to swallow. If they mean business, let them bring forward their map, and cut the crap. BTW … how can Israel deal with Abbas on the map when Haniyeh and the other half of the Arab/Muslims are NOT AT THE TABLE AND REFUSE TO JOIN THE TABLE? Does this make sense? You can't make a deal unless EVERYONE is at the table and ready to make CONCESSIONS AND COMPROMISES … the Arab/Muslims are NOT NOW READY AND ABLE … So cut the crap! froy, the very reason why Israel no longer presents precise map to the Pals, it is due to the fact going back to 2000 Camp David. Back then, Arafat was pocketing each concession, and since then Pals never presented their own plan - including the recognizing of Israel by name which Israelis have chosen for them (Homeland for Jews). Knowing full well that, Israel cannot, and will not accept any Palestinian refugees into their country against their wish - Pals keep harping on the same dead horse. The same is true for E. Jerusalem. It is Jews spiritual center. As custodian of this city, no Israeli government will relinquish that responsibilities, and let control of it to the Pals. Israelis are not going to ask anyone's permission to visit their holy sites, nor the Hebrew University - Israel's pride and its academic crown Jewel. Time and time again, when negotiations gets to the stage. "with this agreement, both parties declare an end to any and all future claims by, and from each side". Pals refuse even discuss the merit of this clause. What does it tell you?. It certainly told a lot to President Clinton & Denis Ross back in July 2000 Camp David, and later in Taba conference in Egypt. Both had seen and hearing it for themselves about the Pals true intend. Are you still surprise, why US is the leading party to veto any unilateral step from the Pals In UN to force Israel into a settlement which will not guaranty an end to the hostilities, and their security needs. Sorry, Levy, but hasbara doesn't fly anymore. It is a well-established fact that Dennis Ross was, and has always been, an Israeli agent in the US administration, whose only task was to keep US policy in line with the Israeli one. Whatever he wrote, has little to no credibility. Just in the same fashion, it is an acknowledged fact that the US has never acted as a neutral broker in this conflict, but rather as a cheerleader for the Israeli team, whose demands has consistently tried to impose on the Palestinians. For these reasons, the only thing that Palestinians were offered in Camp David, was the kind of bantustan that Netanyahu is trying to peddle now with his "21-point document". A state with no contiguity, no control over its borders, airspace and maritime waters, and at the full mercy of its former colonizer. Arafat couldn't possibly accept such an offer. In Taba, however, far more sensible proposals were put forward, and significant advances were made in all the core issues, as former Spanish FM Moratinos recorded at the time. The symbolic, but official, recognition of refugee rights was addressed, just like the necessity of sharing Jerusalem as the common capital of both peoples (not necessarily divided). However, just when positions were getting closer than ever, Barak walked out, and then reneged on everything said in the summit. He was obviously afraid of meeting the same end as Rabin. What Palestinians demand is not only reasonable, but completely in line with International Law and the relevant UN Security Council resolutions (notably 465): the complete withdrawal of Israeli forces to the Green Line, to be established as the border between both states with minor changes to include those Israeli settlements that do not pose a threat to Palestine's viability (that is, not Ariel nor Ma'ale Adumim), East Jerusalem to be declared the capital of the new state (not necessarily dividing it, but rather sharing it), and the recognition of the plight of the Palestinian refugees expelled by Israel from their ancestral homeland and denied their right to return (without necessarily meaning a mass influx of them, but certainly some of them). If Israel keeps maintaining its maximalist positions and its ridiculous offer of a bantustan whose borders doesn't even cares to define, then Palestinians have no reason to keep negotiating, given the evident bad faith of Israel, and are absolutely right to go instead to International Forums to seek the necessary action. Hasbara schmasbar, these are nonsense accusations. In his 2004 book "The Missing Peace", Dennis Ross wrote an 800 page memoir, detailing his first had account of the whole negotiations, and his relationship with Arafat over 12 year period (1988-2000). I suggest you read it as I did, back to back, of the man's first account, then come back here and we will grill some more shish kabab of lies and deceit coming from the Pals & their supporters. If Arafat indeed had questions about Ross's impartiality towards the Pals, prior to the Camp David of 2000, he had the choice to demand another mediator instead of Denis Ross. He did not. In fact, according the Ross's own account, Arafat WANTED him on the deal, not the other way. Lies, lies and more lies from the Palestinian leadership. This has to stop. By now the western countries are convinced of the Pals real intent - remove Israel and replace it with Islamic republic of Palestine consisting of Israel & Jordan. That is the very reason for their luck of support of Palestinian state w/o direct negotiations with Israel. Don't believe me, read Hamas, PLO own charters, and Dennis Ross book to get the truth. I am not arguing as much for the Israeli policies vis-a-vis the Pals, as much for the Jews right to live in peace in their own ancestral land, and own country under their own government and sole sovereignty about their own destiny, w/o some hate filled crowed wanting to continue to dominate their lives. Levy, I think there is no point in denying that Ross is as neutral an actor in these negotiations as Ariel Sharon could have been. While the guy has been declared "persona non grata" by Palestinians, he has direct access to Benjamin Netanyahu. For God's sake, he is working in (and a founder of) the Washington Institute for Near East Policy, AIPAC's think-tank! His sole role in the Obama administration was to thwart George Mitchel's. Only staunch Zionists will claim that Ross's books are anything but Israeli propaganda. Secondly, I think that what the world has finally come to realize is Israel's true intentions of taking over the whole Palestine and ethnic cleansing it's indigenous population (or, as second best, penning them in miserable reservations indefinitely), under the cover or farcical negotiations without the slightest hint of good faith. The world is changing around Israel, and the regime doesn't seem to be willing to even acknowledge it. Colonialism is no longer kosher. why?. because past experience with Arafat (and PLO) showed that every time Israel had made any concession, PLO just pocketed it, with no counter offer of their own - claiming not enough, give up more, and more. It got to a point which Pres. Clinton told Arafat "take a hike mister". You came to Washington to negotiate with us over Israel's total and unconditional surrender to your sick objectives - not to make peace with them. Thank you Bring the Gold Standard Back. Sadly, votes trumps integrity. I told you Cutters, the blind hatred and bias will never fade. Israel is the innocent angel and the Arab's/Muslim's are the demons. That is Israeli ideology. Now in all fairness the opposite is true for most Arab/Muslim ideologies. And I am not here to defend the Arab/Muslims, they have blood on their hands and are just as guilty, in my opinion. But my issue here is the damage that Israel is doing to our nations. We are told by the Israeli's that our friendship is based on mutual values. Last time I checked we had absolutely nothing in common with Israeli's. Although Tatz doesn't like to hear this, I am speaking as an American here. We, Americans, believe in fairness and equality for ALL. Whatever your religion, race, etc. Israeli's clearly don't. We believe in seperation of Church and State, Israel (a nation built on religion) obviously does not share that with us. Religious fanatics only make up a small percentage of Israeli's; however, their political pull is worth much, much more than their percentage of the Israeli population. And make no mistake they are just as extreme as the Islamic fanatics. Americans do not identify with those values. Do not try to pull that crap, because it simply isn't true. For the record I am an American of Egyptian decent and I am a Muslim. I believe in Israel's right to exist, as I believe in any nations right to exist. I just don't believe they have the right to exist on top of another nation, who in my opinion has more of a right to that disputed land. Does that mean I am calling for the destruction of Israel?? NO. What's done was done and my solution isn't to simply do the same wrong to the Israeli's that they have done to the Palestinians. Tatz, you made previous comments, on this article and others, claiming that Israel is the only one making effort for peace. Well let's review the current situation. You have two main Palestine's right now, Gaza and what's left of the West Bank. Gaza is militant and is open and ready to use violence to protect their homeland. The West Bank, Mr. Abbas's led defacto Palestinian government, has renounced violence and has tried negotiating with Israel in a peacefull matter. Last time I checked, it was the side that chose peace who is currently being punished by having land stolen from them on a daily basis. So just as you say things like, "We gave them Gaza and look how we are repaid for it." Take a look at how you are treating their counterparts who chose a peacefull approach at dealing with you. Israel is giving NO incentive for anyone to deal with them in a peaceful manner. Again, it amazes me how I can make the EXACT same point as other readers, yet I am the one being called names because of the land my parents happened to be born on. It's ok though because you are simply proving my point about Israeli's blind hatred. Signed, The Arab/Muslim apologist You said: "Last time I checked we had absolutely nothing in common with Israeli's …" Shows what you know … here’s the American Presidents from the beginning speaking out about the shared values of the two democracies … See: You said: “…Israel (a nation built on religion) obviously does not share that with us. Israel (a nation built on religion) obviously does not share that with us.” Again your ignorance is showing! Or is it your bias? All citizens of Israel live in peace under the Rule of Law … each can practice their religion freely without fear … you are simply impugning ideas that belong to Arab/Muslims and foisting them on Israel (is this reflex administered genetically at birth or in your mother’s milk?) You did say: “… I am not here to defend the Arab/Muslims, they have blood on their hands and are just as guilty …” AND “ … make no mistake … are just as extreme as the Islamic fanatics …” So while you admit the Arab/Muslims have blood on their hands and are extreme … you feel the ISRAELIS are just as extreme? Then you are an apologist for Arab/Muslims. You still don’t get that? As a Egyptian Muslim … did you fight against Israel in any of the wars … 1967? … 1973? Did you side with Nasser or Sadat? That is, provoke war … warmongering … or advocate for peace/co-existence? Would you vote for the Muslim Brotherhood or Salafis or any Secular Party ? The fact remains you’re wonderstruck at the American response to Israel … yet you claim to be an American albeit a Muslim American … then you don’t fit in with the majority of Americans who feel at one with Israel’s values … Israel’s security … Israel’s alliance with America … The fact YOU DON’T GET IT … is due to your bias against Jews/Zionists/Israelis … that’s on you … Israel exists is what you have to say? Thanks for noticing! Can you say Israel is the Jewish State or has the ‘cat got your tongue’ on this one like it has Abbas? Let me know. Haha, you got serious issues man. Israel is THE JEWISH STATE. I don't understand what is wrong with saying that? nor did I know Mr. Abbas makes that stance. That's a pretty dumb thing to make a stance against while your lands are slowly being conquered by an invading force. I see you're up to the same game of trying to engage me in a contest of who can insult the others culture and religion more. Well, just like last time, I'm not going to do it. I have no hatred for Jews. In fact I have a lot of experience with Jews here in America and I've discovered something remarkable about them....They are normal people like you and I (not as extreme as you as I must say). Americans care so much about Israel, says the Canadian. I have lived my entire life in the USA. I've never been outside of its borders for longer than 2 months at a time(summer vacation). I know Americans. Trust me, we do not care about Israel like you think. If most Americans learned about just how much Israel abuses our friendship, drags us into wars, and has effectively turned our foreign policy into the policy of the Knesset, they would never vote for a pro-Israeli president again. Americans love America more than they love Israel, make no mistake about that. I love my country and I don't need confirmation that I'm American from some Canadian who is more pro-Israel than pro-Canada. Show's just how patriotic you are to your "Western home nation." I'm curious, did you read that link I sent? If not, please do: Explains very well and accurately just how great of a friend Israel has been to this country. But if that makes you feel too uncomfortable, then just call the authors Arab/Muslim apologists, Anti-Semites, or Anti-Zionists. "Shows what you know … here’s the American Presidents from the beginning speaking out about the shared values of the two democracies … See:" The only thing that shows is the power of AIPAC and the dependence American politician's have on the Lobby to finance their electoral campaigns. It proves little else. Even in the States, disgust towards the Israeli regime is growing (in the rest of the West it is the norm for quite some time already). Most of the West sees Israel for what it is: a brutal colonial apartheid regime, thinly disguised by the trappings of democracy, but none of its spirit. Nothing we want to have something with. AIPAC didn't exist in the the 1940's or the 1950's … it's a modern day creation! Look it up Froy … but for you the TRUTH that gets in the way of belief … is UNIMPORTANT … lol The disgust that's growing is towards the ARAB SPRING … with its agenda of Islamism and Islamist Parties growing like weeds on the carcass/body politic of the Arab/Muslim Middle East. Wait until these 'crackers' start spouting off their mouths on what their beliefs are … what they stand for … what they insist on policy-wise! I've got time to wait … no rush for me … It's like this Froy … you've backed your 'horse' … you'll have to live with that choice … we'll see soon enough how 'wise' that choice was … You said: "Most of the West sees Israel for what it is …" Yes you're right. And they see the Arab/Muslim regimes for what they "a brutal colonial apartheid regime, thinly disguised by the trappings of democracy, but none of its spirit. Nothing we want to have something with." Froy you're describing Egypt? or Syria? Certainly the Israelis are to be lauded … for maintaining their democratic principles while having to deal with such brutal, backward, vicious regimes on their borders. You said: " … they would never vote for a pro-Israeli president again …" The only candidate that even approaches that viewpoint is Ron Paul. His standing in American polls ALWAYS seems to fall around the number 8-15% of the electorate. Sorry … you're WRONG. As an Arab/Muslim get used to it. Walt/Mearsheimer … are wrong and getting weirder and weirder in their 'takes' … but it's a free world and you can choose to read their drivel if you like … Here's a rebuttal to their premise:... Anyways … Gung Hay Fat Choy! You write: Quote: "We, Americans, believe in fairness and equality for ALL." Reply: Yes indeed, we American do. Arabs or Islamists do not. They believe every inch of land in the region is Waqf (Muslims land), where non-Muslims live under Islamic rule. That is not going to happen anytime soon. Quote: "Whatever your religion, race, etc. Israeli's clearly don't". Reply. So that Hamas, and most Muslims in the region. Quote: "We believe in seperation of Church and State, Israel (a nation built on religion) obviously does not share that with us." Reply: that is in theory - not in practice. America is a Christian majority country. Finally, your allusion that "Israel was built on top of another (Arab) state", is totally wrong, insidious and outright false. History is littered with evidence of Muslims hatred of Jews going back 1400 years. This is not new phenomenon, and has nothing to do with "dispossession of Pals from their land". This is just an excuse and tactic taught to them by their prophet. Nothing else. period. In reality, right after fall of the Ottoman, the League of nations went ahead with plan to divide the region into sovereign states, based more-less on tribal, religion and cultural. All were Muslims, and one for Jews who has been living in the region before Christians and Muslims. No one seem to have problem with it - except with the Jewish one. Jews had accepted (UNR 181) their share of the land - Arabs refused, and wanted it all. Arab went to war (to deprive Jews of their right for own state), and lost that war. Now they cry foul for their wrong decision, and refuse to take responsibilities for their own corrupt leaders. Amazing how Anti-Semitic, Anti-Jews and Anti-Israel the world still is... many of your comments and much of your publications The Economist follow this pattern. Sad to see that many of Israel's contributions to the world, to the region and to many Arab nations is overlooked and ignored. All of this has a religious root to it weather you want to acknowledge it or not. No, Jews will not recognize Christianity or Islam as the new covenant and will not convert to it. That's what the conflict is all about for thousands of years. Jews recognize the right of every human to exist and express their relationship with their Creator in any way they choose to do so. This conflict is about religion. Anyone else completely sick of this Palestine-Israel affair? Amazing how a combined total of 15 million people (about 0.2% of humanity) have been holding world peace hostage for decades. About time people stop paying attention and let these 2 work things out (or not). If the world had not a hand (or many for that matter) in this conflict I would have agreed. Whether the biginning of this conflict - promising and partitioning a land not theirs - or the israeli support for decades and the financial aspect of it being just one ... On the ground a two-state solution gets more and more complex and might even become unlikely There's No Money At Stake & So No Resolution...Ever All of the nasty financial suits worldwide get resolved either by Settlement or Court Order. Sadly, this Palestine/Israel tragedy about ideology, land and sovereignty will persist unresolved until money is at stake. It's seems painfully clear that great inequity prevails. There's no hard money at risk that would cause both sides to settle the matter. And, there's no fair Broker to negotiate a peace. There is great sorrow and sadness I feel for all those who suffer, will continue to suffer with no hope. I believe, or I want to believe that George Washington or Thomas Jefferson or Abraham Lincoln would fix it. But alas, today, neither Democrats or Republicans will even try. Warmest, Richard Michael Abraham Founder The REDI Foundation I am with you on that point! GW, TJ, or AL would have definitely solved this issue, from an American point of view. Why? because they had enough sense to never commit to one nation unconditionally. They were true American leaders, working and fighting for America, not some other nation half way around the world. In fact, it is actually in our Constitution that citizens cannot be taxed any personal property in order to give it to another nation as aid. Now I understand that same constitution gave us the power to change up some things when needed, like if it were in American intersts to tax its citizens to give it to a foriegn government. However, this relationship we have has proven to be against US interests. Just read this and make up your own mind about our "friendship" with Israel. The Israelis will not change while they America on their side. They have America on their side because of blind Jewish American support and the support of the Bible freaks. So, the Arabs and Muslims should just wait. In another hundred years, demographics will settle the issue. Every time both sides talk shop under US auspices, we know troubles and violence are not far off for the oppressed folks. I have read every single comment going back and forth between the two sides debating this issue. I just want to say to all the ones trying to call out Israel, just give it up. We all, reasonable people, see Israel for what it really is. We all see the Bull Sh*t peace treaties they put up, we all see the racism in their policies, and we all see their aggression in their military. For anyone who is willing to look at this from a non-biased point of view, we can all clearly see what Israel really is. The truth of the matter is, the people that are pro-Israeli bloggers here, probably don't see any of this because they have been tricked. Fed blind hatred about Muslims/Arabs from the day they were born until the day they commented on this article with hateful remarks and racist views. DO NOT WASTE YOUR TIME WITH THEM. They are naive enough to BELIEVE that Israel is a perfect little angel doing nothing but protecting their right to exist. I mean come on, they are "God's Chosen People" and that land they currently illegaly occupy was promised to them by "God." We are sick and tired of fighting Israel's rediculous wars so they can fulfill some ancient religious proghecy. And now, we are in danger of entering into another war with Iran because of them. Iran has never, ever, posed any threat to the US or US interests in the Middle East or abroad. Yet we are constantly pushing them to declare a war, in which we would of course have to fight on behalf of our little spoiled "friend." For all of you who wish to support your arguments with docs, check this doc out. Written by a professor at Harvard University and a professor at the University of Chicago, on US Israeli relations, and how they have been AGAINST US interests. I am telling you, do not waste your time with these people. Although we admit and never deny the wrongful deeds done by the Arabs/Muslims, we are still called Anti this and Anti that, simply because we question some Israeli practices. Rediculous, dealing with these closed minded people is just rediculous. You said: "… simply because we question some Israeli practices …" Simply question? How about … "… the Bull Sh*t peace treaties they put up …" How about … “…the racism in their policies …” How about … “ … pro-Israeli bloggers … blind hatred about Muslims/Arabs … hateful … racist views …” How about … “ … they are "God's Chosen People" These are the comments of an Arab/Muslim apologist … and an anti-Semite. The Arab/Muslim agenda is not peaceful … the Arab/Muslim agenda is not for coexistence … The Arab/Muslim agenda is not based on compromise/concessions … Israeli leaders have made decisions on the 2 State Solution in 2000 and in 2008 … offering substantive Peace Deals The PEW Opinion Polls results constantly show that an overwhelming majority of Israelis support a 2 State Solution … BUT … Israel will never allow a Right of Return of a single Arab/Muslim … Israel will never allow a divided Jerusalem … Settlements are a non-issue … since the major settlement blocs will be traded for land inside the current state … The deal and its contours are known … it will take an Arab/Muslim leadership willing to make compromises and concessions in order to change the status quo ante … it seems impossible to imagine that leadership exists in Ramallah or Gaza City … The Israelis will not now nor will they in the future ‘risk’ the lives of their nation as a gesture to appease Arab/Muslims … Imagine for a minute … if there had been a deal to return the Golan in 2008? It was almost a ‘done deal’ … ask Erdogan but … Can you imagine the security situation between Syria and Israel as a result? The Israelis cannot make deals with tyrants or the MB since neither of them are reliable interlocutors … tyrants fall and MB’s can always suggest a referendum of their population IN ORDER to rescind previous treaties … The Arab/Muslims are not ready-for-Prime-Time … they are not ready for modernity … check back in another 50 years and we’ll see where they are then … of course by then Israeli settlements will have grown as well … NOTHING STANDS STILL NOW DOES IT? If I were Abbas or Meshel/Haniyeh … I’d make the deal NOW rather than later … but that’s just me … If Israel won't share Jerusalem (it's not theirs - just read the preamble to UNSC resolution 242 - so they really ought to learn to share), then I guess they are going to keep dying. With current nuclear proliferation rates, I wouldn't fancy being on a settlement for the next fifty years. Jerusalem is NOT A SETTLEMENT … it is the Capital of Israel. As for the PREAMBLE thanks for admitting it's the PREAMBLE … Israel does not/will not move back to the 1967 borders … THERE WILL NEED TO BE ADJUSTMENTS … THEREFORE CONCESSIONS AND COMPROMISES ON BORDERS AND SECURITY … since UNSC 242 mentions … 'recognized and defensible borders' … it's up to the parties in question that is, Israel and the Arab/Muslims NOT THE PALESTINIANS who are not even mentioned in UNSC 242 … who speaks for the Arab/Muslims? Abbas? Haniyeh? King Abdullah of Jordan? Assad? Let me know … they're a many headed group without consensus except one … DESTROY THE STATE OF ISRAEL … Tell us all again how great the Jewish Defence League is Tzatz... it is well known that your the extremest Zionist voice that comments here. Still worshipping Rabbi Meir Kahane. No doubt been off visiting your buddies of the EDL, and any other group that condemns Muslims with xenophobic and racist rhetoric. One has to wonder what kind of people Israeli Jews are, they certainly lack any kind of western values:"The Public Committee Against Torture in Israel reports that abuse is widespread (some editing to get to the points raised, full text from the British House of Commons:): (a language that is not spoken by most Palestinians (Some information from Defence for Children International)). Sandra Osborne (MP):At the end of our all-party group's four-day tour of the occupied west bank, we arrived at the military court of Ofer. We were there to witness just how the Israeli military courts treated Palestinian children. The courtroom procedures were witnessed by our delegation in a tense 7 Dec 2010 : Column 25WH. The Palestinians have their own system for dealing with juvenile crime. I might add that we raised some issues about that with the Palestinian Prime Minister, who certainly acknowledged that there are problems with adult crime. The occupation has gone on for years, and the fact that Palestine is at least facing up to its difficulties and trying to improve the situation is laudable. However, it does not really matter what the legal system is. The system used by the Israelis breaks international law. That is completely unacceptable, and it is high time that something was done about it." The text continues on how Israel continually breaches the fourth Geneva convention in both the handling of the Children purported (61%) of stone throwing, in majority of cases, these allegations are made by those inhabiting illegal settlements. "90% of cases of alleged settler violence that are investigated by the Israeli authorities are closed without any charges being filed. It is a very different picture for charges brought against Palestinians, particularly in the way in which Palestinian children are arrested, detained and sentenced." If you want to know who it is teaching Palestinian children to hate Israeli Jews:" Few Israeli settlers are charged with offences committed in the occupied west bank, but when they are, they are prosecuted in regular civilian courts within the state of Israel. Palestinians who are arrested, however, have to go to military courts and are held in military prison. That applies to children as well as adults. Palestinian children in the west bank go to military courts, but Israeli children go to civilian juvenile courts.The maximum period of detention between being charged and the conclusion of a trial is 6 months for an Israeli child, but two years for a Palestinian child. Bail is denied in 20% of cases for Israeli children, but in 87.5% of cases for Palestinian children. Custodial sentences are imposed in 6.5% of cases for Israeli children, but in 83% of cases for Palestinian children."’ Minors in the UK are not subject to torture and threats, nor are they subject to such abuse from the legal system anywhere in the 'West'. The research by the MP's fact finding mission found no proper due process, nor proper legal representation in the Israeli run system for Palestinians. Israel has the same values as apartheid South Africa, and a legal system that is nothing like those of civilised western countries, like Great Britian. I know of no time in recent history that human rights campaigners were locked up in Great Britian, nor when a foreign member of Parliament was detained. Israel has done both, quite recently... Israel is far closer to its neighbours in values than the west. Israeli Justice:. Have you got a spare kleenex tissue? The 'accused' had their day in court … that's clear. The 'Israeli' rights groups you're referring to don't exist in any Arab/Muslim country … they don't have access to media … access to freedom of movement … all the Western values we honour as members of the WEST … HELLO? Without their reporting you wouldn't be aware … that says it all for me! These rights groups exist IN ISRAEL … end of story. Get it Cutters … 'can you spare me some cutter me brother?' lol You great big fibber! Human Rights Watch and Amnesty International have offices, representatives and volunteers throughout the middle east: Israel is as bad as any other middle eastern country, it arrests human rights activists without charge or trial like Abdallah Abu Rahma and Mohammed Othman (the latter is actually high up in the Human Rights Watch). As for Israeli courts, they act in the same way as apartheid South Africa. Going on the same line of thought would justify the deaths of those that harboured Jews on occupied Europe and resisted against the occupation had their day in court... that's clear. You would have to agree it must be OK for Gay's to be executed if they were found guilty in Iran or some African countries, as would have been the arrests and hanging and imprisonment of Jew's in the Arab states... what were they complaining about, the accused had their day in court, that is very clear. You insult yourself … your intelligence (or lack of) … by your examples … Still they are there for the record to show … 'where your coming from'! Thanks for sharing. lol. They are your standards, as you would say, they all had 'their day in court'. The examples are the logical and reasoned other instances that one with your stance would have to say were also justified. Unless your admitting to all here that you are a hypocrite? Are you a hypocrite tzatz, or are you going to stand by your opinion in all cases? It is after all the opinion you have stated, not mine. Fernando, the Economist's rules prohibit usage of proper names even when someone shows as much intelligence as you did in that post of yours about "nuclear proliferation rates". But really... do you imagine states lobbing nuclear bombs at each other same way as Pals lob their home made BS petards to the Israeli territory? If your intelligence and mentality are any indication for what Persians and their 'progressive' fans in the West are after, then the American and Israeli resolve not to allow them nukes is totally justified. The world is wasting too much good will and energy on this comparatively petty conflict when there are much larger problems it needs to tackle. When two kids are slapping each other silly on a play ground over stuipid Sh*t over and over you dont join in their stupid arguments and try to resolve it, you tell them what needs to be done then show them the big stick you carry and give them the meanest look you can give'em US EU and Major Asian countries can solve it in a single stroke, simply declear that: 1. All illegal west bank settlements will need to be removed and evacuated in certain time, after which it wil be bombed and razed. 2. All hostility including rocket firing into Israel need to be ceased or any perpetrators will be hunted down with drones/whatever other means available 3. Reach an agreement in 1 year or just carpet bomb the whole damn place, regardless of whoms on there after that time line. its been almost 50 years. So much energy and potential wasted on this damn conflict. Enough is enough. Slap the two silly kids back into their senses. Again Dont borther try to work out between them because its just silly games now. Tell them what needs to be done, and be done with it either way!’ Not at all, because Israel does not share 'western' values. That is the view of of the British house of commons, and the majority of the public. No 'western' country would shackle 13-14 year olds, and that you condone this shows how sick you are. I doubt even in America, torture and threats of rape would be used on minors, let alone producing a confession for them to sign in a in a language they don't know. You can rant and rave as much as you want, but the facts are that Israel has nothing that comes close to sharing western values. No nation on the Earth is indigenous to the lands it inhabit now. Even the Australian Aborigines who lived undisturbed on that landmass for thousands of years had come there from some other place. And they didn't create a nation, didn't create a state for themselves in those thousands of years when they have been left alone by the rest of the mankind... so Brits came along and did it. Good on them! That is why I find absolutely redundant the discussion about who came first to the Holy Land - Canaanites who have all the passionate empathy of Cutters (I wonder, what he really does know about them?), Hebrews, or other species of the Semitic race. What is sure, is that it wasn't any Arabic tribe... but it's irrelevant, too. Even if the priority can be established with no doubt, it wouldn't mean anything. Nations keep their lands because they can; and they lose them when they cannot. The so called international law, using all the politically correct rhetoric of course, upkeeps exactly this arrangement. Just think the plight of Yugoslavia - a sovereign nation, and member of the UN. They weren't able to retain Kosovo, and the 'international law' just handed it to Albania. Which means that peace in Middle East is possible - through overwhelming fire power, as usual. Guess who has it? Clearly, in reviewing the development:... Cute excuse to justify colonialism. I wonder if the Brits told Native Americans, Australian Aborigines and Zulus the same to explain their dispossession and mass slaughter. Thankfully, the world has learned to know better. Colonialism is now universally rejected. Invading other people's land of birth is no longer kosher. Sorry, Israel arrived late to that party. The money (debt) can not make you happy. The occupied land, is same. Shame till drop. @ Froy": What did Brits tell to Aborigines? Exactly what the Aborigines of any lands had told to their predecessors... "It's our turn now". Always the same. As to the late gatecrashers at a party, tell this to the so called Palestinians. They fulfill the description precisely. So many words just to say "might is right". We already knew that's the only coherent argument Israel can put forward. Since it's coherent, no need of more than one. You dislike too many words, no? :-) Unfortunately, it's mine, not Israel's. Israel still continues to pay attention to the bunch of international whinnies. But she'll be right, as Assies say. Looking at this thread one understands how screwed up are the heads of those from Israel/Jew bashing brigade. They will repeat, and repeat, and repeat ad nauseum hundreds years old lies demonstrating only their own prejudices and doing absolutely nothing constructive for the Palestinian cause which they pretend to root for. The real star in this regard is one who chose some kind of Chinese pseudonym. This guy even refers to the Protocols as if he indeed believes the 'document' were genuine! Quote: "It was in 1921 that the Times of London proved that they were fake. And after that they were more and more believed and published everywhere. So I was interested by such a phenomenon. Why were they so successful? The answer is that they were not creating new ideas. They were reinforcing previous prejudices". Umberto Eco, on his recent best-selling novel The Prague Cemetery. Palestine never wants peace. These "talks" are the same old shtick. Call a cease fire (a talk) so we can move weapons and terror. Repeat forever. Indeed, the Palestine Liberation Organization (PLO) has never wanted to achieve peace with Israel ("Palestine", mind you, is neither a nationality or a state and has never been; it is simply a name of a territory, 77% of which was handed to the Arabs back in 1921 while the rest, 23% of the territory of "Palestine" was designated to be "the national home for the Jewish people"). Let us keep in mind, the Palestine Liberation Organization (PLO) was set up back in 1964; that is three full years before Israel captured the presently disputed territories during the Six-Day War. These territories at that time had been "cleansed" of their former Jewish residents and ruled by the Arabs. Thus, the question: which part of "Palestine" was this organization to "liberate"...?? And, which part of "Palestine" is it to "liberate" today...??!! Israel goes beyond newest calamity. The man, Andrew B. Adler, the editor of the Atlanta Jewish Times, his article advocating the assassination of President Obama has by now been global. Israelism is a fact. Breivik, Adler. Do you still believe in something that the Israel is David? We dont. Watch the slow motion of its u-turn since Atlanta Jewish Times advocating the assassination of President Obama. "Andrew B. Adler" Is there a people without nuts...?? Fortunately, the man has just announced his resignation, something he should have done upon even thinking, let alone writing, his idiotic piece. But, better late than never, isn't it...??!! The organizations of Im Tirtzu, IsraCampus and Israel Academia Monitor, have labeled about 10 percent of Israeli academics as anti-Zionist. The 10% occupy the headline with strong support for two states and 1948 principle. They know nuclear weapons are useless to block all Palestines that surround Israel by david stars on Palestines' hand and heart.
http://www.economist.com/comment/1236556
CC-MAIN-2014-23
refinedweb
23,439
70.63
Approximating Java Case Objects without Project Lombok 2010/07/09 10 Comments Over the past few months Dick Wall of the Java Posse has been talking up Project Lombok and for good reason. As he points out, its great for reducing boilerplate code in basic Java data objects. However, the more important point that Dick makes is that it prevents stupid errors, particularly when adding new object fields later on in the development cycle. The only unfortunate issue is that Project Lombok requires a compiler hack that can be rather confusing to those not using a supported IDE or for those coding outside of an IDE. However, Apache Commons provides an elegant solution to this issue. Project Lombok Lets start with a quick overview of Project Lombok. At its most basic level it provides a set of annotations (i.e. @Data) that you add to your Java data objects. You simply create private fields in an annotated object and the annotation will cause a full set of constructors, getters/setters, equals/hashCode and toString to be generated in the class file at compile time while keeping a simple and minimal source file. Its an elegant solution but it comes with a fair amount of magic surrounding it. Alternatives The simple alternative to Project Lombok is to have the IDE generate the code for you. Eclipse, for instance, is very good at doing this with auto generation of constructors, getters/setters, hashCode/equals and toString. This works wonders when creating the object for the first time but, as Dick points out, its too easy to add a new field and forget about updating toString and hashCode/equals leading to confusing and subtle bugs down the road. The other alternative, and the one I am promoting, strikes a balance between Project Lombok and IDE generation by auto generating the hashCode/equals and toString and leaving the getters/setters and constructors up to the developer as these are necessary for the new field to be of any use. Apache Commons Buried deep in the Apache Commons is the builder package containing utilities such as EqualsBuilder, HashCodeBuilder, and ReflectionToStringBuilder. I don’t remember when I first discovered these gems but once I did the lightbulb went off; if used them in an Abstract base class they would ensure proper implementations of equals/hashCode and toString without having to mess with every data object I create. import org.apache.commons.lang.builder.EqualsBuilder; import org.apache.commons.lang.builder.HashCodeBuilder; import org.apache.commons.lang.builder.ReflectionToStringBuilder; import org.apache.commons.lang.builder.ToStringStyle; public abstract class AbstractBaseObj { @Override public boolean equals( final Object obj ) { return EqualsBuilder.reflectionEquals( this, obj ); } @Override public int hashCode() { return HashCodeBuilder.reflectionHashCode( this ); } @Override public String toString() { return new ReflectionToStringBuilder( this).toString(); } } Drawbacks Of course this option is not with out its own drawbacks compared to Project Lombok. First off, as mentioned before, it does not deal with getters/setters or constructors. However, as I pointed out, I don’t believe this to be a huge imposition since creating a new field without creating getters/setters and/or a constructor using that field is fairly useless. Additionally, I like that this gives ease and flexibility over which constructors are created. This has been quite handy in the most recent project I’ve been working on. Another draw back is that it requires an Abstract base class from which all objects must inherit. Annotations are certainly a more elegant solution since it doesn’t require a given object hierarchy. However there are often good reasons for a project specific base object for reasons beyond just equals/hashCode and toString. Additionally, the base class is fully owned by the project with just the few methods necessary being implemented. This is significantly better than having to inherit from a class provided by some 3rd party jar. The important drawback, however, is that the Apache Commons solution uses reflection instead of actually generating code to implement equals/hashCode and toString. Depending on how frequently these are used and how performant they need to be this might be a real consideration to use either Project Lombok or to write all the code directly. However, I have not found this to be the case in my project as it never seems to show up as a hot spot in any profiling I have done.
http://codedependents.com/tag/apache-commons/
CC-MAIN-2014-15
refinedweb
728
51.58
Introduction Kubernetes services help applications running in Kubernetes clusters to communicate. A service helps manage internal and external traffic to pods through IP addresses, ports, and DNS records. Service discovery is the process of connecting to a pod's service. This article explains what Kubernetes service discovery is and provides an implementation example. Prerequisites - Access to the command line/terminal. - Access to a sudo account. - A text editor, such as nano. - Minikube installed and configured. - Basic kubectl commands (grab our kubectl commands cheat sheet to follow along). Note: Kubernetes deployments quickly become complex. phoenixNAP's Bare Metal Cloud integrates Rancher as a solution, enabling one-click deployments. Check out how to set up cluster management on BMC using Rancher. What is Service Discovery in Kubernetes? Service discovery refers to the process of connecting to a Kubernetes service. Services provide Pods with a network connection, making them discoverable. Pods represent the basic building block of Kubernetes and are a collection of containers that can move across nodes. Kubernetes assigns each pod with an internal IP address once deployed. A pod's internal IP changes over time due to the movement, creation, and destruction across nodes. A service binds to Kubernetes deployment pods, creating a DNS service inside the cluster and HTTP endpoints for service discovery. Although the IPs change, the HTTP endpoints remain the same. Below is an example implementation of service discovery in Kubernetes. How Does Service Discovery Work in Kubernetes? This example uses Minikube to deploy a single-node cluster of a simple hello-kubernetes web app. To start Minikube, run the following command in the terminal: minikube start Follow the steps below to see how service discovery works in Kubernetes. 1. Create Namespaces The example infrastructure consists of two namespaces for development and production. 1. Create a namespace YAML file for development: nano development-namespace.yml 2. Add the following code to the file: apiVersion: v1 kind: Namespace metadata: name: development 3. Save the file and close nano (CTRL+X, Y, Enter). 4. Create the namespace with: kubectl apply -f development-namespace.yml A message appears confirming the namespace creation. Repeat the same steps for the production namespace. Change the file name to production-namespace.yml and set the name in metadata to production. 5. To confirm both namespaces are active, run: kubectl get namespaces The output shows the development and production namespaces on the list as Active. 2. Create Kubernetes Deployment Deploy the example hello-kubernetes application in both namespaces. 1. Create an app deployment YAML configuration file: nano app-deployment-development.yml 2. Add the following configuration: apiVersion: apps/v1 kind: Deployment metadata: name: hello namespace: development spec: replicas: 2 selector: matchLabels: app: hello template: metadata: labels: app: hello spec: containers: - name: hello-kubernetes image: paulbouwer/hello-kubernetes:1.5 ports: - containerPort: 8080 The deployment consists of two pod replicas. 3. Save and close the file. 4. Apply the deployment configuration with: kubectl apply -f app-deployment-development.yml The output confirms the hello deployment creation. Repeat the deployment steps for the production namespace. Change the file name to app-deployment-production.yml and replace the metadata namespace name with production. 5. Confirm the two deployments are ready with: kubectl get deployments --all-namespaces The output shows the hello deployment on development and production namespaces. 3. Ping Pods To verify the IP addresses work inside the cluster, create a temporary pod in the default namespace for running essential utility commands: 1. Create a busybox.yml configuration file: nano busybox.yml 2. Add the following configuration: apiVersion: v1 kind: Pod metadata: name: busybox namespace: default spec: containers: - image: busybox:1.28 command: - sleep - "3600" imagePullPolicy: IfNotPresent name: busybox restartPolicy: Always The busybox pod contains basic shell utilities, such as ping, nslookup, wget, etc. 3. Save the file and close. 4. Apply the file to create the pod: kubectl apply -f busybox.yml The command creates the pod and applies the configuration. 5. Check the IP addresses of the nodes with: kubectl get pod -o wide --namespace=development kubectl get pod -o wide --namespace=production The output shows two addresses per pod (one for each node). Use any of the addresses for the following step. 6. Ping the address from the busybox pod in the default namespace with: kubectl exec -it busybox -- ping <address> Replace <address> with the actual address from one of the pods. The ping command works within the cluster, confirming the pod address is correct. Running nslookup does not resolve to a hostname: kubectl exec -it busybox -- nslookup <address> When deploying again, the application changes these addresses. A service helps create a stable endpoint, which makes service discovery straightforward. 4. Create Services Creating services for the namespaces helps expose the addresses, allowing access from the web. To create a service for development and production, do the following: 1. Create a service file for the development deployment: nano app-service-development.yml 2. Add the following code: apiVersion: v1 kind: Service metadata: name: hello namespace: development spec: type: LoadBalancer ports: - port: 80 targetPort: 8080 selector: app: hello The service connects to the development namespace for the hello deployment on port 80. The service type is LoadBalancer. Note: Other service types include ClusterIP, NodePort, and ExternalName. 3. Save the file and close. 4. Apply the service with: kubectl apply -f app-service-development.yml The output prints a confirmation. Repeat the steps for the production deployment. 5. To view the services, enter: kubectl get services --all-namespaces The output shows the hello deployment on development and production namespaces. Both are LoadBalancer types with a set cluster internal address. Connecting using the internal address automatically load balances the requests between two pods. The external address is <pending> until exposed. 5. Expose the Service To expose the service on the internet, do the following: 1. In another terminal tab, expose the services to the internet with: sudo minikube tunnel Enter the password and leave the tab running. 2. Each service receives an external IP address. Check the IP addresses with: kubectl get services --all-namespaces The IP addresses expose the service to the internet, creating an HTTP endpoint and a DNS service. 3. Run nslookup on either address to see the name resolution: kubectl exec -it busybox -- nslookup 10.99.132.104 The address resolves to hello.development. 4. View the service in the browser by accessing the address. Accessing the address via port 80 also resolves to the same page. Alternatively, use wget: kubectl exec -it busybox -- wget -O - sh The hello.development page resolves to the 10.99.132.104:80 address and fetches the contents. Conclusion After going through this guide, you know what service discovery is in Kubernetes. The example helps demonstrate how service discovery functions and what Kubernetes does behind the scenes.
https://phoenixnap.es/kb/kubernetes-service-discovery
CC-MAIN-2022-33
refinedweb
1,128
50.33
WSDL is the accepted definition language for Web services, so the SOAP nodes are configured using WSDL. WSDL definitions can optionally be split into multiple files. The typical arrangement is that a top-level service definition file imports a binding file, the binding file imports an interface file, and this interface file imports or includes schema definition files. (See the WSDL topology section for more details.) If you do use multifile WSDL, you must use the service definition to configure the node, allowing endpoint properties, such as URL, to be set. (If you try to configure a node using just a binding definition, you'll get the error Service port: you must select a binding that has at least one port.) The overall use of WSDL is described in the section WSDL life cycle in the broker. The immediate concern is how to get the WSDL definition required to configure the SOAP nodes. There are two cases: Either you already have a WSDL definition or you need to create one. If you have an existing WSDL definition, you can do one of the following: - Import the WSDL into an existing message set by clicking New > Message Definition File From > WSDL File. This option is available on the regular File menu, or via the right-click pop-up menu from a message set selected in the Broker Development pane. Note: This is not the same as selecting File > Import, which only lets you import the WSDL files into your workspace and does not result in deployable WSDL. - Use the Quick Start wizard Start from WSDL and/or XSD files, which lets you create a message flow and message set from scratch. Note: Your WSDL must include a binding definition. Some products, such as IBM WebSphere Integration Developer, let you work with WSDL definitions that only have a portType. You need to add a binding and service to such a definition before you can import it into the broker to create deployable WSDL. Alternatively, if you have a message set that defines the payload of your Web service messages, you can generate a new WSDL definition from your message set. You generate WSDL by right-clicking your message set, and then selecting Generate > WSDL Definition > Generate a new WSDL definition from existing message definitions. If you want to make the WSDL only externally available, you can now select Export to an external directory. However, if you intend to use the WSDL to configure SOAP nodes, then select Create in a workspace directory. Note: You should select the message set folder beneath your message set project. For example, if your message set project is called myMessageSet, select myMessageSet/myMessageSet. (Otherwise the generated WSDL doesn't appear under the Deployable WSDL category.) If you also need to make the same WSDL available to an external toolkit (for instance for use with a code generator), then you should first generate the WSDL in your message set, and then export it as a separate step. Export WSDL by right-clicking, and then selecting Generate > WSDL Definition > Export an existing WSDL definition to another directory. You can then select the required file format and WSDL style. Note: This is not the same as selecting File > Export, which only lets you copy individual selected files from your workspace and paste them to the file system, and may not result in well-formed stand-alone WSDL. Finally, there's also a wizard for creating a new WSDL definition from scratch. (You access this by selecting New > Other > Web Services > WSDL.) However, if you want to use this, be aware that the resulting WSDL is not deployable WSDL, because inline schema definitions are added to the <types> section. If you want to create a new WSDL definition this way, then after you've created it you have to import it as a separate step, as described earlier, to create deployable WSDL. WSDL validation: development time A WSDL validator checks WSDL against the WS-I Basic Profile. A WSDL definition is far less likely to cause interoperability problems if it's WS-I compliant. The validator can be invoked automatically when the WSDL importer or WSDL generator is run, or you can invoke it manually via the tooling (for example, the pop-up menu on a .wsdl file). Typically you only need to validate the WSDL definition once, but you should rerun the validation if you modify the WSDL file. (If you see the error Referenced file contains errors for a file in a multipart WSDL, then you should run the validator manually on the referenced file(s) to see the detailed messages.) You can specify when the validator should be run and which compliance level should be used under the tooling Preferences (Window > Preferences), as shown in Figure 1. Figure 1. WSDL validation preferences By default the WS-I Attachments Profile (WS-I AP) is selected, but if this is set to Ignore compliance, then you can choose to Require or Suggest compliance with the less comprehensive Simple SOAP Binding Profile (WS-I SSBP). (See Resources for more information on SSBP.) You should generally leave the default, which allows the validator to check the conformance of MIME (SOAP with Attachments) bindings in the WSDL, in addition to regular SOAP bindings. Deployable WSDL and flow configuration Having imported or generated your WSDL, you should have a message set containing deployable WSDL. Usually this appears under the category Deployable WSDL (left side in Figure 2), but if Hide Categories is checked, then note that the Deployable WSDL category is not shown (right side in Figure 2). (Hide Categories is off by default, but can be selected via the pop-up menu of the message set.) Figure 2. Deployable WSDL The deployable WSDL can then be used to configure SOAP nodes (SOAPInput, SOAPRequest, or SOAPAsyncRequest) in a message flow, either by dragging the WSDL from the resources pane directly onto the node in the Message Flow Editor (see Figure 3) or by browsing for the WSDL on the Basic tab of the node Properties (Figure 4). Figure 3. Drag configuration of a SOAPInput node Figure 4. Properties configuration You must always select a specific WSDL binding. And for a SOAPRequest or SOAPAsyncRequest node, you must always select a specific operation, too. Often you'll want to create your own message flow and then configure the nodes as just described. However, as a convenience you can also create a new skeleton message flow by dragging a WSDL definition onto a blank Message Flow Editor canvas. When you do this, you also choose the type of flow (service provider or consumer) and the operations to be handled by the flow. In addition to the WSDL file name itself, other WSDL-derived default values are set automatically on the Basic tab when the node is configured, but can be overridden by the user. Role of the message set and WSDL Editor Logically, the WSDL configures your message flow. But it's also important to understand the significance of the message set itself. Whether you import or generate the WSDL, your message set contains both the .wsdl resource and .mxsd resources representing the Web services messages described by that WSDL. At development time, these message definitions support the use of extended SQL (ESQL) content assist and the creation of mappings. At run time they allow schema validation of the detailed message content. If you edit a deployable WSDL resource using the WSDL Editor, you'll see that you can navigate from the graphical Design view of the WSDL to the underlying XML schema definitions represented by the message set. Figure 5. WSDL Editor Figure 5 shows a service with two operations: op1 and op2. The input message for op1 is described by the XML schema element e11. Clicking the arrow to the right of e11 opens the Message Definition Editor on the .mxsd containing that definition. You can use the WSDL Editor and Message Definition Editor to modify your WSDL definition if necessary. (A word of warning: You should treat the graphical view of the editor as a viewer and use the source view if you want to make updates. If you modify the WSDL using the graphical view, then you can add inline schema definitions, which are not allowed in deployable WSDL.) If you change the targetNamespace of your WSDL, the name of any port, portType, binding or operation, or the style ( rpc or document), then you must re-apply the WSDL to any SOAP nodes that use it. Otherwise you can't add the affected message flows to a BAR file (you'll see a message saying that your WSDL has errors). The expectation is that a message flow beginning with a SOAPInput node can handle all the operations in the binding, which was selected when the node was configured. Each portType is bound to a specific endpoint by a WSDL port. This endpoint information is used to dispatch requests to the node, and should, therefore, be unique. (If multiple SOAPInput nodes are associated with the same endpoint, then the broker can't tell which node to dispatch to.) Each SOAPInput node is configured by a single WSDL file. If you need to implement several versions of the same WSDL, you can configure multiple SOAPInput nodes in the same flow as long as each node uses a different Uniform Resource Identifier (URI). The SOAPInput nodes can share a single SOAPReply node if required; this may improve the readability of the flow. Similarly, each SOAPInput node uses either HTTP or HTTPS, so ideally you shouldn't mix Secure Sockets Layer (SSL)-secured operations and non-SSL operations in the same portType. But if this is unavoidable, you can configure two separate SOAPInput nodes with the same WSDL, defining one to use HTTP and the other to use HTTPS. A SOAPInput node determines the specific operation from the message payload, that is, the name and namespace of the first child of the SOAP body. For a rpc-style WSDL, the payload is guaranteed to be unique to an operation because it's the WSDL operation name itself. But it's possible to construct a document-style WSDL with the same payload for more than one operation. (The WSDL validator warns you at development time that the operations aren't unique.) In this case you must ensure that the WSDL defines a unique SOAPAction or WS-Addressing Action for each operation; otherwise a SOAPInput node can't distinguish between the operations. Your message flow should be deployed along with the message set containing the WSDL that configured the SOAP nodes. (In fact, you can deploy the message set first if you want to, but it's easier to add your message flow and message set to the same Broker Archive file.) At run time, the message set is then used to validate the Web service messages that are sent and received by the message flow. If you want to, you can modify properties for individual nodes using the BAR file editor (Configure tab). This is particularly relevant for security configuration. As mentioned earlier, a WSDL definition consists of four logical sections: - services - portTypes - bindings - XML schema definitions These logical sections can be written as separate files (related using import and include statements) or as a single file. Some products have difficulty importing the multifile format, although support is improving. If you use the multifile format, you have the option of specifying a different targetNamespace for each file. This is often inadvisable because it makes the WSDL harder to maintain (for instance, each file is written to a separate directory in a broker message set) and may impair its consumability by other tools, whilst conferring no particular benefits. In terms of SOAP node configuration, a top-level service definition is always required. Typically a WSDL definition has a single service definition with a single portType (the logical interface provided by the service) and one or more binding (the physical instances of the logical interface). But it's also possible for a WSDL definition to include multiple portTypes, either as variations of a single interface or as multiple distinct interfaces. A binding defines a use, which may be document (the default) or rpc. If the use is document, then the SOAP payload is described by an XML schema element in the WSDL. If the use is rpc, then the SOAP payload is the WSDL operation name in a specified namespace. The bindings are related to the service by port definitions. The bindings and portTypes are related to the XML schema by the WSDL message and part definitions. Figure 6 shows the relationship of the various parts of a WSDL definition. Figure 6. WSDL organization - port1, port2, port3, and port4 offer the same named service at different locations. - port2 provides the same service as port1 (same logical interface and wire format). - port3 provides the same logical service as port1 and port2 (same logical interface), but with a different binding (for example, it might be SOAP/MQ instead of SOAP/HTTP). - port4 has a different portType, implying that a different set of operations ( opsB) is supported. This can mean that port4 offers a variation of the same logical interface. For example, you might want to offer a richer service implementation over your intranet than the one available publicly. Alternatively, it can mean that port4 offers a completely distinct interface. Note: Each port should generally be configured with a different location. A SOAPInput node implements a specific portType and binding, but requests are dispatched to it based on the port location. WSDL life cycle in the broker The following sections describe the life cycle of WSDL from import or generation through deployment. WSDL import or generation WSDL is imported into a message set, or a new WSDL is generated from a message set. In both cases, the result is a message set ready for use with the SOAP domain, meaning that the message set contains the definitions needed to describe the SOAP messages expected at run time. The following message definitions (mxsds) are added to the message set: - (On import) definitions corresponding to both inlined and externally referenced <schema>definitions - A SOAP envelope definition for the version of SOAP used by the WSDL - For rpc-style WSDL (rpc-literal or rpc-encoded), definitions for the rpc-style operations and part names - For rpc-encoded WSDL, a SOAP encoding definition for the appropriate SOAP version - A definition of the SOAP domain tree itself ( SOAP_Domain_Msg) On import, the WSDL importer makes a deep copy of the WSDL into the message set: - The WSDL files are copied into the message set under a directory reflecting the WSDL target namespace, defined by the targetNamespaceattribute on the WSDL <definitions>element. - The original file names are preserved unless it's necessary to change them to avoid a name clash. - All <schema>definitions are replaced with <xsd:import>references to the newly created message definition files. - The WSDL is validated against the WS-I Basic Profile using the WSDL Validator. On generation, the WSDL generator creates a new WSDL definition in the message set. This is complementary to the import case above. WSDL can be exported from a message set, allowing you to make a previously generated WSDL available to an external consumer or to export a previously imported WSDL. This is actually selected via the WSDL generation wizard. Figure 7 summarises import, generation, and export, and shows how WSDL can be either: - Imported into a message set. - Generated from an existing message set (and subsequently exported if it's also required for use by an external application). In both cases, the resulting deployable WSDL in the message set can be used to configure the SOAP nodes. Figure 7. WSDL import, generation, and export WSDL is used to configure SOAP nodes in a message flow, allowing you to create a message flow with a direct correlation to the WSDL that describes the messages it needs to handle. The message set containing the WSDL is added to a .bar file. Typically you add the message set and its associated message flow to the same .bar file. You can deploy the WSDL on its own if you want to, so long as it's deployed before the message flow that depends on it. The .bar file is deployed to a broker, enabling the message flow to check messages against the WSDL at run time and to provide WSDL-derived information in the logical tree. Figure 8 summarises configuration, BAR file creation, and deployment, showing how the message set and message flow are deployed to the broker in a broker archive file. Figure 8. Configuration and deployment In this article, Part 3 of the series, you've seen a detailed description of the configuration of the SOAP nodes and use of WSDL. Part 4 will describe the resulting runtime behavior. Learn - Read the other articles in this series: - Part 1: SOAP node basics (developerWorks, Jun 2008) - Part 2: The SOAP domain logical tree (developerWorks, Jul 2008) - Learn more about the IBM WebSphere Message Broker and what's new (developerWorks, Jan 2008). - Learn more about the WS-Addressing and WS-Security specifications. - Visit the W3C site, which hosts the specifications for SOAP, SwA, and MTOM, as well as WSDL and the WSDL 1.1 Binding Extension for SOAP 1.2. - Get specifications for WS-Addressing from the W3C. There are two main versions, usually referred to as the Submission version and the Final version, which is described across 3 documents: Core, SOAP Binding, and Metadata. WebSphere Message Broker supports both versions, but defaults to the Final version. - Get offers the specifications for the Basic profile and attachments profile from the WS-I. - - Download a trial version of WebSphere Message Broker V6.1. -. Rob Henley is a software developer on the WebSphere Message Broker development team at the IBM Hursley Software Lab in the UK. He works on the design and implementation of support for Web services in WebSphere Message Broker Matthew Golby-Kirk is a software developer working on the WebSphere Message Broker development team at the IBM Hursley Software Lab in the UK. He works on the design and implementation of the HTTP and Web services support, along with the ESQL language run time in WebSphere Message Broker. You can contact Matthew at mgk@uk.ibm.com.
http://www.ibm.com/developerworks/webservices/library/ws-soapnode3/index.html
crawl-002
refinedweb
3,064
50.36
This concludes my two part series. In my first post, I provided some background information about PowerShell and DevOps. In this post, I’ll provide you a bunch of specifics. PowerShell 3.0, like Windows Server 2012, has a ton of new features and enhancements so I’ll only scratch the surface. –Jeffrey While PowerShell has always been focused on the goals of DevOps, PowerShell 3.0 and Windows Server 2012 take this to a new level. With Windows 2012, we shifted our focus from being a great OS for a server to being a cloud OS for lots of servers and the devices that connect them whether they are physical or virtual, on-premise or off-premise. In order to achieve this, we needed major investments in: - Automating everything - Robust and agile automation - Making it easier for operators to automate - Make it easier for developers to build tools Automating Everything Windows Server 2008/R2 shipped with ~230 cmdlets. Windows Server 2012 beats that by a factor of over 10 shipping ~ 2,430 cmdlets. You can now automate almost every aspect of the server. There are cmdlets for networking, storage, clustering, RDS, DHCP, DNS, File Servers, Print, SMI-S etc. – the list goes on. If you’ve read blogs about Windows Server 2012, you’ve seen how many things can be done using PowerShell. If you haven’t kept up to date, check out Jose Barreto’s File Server blog posts, Yigal Edery’s Private Cloud blog posts, Ben Armstrong’s Virtual PC Guy’s Blog posts, the Clustering and High-Availability blog posts or Natalia Mackevicius’ Partner and Customer blog posts and you’ll see what I mean. Windows Server 2012 is, by far, the most automatable version of Windows ever. There are already a large number of hardware and software partners that are shipping PowerShell cmdlets and those that haven’t released them yet are working to quickly deliver them in the next versions of their products. This was very clear at the recent MMS conference in Las Vegas and I think you’ll see even more support at TechEd. You should definitely make sure that any product you buy delivers a full set of PowerShell cmdlets. If it doesn’t, you should think twice and do some due diligence to make sure you are getting a product that is current and is still being invested in. If they didn’t do PowerShell, what other things they missing? The good news is that a lot of the products will support PowerShell by the time Windows Server 2012 ships and that the products that have delivered cmdlets found it easy to do and mention the very positive customer feedback they get. EVERY product that ships PowerShell cmdlets, increases their investment in PowerShell in their next release. Robust and agile automation Workflow We integrated the Windows Workflow Foundation engine into PowerShell to make it simple and easy to automate things that take a long time, that operate against a very large scale, or that require the coordination of multiple steps across multiple machines. Traditionally Windows Workflow has been a developer-only tool requiring visual studio and a lot of code to create a solution. We’ve made it an in-the-box solution that operations can easily create a solution using their existing PowerShell scripting skill. Workflow provides direct support for parallel execution, operation retries, and the ability to suspend and resume operations. For example, a workflow can detect a problem that requires manual intervention, notify the operator of this condition and then suspend operations until the operator corrects the situation and resumes the workflow. Operators can use any of the available Workflow designers to create workflows. However we took it a step further and simplified authoring by extending the PowerShell language with the workflow keyword. Any operator or developer can now easily author a workflow using the tools that ship in all Windows SKUs. The behavior of a workflow are different than a function and it has a few more rules but if you know how to write a PowerShell function, you are 80% of the way to being able to write a workflow. Authoring workflows using PowerShell is much easier than working with XAML and many of us easier to understand than Workflow designer tools. You also get the benefit of being able to paste them into email and have someone be able to read/review it without having to install special tools. Below is an example workflow which operates on multiple machines in parallel collecting inventory information in parallel on each of the machines. The command below will get this inventory information from a list of servers contained in servers.txt and output the results to a file. If any of the servers is unavailable, the workflow will attempt to contact the server every 60 seconds for an hour. Workflow is exactly what DevOps practitioners need to reliably and repeatably perform operations. One of the key techniques of DevOps is A/B testing where two versions of software are deployed and run for a period of time. They are measured against some goodness metric (e.g. increased sales) and then the winning version is deployed to all machines. The workflow capabilities allow PowerShell to perform operations against a large number of machines over a large period of time making it easy to automate A/B testing. Scheduled jobs We also seamlessly integrated Task Scheduler and PowerShell jobs to make it simple and easy to automate operations that either occur on a regular schedule or in response to an event occurring. Below is a workflow which is meant to run forever. It collects configuration information (disk info) and then suspends itself. The workflow is started and given a well-known name “CONFIG”. We’ll resume this workflow using Task Scheduler. In the example, we register a ScheduledJob to run every Friday at 6pm and after every system startup. When one of the triggers occurs, the scheduled job runs and resumes the workflow using its well-known name. The workflow then collects the configuration information, putting it into a new file, and suspends itself again. Robust Networking In previous releases, PowerShell shipped with remoting disabled by default and required operators to go to each machine and issue the Enable-PSRemoting cmdlet in order to remotely manage it. As a Cloud OS, remote management of servers via PowerShell is now the mainstream scenario, so we’ve reduced the steps required and enabled PowerShell remoting by default in all server configurations. We did extensive security analysis and testing to ensure that this was safe. In Wojtek Kozaczynski’s blog post on Standards-Based management, he described how we made WS-MAN our primary management protocol and kept COM and DCOM for backwards compatibility. WS-MAN is a Web-Services protocol using HTTP and HTTPS. While these are effectively REST protocols, PowerShell establishes a session layer on top of these to reuse a remote process for performance and to take advantage of session state. These sessions were robust in the face of modest network interruptions but would occasionally break when operators managed servers from their laptops over Wi-Fi networks while roaming between buildings. We’ve enhanced the session layer of WSMAN. By default, it will survive network interruptions up to 3 minutes. Disconnected Sessions support was added to PowerShell sessions which give users the option to disconnect from an active remote session and later reconnect to the same session, without losing state or being forced to terminate task execution. You can even connect to the session from a different computer (just like a remote desktop session). Easier for operators to automate We wanted to significantly lower the skill level required to successfully automate a complex solution. Ultimately we want to create a world where operators think about what they want, type it and get it. Every customer’s needs and scenarios are different so they need to script their own solutions. Our goal is to make it simple and easy to author scripts gluing together high level task oriented abstractions. The number one factor in making it simple is cmdlet coverage. That is why having ~2,430 cmdlets makes Windows Server 2012 so much easier to automate. A number of these cmdlets are extremely effective in dealing with the messy, real-world life of datacenters. We have cmdlets to work with REST APIs, JSON objects and even to get, parse and post web pages from management applications if required. PowerShell 3.0 simplifies the language and utility cmdlets to reduce the steps and syntax necessary to perform an operation. Below is an example showing the old way of doing something and the new simplified syntax. PowerShell3.0 improves the authoring tools operators use to create scripts and author workflows. PowerShell-ISE now supports rich IntelliSense, snippets, 3rd party extensibility and a Show-Command window which makes it easy to find exactly the right command and parameters you need to accomplish a task. Easier for developers to build tools Developers have always loved scripting with PowerShell because of its power, its use of C language conventions and its ability to program against .Net objects. PowerShell 3.0 cleans up a number of seams in dealing with .NET and objects and expands to allow developers to use PowerShell in a much wider range of scenarios. Tool building enhancements PowerShell 3.0 now has an Abstract Syntax Tree (AST). This allows new classes of intelligent tools to create, analyze, and manipulate PowerShell scripts. One of the Microsoft cloud services depends upon a very large number of PowerShell scripts to run all aspects of the service. Their development team used the AST to develop a script analysis tool to enforce a set of scripting best practices for their operators. The public AST is the reason why IntelliSense is freakishly powerful. It uses the AST to reason about the actual behavior of the program. We modified a number of key areas of PowerShell to make them easier for developers to use and extend to write their own tools. This includes access to our serializer, API improvements, and an extensibility model for PowerShell_ISE. Scripting enhancements PowerShell 3.0 now uses the .NET Dynamic Language Runtime (DLR) technology. PowerShell monitors how a script is executing and will compile the script or portions of the script on the fly to optimize performance. Performance varies but some scripts run 6 times faster in 3.0. Intellisense (and tab completion on the command line) now work with .NET namespaces and types. It is able to reason about the program and use variable type-inferencing to improve the quality of the IntelliSense. We extended our hashtable construct with two variations which make it much easier for developers to get the behavior they want: Platform building enhancements We have streamlined the process to support delegated administration scenarios. PowerShell 3.0 allows you to register a remoting endpoint, configure what commands it makes available and specify what credentials those command should run as. This allows you to let regular uses run a well-defined set of cmdlets using Admin privileges. We’ve simplified the process of defining which cmdlets are available to using a declarative session configuration file. PowerShell 3.0 is also available as an optional component of WINPE.
https://cloudblogs.microsoft.com/windowsserver/2012/05/30/windows-server-2012-powershell-3-0-and-devops-part-2/
CC-MAIN-2018-17
refinedweb
1,886
52.6
LevedDB is a key/value store that is developed by Google. Getting it to build on Windows can be painful. Exporting a C++ class from a DLL can be hard if you want it be to be able to be used by different compilers. Alex Bleckhman as an excellent article here on Code Project titled HowTo: Export C++ classes from a DLL. However, doing that can still be a pain as you cannot use exceptions, C++ types such as std::string. In addition, if you want to make a COM interface so you can have memory management and interface management, you still have a lot of code to write. std::string This article uses the free library at to build a wrapper library for leveldb. The full code can be found here. I packaged the needed files in the attached zip file. You can also get the file from here Note, while there is a C wrapper for leveldb that I could have used, I decided to do it this way to try out the above library in developing something with real world use. In this article, I will be talking about how the use the package. This will not be a tutorial on using cross_compiler_call to build something like this. If there is enough interest in the comments, I will write another article providing a walk-through of how this package was built. First I had to build the leveldb library. Finding a version of leveldb to build on Windows proved to be a pain. I tried both and. However, they were older versions of leveldb. I then found the bitcoin repository on GitHub. I figured that that would be pretty well maintained. In the source, they have a distribution of leveldb with Windows support. However, there is no Visual C++ project. To build it I used MinGW G++ obtained from nuwen.net and used msys as the shell to build the .a file. Then I compiled leveldb_cc_dll.cpp into a DLL with G++ and linked the to the .a file from previously. For an example of using this code, take a look at example.cpp. You will need C++11 support with variadic templates. If you use g++ you will need -std=c++11 in the command line or you will get a lot of errors. To build with Visual C++, you will need the November CTP of Visual Studio 2012. You can download it from here. Once you have all that, you just compile example.cpp. Make sure the level_db_cc.dll is in the same directory as the exe file and run the exe file. There is nothing to link. We will be going through parts of example.cpp to show how this is done #include <iostream> #include "leveldb_cc/level_db_interfaces.h" The second line includes the file that defines our interfaces using namespace leveldb_cc; The leveldb interfaces are in namespace leveldb_cc. In addition, there is a bug in the MSVC compiler that affects name lookup. If you do not include this, you will get a compiler error in Visual C++. leveldb_cc int main(){ cross_compiler_interface::module m("leveldb_cc_dll"); This creates a module that will load the specified DLL. Note you leave off the DLL extension. In Windows the library adds .dll and in Linux the code adds .so. The module will automatically unload the library when it goes out of scope: auto creator = cross_compiler_interface::create_unknown(m,"CreateLevelDBStaticFunctions") .QueryInterface<leveldb_cc::ILevelDBStaticFunctions>(); Calls a function in the DLL CreateLevelDBStaticFunctions to create the class factory interface. The create_unknown returns IUknown. So we call QueryInterface to get ILevelDBStaticFunctions. CreateLevelDBStaticFunctions create_unknown IUknown QueryInterface ILevelDBStaticFunctions // Open a scope so db goes out of scope so we can delete the database { We want to delete the database in the end, but we cannot delete the database if it is open. So we open a scope so that the db object will go out of scope closing the database. auto options = creator.CreateOptions(); options.set_create_if_missing(true); options.set_write_buffer_size(8*1024*1024); // Set cache of 1MB options.set_block_cache(creator.NewLRUCache(1024*1024)); // Set bloom filter with 10 bits per key options.set_filter_policy(creator.NewBloomFilterPolicy(10)); The code creates the options for opening the database. We set it to create the database if it is not present. We also set up the LRUCache and BloomFilterPolicy. LRUCache BloomFilterPolicy // Open the db auto db = creator.OpenDB(options,"c:/tmp/testdb"); auto wo = creator.CreateWriteOptions(); wo.set_sync(false); // Add a few key/value pairs in a batch auto wb = creator.CreateWriteBatch(); wb.Put("Key1","Value1"); wb.Put("Key2","Value2"); wb.Put("Key3","Value3"); wb.Put("Key4","Value4"); wo.set_sync(true); db.WriteBatch(wo,wb); auto ro = creator.CreateReadOptions(); // Save a snapshot auto snapshot = db.GetSnapshot(); // Add more stuff to db db.PutValue(wo,"AfterSnapshot1","More Value1"); // Use the snapshot ro.set_snapshot(snapshot); auto iter = db.NewIterator(ro); std::cout << "Iterator with snapshot\n"; for(iter.SeekToFirst();iter.Valid();iter.Next()){ std::cout << iter.key().ToString() << "=" << iter.value().ToString() << "\n"; }; std::cout << "\n\n"; // Clear the snapshot ro.set_snapshot(nullptr); db.ReleaseSnapshot(snapshot); auto iter2 = db.NewIterator(ro); std::cout << "Iterator without snapshot\n"; for(iter2.SeekToFirst();iter2.Valid();iter2.Next()){ std::cout << iter2.key().ToString() << "=" << iter2.value().ToString() << "\n"; }; std::cout << "\n\n"; db.DeleteValue(wo,"Key1"); auto iter3 = db.NewIterator(ro); std::cout << "Iterator after delete Key1 snapshot\n"; for(iter3.SeekToFirst();iter3.Valid();iter3.Next()){ std::cout << iter3.key().ToString() << "=" << iter3.value().ToString() << "\n"; }; The code sets up a WriteBatch and writes some keys and values as a batch. Then the code saves a snapshot. Then it adds another key and iterates with and without the snapshot. The code also deletes a value and iterates to show it is deleted. WriteBatch } // Delete the db auto s = creator.DestroyDB("c:/tmp/testdb",creator.CreateOptions()); After the db goes out of scope at the closing brace, we then destroy the database. Note: This code is not fully tested. Use at your own risk. If you find any bugs, please let me know and I will try to fix them. Even better, fork the repository and make it better. I think this code is a good exercise for making an interface that works across different compilers (even ones as different as MSVC and G++). The cross_compiler_call library makes it a lot easier as it supports handing strings and vectors across the DLL boundary. If there is interest, I would be glad to discuss how the DLL was created. Please let me know what you.
https://www.codeproject.com/Articles/569146/LevelDB-DLL-for-Windows-A-New-Approach-to-Exportin
CC-MAIN-2019-09
refinedweb
1,082
60.51
If the static keyword is applied to any method, it becomes a static method. If a method is declared as static, it is a member of a class rather than belonging to the object of the class. It can be called without creating an object of the class. A static method also has the power to access static data members of the class. There are a few restrictions imposed on a static method The static method cannot use non-static data member or invoke non-static method directly. The this and super cannot be used in static context. The static method can access only static type data (static type instance variable). There is no need to create an object of the class to invoke the static method. A static method cannot be overridden in a subclass Let us see what happens when we try to override a static method in a subclass class Parent { static void display() { System.out.println("Super class"); } } public class Example extends Parent { void display() // trying to override display() { System.out.println("Sub class"); } public static void main(String[] args) { Parent obj = new Example(); obj.display(); } } This generates a compile time error. The output is as follows − Example.java:10: error: display() in Example cannot override display() in Parent void display() // trying to override display() ^ overridden method is static 1 error
https://www.tutorialspoint.com/restrictions-applied-to-java-static-methods
CC-MAIN-2021-43
refinedweb
225
64.51
If you are interested in Google’ ADK(Android Open Accessory Development Kit), but Feeling ADK Developer Mage2560 is too expensive. The USB host Shield is you best choice. It’s compatible with almost! We recommend assemble with our Freaduino v1.0 with ATMega328(100% Arduino compatible). What’s the USB Host Shield could do ?? USB Host Shield is an add-on board for Arduino development platform and, keyboards, mice, joysticks, MIDI, and much more! A simple demo of Control LED with Android and USB Host Step one: Material preparation. There are a Android of v2.3.4 or above(we used Nexus S), USB Host Shield, Arduino main board(we used Freaduino v1.0 with ATMega328(100% Arduino compatible), a 5mm Blue LED and a Power Supply. Step two: The ADK package contains the firmware for the ADK board and hardware design files for the ADK board and shield. Need you put “AndroidAccessory” and “USB_Host_Shield” library to x\arduino-0022\libraries\. Note the USB_Host_Shile library in adk_release_0512.zip just suit for Mage2560, If you use such as Arduino Duemilanove or UNO, you need the modified library for it. Get the USB-Host-Shield-Library from USB Host Shield Library 1.0 or USB Host Shield Library 2.0. Here we just used the v1.0 library for test. And then install the APP of DemoKit to Android, the patth is “..\ADK_release_0512\app\bin\DemoKitLaunch.apk”. Then connect the material. Step three: Connect the Android phone to USB=Host, the DemoKit will skip to the menu as below, and then check the “OUT” button Step four: By the first of Slider Button to control the LED. The following code was created by stripping down demokit.pde sample ADK sketch from non-essential code. It’s just for test the USB Host whether work all right and control a LED. #include <Max3421e.h> #include <Usb.h> #include <AndroidAccessory.h> #define LED); }
http://www.elecfreaks.com/1917.html
CC-MAIN-2017-13
refinedweb
319
69.58
XML and Microsoft Office Excel 2003: Creating an Expense Report Template Frank C. Rice Microsoft Corporation June 2003 Applies to: Microsoft Office Excel 2003 Summary: Learn how to reuse legacy forms and documents by taking advantage of some of the new features of Excel. This document discusses repeating and non-repeating XML data, creating Data Maps, and exporting data as XML. (11 printed pages) Download odc_xlexpen.exe. Contents Introduction The Contoso Expense Report The XML Data The Schema File Creating an XML Map Populating the Data Map Exporting the Data Conclusion Introduction One concern of managers and Information Technology personnel when considering a move to updated or new technology is what about the existing legacy processes and forms? For example, a payroll department will have certain processes in place that allow employees to record and submit their hours worked, vacation hours used, and sick time taken. This process will usually entail one or more forms including various templates. Templates are forms that are used as the basis for the working forms used every day in an organization. One example of these are the timesheets distributed to employees on a weekly or monthly basis. Additionally, the payroll department will also have other forms and form templates related to adding dependents and implementing direct deposits. Likewise, the accounting department will utilize a number of forms for such things as reporting travel expenses, managing accounts receivable, and so forth. Because of the difficulty and expense in redesigning and replacing these forms, organizations will sometimes delay or forego moving to new technology. And even for those organizations that do make the move to such technologies as storing their data as XML, this move doesn't necessarily translate well to legacy forms. The Contoso Expense Report Fortunately with the new XML mapping features in Microsoft® Office Excel 2003, recreating spreadsheet templates can usually be accomplished by simple drag-and-drop. The following scenario demonstrates one example of using the XML mapping features in Excel to 'retro fit' an existing spreadsheet. An example of an expense report template appears in the following figure. Figure 1. Expense Report Template In this template, the light blue cells represent mapped elements that occur only once in the form. For example, the Name and Purpose cells are only filled out once per form. Whereas, the cells in the lower portion of the template (the white grid area) represent repeating data and may be filled out zero or more times as the user records multiple expenses. These columns include the Date, Description of Expense, Mileage, and so forth. This template is typical of an expense report used by an organization. The XML Data We’ll begin by examining the XML data that will be used later in this scenario to populate the form. Only a portion of the file is displayed here. The complete file can be found as part of the accompanying download: ... <?xml version="1.0" encoding="UTF-8" standalone="yes"?> <Root> <Meta> <Name>Nancy Davolio</Name> <Email>nancyd</Email> <EmployeeNumber>1</EmployeeNumber> <CompanyCode>1001</CompanyCode> <CostCenter>10101</CostCenter> <StartDate>2003-05-01</StartDate> <EndDate>2003-05-05</EndDate> <Purpose>Research for Tablet PCs</Purpose> </Meta> <Summary> <TravelTotal>0</TravelTotal> <MealsTotal>0</MealsTotal> <ConferenceTotal>0</ConferenceTotal> ....</Summary> ....<ExpenseItem> ........<Date>2003-05-01</Date> ........<Description>Pacer Tablet PCs</Description> ........<Miles/> ........<Mileage>0</Mileage> ........<AirFare/> ........<Other/> ........<Meals/> ........<Conference/> ........<Misc>2000</Misc> ........<MiscCode>2</MiscCode> ........<Amount>2000</Amount> ....</ExpenseItem> ....<ExpenseItem> ........<Date>2003-05-02</Date> ........<Description>Space Tablet PCs</Description> ........<Miles/> ........<Mileage>0</Mileage> ........<AirFare/> ........<Other/> ........<Meals/> ........<Conference/> ........<Misc>1200</Misc> ........<MiscCode>2</MiscCode> ........<Amount>1200</Amount> ....</ExpenseItem> .... </Root> After the XML declaration and <Root> tag, comes the group of elements between the <Meta> and <Summary> tags that represent information about the employee. As you might expect, these items, for example the employees name and e-mail alias, will occur only once in the expense report. Following are the repeating elements that represent expense line items in the form. These, too, will be identified in the schema with an attribute designator. The Schema File Next, we will look at the contents of the MSExpenseSchema.xsd file which is the schema file for the expense report. A schema file allows you to specify the syntax of the XML document as well as specify the data type of each element, create simple and complex types, specify the minimum and maximum times that an element can occur, restrict the ranges of values that elements can hold, and much more.: ... <?xml version="1.0" encoding="UTF-8" standalone="no"?> <xsd:schema xmlns: <xsd:element <xsd:complexType <xsd:sequence <xsd:element <xsd:complexType <xsd:all> <xsd:element <xsd:element <xsd:element <xsd:element <xsd:element <xsd:element <xsd:element <xsd:element </xsd:all> </xsd:complexType> </xsd:element> :sequence> </xsd:complexType> </xsd:element> </xsd:sequence> </xsd:complexType> </xsd:element> </xsd:schema> ... Note the use of a namespace in this schema file— and that the elements used in the schema such as <xsd:element> are part of that namespace. A namespace is utilized to make sure that items referenced are unique. For example, an XML document may contain different <Language> tags; one referring to a language such as English or Spanish, and one referring to the a computer programming such as Microsoft Visual C#® or Microsoft Visual Basic®. By prefacing one of the tags with the namespace attribute, you (and any application that uses the file) can differentiate which tag is being used. Continuing with our examination of the schema file, look at the sequence of elements in the following segment: The first two statements define an element named <Root> as a complex-type. A complex-type is an element that consists of multiple simple-type elements and attributes. For example, a complex type might consist of String and Integer data types. The mixed=false attribute specifies that the content of the Root element can't be a mix of text and elements. Note Excel doesn't support mixed mode content. Returning to the schema, the <Root> element is the outermost element in our structure (although it doesn't have to be named Root-it could be any valid element name). The attributes <sequence minOccurs="0" maxOccurs="1"> specify that the child elements of the <Root> element appear zero or one time. The element <xsd:element identifies an element name Meta which must appear one time. The <xsd:All> element encloses a group of elements that must appear one time as part of the Meta element. The next series of elements defines another group of single occurrence subelements for the <Summary> element. These elements contain similar attributes that we discussed for the <Meta> element. Next, we see the <ExpenseItem> element and its subelements. These are the repeating elements that will repeat for each line item in the expense report. Look at the following segment from the file: The first two statements define the <ExpenseItem> element as a complex type that can occur for zero or for an unlimited number of times. The next statement specifies that the subelements of the <ExpenseItem> element can occur zero or one time and only in the sequence that they appear in the schema. The remaining elements in the group define the other expense fields in the template. Now let’s see how we can use Excel to help us combine the XML data file and the schema for to create an expense report template. Creating an XML Map In the following series of procedures, we’ll take an unmapped expense report template (representing a legacy form) and map it to a schema. This will then allow any data that is imported to appear in the correct locations in the form automatically. Instead of being an expense report, this form could just as easily be any form that exists as a spreadsheet. It could also represent any other type of form that an organization wants to use as a template. We’ll start by opening the workbook containing the unmapped template. To Create the Map: - Start Excel, locate, and then open ExpenseReportUnmapped.xls. - Next, point to XML on the Data menu, and then click XML Source. The XML Source task pane is displayed. - In the XML Source task pane, click Workbook Maps. - In the XML Maps dialog box, click Add. - Locate the file MSExpenseSchema.xsd, and click Open. The Root_Map designator is displayed in the XML Maps dialog box. - Click OK. The elements of the schema are displayed in the XML Source task pane. Figure 2. Expense report schema in the XML Source task pane Next, map the individual elements of the schema to the cells in the worksheet. - Drag-and-drop the named elements from the XML Source task pane onto like-named cells in the worksheet. For example, drag the Name element from the XML Source task pane to the single-mapped area (blue cells) by the Name label. Likewise, drag the Date element from the task pane to the repeating cell area (white cells) on the Date column. In addition to having single instance cells and repeating columns of data mapped in a worksheet, you can also have columns in a list of repeating elements that aren’t mapped to XML, such as those used for calculations. These unmapped cells would be part of the template but not part of any data exported into the worksheet. To insert unmapped columns into a list, you must select a cell in the list, right-click and then click Column on the Insert menu, OR drag the gray handle on the bottom-right of the list to the right. Instead of completing the mapping of cells in the unmapped workbook, there is already a fully mapped workbook that you can use by opening the ExpenseReportMapped.xls file. You can see that some of the cells are already filled in with data as seen in Figure 1. Populating the Data Map Now that you've seen how to create a data map, we'll import some data into the map. This data will overwrite any existing data in the map. - While still in the ExpenseReportMapped.xls file, point to XML on the Data menu, and then click Import. - In the Import XML dialog box, click XML Files in the Files of type drop-down box, and then locate the XML file ExpenseReport.xml. Click Import. The map should now appear as seen in Figure 1. Because we mapped the data in advance, the XML data in our file appears in the correct locations. Exporting the Data Now we will export the data from the expense report to see the options available in Excel for creating external XML files. To Export the Data - Click on the Data menu, point to XML and then click Export. - Click XML Files in the Save as type drop-down list. The XML data is saved without any presentation or formatting information. To Save the XML Data or the XML Presentation Information - Click to Save As on the File menu. - Click XML Data in the Save as type drop-down list and then click Save. This saves just the data from this worksheet as an XML file. - Click to Save As on the File menu. - Click XML Spreadsheet in the Save as type drop-down list and then click Save. This option saves the entire workbook as XML; with formatting, layout, calculations, etc. By opening just this file into a blank worksheet, you can recreate the worksheet, including the data. The value behind exporting as XML File or saving as XML Data is that it separates the data from the presentation—giving you just the relevant data I XML with none of the extra formatting you get if you save as an XML spreadsheet. In addition to exporting through the user interface, you can also export by using the Excel object model. To demonstrate: To Export Data Using the Export Method - Click the Submit button. A message box is displayed with selected data range from the worksheet and then the data from cells B15 through B19 is exported to "C:\expense_sample.xml". The following listing is the code that is executed when the Submit button is clicked: Sub SubmitClick() Dim strRange As String Application.ActiveWorkbook.XmlMaps(1).ExportXml strRange Application.DisplayAlerts = False ' Review the XML that will be exported. MsgBox strRange ' Create the external XML file. Application.ActiveWorkbook.XmlMaps(1).Export "C:\expense_sample.xml", True End Sub In this code, the value of the range element representing the XML data map first displayed in a message box so that the developer can see a sample of what will be exported (see Figure 3), and then the data for the entire map is exported to the XML file. If there were more than one map in the workbook, you could choose to export a different map by changing the ordinal number of the XmlMaps object. Figure 3. Sample XML data Also notice in the listing the use of ExportXML and the Export methods. The ExportXML method exports XML data to a String variable whereas Export exports data to a file. In this example, the data was written to a file. However, you could just as easily submit it to an XML Web service or to another application using the new methods added to Excel. Conclusion In this article, we discussed some of the difficulties of organizations moving to new technologies. We also demonstrated how you can reuse legacy forms by converting them to XML data maps in Excel through the use of XML schemas. Once the data map has been created then any data imported matching the schema definitions will automatically land in the correct location on import.
http://msdn.microsoft.com/en-us/library/office/aa203717(v=office.11).aspx
CC-MAIN-2014-15
refinedweb
2,276
52.8
« Return to documentation listing MPI_Win_start - Starts an RMA access epoch for win #include <mpi.h> int MPI_Win_start(MPI_Group group, int assert, MPI_Win win) INCLUDE 'mpif.h' MPI_WIN_START(GROUP, ASSERT, WIN, IERROR) INTEGER GROUP, ASSERT, WIN, IERROR #include <mpi.h> void MPI::Win::Start(const MPI::Group& group, int assert) const group The group of target processes (handle). assert Program assertion (integer). win Window object (handle). IERROR Fortran only: Error status (integer). MPI_Win_start is a one-sided MPI communication synchronization call that starts an RMA access epoch for win. RMA calls issued on win during this epoch must access only windows at processes in group. Each process in group must issue a matching call to MPI_Win_post. MPI_Win_start is allowed to block until the corresponding MPI_Win_post calls have been executed, but is not required to. The assert argument is used to provide assertions on the context of the call that may be used for various optimizations. (See Section 6.4.4 of the MPI-2 Standard.) A value of assert = 0 is always valid. The follow- ing assertion value is supported: MPI_MODE_NOCHECK When this value is passed in to this call, the library assumes that the post call on the target has been called and it is not necessary for the library to check to see if such a call has been made._Win_post MPI_Win_complete 1.3.4 Nov 11, 2009 MPI_Win_start(3)
http://icl.cs.utk.edu/open-mpi/doc/v1.3/man3/MPI_Win_start.3.php
CC-MAIN-2014-10
refinedweb
231
67.86
What is a standard way of profiling Scala method calls? What I need are hooks around a method, using which I can use to start and stop Timers. In Java I use aspect programming, aspectJ, to define the methods to be profiled and inject bytecode to achieve the same. Is there a more natural way in Scala, where I can define a bunch of functions to be called before and after a function without losing any static typing in the process? Do you want to do this without changing the code that you want to measure timings for? If you don't mind changing the code, then you could do something like this: def time[R](block: => R): R = { val t0 = System.nanoTime() val result = block // call-by-name val t1 = System.nanoTime() println("Elapsed time: " + (t1 - t0) + "ns") result } // Now wrap your method calls, for example change this... val result = 1 to 1000 sum // ... into this val result = time { 1 to 1000 sum }
https://codedump.io/share/R86sfcZZK8Dw/1/how-to-profile-methods-in-scala
CC-MAIN-2017-51
refinedweb
164
81.02
HCLSIG/SWANSIOC/Actions/RhetoricalStructure/meetings/20100215 Rhetorical Document Structure Group HCLS SIG W3C, Phone Meeting February 15th 2010, 9AM Boston / 2PM Irish / 3PM Amsterdam Agenda items: 1. Paul Groth from the Concept Web Alliance to present his Nano-publications format Media:HCLSIG$$SWANSIOC$$Actions$$RhetoricalStructure$$meetings$$20100215$cwa-anatomy-nanopub-v3.pdf 2. Action items from previous meeting: - Jack to try models on global climate change discourse - Paolo to consult with curators about models - Tudor and Paolo upload a single document example - Tudor to do an intermediate medium-grained model (in a comparison grid) 3. Assessment: where are we now? Can we go back with our current model and re-assess the use cases? What else needs to be done before then? 4. AOB. Notes (stream of discussion scribed by Anita) Discussion with Paul Groth about Concept Web Alliance Nanopublication 1. Discussion with Paul Groth about Concept Web Alliance Nanopublication Paul Groth (PG): Concept Web Alliance is about nano-publications. Goal is to say: what is out there, what is out there in terms of something that looks like what all the speeches around nano-pubs is out there, can we make that happen At the core of this is the idea of a triple, like an rdf-triple This is a statement that a scientist has made on the web; lots of these are redundant, let’s get rid of this redundancy. We want something that’s accredited, that scientists review and do. Tudor Groza (TG): Is their goal to compact the knowledge? Or is it your goal? PG: Goal of the CWA is to help reduce redundancy of knowledge on the web. Anita de Waard (AdW): Can you say something about the background of the project? PG: This is about what CWA is, am still understanding that. CWA thinks tehre is lots of information in publications and databases a lot of duplication, lots of redundancy – makes it hard to do automated reasoning, assign credit where it’s due – many redundant statements out there – help aggregate and reduce this redundancy, AdW: So for existing publications? PG: Yes and for databases; eventually people could publish in this format. First step: go through existing publicaitons, people do textmining, extracting facts. Tim Clark (TC): That is a highly nointrivial task!! Let’s find all the statements in biology that are the same – this is very very difficult to do – we have some unpublished work on this area. PG: I agree, is a very very hard task. I think the way they want to approach this is through some common namespace, and refer to it – that’s one way of helping along this process – essentially a wiki, a concept wiki that you can refer to – e.g. malaria is defined there, we mean the same thing. TC: So eg. Malaria is transmitted by mosquitoes – but actually only certain kinds of mosquitoes – true but limited in it’s applicability, very well-established. Are we talking about non-disputed statements? PG: Good sequey into model – you can make any statement you want. I can say people come from swans – but need a way of marking where it comes from, why you believe it’s true – want some sort of annotation from that statement – attribution, peer review, provenance etc. AdW: Indeed, author makes a statement in a context PG: Earlier draft of this document I used the word ‘context’ – now I call it ‘annotations on a statement’. We have a core statement, and an annotation, make a nanopublication – together, they are a nanopublication. TG: How about for this paper, make an example? PG: E.g. this paper was written by these people, on this date Jodi Schneider (JS): Some assertion that you are making, rather than what you are saying? Matthias Samwald (NS): This is a methodology paper, not one that records research results PG: No, they have a good point! One is that TG: Are not trying to grill anyone – to help a bit TC: Yes, these are statements in the paper – he is using the malaria in mosquitoes thing – PG: We have metadata on it – imported by text extractor etc. What it doesn’t include is e.g. malaria is only transmitted by a certain type of mosquitoes – AdW: E.g. adding what the evidence is – PG: And adding what publications this is evidenced TG: Anita is referring to where this is first asserted TC: ‘It is well-known that’ – show the reference – and cite Walter Reed, or whoever figured it out PG: this is what we were considering, kind of annotation we want on this statement TC: important by text extractor from this publication, - is not the one that is cited in support – AdW: HypER is about making networks between statements and evidence – is this the same? PG: no we don’t describe the entire providence trail – TC: If you want this to be useful for scientists – this is an interesting step, could offer some suggestions: they care about 3 things: 1) Is this a novel statement? 2) What’s the evidence that supports it? 3) Who is making this statement? – implied, imported by ... – with SWAN we try to make these chains of evidence – only believe it because it is common knowledge. If someone says malaria is transmitted by owls: how was it studied? Who studied it? PG: Statements are asserted by an entity, along with annotation – who is responsible for it? Could be a person? AdW: the knowledge substrate is that modeled? PG: I’m not opposed to model more – but we just want to model what is in a paper – more I get into modeling into scientific discourse is what people are trying to agree on. TC: Is there some sort of intersection? Can we be helpful to one another? PG: Yes, we have some annotations, there are others that would be useful. We could use help on this. TC: We have done some work on fleshing out even further this imported-by, text-extraction etc. could share this if useful PG: Yes, if we can get enough technology push and people using that, we can expand outwards from that – can do the most simple thing. TC: Paolo is working on this, what people don’t know – we evolved our ontology ahead of where we were, export of SWAN 1.2 to current knowledgebase. Basically a periodic export every month – he’s let you have that. MS: Why isn’t this data publicly available? TC: Are making it available through Neuroscience Information Framework AdW: can you put it on a wiki? TG: Our course-grained structure can perhaps be a context to the statement? TC: I think that’s a great point: slide you presented at ISWC – SWAN and rhetorical structure – intersection can be a statement. AdW: Inside Elsevier, we are now making each paragraph of our documents externally accessible. [Paolo joins,. Some discussion about lack of reminders. AdW tries to defend herself, promises improvement. TC summarizes discussion so far. Back to PG] PG: So we are trying to see what is the underlying format so people can ship around statements plus their contextual information – awesome if we would work togehter between this group and CWA – how can this set of annotation grow TC: extent that we do converge will be useful PG: You guys propose a lot of things that we would like to do – we can follow AdW: maybe we can work together on a new use case? PG: I don’t want to work on any new ontologies – let’s get some of the state-of-the-art and agree on a minimal set. I want to go back and propose we all make a demo – HCLS can show us things that are extra and we can use TC: Sounds good! Paolo can we make SWAN 1.2 export available? Through NIF – have to ask Elisabeth; and technically AdW: Can you send email to everyone on the call? PC: NIF is not sharing RDF –we have to go to who owns the content, ask AlzForum TC: We can put it up on our lab webpage – with license terms – cc license PC: Some incarnation of something marked up with your ontology – will be very useful PG: Small example or whole thing, either are nice. TC: We’ll go back and post some things and circulate some things AdW: Example on the wiki? TC: Yes AdW: How to start? TC: If CWA wants a demo – they want to do automated reasoning on triples, we are concerned on provenance of whole discourse – have to figure out a way to harmonise that PG: Our role is to aggregate, to grab data and get into a common format – at a very fine-grained level TC: What we came up with in SWAN is the concept of canonical statements – can appear in a lot of differetn statements – verbal statement can be different, we have idea of a canonical statement, considered even including negations in a cluster. Could have dual formats of statements, triple formulation. PG: Triple formulation is more concrete, using URIs – canonical version can be more explicit or more accurate AdW: FEBS SDA experience teaches us that triples can be claimed by the authors, but not e.g. approved by the curators PG: May filter out these contextual statements in various ways PG: Notion is a repeated statement JS: good thing is: they are more explicit. TC: So, do you want to poll appetite in CWA to work with us? Let’s fit together: Tudor and Anita on the rhetorical structure, SWAN is more about statements and evidence, both can converge potentially with CWA stuff – we can start a series of discussions on how to converge. PG: Push to ‘let’s start doing something’ – we’re having those conversations soon – I’ll make it clear that you guys would like to see some overlap – we can send something to you, get your feedback! AdW: Great idea, let’s get it going PG: CWA is taking minimal set, pushing it out there. TC: We’ll send around examples and follow up. 2. Other points = PC: ‘Paolo to talk with curators about models’ – I spoke with curators, just have to get it up on the wiki. Problem is that these low-level statements are in textual format; how fine-grained do they want to go? Currently the curators read a paper and extract a list of claims; they believe a list of claims that explain a particular hypothesis, then they rephrase them; they try to turn it into a object-verb-subject triples. A hypothesis is a little sentence explaining what a claim is about, it’s free text – not finer than that! This is the maximum they want to do – do not want to go more granular than that, because biological knowledge is too complex to this. Can show them the model we propose MS: The CWA: remarks I have are that fitting biological statements into Subject-Predicate-Object format is almost impossible, more than three entities we have PC: SWAN is an evolving story; at level SVO – triple can be false tomorrow – increases level of complexity – are you just representing text? AdW: Statements: hedges are eroded when they are cited, we see the linguistic formulations change because the statement gets to be eroded MS: Have been working with Reflect to make use of RDF-a – can now inject some RDF-a that links to linked data representations – still quite preliminary, can start by sending an email. Not everything we see must be modeled, need to focus on what can be done, where we see a real benefit! Has properties and are things going on that we are unable to model. TG: I agree there are complex, but temporality is most interesting thing we can do besides extracting fact, temporal evolution of a statement PC: We had a model for doing this – but they don’t want to increase the complexity, break down into little pieces, make other artifact tomorrow! We understand evolution by looking at two artifacts; some things are hard to represent – biologist does not want to spend time going into that level of detail. They understand a sentence – don’t want to model PC: Model what was said in 1984, then what is said in 1994 – don’t take original hypotheses, if contrast or in agreement, then track that link back. TG: I got an idea! [... sorry Tudor I missed that...] PC: Everything in SWAN is created and maintained by biologists - TG: Are there in the database, add or update in time – we could use the discourse relations ontology, context of a courser-grained AdW: Can we now take a couple of documents and try to mark them up? Taking a new document and perform the annotations? PC: I can do that, but probably need to show what is done by the annotators – ask a curator to take a document and perform the annotation in the document that they have done – want to do that anyway to use the software and link to documents they have created. Will ask to mark up the document and decide how to present it to you. Technically, Tim nominated me responsible for SWAN so I can do this – I’ll write the email now, have to put it in their pipeline! TG: I made this! Port these two items to next meeting. AdW: Great! What date? PC: David Shotton does not have time for alignment, this is now under PC’s guidance. With David an Andrew – I have to do the job by myself. TG: Can we use this slot? JS: Is this a good time? Every other week? -> 1 March AdW: Andrew , Scott, Marco Roos; Jack Park; Joanne Luciano? JS: Can we have an email listserv? TG: We can set this up? There is a HCLS-One, not for announcements etc. I have a folder in GMail – AdW: I’ll ask Scott and try to get it set up. We can go back to a Google group. Next meeting 1/3/10, 9am/2 pm/3 pm; Agenda: 1. Paolo walks us through example of annotation in SWAN 2. Tudor walks us through his marked up document in SALT 3. News/demo from CWA?
https://www.w3.org/wiki/HCLSIG/SWANSIOC/Actions/RhetoricalStructure/meetings/20100215
CC-MAIN-2017-09
refinedweb
2,370
68.91
We’re going to start this post off exactly how you’d expect, by talking about JavaScript’s forEach method. forEach lives on Array.prototype and every instance of Array has access to it. It allows you to invoke a provided function once for each element in an array. const friends = ['Jake', 'Mikenzi', 'Jacob']friends.forEach((friend) => addToDOM(friend)) Now, say you had an array of numbers, [2,4,6]. Using forEach to iterate through each number, how would you add all of the numbers together to get a single value, 12? One approach might look like this. With forEach, to add up all of the values, we need to create and manage an intermediate value ( state) and modify it on each invocation. As this demonstrates, not only is forEach dependent on the state of our application, but it’s also modifying state outside of its own scope - this makes it an impure function. While not always bad, it’s best to avoid impure functions when you can. To accomplish the same functionality with a pure function, we can use JavaScript’s reduce method. Reduce (also referred to as fold, accumulate, or compress) is a functional programming pattern that takes a collection (an array or object) as input and returns a single value as output. In JavaScript, the most common use of reduce is the reduce method all Arrays have access to. Applying reduce to our example above, our input would be nums and our output would be the summation of every value in nums. The key difference between reduce and forEach is that reduce is able to keep track of the accumulated state internally without relying upon or modifying state outside of its own scope - that’s what makes it a pure function. The way it does this is, for each element in the collection, it invokes a reducer function passing it two arguments, the accumulated state and the current element in the collection. What the reducer function returns will be passed as the first argument to the next invocation of the reducer and will eventually result in the final value. The very first time the reducer function is invoked, state will be 0 and value will be 2. Then on the next invocation, state will be whatever the previous invocation returned, which was 0 + 2 and value will be the 2nd element in the array, 4. Then on the next invocation, state will be 6 ( 2 + 4) and value will be 6. Finally, since are no more elements in the collection to iterate over, the returned value will be 6 + 6 or 12. We can see this in the diagram below. Initial Value: 0First invocation:state: 0value: 2Second invocation:state: 2value: 4Third invocation:state: 6value: 6No more elements in the collection, return 6 + 6 which is 12. Here’s what we know so far - reduce is a functional programming pattern that takes a collection as input and returns a single value as output. The way you get to that single value is by invoking a reducer function for every element in the collection. Now, instead of using this pattern to transform arrays, how can we apply it to creating better UI? What if instead of our input collection being an array, it was a collection of user actions that happened over time? Then, whenever a new user action occurred, we could invoke the reducer function which would get us the new state. Assuming we had a simple UI that was a button and a counter that incremented every time the button was clicked, here’s what the flow might look like using the same reducer logic. UI: 0 ➕User clicks ➕, reducer is invoked:state: 0value: 1UI: 1 ➕User clicks ➕, reducer is invoked:state: 1value: 1UI: 2 ➕User clicks ➕, reducer is invoked:state: 2value: 1UI: 3 ➕ It might seem strange, but if you think about reduce in the context of being a functional programming pattern, it makes sense that we can utilize it to create more predictable UIs. Now the question is, how? React comes with a built-in Hook called useReducer that allows you to add state to a function component but manage that state using the reducer pattern. The API for useReducer is similar to what we saw earlier with reduce; however, there’s one big difference. Instead of just returning the state, as we mentioned earlier, we need a way for user actions to invoke our reducer function. Because of this, useReducer returns an array with the first element being the state and the second element being a dispatch function which when called, will invoke the reducer. const [state, dispatch] = React.useReducer(reducer,initialState) When invoked, whatever you pass to dispatch will be passed as the second argument to the reducer (which we’ve been calling value). The first argument (which we’ve been calling state) will be passed implicitly by React and will be whatever the previous state value was. Putting it all together, here’s our code. The flow is the exact same as our diagram above. Whenever the + button is clicked, dispatch will be invoked. That will call reducer passing it two arguments, state, which will come implicitly from React, and value, which will be whatever was passed to dispatch. What we return from reducer will become our new count. Finally, because count changed, React will re-render the component, updating the UI. At this point, you’ve seen how useReducer works in its most basic form. What you haven’t seen yet is an example of useReducer that resembles anything close to what you’d see in the real-world. To get closer to that, let’s add a little bit of functionality to our app. Instead of just incrementing count by 1, let’s add two more buttons - one to decrement count and one to reset it to 0. For decrementing, all we need to do is pass -1 to dispatch, because math. function reducer (state, value) {return state + value}function Counter() {const [count, dispatch] = React.useReducer(reducer,0)return (<React.Fragment><h1>{count}</h1><button onClick={() => dispatch(1)}>+</button><button onClick={() => dispatch(-1)}>-</button></React.Fragment>)} For resetting the count to 0, it gets a little trickier. Right now with how we’ve set up our reducer function, there’s no way to specify different types of actions that can occur to update our state. We only accept a value (which we get from whatever was passed to dispatch) and add that to state. function reducer (state, value) {return state + value} What if instead of dispatching the value directly, we dispatch the type of action that occurred? That way, based on the type of action, our reducer can decide how to update the state. With the current functionality of our app, we’ll have three different action types, increment, decrement, and reset. return (<React.Fragment><h1>{count}</h1><button onClick={() => dispatch('increment')}>+</button><button onClick={() => dispatch('decrement')}>-</button><button onClick={() => dispatch('reset')}>Reset</button></React.Fragment>) Now, inside of our reducer, we can change how we update the state based on those action types. Instead of naming our second parameter value, we’ll change it to action to better represent what it is. function reducer (state, action) {if (action === 'increment') {return state + 1} else if (action === 'decrement') {return state - 1} else if (action === 'reset') {return 0} else {throw new Error(`This action type isn't supported.`)}}function Counter() {const [count, dispatch] = React.useReducer(reducer,0)return (<React.Fragment><h1>{count}</h1><button onClick={() => dispatch('increment')}>+</button><button onClick={() => dispatch('decrement')}>-</button><button onClick={() => dispatch('reset')}>Reset</button></React.Fragment>)} This is where we start to see useReducer shine. You may not have noticed it, but we’ve completely decoupled the update logic of our count state from our component. We’re now mapping actions to state transitions. We’re able to separate how the state updates from the action that occurred. We’ll dive into the practical benefits of this later on in this post. Let’s add another feature to our app. Instead of incrementing and decrementing count by 1, let’s let the user decide via a slider. Imagine we had a Slider component that took in 3 props, min, max, and onChange. <Slidermin={1}max={10}onChange={(value) => }/> The way we get the value of the slider is via the Slider’s onChange prop. Knowing this, and knowing that its the value of the slider that will decide by how much we increment and decrement count, what changes do we need to make to our reducer? Right now the state for our reducer is an integer which represents the count. This worked previously, but now that we need our reducer to manage another piece of state for our slider value, we’ll need to modify it. Instead of being an integer, let’s make it an object. This way, any new pieces of state that our reducer needs to manage can go as a property on the object. 0 -> { count: 0, step: 1 } Now we need to actually update our code. The first change we need to make is for the initial state of our reducer. Instead of 0 (representing count), it’ll be our state object. const [state, dispatch] = React.useReducer(reducer,{ count: 0, step: 1 }) Now, since state is no longer an integer, we’ll need to update the reducer to account for that. function reducer (state, action) {if (action === 'increment') {return {count: state.count + 1,step: state.step,}} else if (action === 'decrement') {return {count: state.count - 1,step: state.step,}} else if (action === 'reset') {return {count: 0,step: state.step,}} else {throw new Error(`This action type isn't supported.`)}} Now that our reducer is updated with our new state object, the next thing we need to do is update step whenever the user moves the slider. If you’ll remember, we get access to that slider value by passing an onChange function to Slider. <Slidermin={1}max={10}onChange={(value) => }/> Now the question becomes, what do we want to dispatch? Up until this point, we’ve been able to dispatch the type of action that occurred ( increment, decrement, and reset). This worked fine but we’re now running into its limitations. Along with the action type, we also need to include some more data. In our case, we want to pass along the value of the slider so we can update our step state. To do this, instead of having our action we dispatch be a string, let’s change it to be an object with a type property. Now, we can still dispatch based on the type of action that occurred, but we can also pass along any other data as properties on the action object. We can see this perfectly with what we dispatch from our Slider. <Slider onChange={(value) => dispatch({type: 'updateStep',step: value})} /> While we’re here, we also need to update all our other dispatches to pass an object with a type property instead of a string. return (<React.Fragment><Slider onChange={(value) => dispatch({type: 'updateStep',step: value})} /><hr /><h1>{state.count}</h1><button onClick={() => dispatch({type: 'increment',})}>+</button><button onClick={() => dispatch({type: 'decrement'})}>-</button><button onClick={() => dispatch({type: 'reset'})}>Reset</button></React.Fragment>) Finally, there are three changes we need to make to our reducer. First, we need to account for our new action type, updateStep. Next, we need to account for changing action to be an object instead of a string. Finally, we need to update increment and decrement to adjust the count based on the step property and not just 1. function reducer (state, action) {if (action.type === 'increment') {return {count: state.count + state.step,step: state.step,}} else if (action.type === 'decrement') {return {count: state.count - state.step,step: state.step,}} else if (action.type === 'reset') {return {count: 0,step: state.step,}} else if (action.type === 'updateStep') {return {count: state.count,step: action.step,}} else {throw new Error(`This action type isn't supported.`)}} With that, we see another subtle but powerful benefit of useReducer you might have missed.. In our example, we can see this in how we’re updating count based on the value of step. At this point, we’ve seen both how useReducer works and some of the advantages it gives us. Now, let’s dive a little deeper into those advantages and answer the question you’ve most likely been asking. Fundamentally, useState and useReducer accomplish the same thing - they both allow us to add state to function components. Now the question becomes, when should you use one over the other? Imagine we were creating a component that was responsible for handling the registration flow for our app. In this app, we need to collect three pieces of information from the user - their username, password. For UX purposes, we’ll also need a few other pieces of state, error, and registered. Using useState, here’s one approach for how we’d accomplish this. function Register() {const [username, setUsername] = React.useState('')const [email, setEmail] = React.useState('')const [password, setPassword] = React.useState('')const [loading, setLoading] = React.useState(false)const [error, setError] = React.useState('')const [registered, setRegistered] = React.useState(false)const handleSubmit = (e) => {e.preventDefault()setLoading(true)setError('')newUser({username, email, password}).then(() => {setLoading(false)setError('')setRegistered(true)}).catch((error) => {setLoading(false)setError(error)})}if (registered === true) {return <Redirect to='/dashboard' />}if (loading === true) {return <Loading />}return (<React.Fragment>{error && <p>{error}</p>}<form onSubmit={handleSubmit}><<button type='submit'>Submit</button></form></React.Fragment>)} First, there’s nothing wrong with this code. It works just fine. However, it’s a pretty imperative approach to solving the problem. We’re conforming to the operational model of the machine by describing how we want to accomplish the task. Instead, what if we took a more declarative approach? Instead of describing how we want to accomplish the task, let’s describe what we’re trying to accomplish. This declarative approach will allow us to conform closer to the mental model of the developer. To accomplish this, we can leverage useReducer. The reason useReducer can be more declarative is because it allows us to map actions to state transitions. This means, instead of having a collection of setX invocations, we can simply dispatch the action type that occurred. Then our reducer can encapsulate the imperative, instructional code. To see what this looks like, let’s assume we’ve already set up our registerReducer and we’re updating our handleSubmit function we saw above. const handleSubmit = (e) => {e.preventDefault()dispatch({ type: 'login' })newUser({username, email, password}).then(() => dispatch({ type: 'success' })).catch((error) => dispatch({type: 'error',error}))} Notice that we’re describing what we want to do - login. Then, based on that result, success or error. Here’s what all of the code now looks like, including our new registerReducer. function registerReducer(state, action) {if (action.type === 'login') {return {...state,loading: true,error: ''}} else if (action.type === 'success') {return {...state,loading: false,error: '',registered: true}} else if (action.type === 'error') {return {...state,loading: false,error: action.error,}} else if (action.type === 'input') {return {...state,[action.name]: action.value}} else {throw new Error(`This action type isn't supported.`)}}const initialState = {username: '',email: '',password: '',loading: false,error: '',registered: false}function Register() {const [state, dispatch] = React.useReducer(registerReducer,initialState)const handleSubmit = (e) => {e.preventDefault()dispatch({ type: 'login' })newUser({username: state.username,email: state.email,password: state.password}).then(() => dispatch({ type: 'success' })).catch((error) => dispatch({type: 'error',error}))}if (state.registered === true) {return <Redirect to='/dashboard' />}if (state.loading === true) {return <Loading />}return (<React.Fragment>{state.error && <p>{state.error}</p>}<form onSubmit={handleSubmit}><<button type='submit'>Submit</button></form></React.Fragment>)} We’ve already seen this one in action. From earlier, .” We’ll see another example of why this holds true in the next section. Part of mastering the useEffect Hook is learning how to properly manage its second argument, the dependency array. React.useEffect(() => {// side effect}, [/* dependency array */]) Leave it off and you could run into an infinite loop scenario. Forget to add values your effect depends on and you’ll have stale data. Add too many values and your effect won’t be re-invoked when it needs to be. It may come as a surprise, but useReducer is one strategy for improving the management of the dependency array. The reason for this goes back to what we’ve mentioned a few times now, useReducer allows you to decouple how the state is updated from the action that triggered the update. In practical terms, because of this decoupling, you can exclude values from the dependency array since the effect only dispatches the type of action that occurred and doesn’t rely on any of the state values (which are encapsulated inside of the reducer). That was a lot of words, here’s some code. React.useEffect(() => {setCount(count + 1)}, [count]) React.useEffect(() => {dispatch({type: 'increment'})}, []) In the second code block, we can remove count from the dependency array since we’re not using it inside of the effect. When is this useful? Take a look at this code. Notice anything wrong? React.useEffect(() => {const id = window.setInterval(() => {setCount(count + 1)}, 1000)return () => window.clearInterval(id)}, [count]) Every time count changes (which is every second) our old interval is going to be cleared and a new interval is going to be set up. That’s not ideal. Instead, we want the interval to be set up one time and left alone until the component is removed from the DOM. To do this, we have to pass an empty array as the second argument to useEffect. Again, useReducer to the rescue. React.useEffect(() => {const id = window.setInterval(() => {dispatch({ type: 'increment' })}, 1000)return () => window.clearInterval(id)}, []) We no longer need to access count inside of our effect since it’s encapsulated in the reducer. This allows us to remove it from the dependency array. Now for the record, there is one way to fix the code above without useReducer. You may remember that you can pass a function to the updater function useState gives you. When you do this, that function will be passed the current state value. We can utilize this to clear out our dependency array without having to use useReducer. React.useEffect(() => {const id = window.setInterval(() => {setCount((count) => count + 1)}, 1000)return () => window.clearInterval(id)}, []) This works fine, but there is one use case where it starts to fall apart. If you’ll remember back to our Counter component earlier, the final piece of functionality we added was the ability for the user to control the step via a Slider component. Here’s the workable code as a refresher. Once we added step, count was then updated based on that step state. This is the use case where our code above starts to fall apart. By updating count based on step, we’ve introduced a new value into our effect which we have to add to our dependency array. React.useEffect(() => {const id = window.setInterval(() => {setCount((count) => count + step)}, 1000)return () => window.clearInterval(id)}, [step]) Now we’re right back to where we started. Anytime step changes, our old interval is going to be cleared and a new interval is going to be set up. Again, not ideal. Luckily for us, the solution is the same, useReducer. Notice the code is still the exact same as we saw earlier. Encapsulated inside of the increment action is the logic for count + step. Again, since we don’t need any state values to describe what happened, we can clear everything from our dependency array. useState and useReducer both allow you to add state to function components. useReducer offers a bit more flexibility since it allows you to decouple how the state is updated from the action that triggered the update - typically leading to more declarative state updates. If different pieces of state update independently from one another ( hovering, selected, etc.), useState should work fine. If your state tends to be updated together or if updating one piece of state is based on another piece of state, go with useReducer..
https://ui.dev/usereducer/
CC-MAIN-2021-43
refinedweb
3,349
57.77
:see_no_evil: Steganography: Hiding an image inside another Create a virtualenvand install the requirements: virtualenv venv source venv/bin/activate pip install -r requirements.txt Then, merge and unmerge your files with: python steganography.py merge --img1=res/img1.jpg --img2=res/img2.jpg --output=res/output.png python steganography.py unmerge --img=res/output.png --output=res/output2.png To use the Steganography class in your Python code, you will need to use the Image module from the Pillow library, for example: from PIL import Image merged_image = Steganography.merge(Image.open(img1), Image.open(img2)) merged_image.save(output) Note: the output image from the merge operation and the input image for the unmerge operation must be in PNG format. Let’s understand what is steganography, digital images, pixels, and color models. Steganography is the practice of concealing a file, message, image, or video within another file, message, image, or video. The advantage of steganography over cryptography alone is that the intended secret message does not attract attention to itself as an object of scrutiny. Plainly visible encrypted messages, no matter how unbreakable they are, arouse interest and may in themselves be incriminating in countries in which encryption is illegal. In other words, steganography is more discreet than cryptography when we want to send a secret information. On the other hand, the hidden message is easier to extract. Ok, now that we know the basics of steganography, let’s learn some simple image processing concepts. Before understanding how can we hide an image inside another, we need to understand what a digital image is. We can describe a digital image as a finite set of digital values, called pixels. Pixels are the smallest individual element of an image, holding values that represent the brightness of a given color at any specific point. So we can think of an image as a matrix (or a two-dimensional array) of pixels which contains a fixed number of rows and columns. When using the “digital image” term here, we are referencing to the “raster graphics”, which are basically a dot matrix data structure, representing a grid of pixels, which in turn can be stored in image files with varying formats. You can read more about digital images, raster graphics, and bitmaps at the Wikipedia website. As already mentioned, pixels are the smallest individual element of an image. So, each pixel is a sample of an original image. It means, more samples provide more accurate representations of the original. The intensity of each pixel is variable. In color imaging systems, a color is typically represented by three or four component intensities such as red, green, and blue, or cyan, magenta, yellow, and black. Here, we will work with the RGB color model. As you can imagine, the RGB color model has 3 channels, red, green and blue.. So, each pixel from the image is composed of 3 values (red, green, blue) which are 8-bit values (the range is 0–255). As we can see in the image above, for each pixel we have three values, which can be represented in binary code (the computer language). When working with binary codes, we have more significant bits and less significant bits, as you can see in the image below. The leftmost bit is the most significant bit. If we change the leftmost bit it will have a large impact on the final value. For example, if we change the leftmost bit from 1 to 0 (11111111 to 01111111) it will change the decimal value from 255 to 127. On the other hand, the rightmost bit is the least significant bit. If we change the rightmost bit it will have less impact on the final value. For example, if we change the leftmost bit from 1 to 0 (11111111 to 11111110) it will change the decimal value from 255 to 254. Note that the rightmost bit will change only 1 in a range of 256 (it represents less than 1%). Summarizing: each pixel has three values (RGB), each RGB value is 8-bit (it means we can store 8 binary values) and the rightmost bits are least significant. So, if we change the rightmost bits it will have a small visual impact on the final image. This is the steganography key to hide an image inside another. Change the least significant bits from an image and include the most significant bits from the other image. You can check out the result in the following image: The left upper image is the image that will hide the right upper image. The left lower image is the two images merged and the right lower image is the extracted (unmerged) image. As you can see in the image above, we lost some image quality in the process, but this does not interfere with image comprehension.
https://xscode.com/kelvins/steganography
CC-MAIN-2021-10
refinedweb
805
62.17
To add support for server sides queries, there needs to be a way to add a "Remote Scope" to the list of scopes in find usages. Created attachment 123510 [details] Proposed patch Please review the attached patch. Thanks a lot for working on this. JL01: would it be possible to avoid including the ScopePanel GUI the API? Maybe something like: final class ScopePanel extends Object { //maybe ScopePanelProvider public static ScopePanel create(...) {...} public JPanel getUI() {...} public boolean initialize(...) {...} public Scope getSelectedScope() {...} } Does not seem particularly nice, but would not introduce a subclassable UI class into the SPI. JL02: the relationship between @ScopeDescription and ScopeProvider is a little bit confusing to me - maybe @SD should be renamed to @ScopeProvider.Registration? Also not sure if displayName and iconBase need to be defined in the @SD - the SP must be instantiated anyway to get the correct display name and icon. (It also relates to Scopes.create - I will need to think about this further.) JL03: I don't think that getting "Scope" from the project's lookup in OpenProjectsScopeProvider.addProjectToScope is a good idea (I know that its done in Source/Inspect) - maintaining the Scope instance in the project's Lookup is pretty difficult. Maybe we could look-up ScopeProvider? Does not seem very nice to be, but better for the clients than Scope. What a huge patch. Maybe it is enough to submit just diffs of API classes... > JL02: ScopeDescription also does not have javadoc. JL01: I'm not sure, I prefer to have something that cooperates nicely with the gui-builder. But I do agree that it should be final. JL02: Yes, I can move/rename ScopeDescription to ScopeProvider.Registration. The icon and displayname are in @SD because not all scopes are depending on the context -> Opened Projects, Remote, Custom. But this can be changed if you want. JL03: Ok, will change this. JB01: Sorry, I will document this class. Created attachment 123726 [details] Proposed API Updated patch, splitted into API classes and implementation JL01: Made ScopePanel final. JL02: I moved @SD to @ScopeProvider.Registration and moved the Scopes implementation to separate delegating classes, as is design pattern used in netbeans sources. JL03: I removed this from the scope provider and changed it to something that is used in FU currently. JB01: Javadoc for @ScopeProvider.Registration (@SD) has been added. Created attachment 123727 [details] Proposed implementation API looks good. VV01: small remark, compare method returns int, so return (o1.getPosition() < o2.getPosition() ? -1 : (o1.getPosition() == o2.getPosition() ? 0 : 1)); can be replaced by more simple return o1.getPosition() - o2.getPosition(); VV02: I have a question. Find Usages sometimes expands first elements and sometimes not, probably based on number of elements to be displayed. Now "lazy" ExpandableTreeElement was introduced. Would it be expanded as well if it is only one? I want to change all our files nodes into ExpandableTreeElement to prevent creation of htmlized strings as it is now VV01: I recently had some problems in C when true/false were not exactly 1/0, but I will change it.? If there are no further comments, I will integrate tonight. (In reply to comment #8) >? I think I saw it in profiler, but have to double check. Anyway, it was just a question, not a blocker for integration Changeset: 8224a1328778 Author: Ralph Benjamin Ruijs <ralphbenjamin@netbeans.org> Date: 2012-08-31 19:50 Message: Issue #217347 - Add support for server side queries in Find Usages Changeset: 999fa8f7d6ff Author: Ralph Benjamin Ruijs <ralphbenjamin@netbeans.org> Date: 2012-08-31 19:51 Message: Issue #217347 - Add support for server side queries in Find Usages Integrated into 'main-golden', will be available in build *201209010001* on (upload may still be in progress) Changeset: User: Ralph Benjamin Ruijs <ralphbenjamin@netbeans.org> Log: Issue #217347 - Add support for server side queries in Find Usages
https://netbeans.org/bugzilla/show_bug.cgi?id=217347
CC-MAIN-2015-35
refinedweb
637
67.25
. // C++ program to find Minimum Spanning Tree // of a graph using Reverse Delete Algorithm #include<bits/stdc++.h> using namespace std; // Creating shortcut for an integer pair typedef pair<int, int> iPair; // Graph class represents a directed graph // using adjacency list representation class Graph { int V; // No. of vertices list<int> *adj; vector< pair<int, iPair> > edges; void DFS(int v, bool visited[]); public: Graph(int V); // Constructor // function to add an edge to graph void addEdge(int u, int v, int w); // Returns true if graph is connected bool isConnected(); void reverseDeleteMST(); }; Graph::Graph(int V) { this->V = V; adj = new list<int>[V]; } void Graph::addEdge(int u, int v, int w) { adj[u].push_back(v); // Add w to v’s list. adj[v].push_back(u); // Add w to v’s list. edges.push_back({w, {u, v}}); } void Graph::DFS(int v, bool visited[]) { // Mark the current node as visited and print it visited[v] = true; // Recur for all the vertices adjacent to // this vertex list<int>::iterator i; for (i = adj[v].begin(); i != adj[v].end(); ++i) if (!visited[*i]) DFS(*i, visited); } // Returns true if given graph is connected, else false bool Graph::isConnected() { bool visited[V]; memset(visited, false, sizeof(visited)); // Find all reachable vertices from first vertex DFS(0, visited); // If set of reachable vertices includes all, // return true. for (int i=1; i<V; i++) if (visited[i] == false) return false; return true; } // This function assumes that edge (u, v) // exists in graph or not, void Graph::reverseDeleteMST() { // Sort edges in increasing order on basis of cost sort(edges.begin(), edges.end()); int mst_wt = 0; // Initialize weight of MST cout << "Edges in MST\n"; // Iterate through all sorted edges in // decreasing order of weights for (int i=edges.size()-1; i>=0; i--) { int u = edges[i].second.first; int v = edges[i].second.second; // Remove edge from undirected graph adj[u].remove(v); adj[v].remove(u); // Adding the edge back if removing it // causes disconnection. In this case this // edge becomes part of MST. if (isConnected() == false) { adj[u].push_back(v); adj[v].push_back(u); // This edge is part of MST cout << "(" << u << ", " << v << ") \n"; mst_wt += edges[i].first; } } cout << "Total weight of MST is " << mst_wt; } // Driver code int main() { // create the graph given in above fugure int V = 9; Graph g(V); // making above shown graph g.addEdge(0, 1, 4); g.addEdge(0, 7, 8); g.addEdge(1, 2, 8); g.addEdge(1, 7, 11); g.addEdge(2, 3, 7); g.addEdge(2, 8, 2); g.addEdge(2, 5, 4); g.addEdge(3, 4, 9); g.addEdge(3, 5, 14); g.addEdge(4, 5, 10); g.addEdge(5, 6, 2); g.addEdge(6, 7, 1); g.addEdge(6, 8, 6); g.addEdge(7, 8, 7); g.reverseDeleteMST(); return 0; }
http://www.geeksforgeeks.org/reverse-delete-algorithm-minimum-spanning-tree/
CC-MAIN-2017-17
refinedweb
471
68.67
Hi, After upgrading to 3.0.2, i have problem displaying XMLA output for debugging purposes. Using Jboss 3.0.5, I have put this into log4j.xml: <category name="mondrian"> <priority value="DEBUG" /> </category> I get MDX and SQL output, but no xmla - can anyone tell me the appropriate setting here? The reason i want xmla output is because i try to connect excel 2007 to a mondrian server (standalone, not pentaho). According to one thread here, it should be possible also without the simba driver. Connecting works fine from Jasperreports and other applications. I get this error when trying to connect from excel via the ssas driver : "The xsd:schema element at line 9, column 312 (namespace) cannot appear under Envelope/Body/ExecuteResponse/return/root"
http://forums.pentaho.com/showthread.php?60987-XMLA-debug-excel-output
CC-MAIN-2015-40
refinedweb
127
50.02
from __future__ import print_function, division from sympy.core.compatibility import range from sympy.combinatorics.permutations import Permutation, _af_rmul, \ ]] """ if len(dummies) > n: raise ValueError("List too large")): """. Given a tensor `T^{d3 d2 d1}{}_{d1 d2 d3}` with the slot symmet. This algorithm differs slightly from the original algorithm [3]: the canonical form is minimal lexicographically, and the BSGS has minimal base under lexicographic order. Equal tensors `h` are eliminated from TAB. """): """], [(4)(0 1), ], [(0 1)(4 5), (5)(0 2)(1 3), ], [(7)(0 1), (7)(1 2), (7)(3 4), (7)(4 5), (7)(0 3)(1 4)(2 5)]) two symmetric tensors with 3 indices with free indices in slot 1 and 0 >>> tensor_gens(base, gens, [[1], [0]]) (8, [0, 4], [(7)(0 2), ], [(5)(0 1), (5)(2 3), (5)(0 2)(1 3)]) >>> gens_products((base, gens, [[1], []], 0)) (6, [2], [
http://docs.sympy.org/1.0/_modules/sympy/combinatorics/tensor_can.html
CC-MAIN-2017-51
refinedweb
147
54.12
Computes the max distance between 3D-curve and 2D-curve in some surface. More... #include <GeomLib_CheckCurveOnSurface.hxx> Computes the max distance between 3D-curve and 2D-curve in some surface. Default contructor. Contructor. Returns my3DCurve. Returns error status The possible values are: 0 - OK; 1 - null curve or surface or 2d curve; 2 - invalid parametric range; 3 - error in calculations. Sets the data for the algorithm. Initializes all members by dafault values. Returns true if the max distance has been found. Returns max distance. Returns parameter in which the distance is maximal. Computes the max distance for the 3d curve <myCurve> and 2d curve <thePCurve> If isTheMultyTheadDisabled == TRUE then computation will be made without any parallelization. Returns first and last parameter of the curves (2D- and 3D-curves are considered to have same range) Returns mySurface.
https://www.opencascade.com/doc/occt-7.1.0/refman/html/class_geom_lib___check_curve_on_surface.html
CC-MAIN-2020-16
refinedweb
136
58.28
Long story short, I got up to reading about how to send emails in java and tried to put in: import javax.mail.*; And, I got a great error telling me that it didn't exist. Being on a public school's computer, I couldn't download the javamail package there, so I had to do it at home. After that, I realized id have to download java sdk6 onto my flash drive, and configure it all to run from my flash drive. No problem. But here is where I run into a problem: installing the JavaMail package. Here are the instructions presented: Windows ------- 1. Unzip the javamail-1_4_1.zip archive. (you may have already done this) 2. Set your CLASSPATH to include the "mail.jar" file obtained from the download, as well as the current directory. Assuming you unzipped javamail-1_4_1.zip in c:\download the following would work: set CLASSPATH=%CLASSPATH%;c:\download\javamail-1.4.1\mail.jar;. Also include the "activation.jar" file that you obtained from downloading the JavaBeans Activation Framework, in your CLASSPATH. set CLASSPATH=%CLASSPATH%;c:\download\activation\activation.jar 3. Go to the demo directory 4. Compile any demo using your java compiler. For example: javac msgshow.java 5. Run the demo. The '-' option lists the required and optional command-line options to successfully run any demo. For example: java msgshow - lists the available options. And java msgshow -T imap -H <mailserver> -U <username> -P <passwd> -f INBOX 5 uses the IMAP protocol to display message number 5 from your INBOX. I have unzipped the JAF (Which I thought was suppose to come standard in SDK6 now days anyways) but am not a little ... mm... confused as to what to do. Assuming you unzipped javamail-1_4_1.zip in c:\download the following would work: set CLASSPATH=%CLASSPATH%;c:\download\javamail-1.4.1\mail.jar;. I have unzipped javamail-1_4_1.zip into g:\ and have all of the contents of the folders, but have no idea as to what it means to set the classpath. When installing java on my flashdrive, i was instructed to create a .bat file that contains the following to allow java to run off of it: set Path=\java\bin;%Path% So, my question basically comes down to: How the hell can I install JavaMail without tearing my hair out? I am good at java programming, but have no idea what these instructions are telling me. I realize you all want a sample of my code to see how well I am doing so far, but it is unfortunately at school and is not relative to what I need help with. Anyways, its like- 600 lines right now (Which i know is short by your guys's standards heh) Any help would be appreciated, thanks in advanced! ,Jurence
http://www.dreamincode.net/forums/topic/75072-installing-javamail/
CC-MAIN-2018-17
refinedweb
471
66.44
You could put the parsing helper code in a separate class: public class ParserUtil { public static boolean isFullDuplex(String hardwareDependentString) { return hardwareDependentString.equalsIgnoreCase("FULL-DUPLEX"); } } -Adrian --- On Tue, 11/30/10, Pau Minoves <pau.minoves@i2cat.net> wrote: > Hi all, > > We have some doubts here on how apache digester (2.1) is > meant to be > used. I don't think we are on a strange scenario so there > is probably > something we are missing. > > In our case, we have a (bean) data model that we need to > create from a > series of xmls. This data model represents network > configuration and > we have xml's that come from different network devices. > Each network > device produces different XMLs so we use a set of digester > rules to > parse that into the data model. > > So digester rules are device specific while our data model > (wants to > be) is device agnostic. > > The problem we see is that the digester forces us (via > rules as > CallMethodRule) to include parsing logic in methods > *inside* the data > model and that kind of breaks our hardware abstration > layer. > > I can illustrate this with an example. In one of the > devices, a string > comes stating if an interface is "HALF-DUPLEX" or > "FULL-DUPLEX", in > our data model, we have a boolean for that. We have this > logic: > > void bool isFullDuplex(String hardwareDependentString) > { > if( > hardwareDependentString.equalsIgnoreCase("FULL-DUPLEX") > return true; > else > return false; > } > > Using basic digester rules we have to create this method in > the data > model while i would like to keep it next to the parser, as > it is where > this kind of logic belongs. > > Are we missing something? This is something that is > happening all the > time to us (XMLs are quite hardware dependent) so we are > proposals :) > > Any help is very much appreciated. Thanks, > Pau --------------------------------------------------------------------- To unsubscribe, e-mail: user-unsubscribe@commons.apache.org For additional commands, e-mail: user-help@commons.apache.org
http://mail-archives.apache.org/mod_mbox/commons-user/201011.mbox/%3C810797.68101.qm@web63104.mail.re1.yahoo.com%3E
CC-MAIN-2018-47
refinedweb
319
63.49
. A quick recap: the database migration solution with Jobs and init containers In my previous post I discussed the need to run database migrations as part of an application deployment, so that the database migrations are applied before the new application code starts running. This allows zero-downtime deployments, and ensures that the new application code doesn't have to work against old versions of the database. As I mentioned in the previous post, this does still require you to be thoughtful with your database migrations so as to not break your application in the period after running migrations but before your application code is fully updated. The approach I described consists of three parts: - A .NET Core command line project, as part of the overall application solution, that executes the migrations against the database. - A Kubernetes job that runs the migration project when the application chart is installed or upgraded. - Init containers in each application pod that block the execution of new deployments until after the job has completed successfully. With these three components, the overall deployment process looks like the following: For the remainder of the post I'll describe how to update your application's Helm Charts to implement this in practice. The sample application For this post I'll extend a sample application I described in a previous post. I described creating a helm chart containing two sub-applications, an "API app", with a public HTTP API and associated ingress, and a "service app" which did not have an ingress, and would be responsible, for example, for handling messages from a message bus. test-app-apiapp Currently the test-app chart consists of two sub-charts: test-app-api: the API app, with a template for the application deployment (managing the pods containing the application itself), a service (an internal load-balancer for the pods), and an ingress (exposing the HTTP endpoint to external clients) test-app-service: the "message bus handler" app, with a template for the application deployment (managing the pods containing the application itself) and a service for internal communication (if required). These sub charts are nested under the top-level test-app, giving a folder structure something like the following: In this post we assume we now need to run database migrations when this chart is installed or updated. The .NET Core database migration tool The first component is the separate .NET project that executes database migrations. There are lots of tools you can use to implement the migrations. For example: - Use EF Core's migrations directly from a global tool - Execute EF Core migrations manually by calling Database.Migrate(). - Using an alternative library such as DbUp or FluentMigrator. - Use some other tool entirely. You're running in Docker, so it doesn't even need to be .NET. For our projects we typically have a "utility" command line tool that we use for running ad-hoc commands. We use Oakton for parsing command line arguments and typically have multiple commands you can issue. "Migrate database" is one of these commands. Just so we have something to test, I created a new console application using dotnet new console and updated the Program.cs to sleep for 30s before returning successfully: using System; using System.Threading; namespace TestApp.Cli { class Program { static void Main(string[] args) { Console.WriteLine("Running migrations..."); Thread.Sleep(30_000); Console.WriteLine("Migrations complete!"); } } } This will serve as our "migration" tool. We'll build it into a Docker container, and use it to create a Kubernetes Job that is deployed with the application charts. Creating a Kubernetes Job The Helm Chart template for a Kubernetes Job is similar in many ways to the Helm Chart template for an application deployment, as it re-uses the "pod manifest" that defines the actual containers that make up the pod. The example below is the full YAML for the Kubernetes Job, including support for injecting environment variables as described in a previous post. I'll discuss the YAML in more detail below apiVersion: batch/v1 kind: Job metadata: name: {{ include "test-app-cli.fullname" . }}-{{ .Release.Revision }} labels: {{- include "test-app-cli.labels" . | nindent 4 }} spec: backoffLimit: 1 template: metadata: labels: {{- include "test-app-cli.selectorLabels" . | nindent 8 }} spec: containers: - name: {{ .Chart.Name }} image: "{{ .Values.image.repository }}:{{ .Values.image.tag | default .Chart.AppVersion }}" imagePullPolicy: {{ .Values.image.pullPolicy }} command: ["dotnet"] args: ["TestApp.Cli.dll", "migrate-database"] env: {{- $env := merge .Values.env .Values.global.env -}} {{ range $k, $v := $env }} - name: {{ $k | quote }} value: {{ $v | quote }} {{- end }} restartPolicy: {{ .Values.job.restartPolicy }} apiVersion, version, metadata This section is standard for all Kubernetes manifests. It specifies that we're using version 1 of the Job manifest, and we use some of Helm's helper functions to create appropriate labels and names for the created resource. One point of interest here - we create a unique namefor the job by appending the revision number. This ensures that a new migration job is created on every install/upgrade of the chart. backoffLimit This property is specific to the Job manifest, and indicates the number of times a job should be retried if it fails. In this example, I've set .spec.backoffLimit=1, which means we'll retry once if the migrations fail. If the migrations fail on the second attempt, the Job will fail completely. In that case, as the job will never complete, the new version of the application code will never run. template This is the main pod manifest for the job. It defines which containers will run as part of the job and their configuration. This section is very similar to what you will see in a typical deployment manifest, as both manifests are about defining the containers that run in a pod. The main difference in this example, is that I've overridden the command and args properties. This combination of command and args is equivalent to running dotnet TestApp.Cli.dll migrate-database when the container starts. That's all there is to the job manifest. Create the manifest as the only template in the test-app-cli sub-chart of the top-level test-app: One final thing is to add some configuration to the top-level values.yaml file, to configure the migration app: test-app-cli: image: repository: andrewlock/my-test-cli pullPolicy: IfNotPresent tag: "" job: ## Should the job be rescheduled on the same node if it fails, or just stopped restartPolicy: Never I've added some default values for the container. You could add extra default configuration if required, for example standard environment variables, as I showed in a previous post. Testing the job At this point, we could test installing our application, to make sure the job executes correctly. Assuming you have helm installed and configured to point to a cluster, and that you have built and tagged your containers as version 0.1.1, you can install the top-level chart by running: helm upgrade --install my-test-app-release . \ --namespace=local \ --set test-app-cli.image.tag="0.1.1" \ --set test-app-api.image.tag="0.1.1" \ --set test-app-service.image.tag="0.1.1" \ --debug If you check the Kubernetes dashboard after running this command, you'll see a new Job has been created, called my-test-app-release-test-app-cli: The 1/1 in the Pods column indicates that the Job is executing an instance of your CLI pod. If you check in the Pods section, you'll see that the app, CLI, and service pods are running. In the example below, the API pod is still in the process of starting up: Note that we haven't implemented the init containers yet, so our application pods will immediately start handling requests without waiting for the job to finish. We'll address this shortly. After 30 seconds, our Thread.Sleep() completes, and the "migration" pod exits. At this point the Job is complete. If you view the Job in the Kubernetes dashboard you'll see that the Pod shows a status of Terminated: Completed with a green tick, and that we have reached the required numbers of "completions" for the Job (for details on more advanced job requirements, see the documentation). We're now running migrations as part of our deployment, but we need to make sure the migrations complete before the new application containers start running. To achieve that, we'll use init containers. Using init containers to delay container startup A Kubernetes pod is the smallest unit of deployment in Kubernetes. A pod can contain multiple containers, but it typically only has a single "main" container. All of the containers in a pod will be scheduled to run together, and they'll all be removed together if the main container dies. Init containers are a special type of container in a pod. When Kubernetes deploys a pod, it runs all the init containers first. Only once all of those containers have exited gracefully will the main containers be executed. Init containers are often used for downloading or configuring pre-requisites required by the main container. That keeps your container application focused on it's one job, instead of having to configure it's environment too. In this case, we're going to use init containers to watch the status of the migration job. The init container will sleep while the migration job is running (or if it crashes), blocking the start of our main application container. Only when the job completes successfully will the init containers exit, allowing the main container to start. groundnuty/k8s-wait-for In this section I'll show how to implement an init container that waits for a specific job to complete. The good news is there's very little to write, thanks to a little open-source project k8s-wait-for. The sole purpose of this project is exactly what we describe: to wait for pods or jobs to complete and then exit. We can use a Docker container containing the k8s-wait-for script, and include it as an init container in all our application deployments. With a small amount of configuration, we get the behaviour we need. For example, the manifest snippet below is for the test-app-api's deployment.yaml. I haven't shown the whole file for brevity—the important point is the initContainers section: apiVersion: apps/v1 kind: Deployment metadata: name: {{ include "test-app-api.fullname" . }} spec: template: # ... metadata and labels elided spec: # The init containers initContainers: - name: "{{ .Chart.Name }}-init" image: "groundnuty/k8s-wait-for:1.3" imagePullPolicy: {{ .Values.image.pullPolicy }} args: - "job" - "{{ .Release.Name }}-test-app-cli-{{ .Release.Revision}}" containers: # application container definitions - name: {{ .Chart.Name }} image: "{{ .Values.image.repository }}:{{ .Values.image.tag | default .Chart.AppVersion }}" # ...other container configuration The initContainers section is the interesting part. We provide a name for the container (I've used the name of the sub-chart with an -init suffix, e.g. test-app-api-init), and specify that we should run the Docker image groundnuty/k8s-wait-for:1.3, using the specified imagePullPolicy from configuration. We specify what the init container should wait for in the args dictionary. In this case we choose to wait for a job with the name "{{ .Release.Name }}-test-app-cli-{{ .Release.Revision}}". Once Helm expands that template, it will look something like my-test-app-release-test-app-cli-6, with the final Revision number incrementing with each chart update. That matches the name: we gave to the job that is deployed in this release. And that's it. Add the initContainers section to all your "main" application deployments (two in this case: the API app and the message handler service). Next time you install a chart, you'll see the behaviour we've been chasing. The new application deployments are created at the same time as the job, but they don't actually start. Instead, they sit in the PodInitializing status: As you can see in the previous image, while the job is running and the new application pods are blocked, the existing application pods continue to run and handle the traffic. In practice, it's often unnecessary to have zero-downtime deployments for message-handling services, and it increases the chance of data inconsistencies. Instead, we typically use a "Recreate" strategy instead of Rolling Update for our message-handling apps (but use a rolling update for our APIs to avoid downtime). Once the job completes, the init containers will exit, and the new application pods can start up. Once their startup, readiness, and liveness probes indicate they are healthy, Kubernetes will start sending them traffic, and will scale down the old application deployments. Congratulations! You've just done a zero-downtime database migration and deployment with Kubernetes 🙂 Summary In this post I showed how you can use Kubernetes jobs and init containers to run database migrations as part of a zero-downtime application upgrade. The Kubernetes job runs a single container that executes the database migrations as part of the Helm Chart installation. Meanwhile, init containers in the main application pods prevent the application containers from starting. Once the job completes, the init containers exit, and the new application containers can start.
https://andrewlock.net/deploying-asp-net-core-applications-to-kubernetes-part-8-running-database-migrations-using-jobs-and-init-containers/
CC-MAIN-2021-31
refinedweb
2,200
53.92
Hi Folks, I had a couple of hours spare, so I put together a set of Perl bindings for libvirt. I'm currently calling the module Sys::Virt which seems to be the most appropriate location in the CPAN namespace, but I'm open to suggestions if people think that sucks. I've currently got near 100% coverage of the C APIs, but not exposed all the static constants yet. There are a couple of trivial example programs illustrating use of the API for extracting info about domains.=20 For now you can grab a snapshot of the source for the binding using=20 Mercurial from the URL: When I've tested it more completely I'll upload it to CPAN -=|
https://www.redhat.com/archives/libvir-list/2006-March/msg00067.html
CC-MAIN-2014-10
refinedweb
121
65.46
Hello, is it possible to create button in ArcGIS Pro with ArcPy? I have a script that I run directly from the command line, but I need to modify it to a button directly in ArcGIS Pro. I know it can be achieved with SDK but is it possible with ArcPy? Thanks Unfortunately, The pythonaddins module—ArcMap | Documentation has not, and likely won't be, ported over to ArcGIS Pro. So, you are left looking to non-Esri/ArcGIS packages. There are several options to present messages boxes, dialog boxes, etc... in Python: tkinter, ctypes, pywin32, and others. Normally I would suggest tkinter because it is cross-platform and the standard/default with Python, but Esri has done something under the hood to break standard tkinter syntax within ArcGIS Pro application. I like ctypes, but it is a bit more involved for people who aren't used to working with it, so I suggest pywin32: import win32ui import win32con response = win32ui.MessageBox("Message", "Title", win32con.MB_YESNOCANCEL) Thanks so much for the tip, I will try it. You say you currently run your script from the command line this indicates you don't interact with the map, something that a tool button would allow. As @JoshuaBixby says the pythonaddin has not been ported to ArcPro. Why not run your script as a tool instead? You wire up your script to a tool interface and then you can run it from a toolbox, it has the look, feel and behaviour of any other tool. This would provide an interface to your script to allow a user to change the input parameters.
https://community.esri.com/t5/python-questions/button-in-arcgis-pro-with-arcpy/td-p/729593
CC-MAIN-2021-17
refinedweb
269
63.59
I'm using EF as my ORM, and I need to execute some raw SQL against my postgres DB, to offload some JSON (jsonb) processing. I'm using EntityFramework Core 1.1.0, with the npgsql provider for postgres. Per the latest docs on executing SQL, I need to use context.[entity].FromSql() - where FromSql is in the Microsoft.EntityFrameworkCore.Relational namespace. So, I added that package via NuGet... The screenshot shows the problem - the reference is added, but it won't resolve in my code: I've tried uninstalling and reinstalling the Core SDK and VS developer tools (VS 2015). Any help appreciated. Edit, showing full reference: Full reference screenshot Reference and namespace are different things. The RelationalQueryableExtensions class you are seeking is located in the showed referenced assembly under Microsoft.EntityFrameworkCore namespace. @IvanStoev was correct. The reference added the .FromSql extension to my entities after including the base Microsoft.EntityFrameworkCore namespace.
https://entityframeworkcore.com/knowledge-base/42343333/microsoft-entityframeworkcore-relational-namespace--using--won-t-resolve
CC-MAIN-2022-21
refinedweb
153
52.05
View Patterns as Pattern Matching for Records I’ve learned a lot in the last day about record systems for Haskell built as libraries. I came up with what seemed like an obvious answer, and indeed it was essentially the same as two existing packages on Hackage — fclabels and data-accessor — the second of which is among the more popular downloads out there. That’s always a good sign, that a significant number of people needed the same thing, and liked the same answer. But there are some things, still, that are provided by the built-in package system, either as standard features or GHC extensions, that it’s unclear how to accomplish as a library. The one that’s intriguing me most right now is pattern matching, because I think it almost got inadvertently solved a couple years ago. Right now, I can write this for a record type in Haskell. foo :: MyRecord -> Int foo (MyRecord { field1 = Just k, field2 = 4, field3 = (x:_) }) = 4*k - x That’s a pattern match that disassembles the record, by named fields, and matches each field using the full variety of patterns available in any other context. Pretty powerful stuff. Unfortunately, it’s built in to Haskell’s rather limited record system, and is among the casualties incurred when switching to a different system. One needs to fall back to the underlying “native” record. In the case of the fclabels and data-accessor packages, for example, this means using a whole separate set of names involving underscores, further polluting the namespace with symbols related only by similarity of name. Not a purely practical disadvantage, perhaps, but one that I’m sure grates against the nerves of anyone looking for neat, elegant answers. Fortunately, as I mentioned briefly in my last post, the answer already exists, and has already been added to GHC. The answer here is view patterns. In data-accessor package language, one can actually write the following to express part of the above. foo ((^. field1) -> Just k) = k (Admittedly, one does obtain a warning about pattern matching overlaps when doing this. I’m unsure why.) Unfortunately, this very nice approach doesn’t appear to currently extend as nicely to pattern matching on several fields at the same time. A view pattern has one view, which matches an argument; a second view pattern matches a second argument, which isn’t what we want. The best we can do is to define a view that selects several fields… foo ((^. field1) &&& (^. field3) -> (Just k, (x:_))) = 4*k Barely passable for two fields… but add a third field, and suddenly you have to know about the associativity of &&& (which, by the way, we took from the Control.Arrow package). Besides, the distance and way that conditions on different fields are mixed together isn’t terribly appealing. We’d really like to just be able to pattern match the same argument multiple times, requiring that all of them succeed. Ironically, this is hardly a new problem. It’s actually the same thing encountered in @-patterns. One wants to pattern match twice there, too — once to bind a name to the entire value, and again to deconstruct it and bind names or match pieces. Without view patterns, that was the only situation in which one might want to pattern match the same value in several ways; the only choice was to either open up a data constructor and match on it, or else don’t. With view patterns, though, the possibility arises any number of ways. (Data.FingerTree contains both the functions viewl and viewr, for instance; I’m not personally aware of an application that would like to pattern match on both at once, but it doesn’t seem terribly hard to imagine that it might occur.) It makes sense to propose, in lieu of trying to invent a way to extend record pattern-matching syntax to a new kind of records, to simply provide a mechanism for simultaneously pattern-matching the same argument in several ways. What we would obtain from this is to generalize the problems solved by @-patterns and record syntax at once, as well as potential future as-yet-unidentified problems. In other words, the real feature we want is simultaneous patterns — multiple patterns that are matched side-by-side with a single value. The semantics are that the pattern match succeeds only if all of them do, in which case all of the variables occurring in the pattern are appropriately bound. In my last post, I proposed using a semicolon to separate the patterns. Here’s the previous example in this form, using data-accessor syntax. foo :: MyRecord -> Int foo ((^.field1) -> Just k ; (^.field2) -> 4 ; (^.field3) -> (x:_)) = 4*k - x With that, we’d have solved one of the outstanding issues in building a library replacement for Haskell’s distinguished record syntax. Essentially, there’d just be no more need for a “special” record syntax for pattern matching. We’d have done it not by adding a new distinguished record syntax, but rather by opening up the existing pattern matching features (including view patterns, of course) to accomodate a rather straight-forward extension. If I don’t see an obvious reason not to pursue this, I may try to determine how difficult it would be to implement this as a GHC extension. foo :: MyRecord -> Int foo r | Just k <- r ^. field1, 4 <- r ^. field2, x:_ <- r ^. field3 = 4*k – x That’s an interesting idea. Derek’s is a nice interim solution, but I agree with Chris that simultaneous pattern-matching seems like a nice thing. Maybe @ could be reused rather than ; … @Ben: Note that @ bindings currently only allow for a simple variable name to be bound on the left hand side of the @, so allowing @ bindings in this setting would require a fairly invasive retooling of how @ works inside patterns. I think that would be very interesting. I’d love to see you try to implement this extension (and, of course, as someone on the Haskell’ committee, to see you turn this into a proposal for a future revision of Haskell if it works out well). You can already kind of match on a value multiple times with view patterns: just define a function that pairs the value with itself the appropriate number of times. Instead of foo :: MyRecord -> Int foo ((^.field1) -> Just k ; (^.field2) -> 4 ; (^.field3) -> (x:_)) = 4*k – x write three x = (x , x , x) foo (three -> ((^.field1) -> Just k , (^.field2) -> 4 , (^.field3) -> (x:_))) = 4*k – x Also I meant to mention that this use of view patterns is very cool! Nice idea! :) Oh, I like that one… without the special function, one can still do (slightly more messy) foo (replicate 3 -> [ (^.field1) -> Just k, (^.field2) -> 4, (^.field3) -> (x:_) ]) = 4*k – x
https://cdsmith.wordpress.com/2009/10/04/view-patterns-as-pattern-matching-for-records/?like=1&_wpnonce=b93d0ca0fa
CC-MAIN-2018-17
refinedweb
1,141
69.41
nova list by ip returns all the servers, even though invalid ip format is given Bug Description nova list by ip returns all the servers, even though invalid ip format is given.It is expected to throw an error meenakshi_ +------ | ID | Name | Status | Networks | +------ | 71c52c14- | cc50a41b- | ce889f11- | df306f21- +------ I doubt is it the correct format to list the ip , as the description of the argument says to provide regular expression. And the behaviour is same, if the exceeded ip range is provided as input. The following is the description of "nova list" command in nova API, I hope this helps you to understand. meenakshi_ usage: nova list [--reservation_id <reservation_id>] [--recurse_zones [<0|1>]] List active servers. Optional arguments: --reservation_id <reservation_id> --recurse_zones [<0|1>] --ip <ip_regexp> Search with regular expression match by IP address --ip6 <ip6_regexp> Search with regular expression match by IPv6 address --name <name_regexp> Search with regular expression match by name --instance_name <name_regexp> --status <status> Search by server status --flavor <flavor> Search by flavor ID --image <image> Search by image ID --host <hostname> Search instances by hostname to which they are If you enable debug logging, do you have a debug message that says something like: "Removing options 'ip' from query" ? It looks like the code in nova/api/ def _get_server_ """Return server search options allowed by non-admin.""" return ('reservation_id', 'name', 'status', 'image', 'flavor', Though I do see code for it (the compute API and db API). So, either it's accidentally filtered out, or not allowed via the OpenStack API on purpose. I suspect it's just an accident and the fix is just to treat it as a valid filter when sanitizing the input. I agree with Russel, The 'ip' option is disallowed for non-admin role in the API, and works as expected when queried as admin. I feel reluctant to change it - it seems non admin users cannot query servers by IP is there by design. If we were to treat tests as documentation - I would say that this is exactly the intended behaviour - take a look at nova.tests. ServersControll ServersControll both tests assume only admin role, and ServersControll shows that invalid get params should be ignored (which is the behaviou we are seeing). I would think this should be a bug for Nova, not Tempest. Also, I don't see this functionality in the API docs. Can you point out where this is coming from?
https://bugs.launchpad.net/nova/+bug/1000166
CC-MAIN-2016-40
refinedweb
402
56.49
soundin — Reads audio data from an external device or stream. Reads audio data from an external device or stream. Up to 24 channels may be read before v5.14, extended to 40 in later versions., fox.wav and kickroll.wav. Example 801. Example of the sound soundin.wav -W ;;; for file output any platform </CsOptions> <CsInstruments> sr = 44100 ksmps = 32 nchnls = 2 0dbfs = 1 instr 1 ; choose between mono or stereo file ichn filenchnls p4 ;check number of channels print ichn if ichn == 1 then asig soundin p4 ;mono signal outs asig, asig else ;stereo signal aL, aR soundin p4 outs aL, aR endif endin </CsInstruments> <CsScore> i 1 0 3 "fox.wav" ;mono signal i 1 5 2 "kickroll.wav" ;stereo signal e </CsScore> </CsoundSynthesizer>
http://www.csounds.com/manual/html/soundin.html
CC-MAIN-2015-14
refinedweb
126
74.9
Search the Community Showing results for tags 'svgs'. Onscroll move object on a path with MotionPathPlugin dotun12 posted a topic in GSAPHi there, I am trying to make a div(#rec) follow an svg path with I did in my below code but, I want the div to follow down, as I scroll down and follow back up as I scroll up, I will appreciate if you help work on the code below, Thanks <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>Document</title> <style> body { margin:0; width: 100%; height: 3000px; background:#dfdfdf; overflow-x: hidden; } #rec { position: absolute; width: 150px; height: 100px; background-color: #8894aa; } </style> </head> <body> <div id="rec"></div> <svg fill="none" xmlns="" height="100%" width="100%" viewBox="0 0 1300 3000"> <path id="path" d="M143.78,431.83c103.76,235.99,223.54,324.48,318.04,360c143.34,53.87,223.51-16.03,379,51.84 c136.54,59.6,292.87,208.71,272.99,325.44c-25.74,151.18-320.87,94.36-612.23,336.96c-155.68,129.63-367.75,392.59-331.29,624.96 c43.59,277.79,443.64,520.03,985.93,492.48" stroke="black" stroke- </svg> <script src="gsap.min.js"></script> <script src="MotionPathPlugin.min.js""></script> <script> gsap.registerPlugin(MotionPathPlugin); gsap.set("#rec", {xPercent:-50, yPercent:-50, transformOrigin:"50% 50%"}); gsap.to("#rec",{duration:5, motionPath:{ path:"#path", autoRotate: true } }); </script> </body> </html> index.html - I would like to drawOn all the craziness that is going on in the attached file but I'm not sure it's a wise idea. I am just getting reacquainted with GSAP (love it) so my chops are not what they used to be but they are progressing! So is this a dumb idea or is it just a monumentous undertaking? We're talking about close to 5000chars and every path is named "d" So, am I dumb, or just uneducated 😁 Thanks, Diza import only one svg or multiple svgs with different characters? mp1985 posted a topic in GSAPI would like to do "complex" animation with gsap and svgs, but I don't know what is the best approach to this. it is better to create and to import an unique svg with inside all the elements or maybe it is better 4 different svgs? I have 4 different characters: a tree, a lamp, a desk and a man. basically my animation is move the objects on the x, and appearing and to disappearing stuff. any help, suggestion or advice? I started to study gsap a few days ago, and i am still new to this many thanks -
https://greensock.com/tags/svgs/?_nodeSelectName=cms_records17_node&_noJs=1
CC-MAIN-2022-33
refinedweb
461
61.77
Third Hosting Option for Eclipse Related Projects Eclipse Foundation launch new Eclipse Foundation affiliated forge on Google Code. Eclipse have announced a brand new Eclipse area on Google Code: Eclipse Labs. Originally proposed as an Eclipse Foundation affiliated forge in December 2009 by Mike Milinkovich, the idea attracted so much positive community feedback that Eclipse approached the team running the Project Hosting at Google Code with the idea, and they accepted. Eclipse Labs takes the hosting options for Eclipse oriented open source projects up to three. Eclipse projects can now be proposed with the Eclipse Foundation, created at one of the existing forges, such as SourceForge, Codehaus, or Google Code itself, or set up shop in the Eclipse Labs. The Labs gives users access to an issue tracking system, a Subversion or Mercurial source code repository and a project web site. All of the licenses available at Google Code, are open to Eclipse Labs users, although the default is the EPL. Similarly, Eclipse Labs projects are encouraged to use the org.eclipselabs namespace, but it is not a requirement. The project owners will be encouraged to create tags or labels describing their project, which can be searched using the Eclipse Labs API. According to the announcement, another API will soon become available for bringing Eclipse Labs projects to the Eclipse Marketplace. Please note that Eclipse Labs projects are not official Eclipse projects, and therefore cannot use the org.eclipse namespace, be included in the Release Train or Packages, or call themselves Eclipse Projects. “Our hope is that Eclipse Labs quickly grows to a larger number of projects than are already hosted at the Eclipse Foundation. We need to make it as easy as possible for someone to open source their awesome Eclipse based technology,” said Mike Milinkovich.
http://jaxenter.com/third-hosting-option-for-eclipse-related-projects-101199.html
CC-MAIN-2015-22
refinedweb
297
68.4
Very complicated java prorgamming question(Based on Files and Streams) create a copy of the code given above and name it copyfilter. modify the code so that it only writes lines into the output file (from the input file) if they contain a specific word or set of words (i.e. a specific string as part of the line). you may hard code this string to search for at first, but then work to make your program more flexible. hints: identify the part of the program where the line is written into the new file and modify it with a decision structure that only writes it if it contains the text we're looking for. import java.io.*; public class copyfilter { public static void main(string args[]) { //... get two file names from parameters on command line. if (args.length != 2) { system.err.println("usage: java copytextfile sourcefile targetfile"); system.exit(1); } //... create file objects. file infile = new file(args[0]); // read from first file specified file outfile = new file(args[1]); // write into second file //... enclose in try..catch because of possible io exceptions. try { //... create reader and writer for text files. bufferedreader reader = new bufferedreader(new filereader(infile)); bufferedwriter writer = new bufferedwriter(new filewriter(outfile)); //... loop as long as there are input lines. string line = null; while ((line=reader.readline()) != null) { writer.write(line); writer.newline(); // write system-dependent end of line. } //... close reader and writer. reader.close(); // close to unlock. writer.close(); // close to unlock and flush to disk. } catch (ioexception e) { system.err.println(e); system.exit
https://www.studypool.com/questions/881/very-complicated-java-prorgamming-question-based-on-files-and-streams
CC-MAIN-2017-04
refinedweb
260
68.87
Migrating From JavaScript Assuming: - you know JavaScript. - you know patterns and build tools (e.g. webpack) used in the project. With that assumption out of the way, in general the process consists of the following steps: - Add a tsconfig.json. - Change your source code file extensions from .jsto .ts. Start suppressing errors using any. - Write new code in TypeScript and make as little use of anyas possible. - Go back to the old code and start adding type annotations and fix identified bugs. - Use ambient definitions for third party JavaScript code. Let us discuss a few of these points further. Note that all JavaScript is valid TypeScript. That is to say that if you give the TypeScript compiler some JavaScript -> the JavaScript emitted by the TypeScript compiler will behave exactly the same as the original JavaScript. This means that changing the extension from .js to .ts will not adversely affect your codebase. Suppressing Errors TypeScript will immediately start TypeChecking your code and your original JavaScript code might not be as neat as you thought it was and hence you get diagnostic errors. Many of these errors you can suppress with using any e.g.: var foo = 123; var bar = 'hey'; bar = foo; // ERROR: cannot assign a number to a string Even though the error is valid (and in most cases the inferred information will be better than what the original authors of different portions of the code bases imagined), your focus will probably be writing new code in TypeScript while progressively updating the old code base. Here you can suppress this error with a type assertion as shown below: var foo = 123; var bar = 'hey'; bar = foo as any; // Okay! In other places you might want to annotate something as any e.g.: function foo() { return 1; } var bar = 'hey'; bar = foo(); // ERROR: cannot assign a number to a string Suppressed: function foo(): any { // Added `any` return 1; } var bar = 'hey'; bar = foo(); // Okay! Note: Suppressing errors is dangerous, but it allows you to take notice of errors in your new TypeScript code. You might want to leave // TODO:comments as you go along.** Third Party JavaScript You can change your JavaScript to TypeScript, but you can't change the whole world to use TypeScript. This is where TypeScript's ambient definition support comes in. In the beginning we recommend you create a vendor.d.ts (the .d.ts extension specifies the fact that this is a declaration file) and start adding dirty stuff to it. Alternatively create a file specific for the library e.g. jquery.d.ts for jquery. Note: Well maintained and strongly typed definitions for nearly the top 90% JavaScript libraries out there exists in an OSS Repository called DefinitelyTyped. We recommend looking there before creating your own definitions as we present here. Nevertheless this quick and dirty way is vital knowledge to decrease your initial friction with TypeScript**. Consider the case of jquery, you can create a trivial definition for it quite easily: declare var $: any; Sometimes you might want to add an explicit annotation on something (e.g. JQuery) and you need something in type declaration space. You can do that quite easily using the type keyword: declare type JQuery = any; declare var $: JQuery; This provides you an easier future update path. Again, a high quality jquery.d.ts exists at DefinitelyTyped. But you now know how to overcome any JavaScript -> TypeScript friction quickly when using third party JavaScript. We will look at ambient declarations in detail next. Third Party NPM modules Similar to global variable declaration you can declare a global module quite easily. E.g. for jquery if you want to use it as a module () you can write the following yourself: declare module "jquery"; And then you can import it in your file as needed: import * as $ from "jquery"; Again, a high quality jquery.d.tsexists at DefinitelyTyped that provides a much higher quality jquery module declaration. But it might not exist for your library, so now you have a quick low friction way of continuing the migration 🌹 External non js resources You can even allow import of any file e.g. .css files (if you are using something like webpack style loaders or css modules) with a simple * style declaration (ideally in a globals.d.ts file): declare module "*.css"; Now people can import * as foo from "./some/file.css"; Similarly if you are using html templates (e.g. angular) you can: declare module "*.html";
https://basarat.gitbooks.io/typescript/content/docs/types/migrating.html
CC-MAIN-2019-04
refinedweb
744
64.41
Asked by: EventHub REST issue Question I reported this issue... a week ago, and there has been no response. This call... is returning an absolutely invalid response when passed a hub name that does not exist. Do I need to create a service ticket? All replies If the resource does not exist, API will return a 404. Check the below link on Create or update a new Event Hub as a nested resource within a Namespace and let us know. ------------------------------------------------------------------------------------------------------------------ Do click on "Mark as Answer" on the post that helps you, this can be beneficial to other community members. - Edited by Sheethal J S Thursday, July 27, 2017 4:27 AM - Proposed as answer by Sheethal J S Thursday, July 27, 2017 4:28 AM "If the resource does not exist, API will return a 404." That's the problem, it's not returning 404, it's returning 200. If I pass the following code a hub that exists, it returns the hub info. If I pass it a hub that doesn't exist, I get a 200 and this... "<title type="text">Publicly Listed Services</title>This is the list of publicly-listed services currently available.uuid:bac15d84-2363-40a9-a508-0c1a7edb9389;id=10782017-07-18T20:48:27ZService Bus 1.1" private static async Task<string> GetHubViaRESTAsync(string namespaceName, string keyName, string key, string hubName) { string sas = createToken($"https://{namespaceName}.servicebus.windows.net/{hubName}", keyName, key); using (HttpClient httpClient = new HttpClient()) { httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("SharedAccessSignature", sas); Uri requestUri = new Uri($"https://{namespaceName}.servicebus.windows.net/{hubName}?timeout=60&api-version=2017-04"); httpClient.DefaultRequestHeaders.TryAddWithoutValidation("Host", $"{namespaceName}.servicebus.windows.net"); HttpRequestMessage message = new HttpRequestMessage(HttpMethod.Get, requestUri); var response = await httpClient.SendAsync(message); string responseContent = await response.Content.ReadAsStringAsync(); switch (response.StatusCode) { case HttpStatusCode.OK: XDocument doc = XDocument.Parse(responseContent); if(doc.Root.Name == "{}entry") { return ParseHubEntry(doc.Root); } else { return null; } default: throw new Exception(responseContent); } } }, "sr={0}&sig={1}&se={2}&skn={3}", HttpUtility.UrlEncode(resourceUri), HttpUtility.UrlEncode(signature), expiry, keyName); return sasToken; } private static string ParseHubEntry(XElement entryElement) { string name = entryElement.Element("{}title").Value; return name; } Here is why it doesn't fail with 404. GET call to Service Bus with the URI is a "populate entities" call under given path. So, a GET call isn't always a read description for the given entity in the URI path. Please check the content type of the HTTP response. If content type is "feed" you should take it as "entity not exist" when looking for a particular EventHubs. If entity is located then content type will be "entry". - Edited by Serkant KaracaMicrosoft employee Tuesday, August 1, 2017 7:13 PM Hi Serkant, Please excuse my disgust, but seriously? If I were requesting a list of things, and got an empty collection back, that would be fine. In this case, I'm asking for a SPECIFIC RESOURCE. This isn't really a REST interface if I need to be looking at response headers to figure out if the resource actually exists. But ignoring all that, if you're going to expose a bizarro REST interface, fine. But in that case you've got to document the **** out of it, which clearly hasn't happened here. The fact that Sheethal ASSUMED it would return a 404 is proof that the API is somewhat flawed. This reflects EXTREMELY poorly on the EventHub team. As always, I appreciate you taking the time to investigate this issue. Thanks.
https://social.msdn.microsoft.com/Forums/en-US/921f18f8-ef7e-4410-b184-762e6c6691b8/eventhub-rest-issue?forum=servbus
CC-MAIN-2019-51
refinedweb
579
50.63
the syntax of object oriented programing language is commonly like this: object.method name(option) where object is the meat you want to work on, and the part in round bracket option is secondary. For example, in Python you have: string.split(chars) 〔➤ Python: String Methods〕 however, sometimes there's categorical pigeon hole problem, and the OOP language designers have a dilemma: should data be the object or class the object? This particularly happens for {string, regex, math, number} things. For example, in Python regex, you have: re.sub(regex, replacement, string) where the part you really want to act on, becomes the last parameter string, and the prefix the “re”, is the regex class object. 〔➤ Python: regex Example〕 this happens in JavaScript too. Here's some normal examples, where the meat is the first thing: string.split(char) string.replace(/regex/, replacement) 〔➤ JavaScript String Methods〕 and now witness this: /regex/.test(string) 〔➤ JavaScript Regex Object Methods〕 above, the meat is the string, while the /regex/ is the object (a regex string). and, now, LOOK: Math.min.apply(context, list) above, the meat is the list. The “Math” is a global object, and “min” is one of its method, and “apply” is a method inherited from a Function object. Given x.y(z), there's no way to tell, syntactically, which is the verb, which is the object. Especially so in most languages today, such as {JavaScript, Python, Ruby} , where everything is a object, including function and data, and you can set it to any variable. The bottom line reached complexity multiplied by confoundedness. solution? ban the ���� of it. Instead, everything should be a function: namespace.function name(…) The meat is always in the function's parameter spec, while the namespace.function name uniquely identify its {module, namespace, purpose}. ⁖ { math.sin(3), string.trim(" xyz "), regex.match("x123", "/d+"), ….}. g+ discussion postscript: we should note that the dot notation isn't the only possible notation for object oriented language. The functional notation as in f(x,y,z) could also work. 〔➤ What are OOP's Jargons & Complexities (OOP as Functional Programing)〕 But dot notation helps reading? for example, x.h(…).g(…).f(…) is more readable than f(g(h(x))) dot notation is a form of postfix notation. For example: x | h(…) | g(…) | f(…). (as in unix pipe. 〔➤ Unix Pipe as Functional Language〕) Similarly, the readability advantage can be done with prefix notation, ⁖ f(…) @ g(…) @ h(…) @ x. (available in Mathematica, OCaml, Haskell, ….) Both of these remain syntactically & semantically simple. The issue with OOP's dot notation, is the disconnection of correspondence between syntax & semantics. The problem isn't the dot notation, but OOP's convention of dot notation. In the OOP's dot notation, given a.b.c(d), one cannot tell whether “a” is the data or “d” is the data. For detail, see:
http://xahlee.info/comp/oop_dot_notation.html
CC-MAIN-2015-18
refinedweb
475
59.7
#include <hallo.h> * William Pitcock [Sun, Jul 15 2007, 12:06:47AM]: > Eduard Bloch <edi <at> gmx.de> writes: > > > > > I see this in strace output with default configuration. Switching the > > setting between on-display and on-load makes it even worse, then it > > opens every file THREE times. Sorry, wtf? > > > > This is a result of codec detection, and has been improved upon in > Audacious 1.3 (presently available in unstable?). XMMS does not perform > codec detection, but instead guesses on how to proceed. That behaviour > is broken in more than a few ways.? > > Further, it has broken SIGTERM handling. Unless I am able to find such > > visible problems within minutes, this program is no replacement for the > > good old XMMS. > > > > It handles SIGTERM gracefully. That's not broken. SIGTERM is not Ok, I confused it with SIGINT. But let me give you a short walk-trough from the perspective of a potential user: --- $ audacious /data - a gray window appears, instead of the player. Ookay, let's wait few seconds for the app to initialize. Waiting 10 seconds. 20. 30. XMMS would be playing already (this is measured!). - Okay, examining what this stupid window is good for. Propably for error messages, but there is nothing, and the window has no title. - I change to the terminal and try to kill with with Ctrl-C. I cannot, because this window steals the WM focus every second. First WTF. Well, I manage to press Ctrl-C quickly. It says it received SIGINT and is going to terminate. Seems to have stoped stealing the focus. Great, but... - ... it does not stop scanning. The stupid window is still there and the app does not die. Second WTF. - Well, now it steals focus every 10-20 seconds, while I am typing this text. Third WTF. - Enough, doing "killall audacious". The thing still does not die. Any my harddisks still suffers. Fourth WTF. - "killall -9 audacious" Thanks, worked. Enough of this crap. --- So, that's it. The user experience is a disaster, like it or not. It shows childhood diseases I have not expected in a serious application for daily use, not even talking about replacement for the "good old XMMS". The proper way to present information to the user in a userfriendly way, this would be IMO the following: a splash screen (see Gimp as example) which has a progress bar, where the number of files is displayed, with some status messages. Something like: - "Searching for files (%d found)" %d runs from 0 to N while it walks through directories, and the progress bar runs slowly. I can imagine a simple algorithm to make it move and reach about 50% of the bar during the scan. - "Identifying files (%d/N, %d valid)" N is the number found before, %ds are updated while the identification runs, and the progress bar is complete when the process is through. Well, both steps could also be merged if you identify on the fly. And now, only after the steps above, you may display the current error message, which is designed almost well IMHO. > > I don't want to have it entirely deactivated, I want it to work then and > > only then when I need this information. > > > > Hitting F5 on your keyboard will cause metadata to be loaded manually > if you have disabled automatic metadata loading. And this is documented... where? Why not in the documentation balloons? Ever heard about ISO 9241? Please get a copy and read parts 13 and 14, I would also recommend reading VDI 3850 which is IMO a good tutorial in designing human machine interfaces. Eduard. -- Die rechte unwillkürliche Originalität ärgert sich, daß nicht jeder ist wie sie -, die scheinbare will gar nicht, daß andere sind wie sie. -- Jean Paul
https://lists.debian.org/debian-devel/2007/07/msg00420.html
CC-MAIN-2016-40
refinedweb
624
75.3
Issues warn/raise when a def/block is named "body"; document all reserved words on "self" namespace, etc. Hi, I was trying out mako and found a peculiar issue. If I have the name of a block as "body" the inheritance won't work. I am attaching the output of before and after ... this is a very simple example. ## layout.html <title> Hello </title> <%blockParent body </%block> ## show_entries.html <%inherit <%block Body of show entries </%block> Code for rendering templ = temp_lookup.get_template('show_entries.html') print templ.render() Output : In [64]: print templ.render() Parent body In [65]: print templ.render() Parent body In [66]: templ = temp_lookup.get_template('show_entries.html') In [67]: print templ.render() Parent body After changing the name="body" to name="body_2" in both In [68]: templ = temp_lookup.get_template('show_entries.html') In [69]: print templ.render() <title> Hello </title> Body of show entries well "body" is a reserved name, and is treated differently. I can't find the issue where this was mentioned before, maybe it was a mailing list mail. Should probably emit a warning when this name is used, emitting an error would be better but not sure if that breaks some folks who might be relying upon a name "body". also the word "name", and anything else that is a public attribute of a namespace object. make sure all possible words that are unusable in certain contexts are also documented at docs.makotemplates.org/en/latest/runtime.html#all-the-built-in-names.
https://bitbucket.org/zzzeek/mako/issues/215/warn-raise-when-a-def-block-is-named-body
CC-MAIN-2017-39
refinedweb
248
68.47
Python script for generating 2D n-state Langton's Ant animations Last Updated on April 2, 2017 This is an old project that I would like to refactor. I'm copying the contents of this Jupyter notebook into this article with the jupyter nbconvert ants.ipynb --to markdown. This notebook explores a type of Turing Machine known as termites. The first part is a script I wrote a few years ago when I was first learning Python. If you are new to learning Python, I suggest you give it a try before reading the script; there's a lot you will learn about flow control and data structures. My script is far from perfect and every time I come back to it there is an idiom I can add and areas that can be refactored and cleaned up. It generates images of 2-dimensional n-state termites on an $a$ x $b$ rectangular grid, or it can generate multiple images (frames) of a single termite as it grows to make a video. Here's an example of a termite animatino that I made using the script below: The type of termite explored here is a modified version of a type of cellular automata known as Langton's Ant. Langton's Ant has a simple ruleset: an ant is placed on a 2-dimensional grid of 2-state cells (black or white) with a directional orientation. If the ant is on a black cell at $t=n$, the ant enters the cell on the immediate left at $t=n+1$ and the state of the cell it exits changes to white. If the state of the cell that the ant enters is white, the ant enters the cell immediately to the right and the cell it exits turns black. Around 11,000 steps, the ant enters a 'highway' which results in a repeated motion that moves the ant continually in one direction. Instead of black and white cells, we can define $n$ number of states (colors) and assign any combination of $n$ instructions (eg. LRLLLRLLLRL). The script below generates generates an arbitrary number of ants. Each number in range(ants) is converted to binary and then 1s and 0s of the corresponding binary number represent the left and right turns for each individual ant. For example: bin(23) corresponds to a 5-state ant with the following rules: RLRRR. This method avoids generating isotropes (RLRRR is the same ant as LRLLL). If record is set to True, one frame will be captured every frame_interval number of steps. These images can be converted into video easily with open-source programs like Blender. The last part of the notebook attempts to use new methods from the latest version of scikit-learn (0.18.1) to cluster ants by their behavior: k-means (for clustering) and Isolation Forests (for detecting outliers). #this script generates an image (or a series of images) for n-state 2D Langton's Ant cellular automaton. #SETTINGS #number of ants to run ants = 65536 #ants = 100 #set record to True to record frames once every frame_interval steps record = False frame_interval = 5000 #Boolean for recording final image record_final_image = False #set scale to scale the resulting images in save_image(i) function scale = 1 #set the length and width of the square image canvas width = int(200) length = int(200) #initialize ant in the center of the grid #grid contains length_width**2 cells ant_pos = int((length*width)/2) + int(width/2) #boolean to check if the ant touches the border (out of bounds) oob = False #number of steps that the ant will take on each walk iterations = 100000 #for naming the image file below number = str(iterations) #set the direction of the ant's first step: 1 --> Right; -1 --> Left. Eliminates mirror images (isotropes) from dataset direction = 1 #Ininitialize a blank square image im1 = Image.new('RGBA', (width,length),'white') #color selection white = (255,255,255,255) red = (255,0,0,255) orange = (255,128,0,255) yellow = (255,255,0,255) yellow_green = (128,255,0,255) green = (0,255,0,255) teal = (0,255,255,255) light_blue = (0,128,255,255) blue = (0,0,255,255) purple = (127,0,255,255) black = (0,0,0,255) grey = (150,150,150,255) other = (40,100,50,255) brown = (130,90,44,255) pink = (244,114,208,255) mauve = (118,96,138,255) magenta = (216,0,115,255) color_choices = [red, orange, yellow, light_blue, yellow_green, blue, purple, black, grey, green, teal, light_blue, other, brown, pink, mauve, magenta] #convert an integer to binary and then convert def num_to_string(num): binary = bin(num) moves = "" for x in str(binary)[2:]: if x == '1': moves += "R" else: moves += "L" return moves #moves list includes all 16 length moves #moves_list = [num_to_string(ant) for ant in range(32768,65536)] #defines the list of strings that is used for the main loop bellow moves_list = [num_to_string(ant) for ant in range(ants)] #a list of the dictionaries to by passed into the pandas dataframe for later analysis df_row_list = [] #dataframe object for later analysis df = pd.DataFrame() #index=[0] #functions for moving the postition of the ant right, left, up or down def move_right(): global ant_pos #move ant_pos one pixel to the right ant_pos += 1 return ant_pos def move_left(): global ant_pos #move ant_pos one pixel to the left ant_pos -= 1 return ant_pos def move_up(): global ant_pos #move ant_pos one pixel up ant_pos += width return ant_pos def move_down(): global ant_pos #move ant_pos one pixel down ant_pos -= width return ant_pos def move(color,d): global direction while True: #this part is a little confusing and may need to be rewritten #it uses the current direction of the ant to determine the appropriate direction for the next turn #breaks are used if pix_list[ant_pos][2] == color and direction == width*d: #set the color to the next color in the list, or loop back to the beginning of the list if the end has been reached pix_list[ant_pos][2] = (color + 1) % len(pixel_colors) #save the current postion of the ant init = ant_pos #move the ant move_right() #save the updated position of the ant end = ant_pos #calculate the new direction of the ant by taking the difference between end and init direction = end - init break #same idea as above elif pix_list[ant_pos][2] == color and direction == -1*width*d: pix_list[ant_pos][2] = (color + 1) % len(pixel_colors) init = ant_pos move_left() end = ant_pos direction = end - init break #same idea as above elif pix_list[ant_pos][2] == color and direction == 1*d: pix_list[ant_pos][2] = (color + 1) % len(pixel_colors) init = ant_pos move_down() end = ant_pos direction = end - init break #same idea as above elif pix_list[ant_pos][2] == color and direction == -1*d: pix_list[ant_pos][2] = (color + 1) % len(pixel_colors) init = ant_pos move_up() end = ant_pos direction = end - init break break #captures series of pixels used for generating images def get_pix_series(): global pix_series pix_series = [] for x in range(len(pix_list)): for y in range(len(pixel_colors)): if pix_list[x][2] == y: pixel = pixel_colors[y] pix_series.append(pixel) #runs ant along the grid according to the moves (defined above) for the number of steps in iterations (defined above) def run(): #variable the tracks the step number if the ant goes out of bounds global oob #converts moves string into a list of 0s and 1s; these numbers correspond to direction and are passed into the move() function moves1 = [1 if x == 'R' else -1 for x in moves] for step in range(iterations): #exit the loop if the ant reaches the edge of the grid if ant_pos < width or ant_pos % width == 0: oob = step return #loop through the moves for index, direction in enumerate(moves1): try: #remember the ant position not_moved = ant_pos #try to move the ant position move(index,direction) #check to see if the position was moved if ant_pos != not_moved: #set record to false in the settings to turn of frame recording if record == True: #records a new frame every frame_interval frame if step % frame_interval == 0: counter += 1 print("Generating frame number " + str(counter)) get_pix_series() save_image(counter) break else: continue except: #print("Out of bounds at step number " + str(step)) oob = step return def save_image(i): #give access to the image instantiated at the beginning of the script global im1 #fill blank image canvas with pix_series pixel data im1.putdata(pix_series) #to rescale the image, set the scale variable in settings and call resize on im1 im1.resize((scale*im1.size[0],scale*im1.size[1])).save('%s.png' % (moves)) #builds a dictionary to count pixels by color def build_df_row(): colors_dict = {str(val): 0 for val, color in enumerate(pixel_colors)} moves_dict = {'moves':moves} last_step = {'last_step':oob} row_dict = dict(colors_dict.items()+moves_dict.items()+last_step.items()) for x in pix_list: pixel_color = str(x[2]) #print(pixel_color) row_dict[pixel_color] += 1 return row_dict #uncomment below to overwrite moves_list #moves_list = ['LR', 'RRLR'] for _, moves in enumerate(moves_list): oob = 0 dir_path = str(_) #make a new directory for each new ant walk in walks based on the the walk number and navigate to that directory if record == True: #make a new directory to record frames for a give ant if record is set to true and that directory does not yet exist if not os.path.isdir(dir_path): os.makedirs(dir_path) #otherwise just change into the directory else: os.chdir(dir_path) #set ant at middle of grid ant_pos = int((length*width)/2) + int(width/2) #moves = len(moves) pixel_colors = color_choices[:(len(moves))] #defines an empty list of elements [x,y,0] where x amd y are the position 0 is the 0ht color in the color list (the base canvas color) pix_list = [] for x in range(length): for y in range(width): a = [x,y,0] pix_list.append(a) #pix_series is a list of pixels that is passed into the put_data function to generate an image pix_series = [] #counter keeps track of the frame number (if recording a series of images) counter = 0 #run the ant run() #capture the final state of the grid with get_pix_series get_pix_series() #uncomment below to preview images for testing #im1.putdata(pix_series) #im1.resize((scale*im1.size[0],scale*im1.size[1])).show() #build a dictionary with pixel counts colors_dict = build_df_row() row_df = pd.DataFrame(colors_dict, index=[0]) df = df.append(row_df, ignore_index=True) if record_final_image == True: os.chdir(os.path.expanduser('~/Documents/CA_1/imgs/')) save_image(_) os.chdir('../') #summary print(str(_), end=' ') os.chdir(os.path.expanduser('~/Documents/CA_1/')) df.to_csv('ants_hist_.csv', index=False) ClusteringClustering We now have a csv file where each row is a 16-state termite and the columns labeled 0 through 15 count the sum of pixels in each state (the different colors). With last_step we also track the last step reached in the event that the ant runs into the edge of the grid. This will be helpful in clustering ants that form highways in different groups from those that complete 100000 steps inside the 200 x 200 grid. First let's read the csv into a pandas DataFrame and look at some of the data. os.chdir(os.path.expanduser('~/Documents/CA_1/')) df1 = pd.read_csv('ants_hist_.csv') df1.shape (32768, 18) df1.sample(3) There are 32768 unique instructions for 16-state termites (2^16)/2 = 32768. Let's check to see how many of these are duplicates. We want to select only the state-counts and then call .drop_duplicates on that DataFrame. df2 = df1.iloc[:,0:16] df2.shape[0] - df2.drop_duplicates().shape[0] 1566 1566 of the 16-state termites. It might be helpful to remove these termites from the DataFrame before we cluster them. unique_termites_index = df2.drop_duplicates().index df = df1.loc[unique_termites_index,:] df['steps_taken'] = [100000 if x==0 else x for x in df.last_step] df['file_names'] = [x+'.png' for x in df.moves] df['move_len'] = [len(x) for x in df.moves] df.head() 5 rows × 21 columns df.index = df.file_names Here's a quick look at the distribution of the base canvas color (red in the images below) over all of the unique termites. x = '0' sns.set_style('whitegrid') plt.figure(figsize=(12,4)) df[(df[x]>0)][x].hist(bins=250) plt.xlabel('Count of Cells in state 0') plt.ylabel('Count') plt.title('Histogram Showing Termite Count by number of cells in state 0') <matplotlib.text.Text at 0x116dee10> df.shape (31202, 21) Now we can prepare a DataFrame that we will feed in to the clustering model. We will take only the pixel counts and the total number of steps taken. X = df[df.move_len==16].iloc[:,[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,18]] X.columns Index([u'0', u'1', u'10', u'11', u'12', u'13', u'14', u'15', u'2', u'3', u'4', u'5', u'6', u'7', u'8', u'9', u'steps_taken'], dtype='object') Most of the termites completed all 100000 steps within the grid boundries. X[X.steps_taken==100000].steps_taken.count() 29955 Here'a a histogram of the steps taken by ants that took less than 100000 steps. X[X.steps_taken<100000].steps_taken.hist() plt.title('Histogram of steps_taken for termites that stayed in bounds') plt.xlabel('steps_taken') plt.ylabel('Count') <matplotlib.text.Text at 0x18aa3a58> Here's another look at the distribution of cells in state 3 over all termites: x = '3' #other intereting states: 1, 7, 11, 15 sns.set_style('whitegrid') #plt.figure(figsize=(12,8)) df[(df[x]>0)][x].hist(bins=100) plt.xlabel('Count of Cells in state 3') plt.ylabel('Count (termites)') plt.title('Histogram Showing Termite Count by number of cells in state 3') <matplotlib.text.Text at 0x15ba6630> X.shape (31202, 17) To cluster the different termites, we can use an unsupervised learning method called clustering. It is "unsupervised" because I don't explicitly tell the model what types termites should be grouped together. Instead, we will tell the model how many different clusters there are. Of course, I really don't know how many clusters there should be. I do know from looking at the results that there seem to be many different types of behavior, patterns, sizes and other characteristics. We significantly reduce the complexity of clustering task by training the model on the count of pixels by what state the are in. I'm sure that the model won't be able to pick up on all of the nuances that humans can detect by looking at the images, but I have a feeling that it should be able to do a fairly good job. After we take a look at the individual clusters, we can try to find an optimal number of clusters by minimizing the total number of outliers of all the clusters. Here's an interesting paper on integrated clustering and outlier detection. Here's how we set up the clustering model. For the numebr of clusters, let's start with 75. k_means = cluster.KMeans(n_clusters=75, random_state=1) k_means.fit(X, y=None) KMeans(algorithm='auto', copy_x=True, init='k-means++', max_iter=300, n_clusters=75, n_init=10, n_jobs=1, precompute_distances='auto', random_state=1, tol=0.0001, verbose=0) Then we add the cluster number to each termite: X['clusters'] = k_means.labels_ Here's the breakdown of clusters by number of termites in each cluster: plt.figure(figsize=(12,4)) plt.bar(X.clusters.value_counts().index, X.clusters.value_counts()) plt.xlabel('Cluster Number') plt.ylabel('Count') plt.title('Termite count by cluster') <matplotlib.text.Text at 0x15c4c358> And here is a list of the data shown above: for x, y in zip(X.clusters.value_counts().index, X.clusters.value_counts()): print(' || cluster_num: ' + str(x) , 'count: ' + str(y), end=' ') || cluster_num: 16 count: 3293 || cluster_num: 71 count: 3036 || cluster_num: 46 count: 2993 || cluster_num: 0 count: 2752 || cluster_num: 23 count: 2667 || cluster_num: 52 count: 2540 || cluster_num: 50 count: 2185 || cluster_num: 5 count: 1412 || cluster_num: 19 count: 987 || cluster_num: 45 count: 816 || cluster_num: 44 count: 791 || cluster_num: 54 count: 686 || cluster_num: 42 count: 625 || cluster_num: 64 count: 603 || cluster_num: 21 count: 534 || cluster_num: 37 count: 518 || cluster_num: 38 count: 345 || cluster_num: 73 count: 315 || cluster_num: 57 count: 314 || cluster_num: 4 count: 302 || cluster_num: 22 count: 291 || cluster_num: 70 count: 285 || cluster_num: 8 count: 225 || cluster_num: 2 count: 224 || cluster_num: 9 count: 218 || cluster_num: 26 count: 182 || cluster_num: 49 count: 178 || cluster_num: 65 count: 138 || cluster_num: 29 count: 137 || cluster_num: 63 count: 123 || cluster_num: 25 count: 122 || cluster_num: 33 count: 105 || cluster_num: 1 count: 74 || cluster_num: 66 count: 71 || cluster_num: 27 count: 70 || cluster_num: 62 count: 66 || cluster_num: 69 count: 58 || cluster_num: 35 count: 56 || cluster_num: 11 count: 55 || cluster_num: 68 count: 54 || cluster_num: 14 count: 51 || cluster_num: 32 count: 49 || cluster_num: 30 count: 45 || cluster_num: 55 count: 38 || cluster_num: 6 count: 35 || cluster_num: 13 count: 34 || cluster_num: 43 count: 30 || cluster_num: 60 count: 30 || cluster_num: 58 count: 30 || cluster_num: 24 count: 29 || cluster_num: 39 count: 26 || cluster_num: 51 count: 25 || cluster_num: 3 count: 24 || cluster_num: 28 count: 24 || cluster_num: 15 count: 23 || cluster_num: 72 count: 23 || cluster_num: 17 count: 22 || cluster_num: 10 count: 22 || cluster_num: 34 count: 21 || cluster_num: 74 count: 20 || cluster_num: 36 count: 20 || cluster_num: 61 count: 19 || cluster_num: 31 count: 17 || cluster_num: 20 count: 13 || cluster_num: 18 count: 12 || cluster_num: 67 count: 12 || cluster_num: 12 count: 11 || cluster_num: 47 count: 11 || cluster_num: 59 count: 10 || cluster_num: 53 count: 8 || cluster_num: 7 count: 6 || cluster_num: 41 count: 6 || cluster_num: 40 count: 6 || cluster_num: 48 count: 3 || cluster_num: 56 count: 1 cluster_dict = {x: y for x, y in zip(X.clusters.value_counts().index, X.clusters.value_counts())} Now let's have a look at some of the termite clusters. We can use matplotlib and PIL to display multiple images using subplots. #variables to manage the arrangement and spacing of cluster images total = 0 rows = 0 im_length = 0 #set variables for cluster images based on cluster size def set_spacing(files): global total global rows global im_length #columns = 6 total = len(files) extras = len(files) % 6 if extras > 0: total += (6 - extras) rows = total/6. im_length = rows*(20/9.) #use matplotlib to show images loaded with PIL def show_images(cluster_num, samples = 0, files_bool=False, files=None): if files_bool==True: files1 = np.random.choice(files.index, min(files.shape[0], samples), replace=False) if (samples == 0) & (files_bool==False): files1 = X[X.clusters==cluster_num].index if (samples > 0) & (files_bool==False): files1 = np.random.choice(X[X.clusters==cluster_num].index, min(cluster_dict[cluster_num],samples), replace=False) set_spacing(files1) plt.figure(figsize = (14,im_length)) os.chdir(os.path.expanduser('~/Documents/CA_1/imgs/')) for num, x in enumerate(files1): img = PIL.Image.open(x) plt.subplot(rows,6,num+1) plt.title(x.split('.')[0]) plt.axis('off') plt.imshow(img) print('Cluster #' + str(X.ix[x].clusters) + ' -- Cluster Total: ' + str(cluster_dict[X.ix[x].clusters])) show_images(16, samples=12) Cluster #16 -- Cluster Total: 3293 show_images(46, samples=12) Cluster #46 -- Cluster Total: 2993 show_images(51, samples=12) Cluster #51 -- Cluster Total: 25 show_images(18, samples=12) Cluster #18 -- Cluster Total: 12 show_images(4, samples=12) Cluster #4 -- Cluster Total: 302 show_images(5, samples=12) Cluster #5 -- Cluster Total: 1412 show_images(6, samples=12) Cluster #6 -- Cluster Total: 35 show_images(9, samples=12) Cluster #9 -- Cluster Total: 218 show_images(12, samples=12) Cluster #12 -- Cluster Total: 11 The next four cluster samples are the largest clusters: show_images(30, samples=12) Cluster #30 -- Cluster Total: 45 show_images(30, samples=12) Cluster #30 -- Cluster Total: 45 show_images(0, samples=12) Cluster #0 -- Cluster Total: 2752 show_images(30, samples=15) Cluster #30 -- Cluster Total: 45 show_images(63, samples=12) Cluster #63 -- Cluster Total: 123 show_images(60, samples=12) Cluster #60 -- Cluster Total: 30 show_images(59, samples=12) Cluster #59 -- Cluster Total: 10 show_images(57, samples=12) Cluster #57 -- Cluster Total: 314 show_images(56, samples=12) Cluster #56 -- Cluster Total: 1 show_images(55, samples=12) Cluster #55 -- Cluster Total: 38 show_images(54, samples=12) Cluster #54 -- Cluster Total: 686 show_images(53, samples=12) Cluster #53 -- Cluster Total: 8 show_images(52, samples=12) Cluster #52 -- Cluster Total: 2540 show_images(51, samples=12) Cluster #51 -- Cluster Total: 25 show_images(50, samples=12) Cluster #50 -- Cluster Total: 2185 show_images(49, samples=12) Cluster #49 -- Cluster Total: 178 show_images(48, samples=12) Cluster #48 -- Cluster Total: 3 show_images(47, samples=12) Cluster #47 -- Cluster Total: 11 show_images(46, samples=12) Cluster #46 -- Cluster Total: 2993 show_images(45, samples=12) Cluster #45 -- Cluster Total: 816 show_images(44, samples=12) Cluster #44 -- Cluster Total: 791 show_images(43, samples=12) Cluster #43 -- Cluster Total: 30 show_images(42, samples=12) Cluster #42 -- Cluster Total: 625 show_images(41, samples=12) Cluster #41 -- Cluster Total: 6 show_images(40, samples=12) Cluster #40 -- Cluster Total: 6 show_images(39, samples=12) Cluster #39 -- Cluster Total: 26 show_images(38, samples=12) Cluster #38 -- Cluster Total: 345 show_images(37, samples=12) Cluster #37 -- Cluster Total: 518 The vast majority of termites seem to form nondescript blobs after 100000 steps. There are perhaps many thousands of termites that didn't yet reach a . Setting the clusters parameter to 75 is probably too high. Many of the groups have similar behaviour. There were several cluster groups that formed 'highways'. It may make more sense to filter out these termites and cluster termites that didn't form highways. Outlier DetectionOutlier Detection It could also be interesting to see how many outliers are present in each cluster for various values of k in the k-means algorithm. This may help us choose a more fitting number of clusters by which the termites can be grouped. here's how we could do that: from sklearn.ensemble import IsolationForest X_ = X.loc[X.clusters==37, :] #16 X_ = X.loc[X.clusters==37, :] clf = IsolationForest(max_samples=100, random_state=rng) clf.fit(X_) y_pred_train = clf.predict(X_) y_pred_train.mean() 0.79922779922779918 The following values gives us the average of the predicted values (1 for inlier, -1 for outlier), so this value doesn't correspond to a percentage accuracy. The accuracy is about 89% (the model determined that 89% of termites in cluster 37 are inliers and the remaining 11% are outliers. X_['anom'] = y_pred_train X_.anom.value_counts() 1 466 -1 52 Name: anom, dtype: int64 Let's compare some of the inliers with the outliers: files_normal = X_[X_.anom==(1)] show_images(0, samples = 24, files_bool=True, files=files_normal) Cluster #37 -- Cluster Total: 518 files_abnormal = X_[X_.anom==(-1)] show_images(0, samples = 24, files_bool=True, files=files_abnormal) Cluster #37 -- Cluster Total: 518 This sample of outliers seems to have slightly different characteristics compared with the inlier sample. This can be seen in the patches of solid colors (pink, purple, teal, grey). ConclusionConclusion Using k-means and Isolation Forests with this set of over 30,000 termites offers a quick and easy way to sort out major trends that these deterministic systems display. As you can see in the cluster samples above, the classification is far from perfect. Some near-identical termites are in different clusters. It would be interesting to tweak some aspects of this experiment in the future: - Larger number of states (>16) - More steps (>100000) / bigger grid - Random "noise" on the grid at step 0 - Variation on the rules - Segmenting 'highway' termites before clustering
https://briancaffey.github.io/2017/04/02/langton-ant-notebook.html/
CC-MAIN-2021-49
refinedweb
3,853
54.26
If visitor doesn't make any web request in time interval longer than specified as session timeout (20 minutes by default), session will expire. That means all session variables will be deleted. Sometimes, we want to keep session alive and wait while user is completing some long task. Although it is possible to increase session timeout (see ASP.NET session timeout and expiration tutorial), this is not scalable option. every session variable requires some memory on server. If website has many visitors and a lot of session variables, increasing of timeout too much could spend all available memory and decrease website performances. If session timeout is increased, server will keep all sessions, including unimportant sessions from visitors who leaved website. As better solution, you can make periodical requests from client side, which will keep session alive only if browser is still showing your page. In that purpose, we can use JavaScript, jQuery, Meta Refresh or ASP.NET Ajax. ASP.NET just remembers time of last request and it doesn't know if visitor is closed browser window or is just doing something else and will return soon. It is certainly worthless to keep session values of user who leaved website. It would be better if we could keep live sessions of visitors who still have page opened. Solution for this is to use JavaScript that will make periodic calls to some .aspx page on website, restart session timeout and keep session alive in that way. Implementation code will use JavaScript setInterval function. It could look like this: <%-- In this example, image will be used to keep session alive, By changing image's src parameter, we'll make periodical requests to web server. --%> <img id="imgSessionAlive" width="1" height="1" /> <script type="text/javascript" > // Helper variable used to prevent caching on some browsers var counter; counter = 0; function KeepSessionAlive() { // Increase counter value, so we'll always get unique URL counter++; // Gets reference of image var img = document.getElementById("imgSessionAlive"); // Set new src value, which will cause request to server, so // session will stay alive img.src = "" + counter; // Schedule new call of KeepSessionAlive function after 60 seconds setTimeout(KeepSessionAlive, 60000); } // Run function for a first time KeepSessionAlive(); </script> In this example, RefreshSessionState.aspx page will be called every minute. This is far less than default session timeout which is 20 minutes. If you just want to keep session alive, you can set this time for 19 minutes (19 * 60 * 1000 = 1140000). But, with smaller intervals you could know almost instantly when visitor is closed a browser. If scalability is a problem, you can delete session variables almost immediately after user closed web browser. There is no need to wait 20 minutes for session to expire. You can even decrease session timeout to low value, like 2 minutes. JavaScript from previous example will make requests every minute, and keep sessions alive for active users (users that have opened web browser), but sessions where browser is closed will expire. Since RefreshSessionState.aspx page is called every minute, you can use ASP.NET server side code for tasks like visitor tracking, how many visitors are currently online, which page each visitor is currently browsing etc. This option will work fine, although it has its own small drawbacks. Some users could have JavaScript disabled or have a browser that doesn't support JavaScript (like some mobile web browsers). If JavaScript is not enabled, this code would not work and session will expire. Also, rarely but theoretically possible, especially on mobile browsers is, if user's Internet connection is temporally broken JavaScript will miss few requests while user is reconnecting. This example manipulates image's src element to make request to web server. There is a second option to make web requests in JavaScript using Http Request, but this option requires browser specific code because Internet Explorer and Firefox use different objects. IE uses ActiveX object Msxml2.XMLHTTP or Microsoft.XMLHTTP, while Firefox uses XMLHttpRequest. So, final browser compatible code becomes large. In the other hand, using image's src property to make request requires only one line of code. As very similar alternative we can use jQuery for same task. In this example, I will use jQuery post function to make a request to web server. Pages requested with POST are not cached, so we don't need unique URL like in previous JavaScript example. Code for keeping ASP.NET session alive using jQuery is very short: <script language="javascript" type="text/javascript" src=""></script> <script language="javascript" type="text/javascript"> function KeepSessionAlive() { // 1. Make request to server // 2. Schedule new request after 60000 miliseconds (1 minute) setInterval(KeepSessionAlive, 60000); } // Initial call of function KeepSessionAlive(); Â </script> One more way to keep ASP.NET session alive is by using Meta Refresh and postback. Of course, we can't refresh complete page because that will annoy visitor, especially if he or she is completing a large form. Instead of that, place small IFRAME tag somewhere on page, and set its src parameter to helper .aspx page. Let's call that page RefreshSessionState.aspx. HTML code on main page will be: <iframe height="0" width="0" src="RefreshSessionState.aspx" frameborder="0" /> Code for RefreshSessionState.aspx doesn't require complicated server side code except you want some visitor tracking. Just add meta refresh tag in head section. There are few different methods, I used Response.Write: <%@ Page Language="C#" %> <html> <head> <% Response.Write(@"<meta http-equiv=""refresh"" content=""900;url=RefreshSessionState.aspx?x=" + Server.UrlEncode(DateTime.Now.ToString()) + @""" />"); %> </head> <body> </body> </html> I added additional query string "x", to avoid using of cache in some browsers. Query string value will be current time, so URL will always be unique to provide complete postback. Now, first value in content parameter represents after how much seconds will page refresh. In this example, page will refresh after 900 seconds (15 minutes). It could be any value less than session timeout. Since default session timeout is 20 minutes, this IFRAME will keep session alive while user is working something else. To keep ASP.NET session alive, one more option is to use ASP.NET Ajax. Timer control is useful in this scenario, since it can send requests in regular time intervals. To see how it works, add to web form one UpdatePanel control and one Timer control. Here is an example markup code: <%@ Page Language="C#" AutoEventWireup="true" CodeFile="Ajax-Refresh.aspx.cs" Inherits="Ajax_Refresh" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" ""> <html xmlns=""> <head runat="server"> <title></title> </head> <body> <form id="form1" runat="server"> <asp:ScriptManager </asp:ScriptManager> <div> <asp:UpdatePanel <ContentTemplate> <asp:Timer </asp:Timer> <asp:Label</asp:Label> </ContentTemplate> </asp:UpdatePanel> </div> </form> </body> </html> Interval property of Timer1 is set to 10000, which is about 10 seconds. You can change this interval according to your needs. On server side, we'll use Timer_Tick to keep session alive: [ C# ] using System; public partial class Ajax_Refresh : System.Web.UI.Page { protected void Page_Load(object sender, EventArgs e) { // Set session timeout to small value, in this case // 2 minutes, to see quickly if Timer will keep session alive Session.Timeout = 2; // Set some value in session Session["Testing"] = "session is alive"; } // Timer will make request to server in regular time intervals protected void Timer1_Tick(object sender, EventArgs e) { // Write current session value into label Label1.Text = (string)Session["Testing"]; Label1.Text += "<br /> Last request at " + DateTime.Now.ToString(); } } [ VB.NET ] Partial Class Ajax_Refresh Inherits System.Web.UI.Page Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load ' Set session timeout to small value, in this case ' 2 minutes, to see quickly if Timer will keep session alive Session.Timeout = 2 ' Set some value in session Session("Testing") = "session is alive" End Sub ' Timer will make request to server in regular time intervals Protected Sub Timer1_Tick(ByVal sender As Object, ByVal e As System.EventArgs) Handles Timer1.Tick ' Write current session value into label Label1.Text = Session("Testing") Label1.Text &= "<br /> Last postback at " & DateTime.Now.ToString() End Sub End Class Notice that any of suggested methods (JavaScript, jQuery, Meta Refresh, ASP.NET Ajax) works only if user keeps web browser opened. If browser window is closed, session will normally expire after 20 minutes. If Session timeout is increased, ASP.NET will keep all sessions including useless sessions of visitors who leaved website. If website has high traffic, keeping of thousands of sessions could easily spend server's resources. Refresh methods like these are more scalable than increasing of session timeout. They will keep only wanted sessions, where visitor is not closed a browser and discard others. Of course, you are not obligated to keep sessions on all website pages. Keeping sessions alive could be security problem, because there is an option that user is just forgot to close browser. In this case, it is better if session normally expire than if someone else comes to computer and gets access. You can limit this approach on just few pages where visitor needs more time to complete task. Tutorial toolbar: Tell A Friend | Add to favorites | Feedback |
https://beansoftware.com/ASP.NET-Tutorials/Keep-Session-Alive.aspx
CC-MAIN-2021-49
refinedweb
1,523
57.27
This is the mail archive of the cygwin mailing list for the Cygwin project. > -----Original Message----- > From: cygwin-owner On Behalf Of Peter A. Castro > Sent: 01 April 2004 22:21 > In system.h I've added a #define in the #ifdef > __CYGWIN__ section of: > #define ORO_TEXT | O_TEXT > And for the #else case: > #define ORO_TEXT > > Then in code which needs it I have modified it to look like this: > > if ((fd = open(name, O_RDONLY ORO_TEXT)) < 0) { > > It's really just utilizing the macro ability of the compiler, > and it's a > style judgement call. I don't have a problem with it, obviously, but > others might look at it and wonder how it could possible > compile if they > didn't look in system.h first. If you think that might present > confusion, then I'll change it to be explicitly "| OR_TEXT" and have > #define O_TEXT to be 0 if not defined at all. > > Any thoughts on this? It's pretty reasonable but as you say could be confusing. Here's another approach that might seem nicer because it's kind of function-like: #ifdef __CYGWIN__ #define MAYBE_ADD_O_TEXT_FLAG(x) (O_TEXT | (x)) #else #define MAYBE_ADD_O_TEXT_FLAG(x) (x) #endif Then say if ((fd = open(name, MAYBE_ADD_O_TEXT_FLAG(O_RDONLY))) < 0) { You might well want to choose a better name for the function-like macro than that, but I think the pattern is slightly clearer. > The primary problem is with running scripts with CR/LFs. > That gets fixed > with adding O_TEXT everywhere. A secondary problem is with redirected > input and/or output which is processed by the shell. > > I've been reviewing this problem and I think maybe I've been > attacking it > incorrectly. I had though that adding O_TEXT everywhere > would solve this > problem. However, the environment is complicating things :) > > Here's the deal: > So where the file located in the filesystem > determines > the default handling of translation when opened as a text file. > This is for normal unix style coding of opens without any O_TEXT or > O_BINARY cruft. > > Now, adding an explicit O_TEXT or O_BINARY forces one mode or > the other, > ignoring the filesystem mount attributes. The problem is, I > don't want > to force the mode, > > Thanks for listening. Any suggestions are welcome. Doesn't the POSIX standard specify something about shells should open stdin, stdout and stderr in textmode? IOW, aren't you obliged to force the mode? cheers, DaveK -- Can't think of a witty .sigline today.... -- Unsubscribe info: Problem reports: Documentation: FAQ:
http://cygwin.com/ml/cygwin/2004-04/msg00076.html
CC-MAIN-2016-40
refinedweb
412
62.98
This may be old news for other people, but new to me and I am trying to put in new stuff that I learned. I wasn't aware of this, and after thinking about it, it does make sense (looking at it from how boxing/unboxing works), but I wished it had worked. The following code will throw an InvalidCastException { float f = 5; double d = CastValue(f); } private double CastValue(object o) return (o is float) ? (double)o : double.NaN; So would the following. private void PassValue() int i = 5; object o = i; Int64 j = (Int64)o; When .NET boxes a value type, it keeps the type with it, and any effort to cast it as something else will fail. I was surprised with this; a consumer of my infrastructure project was telling about this exception where a piece of code was casting an object passed as a double. He was passing a float. Like I mentioned, after looking at it and thinking about it in terms of .NET boxing/unboxing, it makes sense. I just wished it had worked. I could've just used the Convert.ToDouble (or use IConvertible), but I wanted to make sure the passed value IS a numeric type. If it's a string, or a byte for instance, I want to throw an exception. Now I have to change my code so it checks for all possible numeric type and throw an exception if it's not. Bummer...
http://geekswithblogs.net/NewThingsILearned/archive/2008/01/21/casting-value-type-to-object-and-back-to-another-value.aspx
CC-MAIN-2014-10
refinedweb
244
81.12
No more home interfaces, deployment descriptors, SessionBean interfaces. Welcome annotations. There has been a mixed reaction to the news. This was an early look into the JSR, and it is of course subject to change... but the programming model is set. Your new session beans will look like: @Session public class CalculatorBean {This will use all of the defaults.... (for what we used to put in the deployment descriptors). A Calculator interface will be created. public int add(int a, int b) { return a + b; } public int subtract(int a, int b) { return a - b; } } JNDI is no longer going to be THE way to get at resources. Dependency Injection will be supported in a variety of ways such as: @Session public class MyBean {As I said, there has been a mixed review, and rather than censor... here are some blog entries on the topic: private DataSource customerDB; @Inject private void setCustomerDB(DataSource customerDB) { this.customerDB = customerDB; } public void foo() { ... Connection c = customerDB.getConnection(); ... } } Cedric: EJB 3.0 officially announced Jason: TSSS: EJB 3.0 Work in progress Debu: EJB 3.0 Looks simply great! Cameron: EJB 3.0 You can find many more on TheServerSide Symposium Wiki
http://www.theserverside.com/discussions/thread/25779.html
CC-MAIN-2017-51
refinedweb
198
69.28
8179/map-vs-mapvalues-in-spark There is a difference between the two: mapValues is only applicable for PairRDDs, meaning RDDs of the form RDD[(A, B)]. In that case, mapValues operates on the value only (the second part of the tuple), while map operates on the entire record (tuple of key and value). In other words, given f: B => C and rdd: RDD[(A, B)], these two are identical val result: RDD[(A, C)] = rdd.map { case (k, v) => (k, f(v)) } val result: RDD[(A, C)] = rdd.mapValues(f) The latter is simply shorter and clearer, so when you just want to transform the values and keep the keys as-is, it's recommended to use mapValues. On the other hand, if you want to transform the keys too (e.g. you want to apply f: (A, B) => C), you simply can't use mapValues because it would only pass the values to your function. The last difference concerns partitioning: if you applied any custom partitioning to your RDD (e.g. using partitionBy), using map would "forget" that paritioner (the result will revert to default partitioning) as the keys might have changed; mapValues, however, preserves any partitioner set on the RDD. Hope this will answer your query to some extent. x = sc.parallelize([("a", ["apple", "banana", "lemon"]), ("b", ["grapes"])]) x.mapValues(lambda f : len(f)).collect() [('a', 3), ('b', 1)] Spark map function expresses a one-to-one transformation. ...READ MORE you can access task information using TaskContext: import org.apache.spark.TaskContext sc.parallelize(Seq[Int](), ...READ MORE The cache() is used only the default storage level ...READ MORE Hi, The map is a specific line or ...READ MORE For accessing Hadoop commands & HDFS, you ...READ MORE The reason you are not able to ...READ MORE There are 2 ways to check the ...READ MORE Ideally, you would use snappy compression (default) ...READ MORE ReduceByKey is the best for production. READ MORE Both 'filter' and 'where' in Spark SQL ...READ MORE OR Already have an account? Sign in.
https://www.edureka.co/community/8179/map-vs-mapvalues-in-spark
CC-MAIN-2021-10
refinedweb
341
66.33
$ cnpm install puppeteer! Here are a few examples to get you started: Give it a spin:. Puppeteer follows the latest maintenance LTS version of Node. Note: Prior to v1.18.1, Puppeteer required at least Node v6.4.0. All subsequent versions rely on Node 8.9.0+. option event. inside / add debugger to. debugger;to your test, eg: debugger; await page.click('a[target=_blank]'); headlessto false node --inspect-brk, eg node --inspect-brk node_modules/.bin/jest tests chrome://inspect/#devicesand click inspect F8to resume test execution debuggerwill be hit and you can debug in the test browser Enable verbose logging - internal DevTools protocol traffic will be logged via the debug module under the puppeteer namespace. # debugger to your Puppeteer (node) code add ndb (or npx ndb) before your test command. For example: ndb jest or ndb mocha (or npx ndb jest / npx ndb mocha) debug your test inside chromium like a boss! Check out contributing guide to get an overview of Puppeteer development. The Chrome DevTools team maintains the library, but we'd love your help and expertise on the project! See Contributing. The goals of the project are: We adapt Chromium principles to help us drive product decisions: No. Both projects are valuable for very different reasons: That said, you can use Puppeteer to run tests against Chromium, e.g. using the community-driven jest-puppeteer. While this probably shouldn’t be your only testing solution, it does have a few good points compared to WebDriver: Look for chromium_revision in package.json. To find the corresponding Chromium commit and version number, search for the revision prefixed by an r in OmahaProxy's "Find Releases" section.. In browsers, input events could be divided into two big groups: trusted vs. untrusted. document.createEventor element.click()methods. Websites can distinguish between these two groups: Event.isTrustedevent flag (); }); You may find that Puppeteer does not behave as expected when controlling pages that incorporate audio and video. (For example, video playback/screenshots is likely to fail.) There are two reasons for this: executablePathoption to puppeteer.launch. You should only use this configuration if you need an official release of Chrome that supports these media formats.) We have a troubleshooting guide for various operating systems that lists the required dependencies. You can check out this repo or install the latest prerelease from npm: npm i --save puppeteer@next Please note that prerelease may be unstable and contain bugs. There are many ways to get help on Puppeteer: Make sure to search these channels before posting your question.
https://npm.taobao.org/package/puppeteer/v/1.5.0-next.1529429863153
CC-MAIN-2019-47
refinedweb
424
57.27
Hide Forgot Created attachment 1327685 [details] screenshot of bz Description of problem: Please see the attached screenshot. When creating a new project through the Registry Console web ui (the + near Images by project, or '+ New project'), and after filling out the 'New Project' form, the project is created, but with the following error: User "<username>" cannot create namespaces at the cluster scope: User "<username>" cannot create namespaces at the cluster scope. A subsequent press of the 'Create' button on the New Project dialog results in an 'project.project.openshift.io "<project name>" already exists' error. You will notice in the screenshot, that despite the displayed error, the project exists on the project list in the column to the left of the dialog. Version-Release number of selected component (if applicable): openshift v3.7.0-0.126.4 kubernetes v1.7.0+80709908fd How reproducible: Always Steps to Reproduce: 1. Log in to the Registry Console web ui 2. Click on the 'New Project' icon, or the "images by project (+) icon, fill in the resulting form with arbitrary information. 3. Click Create Actual results: User "<username>" cannot create namespaces at the cluster scope: User "<username>" cannot create namespaces at the cluster scope. Expected results: The project is created without error Additional info: What groups is your user part of? Cockpit packages version: cockpit-bridge-147-1.el7.x86_64 cockpit-kubernetes-147-1.el7.x86_64 cockpit-ws-147-1.el7.x86_64 cockpit-dashboard-148-1.el7.x86_64 cockpit-system-147-1.el7.noarch Registy Console image: registry-console v3.7 0cf29d8c42d2 3 days ago 372.8 MB *** Bug 1492937 has been marked as a duplicate of this bug. *** We should be part of system:authenticated group, it's automatically associated with all authenticated users. Right but there are also registry specific groups that give users certain privileges with the registry. registry-admin, registry-editor, registry-viewer etc.. that give users privileges here. I'd like to know if your user has any of those. Hi Peter, could you please tell me which group is specific for registry console? Adding Priority and Severity as requested by daily test reporter. Checked it BTW, found the compared difference: This bug is not reproduced on env of: openshift: v3.7.0-0.125.0 brew-pulp.../openshift3/registry-console v3.7 713f3972a7bb 13 days ago 372.8 MB cockpit packages: also same as comment 2 # oc get rolebinding -n <project_created_on_registry_console> # Has registry-admin NAME ROLE USERS GROUPS SERVICE ACCOUNTS SUBJECTS admin /admin xxia registry-admin /registry-admin xxia system:deployers /system:deployer deployer ... The reproducing env of comment 0 is: openshift: shown in comment 0 registry.ops.../openshift3/registry-console: already in comment 2 cockpit packages: already in comment 2 # oc get rolebinding -n <project_created_on_registry_console> # NO registry-admin NAME ROLE USERS GROUPS SERVICE ACCOUNTS SUBJECTS admin /admin xxia system:deployers /system:deployer deployer ... Adding Regression keyword This seems to be a regression in the API. Where we are not getting back json errors in some cases. I'll open a issue with kubernetes. and PR to work around upstream, however until the underlying issue is fixed there will probably still be some weirdness in a few places. Opened and Cockpit work around is in upstream. This bug will block OCP registry console related testing, add TestBlocker keyword. Hi Peter, The latest version of cockpit-* packages included in OCP is still 147, we need 151 packages included to launch testing env. Hi Peter, Do we have plan when cockpit 151 or higher version 153 will be in OCP? The issue is not reproduced now in cockpit 151 (to see more env version info but to avoid dup, see in) Please move to ON_QA Verify the bug since has been checked on cockpit 151.
https://bugzilla.redhat.com/show_bug.cgi?id=1492935
CC-MAIN-2021-31
refinedweb
626
56.25
Initially page load normally, after changing iframe src, page load same URL as new URL in the same window. So if user want to go previous page user should need to press back button two times. Someone, please explain why? Link: Backend Code: import wixLocation from 'wix-location'; $w.onReady(function () { let {id} = wixLocation.query; $w('#html1').src = '' + id; }); Hello Emran, This is due to the ID being gotten every time on page ready it sets it as the query parameters of the current link you are in. Try putting the code in $w.onReady() to an event like a button click. Let me know if this fixes it, Majd
https://www.wix.com/corvid/forum/community-discussion/after-change-iframe-src-page-load-again-as-new-url
CC-MAIN-2019-47
refinedweb
110
76.82
We have compiled most frequently asked .NET Interview Questions which will help you with different expertise levels. .NET Interview Questions on WPF Question 1. What is WPF? Answer: WPF (Windows Presentation Foundation) is a graphical subsystem for displaying user interfaces, documents, images, movies, etc., in windows applications. Question 2. What is the need for WPF when we had Windows forms? Answer: Remember: ABCDEFG A – Anywhere execution (Windows or Web) B – Bindings (less coding) C – Common look and feel (resource and styles) D – Declarative programming (XAMLor Extensible Application Markup Language) E – Expression blend animation (Animation ease) F – Fast execution ( Hardware acceleration) G – Graphic hardware-independent (resolution independent) Question 3. What is XAML in WPF and why do we need it? Answer: XAML is an XML file that represents your WPF Ul. The whole point of creating the Ul representation in XML was to write once and run it anywhere. So the same XAML Ul can be rendered as a windows application with WPF and the same Ul can be displayed on the browser using the WPF browser or Silverlight application. Question 4. What is xmlns in XAML file? Answer: “xmlns” stands for XML namespaces. It helps us to avoid name conflicts and confusion in XML documents. For example, consider the below two XML which have table elements, one table is a HTML table and the other represents a restaurant table. Now if both these elements name conflicts and confusion. <table> <trxtd>Rowl</tdxxmlns : <tr><td>Rowl</td></tr> <trxtd>Row2</tdx/tr> </h: table> <r: tablexmlns: <cloth>red</cloth> <serve>Tea</serve> </r: table> Question 5. What is the difference between xmlns and xmlns: x in WPF? Answer: Bothe namespaces help to define/resolved XAML Ul elements. The first namespace is the default namespace and helps to resolve overall WPF elements. xmlns="HTTP: //schemas, microsoft. com/winfx/2006/xaml/presentation ” The second namespace is prefixed by “x: ” and helps to resolve XAML language definition. xmlns: x=”HTTP: //schemas.microsoft.com/winfx/2006/xam!” For instance for the below XAML snippet, we have two things one is the “StackPanel” and the other is “x: name”. “StackPanel” is resolved by the default namespace and the “x: name” is resolved by using “xmlns: x” namespace. , <StackPanelx: Name-’myStack”/> Question 6. Provide some instances where you have “xmlns: x” namespace in XAML? Answer: There are two common scenarios where we use “xmlns: x” namespace: To define behind code for the XAML file using “x: class” attribute. <Page xmlns="HTTP: //schemas.microsoft.com/winfx/2006/xaml/presentation" xmlns: Second to provide name to an element. <StackPanel x: Name=”myStack” /> Question 7. When should we use “x: name” and “name”? Answer: There is no difference between “x: name” and “name”, “name” is shorthand of “x: name”. But in classes where you do not find “name” property (this is a rare situation), we need to use “x: name” property. Question 8. What are the different kinds of controls in WPF? Answer: WPF controls can be categorized into four categories: • Control: This is the basic control with which you will work most of the time. For example textbox, buttons, etc. Now controls that are standalone control like buttons, text box, labels, etc., are termed as content control. Now there are other controls that can hold other controls, for instance, items controls. Itemscontroi can have multiple textbox controls, label controls, etc. • Shape: These controls help us to create simple graphic controls like Ellipse, Line, rectangle, etc. • Panel: These controls help to align and position the controls. For instance, the grid helps us to align in a table manner, stack panel helps for horizontal and vertical alignment. • Content presenter: This control helps to place any XAML content inside it. Used when we want to add dynamic controls on a WPF screen. All the above four types of WPF controls finally inherit from the framework element class of WPF as shown in Figure 12.2. Can you explain the complete WPF object hierarchy? Figure 12.3 shows the hierarchy of WPF objects as shown in Figure 12.3. Object: As WPF is created using .NET so the first class from which WPF Ul classes inherits is the .NET object class. Dispatcher: This class ensures that all WPF Ul objects can be accessed directly only by the thread who owns him. Other threads who do not own him have to go via the dispatcher object. Dependency: WPF Ul is surrounded by a panel, it’s very much possible that the panel background color can be inherited by the textbox. Visual: This is the class that helps WPF Ul to have their visual representation. Ul Element: This class helps to implement features like events, input, layouting, etc. Framework element: This class supports templating, styles, binding, resources, etc. And finally, all WPF controls textbox, buttons, grids, and whatever you can think about from the WPF toolbox inherits from the framework element class. Question 9. Does that mean WPF has replaced DirectX? Answer: No, WPF does not replace DirectX. DirectX will still be needed to make cutting-edge games. The video performance of directX is still many times higher than WPF API (Application Programming Interface). So when it comes to game development the preference will be always DirectX and not WPF. WPF is not an optimum solution to make games, oh yes you can make a TIC-TAC-TOE game but not high-action animation games. One point to remember WPF is a replacement for Windows form and not directX. Question 10. So is XAML meant only for WPF? Answer: No, XAML is not meant only for WPF. XAML is¬platform browser plug-in that helps us to create rich Web content with 2-dimensional graphics, animation, and audio and video. WWF XAML helps us to describe Windows Workflow Foundation content. WWF engine then uses this XAML and invokes workflow accordingly. Question 11. Can you explain the overall architecture of WPF? Answer: Figure 12.4 shows the overall architecture of WPF. It has three major sections presentation core, presentation framework, and mallcore. In the same diagram, we have shown how other sections like direct and operating systems an unmanaged code because it acts like a bridge between WPF managed and DirectX / User32 unmanaged API. Presentation core: This is a low-level API exposed by WPF providing features for 2D (two-dimensional), 3D (three-dimensional), geometry, etc. Presentation framework: This section has high-level features like application controls, layouts. Content, etc., helps you to build up your application. Question 12. What is App.xaml in the WPF project? Answer: App.xaml is the start-up file or a bootstrapper file that triggers your first XAML page from your WPF project. Question 14. What are various ways of doing alignment in WPF? Answer: There are five ways of doing alignment in WPF as shown in Figure 12.5:.lst column 1st row </Label> <Label Grid.2nd Column 2nd row</Label> <Label Grid.lst column 2nd row</ Label> <Label Grid.Column=''l" Grid.2nd Column 2nd row</Label> </Grid> Stack panel: Arranges control in vertical or horizontal format as shown in Figure 12.6. <StackPanel Orientation="Vertical"> <Label Background="Red">Red </Label> <Label Background="LightGreen">Green </Label> <Label Background="LightBlue">Blue </Label> <Label Background="Yellow">Yellow </Label> </StackPanel> Wrap panel: Aligns elements in a line until the border is hit, then wraps into the next line as shown in Figure 12.7. <WrapPanel Orientation="Horizontal"> <Label Width="125" Background="Red">Red 1</Label> cLabelGreen 1</Label> <Label Width="125" Background="LightBlue">Blue 1</Label> <Label Width="50" Background="Yellow">Yellow 1</Label> <Label Width="150" Background="Orange">Orange 1</Label> <LabeI Width="100" Background="Red">Red 2</Label> <Label Width="150" Background="LightGreen">Green 2</Label> <Label Width="75" Background="LightBlue">Blue 2</Label> </WrapPanel> Dock Pane1:Aligns controls in five different regions: top, bottom, left, right and center as shown in Figure 12,8. <DockPanel> <Label DockPanel.Top 1</Label> <Label DockPanel. Dock=''Lef t" Background^"LightGreen">Lef t</Label> <Label DockPanel.Right</Label> <Label DockPanel.Bottom</Label> <TextBlock VerticalAlignment="Center" HorizontalAlignment="Center"> Demo of Dock panel</TextBlock> </DockPanel> Canvas: Positions elements absolutely use co-ordinates as shown in Figures 12,9, <Canvas Margin="273, 130, 144, 99"> <TextBlock> Canvas position </TextBlock> </Canvas> Question 15. What are resources in WPF? Answer: Resources are objects referred to in WPF XAML, In the C# code when we create an object, we do the following three steps as shown in Figure 12,10. using CustomerNameSpace; // import the namespace. Customer obj = new Customer( ); // Create object of the class Textboxl. text = obj . CustomerCode; // Bind the object with UI elements So even in WPF XAML to define resources that are nothing but objects we need to the above 3 steps: - Import namespace where the class resides: To define namespace we need to use the “xmlns” attribute as shown in the below XAML code. <Window x: - Create an object of the class: To create an object of the class in XAML we need to create a resource by using the resource tag as the below code. You can the object name is ‘ custobj “. <Window.Resources> <custns: Customer x: </Window.Resources> The above code you can map to something like this in C#. Customer custobj = new Customer( ); - Bind the object with Ul objects: Once the object is created we can then bind them using bindings like one way, two way as explained in “Explain one way, two way, one time and one way to the source?” question explained above. <TextBox Text=”{Binding CustomerCode, Mode=TwoWay, Source={StaticResource custobj}}”/> Question 16. Explain the difference between static and dynamic resources. Answer: Resources bound; } Figure 12.11 shows the output of the same. Question 17. When should we use static resources over dynamic resources? Answer: Dynamic resources reduce application performance because they are evaluated every time the resource is needed. So the best practice is to use Static resources until there is a specific reason to use dynamic resources. If you want resources to be evaluated again and again then only use dynamic resources. Question 18. Explain the need for binding and commands. Answer: WPF bindings helps to send/receive data between WPF objects while command helps to send and receive actions as shown in Figure 12.12. The object that emits data or action is termed as the source and the object who wants to receive data or action is termed as a target. Question 19. Explain one way, two way, one time, and one way to the source. Answer: All the above four things define how data will flow between target and source objects when WPF binding is applied as shown in 12.13. Two ways:. The table below shows is an easy tabular representation to memorize the same. Question 20. Can you explain the WPF command with an example? Answer: When end users interact with the application they send actions like button click, right-click, Ctrl + C, Ctrl + V, etc. A command class in WPF wraps these end-user actions into a class so that they can be reused again and again. WPF Command class idea is an implementation of a command pattern from a gang of four design patterns. To create a command class we need to implement the “command” interface. For example below is a simple command class that increments a counter class by calling the methods as shown in the above code: What to Execute (Execute) – Command class is all about wrapping actions of end-users so that we can reuse them. At the end of Figure 12.14: Binding Direction day Action invokes methods. Mean for instance a “btnmaths_click” action will invoke the “Add” method of a class. The first thing we need to specify in the command class is which method you want to execute. In this case we want to call the “increment” method of “counter” class. When to execute (CanExecute) – The second thing we need to specify is when the command can execute, which Ul controls wherever necessary. Question 21. How does “UpdateSourceTrigger” affect bindings? Answer: “UpdateSourceTrigger” decides when the data should get updated between WPF objects that are binded. In other words should data get updated in lost focus event, in data change event, etc There are four modes by which “UpdateSourceTrigger” can be defined: - Default: If it is a text property then data is updated during lost focus and for normal properties data updates in property change event. - PropertyChanged: In this setting, data is updated as soon as the value is changed. - LostFocus: In this setting, data is updated as soon as the lost focus event occurs. - Explicit: In this setting, the data is updated manually. In other words, to update data between two WPF objects, Figure 12.15. Question 22. Explain the need for the “INotifyPropertyChanged” interface. Answer: When we bind two WPF objects the target data is updated depending on the “UpdateSourceTrigger” events. Please refer to the previous question for “UpdateSourceTrigger” basics. The “UpdateSourceTrigger” has events like lost focus, property change, etc. In other words, when lost focus or property change event happens on the target it makes a PULL to the source to get the latest data as shown in Figure 12.16. So it’s very much possible that the WPF source data has changed and because the WPF target “UpdateSourceTrigger” event did not fire it did not make a pull and the data of the source is not in sync with the target as shown in Figure 12.17. This is where the “INotifyPropertyChanged” interface comes to use. Below is a simple “clsCounter” class that has a “Counter” property and this property is incremented by is out of synch. To create a push event from the source you need to first implement the “iNotifyPropertyChanged” interface as shown in Figure 12.18. Now when someone calls the “increment” method you can raise an event saying that the “Counter” property has changed by calling the “PropertyChanged” function as shown in the below code. In simple words, the source sends a notification to the target WPF object that data has changed in the source and if should refresh itself; } Question 23. How are WPF observable collections different from simple .NET collections? Answer: Simple .NET collections do not notify the Ul automatically when elements are added or removed from them. So when we update simple .NET collection’s we need to send refresh events back to the WPF Ul for rebinding the collection. “ObservableCollection” is a specialized collection that updates the Ul automatically and immediately when new elements are added and removed from the collection. “ObservableCollection” implement’s “iNotifyCollectionChanged” interface. This interface exposes the “CollectionChanged” event which gets raised when elements are added or removed to the collection. Below is a simple code which creates the “ObservableCollection” collection which is binded with a list. ObservableCollection<Person> person = new ObservableCollection<Person>( ); IstNames.ltemsSource = person; Question 24. What are value converters in WPF? Answer: Binding is one of the big features in WPF which helps us to facilitate data flow between WPF Ul and Object (See Figure 12.18). But when data flows from source to Ul or vice-versa using these bindings we need to convert data from one format to another the “value converter”lnfo culture) { bool married = (bool)value; if (married) { return "Married"; } else { return "UnMarried" ; } } } You can see in the “Convert” function we have written logic to transform “Married” to true and from “UnMarried” to false. In the “ConvertBack” function we have implemented the reverse logic. Question 25. Explain multi-binding and multivalue converters in WPF? Answer: “MultiBinding” helps you bind multiple sources to a target while multi-converters act like bridge – if the source and targets have different data formats or need some conversion as shown in Figure 12.19. For example, let’s say you have two textboxes that have “FirstName” and “LastName”. You want ~ that as soon as users type on .these two text boxes, the other text box should get updated with ‘ “FirstName LastName” as shown in Figure 12.20. s Also vice-versa if we type in the third text box “FirstName LastName” it should display “FirstName” … and “LastName’ in the other two textboxes, respectively. So the first thing is to create a multivalue converter class that will join “FirstName” and “LastName” into source and split “FirstName LastName” back to the target. For the same we need to implement “multivalue converter” and implement “Convert” and “ConvertBack” methods. “Convert” helps to do the conversion from “Target” to “Source” and “ConvertBack” helps to ^ convert from “Source” to “Target”. public class NameMultiConverter: IMultiValueConverter { public object Convert(object[ ] values. Type targetType, object parameter, System.Globalization.Culturelnfo^ culture) { // Conversion logic from Target to Source } } public object[ ] ConvertBack(object value, Type[] targetTypes, object parameter, System.Globalization.Culturelnfolnfo another types, object parameter, System.Globalization.Culturelnfo.Text> <MultiBinding Converter=”{StaticResource NameMultiConverter}"> <Binding ElementName="txtFirstName" Path="Text" /> <Binding ElementName="txtLastName" Path="Text" /> </MultiBinding> </TextBox.Text> </TextBox> Question 26. Explain WPF relative binding/relative resource. Answer: the height and width of the border to be same. So for this scenario, the target and source are the same, the WPF border itself. So we can define the binding using “RelativeSource” as shown in the below code. You can see it uses the “Self” binding mode to bind the element to itself. <Border BorderBrush="Black" BorderThickness = "l11 What are the different ways of binding using relative sources? There are four ways of binding relatively in WPF: - Self - Ancestor - Previous data - Templated parent Question 27. Can you explain self relative source binding in WPF? Answer: This relative binding helps to bind one property of an element to the other property of the same element. For example, in the below XAML the border width is binded to a height of the same border element. <Border BorderBrush-’Black” BorderThickness=”1" Height=”139" Width=”{Binding Height, RelativeSource={RelativeSource Self}}”/> Question 28. Explain Ancestor relative source binding in WPF. Answer: This relative binding helps to bind properties to the parent element properties. For example, in the below XAML code we have a textbox that has two borders as a parent. One border is having dark green and the other border is having dark red color as the border color. The dark green color border is the parent element followed by dark red and the textbox. Table below shows some important properties in Ancestor type binding we need to know before we writing the binding code. Tablw = l, AncestorType={x: Type Border}}}"/> So now the complete XAML with parent border element looks as shown in the below code. <Border BorderBrush="DarkGreen"><! — Level 2 -> <Border BorderBrush="DarkRed" >< i — Level 1 -> <TextBox Background^' {Binding BorderBrush, RelativeSource={RelativeSource FindAncestor, AncestorLevel=l, AncestorType=(x: Type Border}}}"/> </Border> </Border> Now if you run the above XAML code the textbox is binded with the background color of the first border. If you change the ancestor level to 2 textbox background color will change to green. Question 29. Explain the difference between the visual and logical trees in WPF. Answer: WPF Ul is represented in XAML which is an XML format. In XML elements are arranged in a hierarchal” as shown in Figure 12.24. But now to display this Logical tree on to your screen you need lot of visual elements. Like border, text etc. So when you add these visual elements to the logical tree that complete structure is termed as “Visual Tree”. Putting in simple words there is only tree in WPF but depending on how you view it these two trees are the outcome. If you use the WPF visualizer the above XAML tree looks something as shown in the below Figure 12.25 which is actually a complete visual tree. In simple words whatever you see in your XAML is a logical tree and to make it display it uses the visual tree. Figure 12.26 shows the logical and visual tree of the above XAML. Logical tree is without the shades and with shades is the visual tree. Question 30. Why do we need to have this perspective of visual and logical tree in WPF? Answer: Visual tree and Logical tree are important when you work with WPF routed events. Question 31. Explain routed events in WPF. Answer: Routed events are those events that travel up or down the visual tree hierarchy. WPF events can be classified into three types: Direct events: In this case event is raised at the source and handled at the source itself like “Mous enter” events. Bubbling events: They travel up the visual tree hierarchy. For example, “MouseDown” is a bubbling event. Tunneling events: These events travel down the visual tree hierarchy. “PreviewKeyDown” is a tunneling event. Question 31. Explain WPF styles. Answer: Let’s say you have WPF Ul which has a lot of buttons and you want to set the background to “Aqua” color (See Figure 12.28). So the quick way of doing this is to set the background of all the buttons to “Aqua” color as shown in the below XAML code. But now let’s say some days down the line customer wants to change the background color to “Red”. So you need to modify the background property for all buttons. <Button Backgrounds"Aqua"/> <Button Background="Aqua"/> <Button Background="Aqua"/> Won’t it be great if we can define the background color as a style from some commonplace and when we want to change the background color we just change from that central commonplace That’s what WPF style helps us to achieve WPF style helps to define look and feel (color, fonts, alignments, etc.) from a central location so that we can have ease of maintenance. To define a style we need to use the “Style” tag of XAML. It needs three things at least: - X: Key: Name of Key of the style. - TargetType: WPF Ul object on which you want to apply the style. For example, in the below code we are applying this style on the button. - Setter: This element defines the property for which the value has to be set. For example, in our case, we are setting the “Background” color property to “Aqua”. <Style x: <Setter Property="Background" Value="Aqua" /> </Style> Once the style is defined we can attach the style resource to the style property of the button element as shown in the below code. <Button Style="{StaticResource myStyle}"/> <Button Style="{StaticResource myStyle}"/> <Button Style="{StaticResource myStyle}"/> Question 32. What are style triggers? Answer: Many times we would want a style property to execute under certain conditions. Trigger’s help you to define conditions under which the style values will be set. For example, we want to create a dynamic style where we focus on the button it should change to red color or else should be set to Aqua color as shown in Figure 12.29. To achieve the same we can use style trigger as shown in the below XAML code. <Style x: <Style.Triggers> <Trigger Property="IsFocused" Value="True"> <Setter Property="Background" Value="Red"/> </Trigger> </Style.Triggers> <Setter Property="Background" Value="Aqua" /> </Style> Question 33. Explain the Multitrigger concept in WPF. Answer: Many times we want style triggers to be executed when multiple conditions are true. For example, let’s say we have a button we want the button background to be set to “RED” when there is focus on the button and when somebody moves the mouse on the button. In other situations, the background color should be set to “Aqua”. So to achieve such multiple AND conditions we can use the “MultiTrigger” XAML element as shown in the below XAML code. Multiple AND conditions need to be defined in the “MultiTrigger .Conditions” tag and the property which needs to be modified in the “MultiTrigger. Setters” tag. <Style x: <Style.Triggers> <MultiTrigger> <MultiTrigger.Conditions> <Condition Property="IsFocused" Value="True" /> <Condition Property="IsMouseOver" Value="True" /> </MultiTrigger.Conditions> <MultiTrigger.Setters> <Setter Property="Background" Value="Red" /> </MultiTrigger.Setters> </MultiTrigger> </Style.Triggers> <Setter Property="Background" Value="Aqua" /> </Style> Question 34. What is the difference between control templates and data templates? Answer: Control templates change the structure of a WPF element while data templates change the way data is displayed but maintain the structure of the WPF element. A visual example of a control template where a rectangle-shaped button changes into an ellipse shape. For that, we need to create a style using the “<ControlTemplate>” element. In this “<ControlTemplate>” WPF element we can define the structure which we want to apply to the element. Below is the XAML code for the same. <Style TargetType="Button"> <!—Override all default style —> <Setter Property="OverridesDefaultStyle" Value="True"/> <Setter Property="Template"> <Setter.Value> <ControlTemplate TargetType="Button"> <Grid> <Ellipse Fill=" (TemplateBinding Background-} "/> cContentPresenter </Grid> </ControlTemplate> </Setter.Value> </Setter> </Style> Later this style can be applied to the button using the style property as shown the below code. <Button Style="{StaticResource mystyle}"/> Data templates have no effect on the structure but they affect data. For example, Figure 12.32 shows the is list box on which data templates have been applied. You can see the structure of the list box does not change but the number of fields and the way they are placed is changed. To use data templates we need to use ‘ item template” tag and within the “item template” tag we can define how we want the data to be structured. <ListBox Margin="26, 27, 165, 51" x: <ListBox.ItemTemplate> <DataTemplate> <Grid> <Grid.ColumnDefinitions> <ColumnDefinition Width="150"></ColumnDefinition> <ColumnDefinition Width="*"></ColumnDefinition> </Grid.ColumnDefinitions> <TextBlock Grid. <TextBlock Grid. </Grid> </DataTemplate> </ListBox.ItemTemplate> </ListBox> Question 35. What is MWM? Answer: MVVM (Model-View-View Model) is an architecture pattern where we divide the project into three logical layers and every layer has its own responsibility (See Figure 12.33). Below are the three logical layers with an explanation of what they do: • View: This layer handles the responsibility of taking inputs from the end-user, positioning of controls, look and feel, design, visuals, colors, etc. • Model: This layer represents your middle layer objects like a customer, supplier, etc. It handles business logic and interaction with the data access layer. • the following types of logic as shown below. - Replicating and propagating data between views and models. When someone enters data into Ul or the model gets updated this layer will ensure that the propagation of data happens between these entities. - Handling data transformation from view to model and vice-versa. For example, you have a model which has gender property with data as “M” for males and “F” for females. But on the View or Ul, you would like to display as a check box with true and false. This transformation logic is written in the view model class. - View model also maps Ul’s actions to methods. For example, you have “btn_Add” click event and when anyone clicks on this button you would like to invoke “Customer. Add ( )” method from the customer class. This connection code is again a part of the view model. Question 36. What are the benefits of MWM? Answer: Below are the benefits of the MWM pattern as shown in Figure 12.34: Separation of concern: As the project is divided into layers, every layer handles its own responsibility. This leads to better maintenance because when we change one layer the other layer does not get affected. Increased Ul Reusability: The whole point of MWM is to remove behind, code, i.e., XAML.CS code. The problem with behind code is that it is tied up with Ul technology, for example, ASPX.CS code is tied up with the ASP page class, XAML.CS file is tied with WPF Ul technology and so on. So we cannotuseASPX.CS behind code with WPF XAML UI. By moving the behind code to the view model class we can now use this with any Ul technology. Automated Ul Unit testing: View model class represents your Ul. The properties of the class represent Ul textboxes, combo boxes and the methods of the class represent action. Now as the Ul is represented by the view model class, we can do automated Ul testing using unit testing by creating the objects of view model class and doing the necessary assets. Question 37. What is the importance of command and bindings in the MWM pattern? Answer: MWM is the most used architecture because of the command and bindings facility provided by WPF) (See Figure 12.35). WPF MWM is incomplete without command and bindings. Command and bindings help you to connect view (WPF Ul) with view model class without writing a lot of behind code. Binding connects the Ul input elements (textbox, combo box, etc.) with the view model class properties, and the Ul actions like button click, right-click are connected to the methods of the class by commands. Note: Please refer to previous questions to understand commands and bindings. Question 38. What is the difference between MWM and 3-layer architecture? Answer: MVVM has an extra layer as compared to 3 layer architecture. In 3 layer architecture, we have Ul (view), business logic (model), and Data Access Layer (DAL) as shown in Figure 12.36. In MWM we have an extra layer in between view and model, i.e., the view model class. 3 layer architecture complements MVVM architecture. Question 39. Explain delegate command. Answer: First, let us answer in short: “Delegate command makes an MVVM command class independent of the view mode!’. Now let’s understand the long way. In MVVM architecture view talks with the view model and the view model talks with the model. When actions are sent from the view they are sent to WPF commands for handling the events as shown in Figure 12.37. WPF commands invoked methods of view model internally. In other words, the command needs a reference of the view model class. If you see a typical WPF MVVM command it looks as shown below. You can see the “CustomerViewModel” class referenced inside the ‘btnCommand” class. If you think with your eyes closed this reference of the “CustomerViewModel” class inside the command is a problem. This will lead to tight coupling between command classes and the view model. If you visualize the command it is nothing but clicks, double click, left mouse click, drag and drop, etc. It is an ACTION created by the user. Now wouldn’t be great if we can just attach this command with any view model. So like click event gets connected with ” Cus tomervi ewMode 1″ or “SupplierViewMode1”. This is achieved by using the”.lf you see the command class we need only two things “WhattoExecute” and “WhentoExecute”. So how about passing these methods as generic delegates. You can see the constructor of “btnCommand” takes two delegates one what to execute and one when to execute. You can see in the below code the “btnCommand” class has no reference of the view model class but has references to delegates which are just abstract pointers( ); } } Question 40. What is PRISM? Answer: PRISM (Personal Record Information System Methodology) is a framework to develop a composite applications in WPF and Silverlight as shown in Figure 12.38. Composite applications are built using composition. In other words rather than building applications from scratch, we take prebuilt components, assemble them together and create the application. Take the example of simple WPF Ul (See Figure 12.39). You can see it has lots of sections. Now rather than building the whole Ul as one big unit, we can develop all these sections as an independent unit. Later by using PRISM we can compose WPF Ul by taking all these independent units (See Figure 12.39). Question 41. What are the benefits of PRISM? Answer: Modular development: As we are developing components as independent units we can assign these units to different developers and do modular parallel development. With parallel development projects will be delivered faster. High reusability: As the components are developed in individual units we can plug them using PRISM and create composed Ul in an easy way. Question 42. How are individual units combined into a single unit? Answer: PRISM uses dependency injection for the same, please see the design pattern section to read about Dl (Dependency Injection). We can do Dl in two ways by using unity application block or MEF (Managed Extensibility Framework). Question 43. Does PRISM do MWM? Answer: The prime focus of PRISM (Personal Record Information System Methodology) is modular development and not MWM. But it does have ready-made classes like delegate command which can help us reduce MWM code. But please note the main goal of PRISM was not MWM. Question 44. Is PRISM a part of WPF? Answer: No, PRISM an acronym for (Personal Record information System Methodology) is a separate installation. Question 45. What is expression blend? Answer: Expression blend is a designing tool for WPF and Silverlight applications. Question 46. What is Silverlight? Answer: Silverlight is 16. Windows Presentation Framework (Vista Series) is a Web browser plug-in by which we can enable animations, graphics, and audio/video. You can compare Silverlight with Flash. We can view animations with Flash and it’s installed as a plug-in in the browser. Question 47. Can Silverlight run on platforms other than a window? Answer: Yes, animations made in Silverlight can run on platforms other than window. In whatever platform you want to be run you just need the Silverlight plug-in. Question 48. Come on, even WPF runs under the browser why Silverlight? Answer: Yes, there is something called a WPF browser application that can run WPF in the browser. For the WPF browser application, you need the .NET framework to be installed in the client location while for Silverlight you need only the plug-in. So in other words WPF browser applications are OS (Operating System) dependent while Silverlight is not. Silverlight plug-in can run in other OS other than windows while we all know .NET framework only runs in windows. Question 49. What is the relationship between Silverlight, WPF, and XAML? Answer: As explained previously XAML is an XML file that defines the Ul elements. This XML file can be read by WPF framework or Silverlight framework for rendering. Microsoft first developed WPF and they used XAML files to describe the Ul elements to the WPF framework. Microsoft then extended WPF and made WPF/e (Windows Presentation Foundation/Everywhere) which helped to render the Ul in the browser. WPF/e was the code name for Silverlight. Later Microsoft launched Silverlight officially. So the XAML just defines the XML structure to represent the Ul elements. Both the frameworks, i.e., WPF and Silverlight then read the Ul elements and renders the Ul elements in the respective platform as shown in Figure 12.40. Question 50. What is the XAP file in Silverlight? Answer: XAP (Cross-Platform Audio Creation Tool Audio Projects) file is a compressed file that downloads all the necessary DLLs (Dynamic Link Library), code at the browser client so that the Silverlight application can run inside the browser. Question 51. Can you explain Silverlight architecture? Answer: Before we talk about Silverlight architecture let’s discuss what is Silverlight is really made of technically. Silverlight has borrowed a lot of things from existing Microsoft technologies. We can think of Silverlight plug-in as a combination of some technologies from the core .NET framework, vector animations, media, and JavaScript as shown in Figure 12.41. So we can visualize the Silverlight architecture as a combination of some functionalities from the core .NET framework, Ajax, and some functionalities like animation, media, etc., provided by the core Silverlight framework. We can think of Silverlight architecture as a combination of four important blocks: • Some .NET framework components: Silverlight uses some components from the .NET framework. One of the main components is WPF. Many of the Ul components (check box, buttons, text boxes, etc.), XAML parsing, etc., are taken from the core WPF system. It also has taken components like WCF to simplify data access, it also has CLR (Common Language Runtime) for memory management, safety checking, and garbage collection. The base class libraries of NET are used for string manipulations, algorithms, expressions, collections, and globalization. • Presentation core: The core presentation framework has functionalities to display vector 2d animations, images, media, DRM (Digital Rights Management), and handle inputs like mouse and keyboard. • Other technologies: Silverlight interacts with other technologies like Ajax and JavaScript. So it also borrows some functionalities from their technologies. • Hosting: Silverlight animations finally run under the browser environment. So it has a hosting functionality that helps to host the application the browser, expose a DOM (Document Object Model) by which JavaScript can manipulate the Silverlight components and it also has an installer functionality which helps to install Silverlight application and plug-in in the browser environment. One of the things which you can notice from the architecture diagram is that the presentation core reads from the XAML file for rendering. The XAML is a component that is a part of the .NET framework and the rendering part is done by the presentation core (See Figure 12.42). The application is a typical HTML that runs under the browser. There are markups that run-time and achieve the necessary functionalities (See Figure 12.43). XAML will be read and parsed by the Silverlight runtime and then rendered accordingly to the browser. Question 51. What are the various basic steps to make a simple Silverlight application? Answer: This sample we are making using VS 2008 Web express edition and .NET 3.5. It’s a six-step procedure to run our first Silverlight application. So let’s go through it step by step. Step1: The first thing we need to do is install Siiveriight SDK (Software Development Kit) from HTTP: //www. microsoft.com/downloads/details.aspx7fami I vid = FB7900DB-4380-4B0F-BB95- 0BAEC714EE17&displavlanq=en Step 2: Once you install the Silverlight SDK you should be able to use the Silverlight template. So when you go to create a new project you will see a ‘Siiveriight application’ template. Step 3: Once you click ok you will see a dialog box as shown below Test Page To Host Siiveriight at build time: This option will create a new page at runtime every time you try to debug and test your application. If you want to only concentrate on your Silverlight application then this option is worth looking at. Link This Siiveriight Control Into An Existing Website: If you have an existing Silverlight application then this option helps to link the Silverlight application with the existing Web application project. You will not see this option enabled for new projects, you need to have an existing Web application. For this example, we have selected the first option. Once you click ok you should see the full IDE (Integrated Development Environment) environment for Silverlight So let’s run through some basic points regarding the IDE view what we see. You will see there are two projects one is your Web application and the other is the Silverlight application. In the Silverlight application, we have two XAML files one is App.XAML and the other is Page.XAML. App.XAML has global-level information. Step 4: Now for simplicity’s sake, we just use the TextBlock tag to display a text. You can see as we type on the Page.XAML is displayed in the viewer. Step 5: Now we need to consume the Silverlight application on an ASPX page. So in the HTML / ASPX page, we need to first refer to the Siiveriight namespace using the ‘Register’ attribute. <%@Register Assembly=”System. Web. Siiveriight” Namespace-’System.Web.Ul.SilverlightControls” TagPrefix=’’asp” %> We also need to refer the script manager from the Silverlight namespace. The script manager control is the functionality from AJAX. The main purpose of this control is to manage the download and referencing of JavaScript libraries. <asp: ScriptManager ID=”ScriptManager1" runat-”server”></asp: ScriptManager> Finally, we need to refer to the Silverlight application. You can see that in the source we have referred to the XAP file. XAP file is nothing but a compiled Silverlight application that is compressed and ZIP. It basically has all the files that are needed for the application in a compressed format. If you rename the file to ZIP extension you can open the same using WINZIP. <asp: Siiveriight So your final ASPX / HTML code consuming the Silverlight application looks something as shown below. <%@ Page <html xmlns="HTTP: //" style="height: 100%;"> <head runat="server"> <title>MyFirstSilverLightApplication</title> </head> <body style="height: 100%,-margin: 0;"> <form id="forml" runat="server" style="height: 100%; "> <asp: ScriptManager <asp: Silverlight </div> </form> </body> </html> Step 6: So finally set the Web application as start-up and also set this page as start-up and run it. You should be pleased to see your first Silverlight application running as shown in Figure 12.44. Question 52. What are the different kinds of bindings in Silverlight? Answer: There is three kinds of bindings one-way, two-way, and one time-binding. - One-way binding: data flows from object to Ul and not vice-versa. - Two-way bindings: data flows from object to Ul and also vice-versa. - In one time binding data flows from the object to the Ul only once. There is no tracking mechanism to update data on either side. One-time binding has marked performance improvement as compared to the previous two bindings discussed. This binding is a good choice for reports where the data is loaded only once and viewed. In order to specify bindings, we need to use the binding path attribute on the Ul elements as shown in the below code snippet. <TextBox x:</TextBox> Question 53. How does Silverlight connect with databases? Answer: If you remember the Silverlight architecture, it does not contain ADO.NET. In order to make insert, update, and deletes via Silverlight, we need to call WCF services, and WCF services in turn will do insert updates and deletes on SQL Server. Question 54. What are the two important points we noted when we call WCF service from Silverlight? Answer: - We can only WCF services asynchronously from Silverlight. - We need to create a cross-domain and client access policy XML (extensible Markup Language) file where the WCF service is hosted. Question 55. What are the different ways of doing alignment in Silverlight and WPF? Answer: There are three ways provided by Silverlight for layout management Canvas, Grid, and Stack panel. Canvas is the simplest methodology for layout management. It supports absolute positioning using ‘X’- and ‘Y’-coordinates. ‘Canvas. Left’ helps to specify the X-coordinate while ‘Canvas. Top’ helps to provide the ‘Y’-coordinates. Below is a simple code snippet which shows how Rectangle objects are positioned using ‘ Canvas ‘ on coordinates (50, 150). <Canvas x: <Rectangle Fill = "Blue" Widt. </Canvas> Grid layout helps you position your controls using rows and columns as shown in Figure 12.45. It’s very similar to table defined in HTML. As the name so the behavior. Stack allows you to arrange your Ul elements vertically or horizontally. Question 56. What is expression blend? Answer: Expression blend is a graphic design tool that can design the look-and-feel using expression blend and give the XAML file to the developers who can write the behind code for the same. Question 57. How can we do multi-threading in WPF / Silverlight? Answer: In order to implement proper multi-threading, we need to use the dispatcher object. Question 58. Can’t we just use threads, why do we need the dispatcher object? Answer: In WPF / Silverlight objects have thread affinity. In other words, the objects can be modified only by the thread that has created the object. Now when any WPF/Silverlight applications run they run on the main thread as shown in Figure 12.47. So that main thread only has the permission to modify the same. Question 59. But what if try to modify it? Answer: If other threads who have not created the Ul object try to modify the same it will throw an exception “invalid cross-thread access”. For example in the below code we have a simple function called as “Set value”, this function modifies a textbox. This function is called directly by creating a “Thread” object in a button click event. private void buttonl_Click(object sender, RoutedEventArgs e) { Thread obj = new Thread(new ThreadStart(SetValue)); obj.Start( ); } public void Setvalue( ) { for (int i = 0; i < 10; i++) { textBoxl.Text = "test"; } } Now the Ul object “textbox1” is not created by thread “obj”. It’s created by the main thread which runs the WPF/Silverlight Ul. So when you run the application you should get an exception as shown in the below “invalid cross-thread access” as shown in Figure 12.48. Question 60. So how do we make the code working? Answer: To make threading working in WPF and Silverlight we need to use the “Dispatcher” object. So rather than making calls directly to the Ul object, we need to route the calls via dispatcher object. The dispatcher object then prioritizes and executes the calls on the thread’s behalf to the Ul control (See Figure 12.49). lnvoke(( ) => {textBoxl.Text = "Test";}); } } Question 61. What is a background worker thread? Answer: Background worker is a simple thread that runs in the background and helps us execute processes in the background. In order to use background worker class we need to provide two things: - The first thing we need to provide is the heavy processing method that we want to invoke in a multi-threading fashion. For instance, the below method “_bWorker_DoWork” has the method ” RunWorkerAsync” so that the “_bWorker_DoWork” method will be executed in the background. _bWorker.RunWorkerAsync( ); Question 62. Question 6: What is the difference between a background worker and a dispatcher? Answer: Dispatcher only queues and executes the multi-threaded request. The dispatcher does not create threads. While background worker actually spawns and executes methods in a multi-threaded manner.
https://btechgeeks.com/wpf-interview-questions-in-dot-net/
CC-MAIN-2021-43
refinedweb
7,676
56.96
For a quick overview of the JRockit Java Heap Space, please consult the article below: JRockit Java Heap Space JRCMD tool overview jrcmd is a free tool that is available out-of-the-box in the JRockit binaries. It allows you generate and collect crucial data from your runtime JRockit VM such as: - Java process memory space breakdown (Java Heap vs Native memory spaces) - Java Heap diagnostic (histogram) – Java loaded classes - On-demand JRockit Heap Dump generation (version R28+ only) - Thread Dump generation - More… For this article, we created a simple Java program leaking internally. We will use this program to demonstrate how you can leverage jrcmd to perform your initial analysis. Sample Java memory leak program This simple Java program is simply adding String data to a static HashMap and slowly leaking to the point of the JVM running out of Java Heap memory. This program will allow you to visualize a slowly growing Java Heap leak via JRockit jrcmd. Please note that a Java Heap size of 128 MB (-Xms128m –Xmx128m) was used for this example. /** * JavaHeapLeakSimulator * @author Pierre-Hugues Charbonneau * */ public class JavaHeapLeakSimulator { private final static int NB_ITERATIONS = 500000000; // ~1 KB data footprint private final static String LEAKING_DATA_PREFIX = "dat("Java Heap Leak Simulator 1.0"); System.out.println("Author: Pierre-Hugues Charbonneau"); System.out.println(""); try { for (int i = 0; i < NB_ITERATIONS; i++) { String data = LEAKING_DATA_PREFIX + i; // Add data to our leaking Map data structure... leakingMap.put(data, data); // Slowdown the Java program so we can monitor the leak before the OutOfMemoryError condition Thread.sleep(1); } } catch (Throwable any) { if (any instanceof java.lang.OutOfMemoryError) { System.out.println("OutOfMemoryError triggered! " + any.getMessage() + " [" + any + "]"); } else { System.out.println("Unexpected Exception! " + any.getMessage() + " [" + any + "]"); } } System.out.println("JavaHeapLeakSimulator done!"); } } JRCMD – initial execution JRCMD can be executed from the local server hosting the JVM that you want to monitor or remotely via JRockit Mission Control. The executable is located within the JRockit JDK that you are using: <JRockit_JDK_HOME>/bin/jrcmd The default jrcmd execution will return the list of active JRockit Java process Id that you can monitor: C:\Apps\Weblogic1035\jrockit_160_24_D1.1.2-4\bin>jrcmd 5360 org.ph.javaee.tool.oom.JavaHeapLeakSimulator 5952 6852 jrockit.tools.jrcmd.JrCmd JRCMD – Java Heap monitoring The next step is to start monitoring the Java Heap memory usage and histogram. A Java Heap histogram is a snapshot of the biggest pools of Java Class instances. This allow you to pinpoint the leaking data type. Ple You can either chose between print_object_summary (quick summary) or heap_diagnostics (complete breakdown). C:\Apps\Weblogic1035\jrockit_160_24_D1.1.2-4\bin>jrcmd 5360 heap_diagnostics Invoked from diagnosticcommand ======== BEGIN OF HEAPDIAGNOSTIC ========================= Total memory in system: 8465022976 bytes Available physical memory in system: 5279170560 bytes -Xmx (maximal heap size) is 134217728 bytes Heapsize: 134217728 bytes Free heap-memory: 123592704 bytes --------- Detailed Heap Statistics: --------- 90.9% 3948k 5468 +3948k [C 3.0% 128k 5490 +128k java/lang/String 2.1% 92k 3941 +92k java/util/HashMap$Entry 1.2% 50k 461 +50k java/lang/Class 0.8% 35k 21 +35k [Ljava/util/HashMap$Entry; 0.6% 24k 7 +24k [B 0.3% 15k 305 +15k [Ljava/lang/Object; 0.3% 14k 260 +14k java/net/URL 0.2% 6k 213 +6k java/util/LinkedHashMap$Entry 0.1% 4k 211 +4k java/io/ExpiringCache$Entry 0.1% 2k 4 +2k [Ljrockit/vm/FCECache$FCE; 0.0% 1k 50 +1k [Ljava/lang/String; 0.0% 1k 10 +1k java/lang/Thread 0.0% 1k 61 +1k java/util/Hashtable$Entry 0.0% 1k 7 +1k [I 0.0% 0k 19 +0k java/util/HashMap 0.0% 0k 19 +0k java/lang/ref/WeakReference 0.0% 0k 7 +0k [Ljava/util/Hashtable$Entry; 0.0% 0k 19 +0k java/util/Locale 0.0% 0k 11 +0k java/lang/ref/SoftReference 0.0% 0k 1 +0k [S ………………………………………………… – The first column correponds to the Class object type contribution to the Java Heap footprint in % – The second column correponds to the Class object type memory footprint in K – The third column correponds to the # of Class instances of a particular type – The fourth column correponds to the delta – / + memory footprint of a particular type As you can see from the above snapshot, the biggest data type is [C (char in our case) & java.lang.String. In order to see which data types are leaking, you will need to generate several snapshots. The frequency will depend of the leaking rate. In our example, find below another snapshot taken after 5 minutes: # After 5 minutes --------- Detailed Heap Statistics: --------- 93.9% 26169k 28746 +12032k [C 2.4% 674k 28768 +295k java/lang/String 2.3% 637k 27219 +295k java/util/HashMap$Entry 0.9% 259k 21 +128k [Ljava/util/HashMap$Entry; 0.2% 50k 462 +0k java/lang/Class 0.1% 24k 7 +0k [B # After 5 more minutes --------- Detailed Heap Statistics: --------- 94.5% 46978k 50534 +20809k [C 2.4% 1184k 50556 +510k java/lang/String 2.3% 1148k 49007 +510k java/util/HashMap$Entry 0.5% 259k 21 +0k [Ljava/util/HashMap$Entry; 0.1% 50k 462 +0k java/lang/Class The third & fourth column are showing a constant increase. As you can see, the leaking data in our case are [C, java.lang.String and java.util.HashMap$Entry which all increased from ~4 MB to 28 MB, 50 MB and growing… It is easy to pinpoint the leaking data type(s) with this approach but what about the source (root cause) of the leaking data type(s)? This is where jrcmd is no longer useful. Deeper memory leak analysis will require you to use either JRockit Mission Control or Heap Dump analysis (JRockit R28+ only). A final point, before you can conclude on a true Java Heap leak, please ensure that jrcmd snapshots are taken after at least one Full GC in between the captures (what you are interested in is OldGen leak e.g. Java objects surviving major GC collections). JRCMD Thread Dump generation Thread Dump analysis is crucial for stuck Thread related problems but can also be useful to troubleshoot certain types of Java Heap problem. For example, it can pinpoint the source of a sudden Java Heap increase by exposing the culprit Thread(s) allocating a large amount of memory on the Java Heap in a short amount of time. Thread Dump can be generated using jrcmd print_threads option. ** Thread Dump captured from our sample Java program after removing the Thread.sleep() and increasing the Java Heap capacity ** C:\Apps\Weblogic1035\jrockit_160_24_D1.1.2-4\bin>jrcmd 5808 print_threads 5808: ===== FULL THREAD DUMP =============== Mon Apr 09 09:08:08 2012 Oracle JRockit(R) R28.1.3-11-141760-1.6.0_24-20110301-1429-windows-ia32 "Main Thread" id=1 idx=0x4 tid=6076 prio=5 alive, native_blocked at jrockit/vm/Allocator.getNewTla(II)V(Native Method) at jrockit/vm/Allocator.allocObjectOrArray(Allocator.java:354)[optimized] at java/util/Arrays.copyOfRange(Arrays.java:3209)[inlined] at java/lang/String.<init>(String.java:215)[inlined] at java/lang/StringBuilder.toString(StringBuilder.java:430)[optimized] at org/ph/javaee/tool/oom/JavaHeapLeakSimulator.main(JavaHeapLeakSimulator.java:38) at jrockit/vm/RNI.c2java(IIIII)V(Native Method) -- end of trace ………………………………………. We can see that our sample Java program is creating a lot of java.lang.String objects from the “Main Thread” executing our JavaHeapLeakSimulator program. Conclusion I hope this article has helped you understand you can leverage the JRockit jrcmd tool for quick Java Heap analysis. I’m looking forward for your comments and questions. Future articles will include a deeper JRockit Java Heap and Heap Dump analysis tutorial. Reference: JRockit jrcmd tutorial from our JCG partner Pierre-Hugues Charbonneau at the Java EE Support Patterns & Java Tutorial blog. Be the First to Comment!
https://www.javacodegeeks.com/2012/04/jrockit-jrcmd-tutorial.html
CC-MAIN-2018-13
refinedweb
1,295
50.43
Iteratees Step By Step (Part 1) As you may be aware, iteratee-based I/O is trendy right now. While I normally avoid trendy things, there are enough smart people talking about how iteratees solve real problems that, just this once, it’s probably worth taking the time to figure them out. What I’ve found, though, is that a lot of the existing resources on these things try to present them in their fully formed state, as a collection of a bunch of weird-looking types and examples, which little introduction to why those choices were made. That’s certainly not how I come to understand things! This is my attempt to fill in the gap. I present to you a step by step process by which one might have started from a general goal, and arrived at the design of iteratees. For this part, we’re ignoring enumerators, or enumeratees, or general iteratees, and instead just deriving a design for pure iteratees. Believe me, it’s hard enough just to get that far! I do not claim that this is the actual thought process that anyone went through, nor that I even understand any number of subtle issues that may arise. However, that said, I do think that the steps below are plausible, and each of them for the most part motivated by flaws or limitations in the previous stage, such that it’s reasonable to imagine following this thought process. Warning: This isn’t written by someone who is an expert on these concepts. It may be that there are ideas or important concerns missing here. If so, I hope others may point them out in the comments. Step 0: Taking Stock of the Situation What everyone knows about iteratees is that they address the problem of doing incremental, composable I/O without being lazy. It’s worth taking a moment to familiarize ourselves with the status quo, the thing our iteratees are meant to replace. First of all, they replace explicit use of file handles. Explicit use of file handles is generally not composable, involves manipulation things with global state… in short, not very functional! One of our goals will be to take care of this in one place; a place that doesn’t have to know anything about the application, and therefore can be written once and for all, and reused across applications. By contrast, lazy I/O is very attractively nice to use. You interact with the file handle only once, and then are able to write purely functional code on lists. Unfortunately, it’s well-known that doing unbounded amounts of lazy I/O in long-running processes just doesn’t work very well. File handles may be left open indefinitely, and you have no way to do anything about it. It’s simply not possible in a long-running application, like a network server of some type, to give up that kind of control completely to non-deterministic subsystem like the garbage collector. We’ll be approaching the problem from here on as if we’re writing a network server where this matters a lot. So, in contrast with lazy I/O, we’d like to make sure we know exactly when we’re done with the file handle, and can pass it off, look for another request in it, etc. We’re now left with the question of what to do to meet these goals. Step 1: The Starting Intuition First, to avoid the problem of lazy I/O, we clearly need some deterministic piece of code running somewhere that opens and closes file handles at well-understood times. Second, though, to avoid the problems of explicit use of file handles in the application code, that piece of code should be separate from the application. So we need some piece of code whose job it is to manage the file handles, read the data, and…. do what? Well, pass it off to some application, which it knows nothing about, and such application in turn knowing nothing for sure about where the data came from! In other words, instead of the application being in control, and calling the I/O layer as a service, we instead have some piece of core server code in control, doing the I/O and then calling the application as a service to handle the result. As a first approximation, we expect the server code to look something like this: server :: Handle -> Application -> IO () server input app = do c <- readSomething input app c Of course, this is impractical and oversimplified, but it’s a starting point! Then it’s natural to ask what the application does. Well, it takes a value, and… well… does something! type Application = Value -> IO () This might seem a little unusual if you’re starting out thinking of a console application, which is run first, and then decides to do some I/O. It’s not really all that weird, though, from a server standpoint. Practically every web application framework in every programming language under the sun does something like this: reads the incoming request and passes it off to the application. That’s promising; at least others have settled on the same kind of answer for the high level problem. We’re not off into anything very that unusual yet… Here’s where we start to get unusual: type Value = Char readSomething = hGetChar Remember all those web application frameworks that we were happy to have as company? We’re parting company now. They do a lot of the work of reading and handling fairly high-level web-related concerns long before they get into any kind of a event-based mode of doing things. The high-level interface between the application server and the application might be a nice callback-based one where the server handles the I/O and then calls the application… but dig down a few inches, and the server implements most of the protocol in good old imperative code. Why? They lack composability. We’re trying to perform this inversion — the transition from a standard imperative interface to an event-dispatch sort of interface — at a much lower level, by providing data to the “application” a character at a time, so that even something like input parsing is done from within the event-based framework! That’s where this gets a bit radical. But it makes, sense, too. If we truly had a composable way of building applications in this sort of framework, then it should be possible to use it to implement parsing, right? Well, not yet, but that’s our goal. To illustrate where we are, I’ll write a simple application: it takes a character you type, and repeats it in upper case. upperEcho :: Application upperEcho c = putChar (toUpper c) Okay, pretty basic, but it’s working so far! If it’s not obvious that this code works, you can build and run it in GHCi. You’ll just need to add some imports (Data.Char, System.IO), and run it with stdin as the handle. Server only handles a single client request. That’s okay: in practice, we probably want to handle one request from a client network connection and close it anyway. To get a long-running server here, we can always wrap it with Control.Monad.forever to handle plenty of sequential incoming requests. Step 2: More Input There’s one fairly obvious disadvantage to the arrangement we had above. (Okay, there are many, but we have to start somewhere!) It’s great for applications that need to do something with a character, but it’s rather awkward to handle applications that might need to wait for a whole word, or even (gasp!) a sentence before responding. Of course, how characters are grouped into words or sentences is application-specific, so we need to be a bit abstract here. We’d like the application to be able to consume some number of characters, and after each one, decide whether to do something now, or hold on and wait until later. In fact, we already have an intuition for how this ought to work, simply by remembering how to curry functions of multiple parameters. We need the application to be able to consume the input, and morph itself into a new application that’s only waiting for the tail of the input. Time to modify the application type. This time we need a newtype to avoid a cyclic synonym. newtype Application = App { runApp :: Char -> IO Application } server :: Handle -> Application -> IO () server input app = do c <- hGetChar input app' <- runApp app c server input app' This is the curried version of our application. I can now use it to write applications that expect more than a single character of input. Let’s try using it to build an application that simply reads a word and prints it in reversed order. wordReverser :: Application wordReverser = App (go []) where go xs c | not (isSpace c) = return (App (go (c:xs))) | null xs = return wordReverser | otherwise = putStrLn xs >> return wordReverser That’s not too bad. A far cry from the ease of using lazy I/O, where we’d just use the standard library’s words, then map reverse over the result. But, at least we’re able to keep track of all the incremental state using closures, and it’s sort of fun to build this and play around with it in GHCi using stdin as the stream. (You’ll need the imports for Data.Char and System.IO that I left out again.) Unfortunately, it now never stops… but, we’ll handle that in a bit. Step 3: Can We Be More Functional? At this point, we may start to get concerned that the IO monad is playing too strong a role in the code. In particular, we’ve interweaved IO and input processing in a way that really wasn’t done even with lazy I/O. There, one could have just applied the built-in words function to the lazy input stream, and then only worried about IO once that was done. Here, even the breaking up of characters into words is being handled by code running in the IO monad. Let’s see if we can separate the incremental input from the final IO that happens at the end. This is going to require dividing the Application type into multiple constructors, one indicating the need to (in a purely functional way) partially apply some input, and the other for doing the resulting I/O once enough input has been read. This also gives us termination back, since we have to define when we’re done. data Application = Enough (IO ()) | Partial (Char -> Application) server :: Handle -> Application -> IO () server input (Enough a) = a server input (Partial f) = do c <- hGetChar input server input (f c) Okay, not bad! Not even significantly longer. Now I can rewrite my word reverser against this new interface pretty easily. wordReverser :: Application wordReverser = Partial (go []) where go xs c | not (isSpace c) = Partial (go (c:xs)) | null xs = Enough (return ()) | otherwise = Enough (putStrLn xs) That’s a bit clearer, and the I/O appears only in one place: inside the Enough constructor. I do want to point out one thing, though: we’ve lost a bit versus the previous implementation. In particular, the previous implementation could have evolved its behavior over time, since we built a new application every time. We could have preserved that, by having the Enough constructor provide a new Application and have it not terminate (or only optionally terminate) again. However, most network servers don’t actually want to change their behavior over the long term, so I’m just sticking with this one. Step 4: Handling End of File One rather glaring omission of everything we’ve done so far is that we assume that the input stream is infinite. In the real world, input streams end. This is easy to handle: we can expand the vocabulary of inputs from Char to something that includes an EOF indicator. We basically want Maybe, but I’ll define a new type for the ability to use better names. data Input = EOF | More Char (A quick note: Oleg’s Iteratee code calls this Stream. I refuse to do so, because it’s not a stream; it’s just one piece of what will eventually be a stream. But there you go, that’s the name used elsewhere.) Then server needs to detect end of file and do the right thing with it. Our server provides an infinite stream of EOFs when the end of file is reached. We hope, though, that the application just finishes with Enough as soon as one of them pops up. data Application = Enough (IO ()) | Partial (Input -> Application) server :: Handle -> Application -> IO () server input (Enough a) = a server input (Partial f) = do eof <- hIsEOF input c <- if eof then return EOF else fmap More (hGetChar input) server input (f c) Easy enough. Now we just need to modify the application one more time. wordReverser :: Application wordReverser = Partial (go []) where go xs (More c) | not (isSpace c) = Partial (go (c:xs)) | otherwise = finish xs go xs EOF = finish xs finish [] = Enough (return ()) finish xs = Enough (putStrLn xs) That's it. I pulled out the I/O stuff into finish, since we'd like to use it from a couple places. Aside from that, it's completely straight-forward. Step 5: Chunking the Input Reading from input streams a character at a time is inefficient. We'd like to modify the code so that we can read a bunch at a time. It would also be very nice to use the ByteString type rather than String, when we choose to do so. All of this presents a small issue, though. Often, chunking in an input stream is rather arbitrary, depending on buffer sizes of various software layers in the local server, remote server, or even network routers in between! It's entirely possible that the application might be given too much data. So we need to add another quirk to the Enough constructor for the application: in addition to the final action to perform, it should tell us the (possibly empty) left-over data that it didn't need. We also want to be able to compare the leftovers with an empty value, so a derived Eq instance is added. data Input i = EOF | More i deriving Eq data Application i = Enough (IO ()) (Input i) | Partial (Input i -> Application i) It's convenient to have a way to append inputs, and noting that EOFs will repeat infinitely anyway, we can do that by throwing away an EOF on the right, and ignoring anything to the right of an EOF. instance Monoid i => Monoid (Input i) where EOF `mappend` _ = EOF x `mappend` EOF = x More a `mappend` More b = More (a `mappend` b) mempty = More mempty The types are now parameterized over a "chunk" type i, which might be, say, String or ByteString, etc. Instead of the server using hGetChar, we want to be able to read a chunk at a time. Time to pick a representation, since the I/O code can't very easily be type-agnostic. We use strict ByteStrings, which I'm assuming are imported qualified with the name B. hGetChunk :: Handle -> IO (Input B.ByteString) hGetChunk h = do eof <- hIsEOF h if eof then return EOF else do b <- hWaitForInput h (maxBound :: Int) if not b then return (More B.empty) else do fmap More (B.hGetNonBlocking h maxChunkSize) where maxChunkSize = 32768 Finally, we're ready to rewrite the server, which is now a bit more complex due to the need to handle leftovers from chunking. server :: Input B.ByteString -> Handle -> Application B.ByteString -> IO (Input B.ByteString) server rem input (Enough a rem') = a >> return (rem `mappend` rem') server rem input (Partial f) | rem == mempty = do c <- hGetChunk input server mempty input (f c) | otherwise = do server mempty input (f rem) The interface change for server is worth noting. Running the application might result in a leftover bit of input, so the return type has changed from IO () to IO B.ByteString. We might also want to then run a second application against the remaining stream, so an Input B.ByteString has been added as a parameter as well. This lets us put together multiple application pieces later on. Finally, we'd like to rewrite the application to make use of this new chunking feature. Fortunately, the ByteString API contains functions analogous to a lot of the list processing API from the prelude. wordReverser :: Application B.ByteString = Enough (return () ) rem finish xs rem = Enough (putStrLn xs) rem There it is. The longest yet, but we've come a long way in robustness and performance. We now handle incrementally consuming input, EOFs in the stream, and chunked I/O for better speed. Step 6: Generalizing the Interface The applications we've been building have turned an input stream into an I/O action. But did we really need to turn it into an I/O action? What if all we really wanted was to extract out reversed words for use in some other part of the application? Then in addition to parameterizing our application based on the input type, we also want to change what it might give back. This might also be a good time to change a word. We aren't really talking about complete applications any more, but rather about ways of getting "things" from a stream of input. We introduce the word Iteratee to represent these mini-application pieces. data Input i = EOF | More i deriving Eq data Iteratee i a = Enough a (Input i) | Partial (Input i -> Iteratee i a) We can leave the Monoid instance and hGetChunk alone, which is a nice consequence of having written them separately, so now we'll just adapt our server implementation to the new interface. server :: Input B.ByteString -> Handle -> Iteratee B.ByteString a -> IO (a, Input B.ByteString) server rem input (Enough a rem') = return (a, rem `mappend` rem') server rem input (Partial f) | rem == mempty = do c <- hGetChunk input server mempty input (f c) | otherwise = do server mempty input (f rem) The implementation looks almost identical; indeed, there's only one change. Instead of performing the output as an I/O action and then returning the remaining part of the stream, we instead just get the result value and packing it up with the tail in a tuple. In the spirit of this change, we'll change wordReverser to return its result as a String rather than printing it out to the console. wordReverser :: Iteratee B.ByteString String = go [] rem finish xs rem = Enough xs rem Much more general, and with very few changes! Note that now, wordReverser is a component that isn't tied to where its underlying data comes from, nor what we do with its result. We might begin to see how we might compose this with some other pieces to build a larger application... Step 7: Combining Iteratees In this step, we aren't going to modify any of the preceding code. Instead, we'll just add a Monad instance for Iteratee. This will give us powerful tools for combining iteratees together, and building up more complex ones from smaller, simpler ones. All we need are the two monad operations, return and bind. Return is an easy one. If I have a plain value, then the corresponding iteratee consumes no input, produces that value as its result, and the leftover string is empty. I'll rely on the Monoid type class for a suitable definition of "empty." pureIteratee :: Monoid i => a -> Iteratee i a pureIteratee x = Enough x mempty Implementing bind requires a bit more thought. Remember, the type we want is this: bindIteratee :: Monoid i => Iteratee i a -> (a -> Iteratee i b) -> Iteratee i b Hmm. First of all, if the first iteratee is Enough, then we can just extract its value, and apply the function to get an Iteratee i b. But what about the leftover piece from the first Iteratee? Well, we've already dealt with this once, in the implementation of server from the previous two steps! Back then, we decided what to do: if the second iteratee is also done, then we append the leftovers to its own. If not, then we apply the first level of partial evaluation immediately. bindIteratee (Enough a rem) f = case f a of Enough b rem' -> Enough b (rem `mappend` rem') Partial g -> g rem Now what about when the first Iteratee is not yet complete? In that case, we want to pass the second iteratee down the line until it is. bindIteratee (Partial f) g = Partial (\ c -> bindIteratee (f c) g) With those two operations, we now define a Monad instance. instance Monoid i => Monad (Iteratee i) where return = pureIteratee (>>=) = bindIteratee As a trivial example of what one can do with this interface, I'll now refactor wordReverser as the combination of simpler iteratees. itChar :: Iteratee B.ByteString (Maybe Char) itChar = Partial $ \ i -> case i of EOF -> Enough Nothing EOF More c | B.null c -> itChar | otherwise -> Enough (Just (chr (fromIntegral (B.head c)))) (More (B.tail c)) itWord :: Iteratee B.ByteString (Maybe String) itWord = do c <- itChar case c of Nothing -> return Nothing Just ch | isSpace ch -> itWord | otherwise -> wordFrom [ ch ] where wordFrom s = do c <- itChar case c of Nothing -> return (Just s) Just ch | isSpace ch -> return (Just s) | otherwise -> wordFrom (s ++ [ ch ]) wordReverser :: Iteratee B.ByteString (Maybe String) wordReverser = do s <- itWord return (fmap reverse s) Okay, that's a bit longer, but the important bit here is that it was built up logically from simpler pieces, all of which can be easily reused. Step 8: Iteratee Error Handling So far, so good. It certainly seems much easier to deal with our iteratees now that they can be built compositionally using monads. It was a little awkward, though, to handle the Nothing cases in all of the code above. It would be nice if, instead of having to handle error conditions everywhere they occur, unexpected errors could be propogated for us to the end. In other words, we'd like our iteratees to have an error state, which, once it's entered, simply remains there so that the error is reported at the end. An obvious design would be to have constructors Enough, Partial, and Error for the Iteratee type. However, to make a little jump here just to stay with Oleg's design even when I don't think it's so obvious, we'd like to have errors be recoverable. That is, we note that the error has occurred, and the user can choose to fix the error, and then provide new input that succeeds. To do so, an error will be considered to be a Partial, but with an error message. data Input i = EOF | More i deriving Eq data Iteratee i a = Enough a (Input i) | Partial (Input i -> Iteratee i a) (Maybe String) The second field of Partial is the current error message. If it's Nothing, then there is no error. If it's something, then there is an error, which is recoverable by providing an appropriately fixed input chunk. Of course, our generic server can't really do anything with errors except give up and fail. So we just add a case for it to do so. server :: Input B.ByteString -> Handle -> Iteratee B.ByteString a -> IO (Either String a, Input B.ByteString) server rem input (Enough a rem') = return (Right a, rem `mappend` rem') server rem input (Partial f Nothing) | rem == mempty = do c <- hGetChunk input server mempty input (f c) | otherwise = do server mempty input (f rem) server rem input (Partial f (Just err)) = return (Left err, mempty) The server gives up early, true, but we do want to do the right thing with errors during the plumbing with the Monad instance, so that another, smarter server may still do something more interesting. We do so here. I also inline the named functions from the previous section, for brevity (the inlining related changes are not in bold, breaking my convention, but so that the actually relevant changes are more obvious). instance Monoid i => Monad (Iteratee i) where return x = Enough x mempty (Enough a rem) >>= f = case f a of Enough b rem' -> Enough b (rem `mappend` rem') Partial g Nothing -> g rem i -> i (Partial f err) >>= g = Partial (\c -> f c >>= g) err Given this new error handling framework for iteratees, one would hope that we could simplify the code for some of the previous code. Alas, in general, this is not possible, because we didn't want to treat end of stream as an error; just as a termination condition. If we were willing to treat it as an error, though, we could write some shorter code. itChar :: Iteratee B.ByteString Char itChar = Partial go Nothing where go EOF = Partial go (Just "unexpected EOF") go (More c) | B.null c = itChar | otherwise = Enough (chr (fromIntegral (B.head c))) (More (B.tail c)) itWord :: Iteratee B.ByteString String itWord = do ch <- itChar if isSpace ch then itWord else wordFrom [ ch ] where wordFrom s = do ch <- itChar if isSpace ch then return s else wordFrom (s ++ [ ch ]) wordReverser :: Iteratee B.ByteString String wordReverser = liftM reverse itWord This is the same as the previous code except that the end of file is NOT accepted as a valid terminator for the word, which instead must be followed by a space character. Errors are fully recoverable (but not recovered in the server code above), and propogated automatically through the monad. Step 9: Underlying Stream Error Handling This is a minor detail to handle. Currently, we have no idea what to do with errors in the underlying stream. For example, if reading from a file on disk fails not due to end of file, but rather because the disk is corrupt, there's no way to catch and handle that scenario. In other words, entirely separate from there being processing errors at the iteratee level, there may also be physical errors on the stream. These should mostly be handled like EOF (there's little point in "trying again" to read from a failed stream.) But it would be nice to keep track of the fact that an actual error occured rather than an EOF. The change is to the Input type. data Input i = EOF (Maybe String) | More i deriving Eq data Iteratee i a = Enough a (Input i) | Partial (Input i -> Iteratee i a) (Maybe String) Then we just need to propogate that around. The Monoid instance just keeps track of errors. The only non-obvious bit is that we sometimes append an empty value to the left, and when we do so, we ought to preserve the error rather than throwing it away. instance (Eq i, Monoid i) => Monoid (Input i) where EOF err `mappend` _ = EOF err x `mappend` EOF err | x == mempty = EOF err | otherwise = x More a `mappend` More b = More (a `mappend` b) mempty = More mempty We also need to add an Eq context for the Monad instance, as follows. instance (Eq i, Monoid i) => Monad (Iteratee i) where The higher-level iteratees that we've written don't need to be modified. Instead, we just need to modify the "low-level" one, itChar. Even if only gets a trivial modification. itChar :: Iteratee B.ByteString Char itChar = Partial go Nothing where go (EOF (Just err)) = Partial go (Just ("Error in stream: " ++ err)) go (EOF Nothing) = Partial go (Just "unexpected EOF") go (More c) | B.null c = itChar | otherwise = Enough (chr (fromIntegral (B.head c))) (More (B.tail c)) The final change we need is to hGetChunk, which should now detect errors in the stream, and report them. hGetChunk :: Handle -> IO (Input B.ByteString) hGetChunk h = handle (return . EOF . Just . (show :: IOException -> String)) $ do eof <- hIsEOF h if eof then return (EOF Nothing) else do b <- hWaitForInput h (maxBound :: Int) if not b then return (More B.empty) else do fmap More (B.hGetNonBlocking h maxChunkSize) where maxChunkSize = 32768 Those are all of the necessary changes to propogate underlying stream errors around the system. Step 10: Take a Break! We've done a lot, so this is is where I'll stop for now. This gets you all the way through pure iteratees, which is the first of a number of topics in the iteratee-based I/O world. I hope to write another installment where we do a bit more, working with some of the other concepts that arise. For example, our server function is a bit of an ad hoc thing that just sort of organically appeared, so we can poke at it to see where it goes (enumerators and enumeratees), and we might be interested in doing incremental effectful stuff as we do the processing of the input, so we would then need to generalize the iteratees to effectful ones. That's all a task for a later day, though. We've come rather a long way, though. The composability of the code above is the most important thing. Once can easily see a path from something like itChar to something like this: myWebAppHandler :: Iteratee B.ByteString (IO ()) myWebAppHandler = do req <- itHTTPRequest let username = getParam "username" req let password = getparam "password" req ... So we've really built, in a sense, the core of a composable network server application. This is a great post! Hope to see follow-ups to this. The new “Snap framework” seems to be a really good example of a real-world network server that utilizes “iteratees” and “enumerators”. Very cool article, thanx a lot. In step 6, what happens if the first Input given was an EOF? If I’m reading this right, it looks like it’ll go into an infinite loop. wordReverser = Partial (go []) … go xs EOF = finish xs EOF finish [] rem = go [] rem I know this is an old post, but I just wanted to say (having stumbled on to it via Googling iteratees) that its awesome. If all the monad tutorials out there were as good as this, I reckon Haskell would have taken over the world by now :-) And then, some Haskeller says that C++ is complex… ;) Great article, thanks! great!
http://cdsmith.wordpress.com/2010/05/23/iteratees-step-by-step-part-1/?like=1&_wpnonce=24a0599870
CC-MAIN-2014-10
refinedweb
5,066
60.65
07 June 2011 16:37 [Source: ICIS news] (updates with more detail in paragraphs 5 and 6) SINGAPORE (ICIS)--Shell is on schedule to have its huge gas-to-liquid (GTL) project in ?xml:namespace> The Anglo-Dutch oil major has invested about $18bn-19bn (€12-13bn) in the project. The Pearl GTL facility, at Ras Laffan, is the world’s biggest with a production capacity of 1.6 billion cubic feet of gas a day when fully operational. This will be processed to generate 120,000 bbl/day of GTL gasoil, kerosene, base oils, n-paraffins and naphtha. “What we say about Pearl [GTL] is that the project is on track for GTL train 1 across mid-2011, start-up of train 2 before the end of 2011 and fully ramped up by mid-2012,” said the spokesperson in an e-mailed statement. Dick Benschop, President of Shell Netherlands, said the company had produced its first petroleum wax from the facility at the end of May and expected “that refined products will come out (of the facility) soon”. “When it is fully ramped it will add almost 8% to Shell’s production worldwide,” Benschop said on Tuesday at the 16th Asia Oil and Gas Conference (AOGC) in Kuala Lumpur. Pearl GTL is a joint venture between Shell and Qatar Petroleum. The project is expected to provide the ethane feedstock for a planned cracker project of the two companies in ($1 = €0.69) Additional reporting by James Dennis
http://www.icis.com/Articles/2011/06/07/9467248/shells-qatar-gtl-on-track-for-full-production-by-mid-2012.html
CC-MAIN-2014-49
refinedweb
248
67.28
Question: I have an intranet application with several modules, I want them to separate when routing. For example:......... Each of module can have many or single controller. How to write such routes? Solution:1 You can try using namespaces: map.namespace :calendar do |calendar| calendar.resources :first_controller calendar.resources :second_controller end And so on. Very often people put admin part of application in admin namespace (look here). Try google "rails namespace". Solution:2 Also if you may want to upgrade to the latest version i.e Rails 2.3. And build those modules as separate 'Engines'. Note:If u also have question or solution just comment us below or mail us on toontricks1994@gmail.com EmoticonEmoticon
http://www.toontricks.com/2018/05/tutorial-module-name-scopes-in-routing.html
CC-MAIN-2018-43
refinedweb
116
63.15
Is this tutorial perfect? Heck no! It's the first tutorial I've written, and I've been learning Vue self-guided, so some parts I'm sure could be better (let me know in the comments if you would have done something differently). That said, I know this could be helpful to someone out there! You can see the code for my entire portfolio on github, created from this starting point, here: A finished example is at hellomark.dev, but it is a work in progress and you may see some things that are different from what is described here. Vue.js: I chose Vue for this project because it's the framework that I'm most familiar with. Some might say that it's overkill for a small project like this, and for you, it might be. It works well for me because it's comfortable and flexible enough for what I might do with it in the future. It's also what I'm hoping to use in my next role, so why not! Bulma: I haven't used Bulma before this project, but I wanted something that would allow me to get the site up quickly, then improve the styling easily over time. Bulma is simple to learn, but easy to build upon. It doesn't have the world's largest library of components, but what it does have is solidly built. Airtable: I've been wanting to use Airtable in a project for a while now. According to Airtable, it's "Part spreadsheet, part database", and was made to be flexible for all sorts of uses. I used it here as a CMS because it's really easy to use and has an awesome API with great documentation (that's customized to your database). Now that it's set up, I can use it across the site for all sorts of fun things. And it's free! The first thing you need to do is set up your Vue project. We're going to use the Vue CLI to scaffold the project. Make sure you have vue and the Vue CLI installed: $ npm install -g vue $ npm install -g @vue/cli Then create your project: $ vue create portfolio And fire it up: $ npm run serve Vue CLI gives you a very helpful starting point with a lot of the files and folders that we need. We're going to build off of this. Let's also add our CSS framework, Bulma, now. $ npm install --s bulma And add the Sass stylesheet to our App.vue file <style lang="sass"> @import "~bulma/bulma.sass" </style> You can make any adjustments to the Bulma defaults here, above the import. We'll install Axios (for working with our Airtable API) $ npm install --s axios We need VueSimpleMarkdown so we can compose and style our posts with markdown. $ npm install -s vue-simple-markdown And in main.js we'll put: import VueSimpleMarkdown from 'vue-simple-markdown' import 'vue-simple-markdown/dist/vue-simple-markdown.css' Vue.use(VueSimpleMarkdown) We're going to have 5 main routes for this site: About, Contact, Home, Project, and Projects. Let's set those up in In src/router.js. import Vue from "vue"; import Router from "vue-router"; import Home from "./views/Home.vue"; import About from "./views/About.vue"; import Contacts from "./views/Contact.vue"; import Projects from "./views/Projects.vue" import Project from "./views/Project.vue" Vue.use(Router); export default new Router({ mode: "history", base: process.env.BASE_URL, routes: [ { path: "/", name: "home", component: Home }, { path: "/about", name: "about", component: About }, { path: "/contact", name: "contact", component: Contact }, { path: "/projects", name: "projects", component: Projects }, { path: "/project/:slug", name: "project", component: Project } ] }); } The odd one out is path: "/project/:slug". We're going to use this route to display a single project from Airtable based on the slug later. We're also going to make an empty component for each one in src/views, here's the empty Contact.vue for example. We'll fill these in later. <template> <div> </div> </template> <script> export default { name: "contact", }; </script> Let's add our header (with navigation) and footer, a little bit of styling, and a touch of Vue magic to make it work on mobile. We'll put this code in App.vue so that it will show up on every view. <template> <div id="app"> <meta name="viewport" content="width=device-width, initial-scale=1"> <nav class="navbar" role="navigation" aria- <div class="navbar-brand"> <router-link <img src="./assets/name-mark.jpg" width="112" height="28"> </router-link> <a role="button" class="navbar-burger burger" aria- <span aria-</span> <span aria-</span> <span aria-</span> </a> </div> <div id="navbarBasicExample" class="navbar-menu" : <div class="navbar-start"> </div> <div class="navbar-end"> <router-link Home </router-link> <router-link About </router-link> <router-link Projects </router-link> <router-link Contact </router-link> </div> </div> </nav> <router-view /> <footer class="footer"> <div class="content has-text-centered"> <p> Built by Mark Johnson with Vue.js, Bulma, and Airtable. </p> </div> </footer> </div> </template> <script> export default { name: "App", data() { return{ showNav: false } }, }; </script> <style type="text/css"> #app { min-height: 100vh; overflow: hidden; display: block; position: relative; padding-bottom: 168px; /* height of your footer */ } footer { position: absolute; bottom: 0; width: 100%; } </style> <style lang="sass"> @import "~bulma/bulma.sass" </style> The About, Home, and Contact pages don't have any dynamic content on them, so feel free to add whatever content you like. Here's what I did with the homepage, for example. I kept it very simple here, but you can embellish it however you like. <template> <div> <div class="hero is-cover is-relative is-fullheight-with-navbar is-primary"> <div class="hero-body"> <div class="container"> <h1 class="title is-1">Hello, I'm Mark.</h1> <h2 class="subtitle is-3">A customer focused, entrepreneurially minded web developer.</h2> </div> </div> </div> </div> </template> <script> export default { name: "home", }; </script> The projects page is where things start to get interesting. We're going to be pulling our information in from Airtable and displaying a summary card for each project. Create a new base on Airtable called "Projects". Create the following fields: "Title" (single line text), "slug" (single line text), "Body"(long text), "Image"(attachment), "Date Published" (date), "Published" (checkbox), "Excerpt" (single line text). Voila! You have a simple CMS! Fill it in with a few rows of dummy data so you can see what you're working with. Make sure the "slug" is unique! We'll use this to build our url in a later step. We're going to create a component to display our project summary. It's also reusable so that you could create a blog with the same thing later! In src/components create a new file called PostCard.vue. Fill it in as follows: <template> <div class="post-card"> <div class="card"> <div class="card-image"> <figure class="image is-square"> <img : </figure> </div> <div class="card-content"> <div class="media"> <div class="media-content"> <p class="title is-4">{{title}}</p> <p class="subtitle is-6">{{date}}</p> </div> </div> <div class="content"> <p>{{snippet}}</p> <router-link :View Project</router-link> </div> </div> </div> </div> </template> <script> export default { name: "PostCard", props: { title: String, date: String, snippet: String, image: String, slug: String } }; </script> We're going to bring in the props from the Projects page after we get the projects from Airtable's API. They'll fill in the template with content and a link to the full project view. Let's set up the connection to the Airtable API. Make a directory at src/services, and in it, put a file called ProjectsService.js. In the projects service, we're going to use Axios to call the Airtable API and get all of the projects. Your file should look like this: import axios from 'axios' const Axios = axios.create({ baseURL: "[YOUR APP ID]/Projects" }); Axios.defaults.headers.common = {'Authorization': Bearer+ process.env.VUE_APP_AIRTABLEKEY} export default{ getProjects() { return Axios.get() } } You'll need to set up the baseURL with the ID of your Airtable base. Find it in the URL from Airtable. You'll also need to add your API key from Airtable. I put mine in a file called .env.local in the root directory of the Vue project. This file is listed in .gitignore so you don't risk exposing it. All that's in the file is this: VUE_APP_AIRTABLEKEY=[YOUR API KEY]. Finally, we're exporting a function that calls get on the API endpoint in the baseURL. We're going to display the cards for our projects on the Projects view. In your Projects.vue template: <template> <div> <section class="hero is-medium is-primary is-bold"> <div class="hero-body"> <div class="container"> <h1 class="title is-2"> Projects that I have built </h1> </div> </div> </section> <section class="section"> <div class="container is-fluid"> <div class="columns is-multiline"> <div class="column is-one-third" v- <post-card</post-card> </div> </div> </div> </section> </div> </template> The thing to note here is v-for="project in projects" where we're creating an instance of post-card for every project and passing in the project details with v-bind. The script section of the template looks like this: <script> import ProjectsService from '@/services/ProjectsService' import PostCard from '@/components/PostCard' export default { name: "projects", components: { PostCard }, data() { return{ airtableResponse: [] } }, mounted: function () { let self = this async function getProjects() { try{ const response = await ProjectsService.getProjects() console.log(response) self.airtableResponse = response.data.records }catch(err){ console.log(err) } } getProjects() }, computed: { projects(){ let self = this let projectList = [] for (var i = 0; i < self.airtableResponse.length; i++) { if (self.airtableResponse[i].fields.Published){ let project = { title: self.airtableResponse[i].fields.Title, date: self.airtableResponse[i].fields["Date Published"], snippet: self.airtableResponse[i].fields.Excerpt, image: self.airtableResponse[i].fields.Image[0].url, slug: self.airtableResponse[i].fields.slug } projectList.push(project) } } return projectList } } }; </script> From the top, here's what happening: If all went well, you should be able to load /projects and see each project you created in Airtable in a grid Remember this bit of code from our router setup? { path: "/project/:slug", name: "project", component: Project } It's going to make it so we can access the slug in our Project component and pass it into our Projects Service so we can retrieve all of the information for the item with that slug Airtable. Let's add a call for that in ProjectsService.js: getProject(slug) { return Axios.get("?filterByFormula={Slug}='" + slug + "'") } We're using the features of Airtable's API here to search for the post that contains the slug and return it. Now let's create our Project view template: <template> <div> <section class="hero is-medium is-primary is-bold"> <div class="hero-body"> <div class="container"> <h1 class="title is-2"> {{project.title}} </h1> <h2 class="subtitle is-4"> {{project.snippet}} </h2> </div> </div> </section> <section class="section"> <div class="container is-fluid"> <div class="columns"> <div class="column is-two-thirds"> <vue-simple-markdown :</vue-simple-markdown> </div> <div class="column is-one-third"> <div class="columns is-multiline"> <div class="column is-full" v- <img : </div> </div> </div> </div> </div> </section> </div> </template> This template is using the VueSimpleMarkdown plugin that we installed earlier. That means you can use markdown in the body field on Airtable to style your project. We're displaying the body in a column on the left, and all of the images from the item on the right. Finally, the script section of the project component: <script> import ProjectsService from '@/services/ProjectsService' import PostCard from '@/components/PostCard' export default { name: "project", components: { PostCard }, data() { return{ airtableResponse: [] } }, mounted: function () { let self = this console.log("here 1") async function getProject() { try{ const response = await ProjectsService.getProject(self.$route.params.slug) console.log(response) self.airtableResponse = response.data.records }catch(err){ console.log(err) } } getProject() }, computed: { project(){ let self = this if (self.airtableResponse[0]){ let thisProject = { title: self.airtableResponse[0].fields.Title, snippet: self.airtableResponse[0].fields.Excerpt, images: self.airtableResponse[0].fields.Image, body: self.airtableResponse[0].fields.Body } return thisProject } } } }; </script> Similar to the Projects view, but this time we're passing the slug into the getProject call. We should only get one response if the slug is unique. Go to /projects/[your-slug] to see your project live! Whew. That was a lot! Now that we're done, we have a simple CMS displaying live data on a site built in Vue and styled with Bulma. Pretty cool! Thanks For Visiting, Keep Visiting This post was originally published here. We are providing robust Node.JS Development Services with expert Node.js Developers. Get affordable Node.JS Web Development services from...
https://morioh.com/p/b36248f014dd
CC-MAIN-2020-40
refinedweb
2,141
65.12
A Microsoft Program Manager on Visual Studio Platform (and an underground coder, lifehacker, hockey player) When copy/pasting from MS Word, the HTML it generates is really messy and can't be used verbatim. This has been a pain of mine and many others. I've found that many 3rd party controls, and some client-side blogging tools (like BlogJet) have a miraculous way of converting messy MS Word HTML into something that works well (displays correctly, yet still bloated). The question is how?!? Deducing a SolutionTry opening this little "Hello World" MS Word Doc, select all (Ctrl-A) and copy, and view the clipboard contents (C# source)… notice the "HTML Format" contents? Now paste into FreeTextBox, RichTextBox, PowerPack's, or your own blogging tool. Switch to HTML view and notice the HTML has been nicely transformed! Each of these retail tools has transformed it into practically the same result. This led me to believe these are all using the same base control. Sure enough, IE 5.0 introduced a DHTML Editing Control that does the work. Use it YourselfSo, how can you use this in your own app? It is actually quite easy. You can drop a new .NET 2.0 WebBrowser control in your app and put it into Design Mode. Here is an app that demonstrates this, IE DHTML Editing Control Example (C# source). Try the sample app with the same experimentation step above and you’ll see its the same control. The ShDocVw ActiveX and MSHTML DOM are extensive COM objects and only a subset of members are wrapped in the .NET 2.0 control, so getting to the underlying ActiveX control is necessary. // Load the MSHTML component web.Navigate("about:blank"); // Release control to the system Application.DoEvents(); // Turn ON Design Mode ((mshtml.HTMLDocument) web.Document.DomDocument).designMode = "On"; Fixing Word's HTMLThis technique actually converts most any HTML block in the clipboard (from IE, Word, Excel, Power Point, etc). It does not save embedded images. IE apparently takes the style sheets that may be defined in a <style> block and puts the styling in the HTML elements so that the block of resulting HTML code will render correctly without dependance on style sheets or style blocks. It isn’t “inteligent” of the type of styling used, for example, it won’t convert a bulletted list from Word into <ul><li></li></ul> code, but it will preserve the visual formatting. Use the IE DHTML Editing Control Example (C# source) example to play with it yourself and see just what HTML is rendered. You can then use this feature of the IE control to convert blocks of HTML from MS Word. Here is a small simple app, Convert Clipboard HTML (C# source), that does just this. It reads the HTML contents of the clipboard, pushes it through the IE DHTML control, and puts the resulting HTML code back into the clipboard. You can then paste the resulting HTML code into your HTML editor. In the case of Windows Live Writer, this would be the “HTML Code” view. Here’s how to make this app: static class Program { [STAThread] static void Main(string[] args) { // Get a web browser WebBrowser web = new WebBrowser(); // Load the MSHTML component into the web browser control web.Navigate("about:blank"); Application.DoEvents(); // Change into design mode ((mshtml.HTMLDocument) web.Document.DomDocument).designMode = "On"; // Paste the clipboard contents into the control object o = System.Reflection.Missing.Value; ((SHDocVw.WebBrowser)web.ActiveXInstance).ExecWB( SHDocVw.OLECMDID.OLECMDID_PASTE, SHDocVw.OLECMDEXECOPT.OLECMDEXECOPT_DODEFAULT, ref o, ref o); // Extract the resulting HTML Clipboard.SetText(web.Document.Body.InnerHtml); // Inform the user the operation has completed if (args.Length == 0 || args[0].Equals("/nomsg", StringComparison.InvariantCultureIgnoreCase)) MessageBox.Show("The contents of the clipboard have " + "been converted into an HTML block.\n\n", "Convert Clipboard HTML", MessageBoxButtons.OK, MessageBoxIcon.Information); } } Other Methods?There are many other tricks to cleaning up MS Word HTML's format. Including using regular expressions, Tidy HTML, 3rd party tools, Office 2000 HTML Filter 2.0, or using MS Word 2007. However, these are targeted to the HTML page as a whole. This post is about pulling a segment of a Word Doc via a clipboard copy. Using this IE control is the only consistently effective way I've found to do this. Vista SupportThe control has been removed from Vista. However, you can install it separately. Tools & Source CodeHere are a few of the little tools I made for this blog post. They’ll install under a program group called “Noah Coad” and can be uninstalled from “Add & Remove Programs”. Other Resources If you would like to receive an email when updates are made to this post, please register here RSS It's easier to enable HTML editing etc like this. No need to reference a COM object: wbMain.DocumentCompleted += delegate { wbMain.Document.DomDocument.GetType().GetProperty("designMode").SetValue(wbMain.Document.DomDocument, "On", null); }; wbMain.DocumentText = ""; Ran the example of converting what's on the clipboard from Doc to htm, and it's simply magic, in my opinion. I like it a lot. I really want to find out where all the undefined errors come from, like <o:p> Unrecognized namespace, and the like. How open a Word Documents or Excel Sheet in a webbrowser control in c# for Windows forms? Anny inputs on this is appreciated. Note: ====== Document/XL Sheet gets opened in a new window but I need to open in the webbrowser control embedded in the windows form.
http://blogs.msdn.com/noahc/archive/2006/10/16/copy-paste-html-from-ms-word-ie-s-dhtml-editing-control-in-a-net-winapp.aspx
crawl-002
refinedweb
915
57.57
In this post, we will compare how two schema builders, Pothos and TypeGraphQL, can aid developers in building GraphQL schemas for their services — and how to actually build schemas using TypeScript with these tools — through the following sections: - What is Pothos? - Schema building with Pothos - How to define objects in Pothos - Pothos features - What is TypeGraphQL? - How to create objects in TypeGraphQL - TypeGraphQL features At the end of the post, we’ll compare the features offered by both tools and some use cases. Primer on GraphQL schema building GraphQL schemas consists of object types with fields that specify the types of data they can accept. These types are known as scalar types and they are built into the SDL core. Once we define a GraphQL schema, only the specified fields defined in the objects with their respective types can be queried or mutated. Within a GraphQL schema, we must define our query and mutation types at the point of creating the schema, except for mutation types, which are not always compulsory. Both type definitions define the entry point of every query we make to a GraphQL service or API, based on the predefined schema. You can read more about schema building in GraphQL elsewhere on the blog. What is Pothos? Pothos is plugin that offers an easy way to create and build schemas with the GraphQL and TypeScript. Since it is TS-based, Pothos offers the type safety necessary for GraphQL schema building. It also builds upon TypeScript’s powerful type system and type inferences, requiring no need for code generation or using manual types everywhere. Pothos schemas build up into a plain schema that uses types from the graphql package. This means it should be compatible with most of the popular GraphQL server implementations for Node.js. In this guide, we will use @graphql-yoga/node to run our examples, but you can use whatever server you want. Schema building with Pothos In Pothos, you usually begin with the shape of your data (defined as a type, interface, class, Prisma model, etc.) and then define a GraphQL type that uses that data, but doesn’t necessarily conform to its shape. The approach Pothos takes feels more natural in larger applications, where you have real data that isn’t purely created for your GraphQL API. Apart from the advantage of its first-hand type safety — which is independent of decorators — Pothos prides itself on providing lots of features exposed as plugins, which comprise a large ecosystem of plugins. One of Pothos’s major advantages is the separation of the GraphQL API and how data is represented internally in the schema, which we are going to see as we proceed. Let‘s start with an example from the Pothos documentation: building a simple schema from a “Hello, World!” app. import { createServer } from '@graphql-yoga/node'; import SchemaBuilder from '@pothos/core'; const builder = new SchemaBuilder({}); builder.queryType({ fields: (t) => ({ hello: t.string({ args: { name: t.arg.string(), }, resolve: (parent, { name }) => `hello, ${name || 'World'}`, }), }), }); const server = createServer({ schema: builder.toSchema({}), }); server.start(); In this example, we create a simple boilerplate server with graphl-yoga/node and the Pothos schema builder. We import the schema builder from Pothos core and instantiate a new schema builder, which constructs a plain schema that the GraphQL language understands. After that, we setup the query builder with our field types and arguments in a type safe way. The resolver is responsible for returning a response when the query executes after all necessary validation has been done on the field arguments passed to the query and on the query itself. Finally, we pass the built schema into the createServer function and call the server.start method. With Pothos, we can define the structure of our data in form of object types, which lets us know the details of the underlying data types. After that, we can then go ahead to define the types, where we pass the structure that we have defined as a way of validating the actual types. So, basically, we need a way of passing type information about our underlying data structure so that our fields know what properties are available on the object type. With the help of type inferences, we can confirm when we pass the wrong fields on an object type, and be sure the objectType conforms with our type definitions, since the object can tell what types to expect. Based on the fields defined in the schema, we can then determine the nature of the available data and their types. This means that any data we ever intend to add our schema has to be explicitly defined. How to define objects in Pothos There are three ways of defining objects in Pothos: using classes, schema types, and refs. Defining Pothos classes is the same as defining regular classes — we structure our data and initialize the class. See an example export class Person { name: string; age: number; constructor(name: string, age: number) { this.name = name; this.age = age; } } After defining the class, we can map the types for the fields in the above class. This is done using the Pothos field builder to validate against the object types in our schema class above. See how we can do that below. < pre class=”language-graphql hljs>const builder = new SchemaBuilder({}); builder.objectType(Person, { name: ‘Person Schema’, description: “A person schema”, fields: (t) => ({}), }); The objectParam argument, Person, represents our initial class, which serves as a blueprint for validating against the kind of types that we can pass for each of the individual properties based on that blueprint. We do this so that, when we use these properties in the fields, we can be sure they represent the correct type. We can proceed to define the kinds of data we have in our schema above with the help of the field object above. Let us see how we do that below: builder.objectType(Person, { name: 'Person Schema', description: 'A person schema', fields: (t) => ({ nameNew: t.string({ resolve: (parent) => { const name = console.log(parent.name) }, }), ageNew: t.int({ resolve: (parent) => { const age = console.log(parent.age) }, }), }), }); As we can see, we are unable to directly access the properties defined in our schema. This is by design, so as to ensure we only get access to the properties from the underlying schema. Note that the parent arg will be a value of the backing model for the current type specified in the schema class. However, to get direct access to the field properties defined in the schema or model, we can make use of expose, as defined here in the docs. exposeString(name, options) Note: The name arg can be any field from the backing model that matches the type being exposed. Next, we actually write a query that resolves to the actual values with the help of a resolver, which is a function that resolves the value of this field. Let’s create such a query with Pothos below. builder.queryType({ fields: (t) => ({ Person: t.field({ type: Person, resolve: () => new Person('Alexander', 25), }), }), }); The next step is to create a simple server and pass the schema we built to the server, as we have seen earlier. Pothos works well with any popular GraphQL servers implementations available. Lastly, we run our regular GraphQL queries against the server. query { Person { name age } } Pothos features Several ways to define schemas As we have outlined above, in creating or defining object types with Pothos (which is a way of providing type information about how the underlying data in your schema is structured), we can either make use of classes as above, schema types or even with refs. More information on how to use this based on our use case can be found in the docs. Printing and generating schema files With Pothos, we can generate our schema file using graphql-code-generator. You can also print your schema, which is useful when you want to have an SDL version of your schema. In this scenario, we can use printSchema or lexicographicSortSchema, both of which can be imported from the GraphQL package. Generating types Pothos does not have an inbuilt mechanism for generating types to use with a client, but graphql-code-generator can be configured to consume a schema directly from your TypeScript files. The Pothos backing model Pothos enforces clear separation between the shape of your external GraphQL API and the internal representation of your data. To help with this separation, Pothos offers a backing model that gives you a lot of control over how you define the types that your schema and resolver use. Pothos’s backing model is extensively explained in the docs. Plugin-based Pothos is plugin-based, offering sample plugins like simple-objects, scope-auth, and mocks that make your work easier. For example, the simple-objects plugin can make building out a graph much quicker because you don’t have to provide explicit types or models for every object in your graph. Unopinionated Pothos is unopinionated about how code is structured, and provides multiple ways of doing many things. In fact, Pothos goes as far as providing a guide for how to organize your files. Pothos SchemaBuilder API To create a schema with Pothos, all we have to do is import the schemaBuilder class from Pothos core, as shown below. import SchemaBuilder from '@pothos/core'; const builder = new SchemaBuilder<{ Context: {}; }>({ // plugins }); The schema builder helps create types for our graph and embeds the created types in a GraphQL schema. Details on the Pothos schema builder API design can be found in the docs. Support for ORMs While Pothos is mainly a schema builder, it also has support for and integrates well with most ORMs, especially Prisma via the Prisma plugin for Pothos. With this plugin, we can easily define Prisma-based object types and, equally, GraphQL types based on Prisma models. An example and setup on how to go about this is shown in the documentation. Of course, one of the notable features of this integration is the support for strongly typed APIs, automatic query optimization (including the n + 1 query problem for relation), support for many different GraphQL models based on the same database schema, and so on. The documentation covers it all. Note: Prisma can also be integrated directly with Pothos. The plugin just makes it easier, more performant, and more efficient for us to work with these two technologies. The guide on how to perform this integration contains more information. What is TypeGraphQL? TypeGraphQL offers a different approach to building schemas. With TypeGraphQL, we define schemas using only classes and decorator magic. It is mainly dependent on graphql-js, class-validator(), and the reflect-metadata shim, which makes reflection in TypeScript work. class-validator is a decorator-based property validation for classes. We extensively covered building GraphQL APIs with TypeGraphQL in an earlier post, including how object types are created: @ObjectType() class Recipe { @Field() title: string; @Field(type => [Rate]) ratings: Rate[]; @Field({ nullable: true }) averageRating?: number; } As we can see above, we start defining schemas with TypeGraphQL by defining classes, which serve as a blueprint for our schema. Let’s see an example below. First, we begin by creating types that resemble the types in the SDL. type Person { name: String! age: Number dateofBirth: Date } Next, we can proceed to create the class, which must contain all the properties and defined types for our Person type. class Recipe { name: string; age?: number; dateofBirth: ate } We make use of decorators to design the classes and its properties, like so: @ObjectType() class Person { @Field() name: string; @Field() age?: number; @Field() dateOfBirth: Date; } Then, we create what we call input types, which we need to perform our queries and mutations. @InputType() class NewPersonInput { @Field() @MaxLength(40) name: string; @Field({ nullable: true }) age?: number; @Field() dateOfBirth: Date; } Field validation methods, including maxLength, are from the class-validator library. After creating regular queries and mutations, the last step is to build the schema that we will pass to our GraphQL server. const schema = await buildSchema({ resolvers: [PersonResolver], }); An example mutation type for our Person type is shown below: type Mutation { addNewPerson (newPersonData: NewPersonInput!): Person! deletePerson(id: ID!): Boolean! } TypeGraphQL features TypeGraphQL features include validation, authorization, and more, which help developers write GraphQL APIs quickly and reduces the need to create TypeScript interfaces for all arguments and inputs and/or object types. TypeGraphQL also helps ensure that everyone works from a single source of truth by defining the schema using classes and a bit of decorator help. This would indeed help in reducing code redundancy. Support for dependency injection TypeGraphQL supports dependency injection by allowing users to provide the IoC container that will be used by the framework. Strict validation Field properties are strictly validated with the class validation library. TypeGraphQL is more flexible than Pothos and supports generic types in cases where we might need to declare the types of some fields in a more flexible way, like a type parameter. Support for custom decorators TypeGraphQL supports custom decorators, including method and parameter, which offers a great way to reduce boilerplate code and reuse common across multiple resolvers. Support for ORMs TypeGraphQL also has huge support for multiple different third-party ORMs, including TypeORM and Prisma. With Prisma, TypeGraphQL provides an integration with the typegraphql-prisma package, which we can find on npm. TypeGraphQL already has provisions for generating type classes and resolvers based on your Prisma schema, which means that we do not have to write too much code to perform regular queries and mutations. The documentation has examples of setting these two technologies up and also a dedicated website, which contains more examples and tutorials, including installation instructions, configuration and more. Conclusion In this post, we have looked at the approach to schema building for two awesome, TypeScript-based libraries. Although Pothos can be used to build TypeScript-based GraphQL APIs, it shines mainly as a schema builder. TypeGraphQL, on the other hand, is more flexible and allows us to build simple GraphQL APIs with support for different ORMs. We have been able to cover some of the important features, use cases and methodologies for schema building in your Node.js/TypeScript and GraphQL-based APIs. The aim of this post is to show you how these two different and unique libraries have approached these processes, so that you can make an informed decision about the next best tools to use in your future projects..
https://blog.logrocket.com/pothos-vs-typegraphql-for-typescript-schema-building/
CC-MAIN-2022-40
refinedweb
2,410
60.65