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
Landlord-Tenant Ask a landlord-tenant lawyer and get answers ASAP If she sells the unit, your landlord will be the buyer. Your rights as tenants will remain the same as they do with your current landlord. If you have a term lease (12 months, 6 months, etc.) you can remain there until the end of that term. If you do not have a "term lease" (12 months, 6 months, etc.), and are on some form of "month to month" lease (holdover tenancy, tenancy at will, tenancy at sufferance - these terms used to have a significance, they are now used interchangably as "month to month" tenants)., your new landlord can terminate your lease with 60 days notice. You are entitled to the return of your security deposit just as you were before. Except now, you can hold both the new landlord and the old landlord responsible for that return (if the new landlord claims they don't have it, you can sue both of them). For an excellent overview of landlord tenant law in California, here is a link to the California Attorney General's Landlord/Tenant handbook:
http://www.justanswer.com/landlord-tenant/99lrl-landlord-just-property-surveyed-she-bought.html
CC-MAIN-2017-26
refinedweb
188
69.82
Understanding Of Class And Instance Variables In Python 3 In this video tutorial, we are going to cover classes and instance variables. But, before you are going to watch a video we would highly recommend to read through all of this article. And if you have not watched a perverse part then we recommend to watch it now as you will be lost in this part. Introduction We move on to one of the most interesting topics of the cycle – object-oriented programming (OOP) in Python 3. From the point of view of OOP, a class is a collection of data. The use of classes gives us first of all the advantages of an abstract approach to programming. - Polymorphism: in different objects, the same operation can perform different functions. The word “polymorphism” is of Greek nature and means “having many forms”. A simple example of polymorphism is the function count (), which performs the same action for different types of objects: ‘abc’.count (‘ a ‘) and [1, 2,’ a ‘]. Count (‘ a ‘). The operator plus is polymorphic when adding numbers and adding lines. - Encapsulation: you can hide the unnecessary internal details of the object from the outside world. This is the second basic principle of abstraction. It is based on the use of attributes within the class. Attributes can have different states in between calls to class methods, as a result of which the object of this class also receives different states – state. - Inheritance: You can create custom classes based on the base classes. This allows us to avoid writing a re-code. - Composition: an object can be composite and include other objects. The object-oriented approach in programming implies the following algorithm of actions. - The problem is described using a conventional language using concepts, actions, and adjectives. - Classes are formulated on the basis of concepts. - On the basis of actions, methods are designed. - Methods and attributes are implemented. We got a skeleton – an object model. On the basis of this model, inheritance is realized. To check the model: - so-called use cases are written – a scenario of possible behavior of the model, where all functionality is checked; - The functionality can be fixed or added. The object-oriented approach is good where the project implies long-term development, consists of a large number of libraries and internal links. The Python class mechanism is a mixture of the C ++ and Modula-3 classes. The most important features of classes in python: - Multiple inheritances; - A derived class can override any base class methods; - Anywhere you can call a method with the same base class name; - All the attributes of the class in the python are public by default, i.e. are available from everywhere; all methods are virtual; overload the base. Today we will consider the following aspects of object-oriented programming. - What is a class? - Attributes of the class. - Self. - Inheritance. - Video Tutoring. 1. What is the class? A class is a custom type. The simplest model for defining a class is as follows: class class_name: Instruction 1 . Instruction No. Each such record generates its own class object. The difference from C ++ is that in the pluses the class description is just an ad, and in a python, it’s an object creation. There is also another type of object – the instance of the class that is generated when you call: instance_class = class_name () The class object and the class instance are two different objects. The first one is generated at the stage of the class declaration, the second one is called when the class name is called. The object of the class can be one, the instances of the class can be any number. The instruction is, as a rule, the definition of a function. When defining a class, a new namespace is created and a class object is created that is the wrapper for all instructions. Class objects support two types of operations: - access to attributes; - create an instance of the class. 2. Attributes of the class Attributes of the class are of two types: - data attributes; - attribute-methods. Data attributes are usually written from above. The memory for attributes is allocated at the time of their first assignment – either outside or inside the method. Methods start with the def. Attributes are accessed by obj.attrname. For Instance: class Simple: u'Simple Class' var = 87 def f(x): return 'Hello world' Here Simple.var and Simple.f are user attributes. There are also standard attributes: >>> print Simple.__doc__ Integer >>> print Simple.var.__doc__ int(x[, base]) -> integer ... Creating an instance of a class is similar to the way we do a function call: smpl = Simple() An empty small object will be created. If we want some actions to be performed during the creation, we need to define a constructor that will be called automatically: class Simple: def __init__(self): self.list = [] When the sample object is created, an empty list will be created. You can pass arguments to the constructor: class Simple: def __init__(self, count, str): self.list = [] self.count = count self.str = str >>> s = Simple(1,'22') >>> s.count, s.str 1 22 The data attribute can be made private (i.e. inaccessible from the outside – for this you need to put two underscores on the left: class Simple: u'A simple class with a private attribute' __private_attr = 10 def __init__(self, count, str): self.__private_attr = 20 print self.__private_attr s = Simple(1,'22') print s.__private_attr The last line will throw an exception – the __private_attr attribute is only valid for internal use. Methods need not be defined inside the class body: def method_for_simple(self, x, y): return x + y class Simple: f = method_for_simple >>> s = Simple() >>> print s.f(1,2) 3 An empty class can be used as a blank for a data structure: class Customer: pass custom = Customer() custom.name = 'Alex' custom.salary = 100000 3. Self Usually, the first argument to the method name is self. As the author of Guido Van Rossum says, this is nothing more than an agreement: the name of self-has absolutely no special meaning. self is useful for accessing other class attributes: class Simple: def __init__(self): self.list = [] def f1(self): self.list.append(123) def f2(self): self.f1() >>> s = Simple() >>> s.f2() >>> print s.list [123] 4. Inheritance The definition of a derived class is as follows: class Derived(Base): If the base class is not defined in the current module: class Derived(module_name.Base): The resolution of attribute names works from the top down: if the attribute is not found in the current class, the search continues in the base class, and so on by recursion. Derived classes can override the methods of base classes – all methods are virtual in this sense. You can call the base class method with the prefix: Base.method() In the python, there is limited support for multiple inheritances: class Derived(Base1,Base2,Base3): The attribute search is performed in the following order: - in Derived; - in Base1, then recursively in the base classes Base1; - in Base2, then recursively in the Base2 base classes - etc. 5. Video Tutoring
https://www.smartspate.com/understanding-class-instance-variables-python-3/
CC-MAIN-2019-30
refinedweb
1,183
66.23
As well as the stack there are local variables, data structures and fields. But notice that in principle you can write any program using just the stack. For example to declare local variable called Total you would add: .locals init(float32 Total) The “init” is a modifier that indicates that the variables have to be initialised before use. To load the result of the addition you have to use: stloc Totalldloc Total before the call to WriteLine. The instruction stloc, i.e. Store to Local, pops the top of the stack into Total. You need the ldloc instruction, i.e. LoaD from Local, to push the value back on the stack so that the WriteLine can use it. It is more common to work with local variables just in terms of the index number. For example: .locals init([0] float32 Total) Defines Total to be local varible zero and you can load it onto the stack using any of: ldloc.0 ldloc 0 ldloc Total Using a static object isn’t really the same thing as taking a full object-oriented approach – it’s just a way of writing a main program. This next example is intended to give you an idea of the full extent of IL’s object facilities. Start a new program called Arith.il. First we have the usual declarations followed by a public class definition: .assembly extern mscorlib {}.assembly Arith{}.module Arith.exe.class public Arith{ .method public specialname void .ctor() { ret } .method public float32 Add(float32,float32) { ldarg.1 ldarg.2 add ret }} The class has two methods .ctor which is its constructor – which does nothing in this case - and Add. The Add method pushes its two parameters on the stack, using ldarg.n, adds them and leaves the result on the stack. To try this class and its Add method out we use the static Main method again: .class Test.Programextends [mscorlib]System.Object{ .method static void Main(string[] args) cil managed { .entrypoint newobj instance void Arith::.ctor() ldc.r4 0.1 ldc.r4 0.2 call instance float32 Arith::Add(float32,float32) call void [mscorlib]System.Console:: WriteLine(float32) ret }} The newobj instruction creates an instance of the class and calls its creator, .ctor(). The result of newobj is a pointer to the instance stored on the top of the stack. Now we can load the stack with two parameter values and call the instance of Add. Notice that the instance of the class that is called is determined by the first argument, i.e. arg0, passed to the method. You can think of this as a “this” reference and note that instance methods have to explicitly use it to work with instance fields. If you assemble this program you will discover that it adds two numbers together as before. IL supports instance and static methods and fields. It supports virtual and non-virtual methods and inheritance but this is beyond the scope of this introduction. Once you have the idea of the way that the object-oriented, strongly typed aspects of IL interact with the fact that it is a stack-oriented assembler you should find it easier to understand the documentation. You can find some very dry technical definitions of how it all works at: ECMA C# and Common Language Infrastructure Standards Another good way of learning IL is to use the ILdasm tool, which you will find in the same directory as ILasm. This can be used to disassemble .NET programs and it provides lots of clues as to how the compilers use IL. The LIFO Stack - A Gentle Guide Introduction to data structures Stack architecture demystified Reverse Polish Notation - RPN Brackets are Trees Javascript data structures - Stacks Deep C# The Heart Of A Compiler Assemblers and assembly language To be informed about new articles on I Programmer, install the I Programmer Toolbar, subscribe to the RSS feed, follow us on, Twitter, Facebook, Google+ or Linkedin, or sign up for our weekly newsletter. <ASIN:1590596463> <ASIN:0321694694> <ASIN:0735627045> <ASIN:0130622966> <ASIN:0321578899> <ASIN:1430225491> <ASIN:0735619883>
http://i-programmer.info/programming/other-languages/933-getting-started-with-il.html?start=1
CC-MAIN-2015-22
refinedweb
678
64.61
This example uses a local installation of Quantum Espresso. Without such installation you will not be able to execute this tutorial. However, you can still read it and lern from it. The "Remote execution" tutorial contains similar material and is configured for remote execution of Quantum Espresso. To use the qeutil system you need to do three things first. The qeutil library is built as an extension to the ASE library. Many of the presented functions depend on the functionality of the ASE library. Thus, it is highly recommended to familiarize yourself with its structure and function. The full documentation is available on the web. During working out the examples pay attention to the comments in the code, which start with the "#" character and continue to the end of the line. They are added for your convenience - to provide detailed descriptions of the procedure. The whole notebook system is written in the python language. You do not need high-level knowledge of the languade to understand the tutorials. However, some familiarity with its syntax is still required. Introduction to the python language may be found in the Help menu, if you need it. Please note that the indentation in the python code is important. The blocks of code are defined by the common indentation. This notebook is presented as a read-only document as linked from the main site. In the top-right corner of the page there is a "Download" link. To work on this exercise download the file from the link into your notebook directory and open it as the iPython notebook. This part is a little bit more complicated. This notebook is configured for a local execution of the Quantum Espresso programs. The qe-util has some support for the remote execution with a help of the queue management system. This topic is covered by the second notebook named "Remote calculation". For this exercise just review the configuration in the second cell and verify that the commands actually execute the Quantum-Espresso programs. The following notebook includes a minimal set of libraries required for it to run (see the first cell of this notebook). You may need additional libraries if you extend the analysis presented below. It is as easy as adding additional 'import' clauses at the beginning. # library for local execution of the Quantum Espresso on four processors. The commands should execute the following programs from the Quantum Espresso package: pw.xthe basic program for calculating electronic structure and basic static properties of the crystal such as: ph.xthe program for calculating the a second derivative of the energy with respect to atomic displacements or unit cell deformations. matdyn.xthe program for processing dynamical matrix of the crystal. q2r.xthe program for the transformation of the dynamical matrix into a matrix of force constants in real space. The commands should execute the pw.x program of the Quantum Espresso suite using pw.in and pw.out files as input and output respectively. The example below is a fairly standard command for running the pw.x on the four-core PC. # Configure qe-util for local execution of the Quantum Espresso on four processors QuantumEspresso.pw_cmd='mpiexec -n 4 pw.x < pw.in > pw axes are oriented in the conventional way in the Cartesian (X,Y,Z) coordinate system:=30) # Scale of the picture # Display the image Image(filename='crystal.png') Check the spacegroup (symmetry) of our creation. The spglib library provides various functions dealing with the symmetry of crystals. For example, it has a symmetry finder, which can identify the symmetry group of the crystal. Here, we use this function to check if the structure we have created is indeed a zinc-blende cubic crystal (F-43m group). print 'Space group:', spglib.get_spacegroup(cryst) Space group: F-43m (216) Calculator¶ Now, when we have our crystal build we need to define a Calculator for our computations. It is done by creation of QuantumEspresso object, specifying various parameters for the calculation. The same calculator may be used for a number of structures and a number of computations. It is a provider of functions which allow the crystal object to respond to questions such as: "What is your total energy?". You need to specify a number of parameters for the calculator which are specific to the case. The parameters used here should not be used in the production runs. They are defined just for the presentation purposes. For a real calculation you need to select the parameters according to the case you are dealing with. Unfortunately there is no simple "rule of thumb" for these parameters. The list of possible parameters covers a fairly complete set of parameters used by Quantum Espresso package. For the description of possible parameters you need to consult the documentation on the Quantum Espresso website, particularly the document describing input parameters The meaning of the parameters in greater detail: label-- This is a label for the calculator. It is used as a first part of the directory name used by the calculator to store and execute the calculations. kpts-- A list of k-vectors for the sampling of the Brillouin zone. Here it is specified as a grid size (n x m x k) which is a typical approach. It may be also specified as a list of k-vectors xc, pp_type, pp_format -- These are the parts of the name of the used pseudopotentials. The pseudopotential name is constructed as: ( Element_symbol)( xc)( pp_type).( pp_format) ecutwfc-- Cut-off energy (in Ry) for the plane waves used in the calculation. This needs to be adjusted according to the pseudopotential used. use_symmetry-- Controls use of symmetry in the calculation. If set to True the calculator will internally extract a primitive unit cell out of the crystal and perform all calculations on the primitive unit cell. # Create a Quantum Espresso calculator for our work. # This object encapsulates all parameters of the calculation, # not the system we are investigating. qe=QuantumEspresso(label='SiC', # Label for calculations wdir='calc', # Working directory pseudo_dir='../../pspot', # Directory with pseudopotentials kpts=[8,8,8], # K-space sampling for the SCF calculation xc='pz', # Exchange functional type in the name of the pseudopotentials pp_type='vbc', # Variant of the pseudopotential pp_format='UPF', # Format of the pseudopotential files ecutwfc=70, # Energy cut-off (in Rydberg) use_symmetry=True) # Use symmetry in the calculation ? # Check where the calculation files will reside. print qe.directory calc/SiC.mjVUKG # Assign the calculator to our system cryst.set_calculator(qe) We are ready to perform our first Quantum Espresso calculation. It is as simple as asking the crystal for its energy or stress tensor. You just need to call an appropriate function: e.g. cryst.get_stress() The calculation may take some time (5-30s, depending on your system). Be patient. Note 1: The default notation for stress tensors used here is a Voigt notation. Where the independent components of a symmetric stress tensor $\sigma$ are collected into a 6-component quantity (note: it is not a vector in the tensor analysis sense). This is a common notation in the tensor algebra of symmetric tensors. The components of the stress tensor in the Voigt notation are: $$ [\sigma_{xx}, \sigma_{yy}, \sigma_{zz}, \sigma_{yz}, \sigma_{xz}, \sigma_{yz}] $$ Note 2: The convention for signs of external pressure is opposite to the sign of stress. Note 3: In case of the interrupted calculation it is easy to recover from such a crash by adding recover = .true. to the input file. # Run the calculation to get stress tensor (Voigt notation, in eV/A^3) and pressure (in kBar) print "Stress tensor (Voigt notation eV/A^3):", cryst.get_stress() print "External pressure (kBar):", cryst.get_isotropic_pressure(cryst.get_stress())*1e-3 Stress tensor (Voigt notation eV/A^3): [ 0.02404228 0.02404228 0.02404228 -0. 0. 0. ] External pressure (kBar): -38.52 #.852 3.852 3.852 -0. 0. 0. ] Stress tensor (Tensor notation, GPa): [[ 3.852 0. 0. ] [ 0. 3.852 -0. ] [ 0. -0. 3.852]] External pressure (GPa): -3.852 One of the advantages of this system is that you can run a series of calculations automatically, as is illustrated below. For example we can find a minimum of energy of our crystal - which is its equilibrium lattice constant. To do this it is needed to modify the crystal at each turn of the loop and collect the results. Alternatively you can create a whole bunch of systems and calculators and run them all at once. If you have many CPUs this may considerably speed up the calculation. Here we will do a sequential run. The topic of parallel execution will be covered in the "Remote calculation" notebook. # A sequential run for a series of lattice constants # We will store the results in this list result=[] # Our prototype crystal is just a copy of the structure defined above cr=Atoms(cryst) # It needs a calculator as well. This may be the same calculator or we can define a separate one. cr.set_calculator(qe) print " Scale A(A) Energy(eV) Pressure(GPa) " print "===============================================" # Iterate over scales between 98% and 102% of the starting unit cell size. # We use 11 points in the interval for x in linspace(0.98,1.02,11): # Modify the crystal by scaling the lattice vectors cr.set_cell(cryst.get_cell()*x,scale_atoms=True) # Calculate energy and stress and store the results in the result list result.append([x, x*cryst.get_cell()[0,0], cr.get_potential_energy(), 1e-4*cr.get_isotropic_pressure(cr.get_stress())]) # Print it as well print "% 5.03f % 6.04f %+6.4f % +8.3f " % tuple(result[-1]) # Prepare the collected data for plotting # This will make an array (matrix) out of a list and transpose it for easier access later # Transposing the matrix means that we can specify just a column to get the whole column as a vector. result=array(result).T # Let us save our calculated data to a file. # To have data in columns we need to transpose the array again. # This is a consequence of the row-column conventions and has no deeper meaning. savetxt('e+p-vs-a.dat',result.T) Scale A(A) Energy(eV) Pressure(GPa) =============================================== 0.980 4.2724 -263.2246 +10.575 0.984 4.2898 -263.2407 +7.403 0.988 4.3073 -263.2522 +4.380 0.992 4.3247 -263.2594 +1.501 0.996 4.3422 -263.2620 -1.242 1.000 4.3596 -263.2607 -3.852 1.004 4.3770 -263.2551 -6.335 1.008 4.3945 -263.2458 -8.694 1.012 4.4119 -263.2327 -10.933 1.016 4.4294 -263.2157 -13.058 1.020 4.4468 -263.1959 -15.062 All plotting in the notebook environment is done by the matplotlib graphics library. It is a very flexible and useful tool for scientific plotting. You will find an extensive documentation on the web. It is linked in the "Help" menu above. Below we will plot the energy and stress curves and find the lattice constant corresponding to the zero stress (minimum energy). # Let us plot the results and save the figure figsize(12,7) # To make the plot nicer we define a shift to energy. # Rounding to second decimal digit in eV E0=round(min(result[2])-(max(result[2])-min(result[2]))/20,2) # Plot the result plot(result[1], # Arguments (x-axis) result[2]-E0, # Values (y-axis) 'o-', # Symbol and line style label='Total internal energy') legend() # Add a legend # Set the axes labels xlabel('Lattice vector length ($\AA$)') ylabel('Energy %+8.2f (eV)' % (-E0)) # Store the figure savefig('e-vs-a.pdf') Below we will fit the Birch-Murnaghan logarithmic equation of state to our lattice constant-pressure data to find: The Birch-Murnaghan equation of state has a following form: $$ P(V)=\frac{B_0}{B'_0} \left[\left(\frac{V_0}{V}\right)^{B'_0}-1\right] $$ To fit this formula to our data points we use a standard least-squares non-linear optimization procedure leastsq from the optimize module of the SciPy library. The documentation for this library is also included in the "Help" menu. # Lets do the same with pressure. # But this time let us fit a Birch-Murnaghan equation of state to the data # We need a fitting package from scipy from scipy import optimize # Define a B-M eos function def BMEOS(v,v0,b0,b0p): return (b0/b0p)*(pow(v0/v,b0p) - 1) # Define functions for fitting # The B-M EOS is defined as a function of volume. # Our data is a function of lattice parameter A^3=V # We need to convert them on-the-fly fitfunc = lambda p, x: [BMEOS(xv**3,p[0]**3,p[1],p[2]) for xv in x] errfunc = lambda p, x, y: fitfunc(p, x) - y figsize(12,7) # Plot the data plot(result[1],result[3],'+',markersize=10,markeredgewidth=2,label='Pressure') # Fit the EOS # Create a data array: lattice constant vs. isotropic pressure ap=array([result[1],result[3]]) # Estimate the initial guess assuming b0p=1 # Limiting arguments a1=min(ap[0]) a2=max(ap[0]) # The pressure is falling with the growing volume p2=min(ap[1]) p1=max(ap[1]) # Estimate the slope b0=(p1*a1-p2*a2)/(a2-a1) a0=(a1)*(p1+b0)/b0 # Set the initial guess p0=[a0,b0,1] # Fitting # fit will receive the fitted parameters, # and value of succ indicates if fitting was successful fit, succ = optimize.leastsq(errfunc, p0[:], args=(ap[0],ap[1])) # Ranges - the ordering in ap is not guaranteed at all! # In fact it may be purely random. x=numpy.array([min(ap[0]),max(ap[0])]) y=numpy.array([min(ap[1]),max(ap[1])]) # Plot the P(V) curves and points for the crystal # Mark the center at P=0, A=A0 with dashed lines axvline(fit[0],ls='--') axhline(0,ls='--') # Plot the fitted B-M EOS through the points, # and put the fitting results on the figure. xa=numpy.linspace(x[0],x[-1],20) plot(xa,fitfunc(fit,xa),'-', label="\nB-M fit:\n$A_0$=%6.4f $\AA$,\n$B_0$=%6.1f GPa,\n$B'_0$=%5.3f " % (fit[0], fit[1], fit[2]) ) legend() xlabel('Lattice vector length ($\AA$)') ylabel('Pressure (GPa)') # Save our figure savefig('p-vs-a.pdf')
http://nbviewer.jupyter.org/github/jochym/qe-doc/blob/master/Crystal_structure.ipynb
CC-MAIN-2018-13
refinedweb
2,384
55.44
In Asciidoctor we can add an anchor with an ID to a section or title and then reference it in a link. The title of the section is used as link text. We can alter that when we define the link, but if we rely on the default behaviour we create a title for our section including the caption label and number. This way the created link points to the correct section and the text contains the caption text and number for that section. In the following example markup we can see how we can use the caption label and section counter as attributes in the title. We do this with the title attribute of a section. By using the single quotes we tell Asciidoctor to interpret the attributes. We must also make sure we set the caption attribute to an empty string value. This disables the default caption creation of Asciidoctor for our section. Finally we need to provide an ID for the section using the #ID syntax: = Code examples // Enable the captions for listing blocks. :listing-caption: Listing == Creating an application To create a simple Ratpack application we write the following code: // Our listing block has an id of SimpleJavaApp, // so we can reference it as a link. // The link text is the title of this listing block. // We use the listing caption support of Asciidoctor // in our title with the attributes listing-caption // and counter:refnum. The value of listing-caption // is defined with a document attribute (Listing) // and counter:refnum contains the counter value // for listing blocks. // Finally we empty the caption attribute, otherwise // the default caption rule is used to show Level {counter}. [#SimpleJavaApp,source,java,caption='',title='{listing-caption} {counter:refnum}. Simple Java Ratpack application'] ---- package com.mrhaki; import ratpack.server.RatpackServer; public class Main { public static void main(String... args) throws Exception { RatpackServer.start(server -> server .handlers(chain -> chain .get(ctx -> ctx.render("Hello World!")))); } } ---- // A second section also with an ID // and custom caption and title attributes. [#SimpleGroovyApp,source,groovy,caption='',title='{listing-caption} {counter:refnum}. Simple Groovy Ratpack application'] ---- package com.mrhaki import static ratpack.groovy.Groovy.ratpack ratpack { handlers { get { render "Hello World!" } } } ---- // In these paragraphs we create a link to the sections with // id's SimpleJavaApp and SimpleGroovyApp. The text of the links // will be Listing 1. Simple Java Ratpack application and // Listing 2. Simple Groovy Ratpack application. As we can see in <<SimpleJavaApp>> the code is simple. The configuration of the Ratpack application is done using a series of methods. With the Groovy code in <<SimpleGroovyApp>> we can use a DSL to define the application. This results in even better readable code. When we generate a HTML version of this markup we get the following result: Written with Asciidoctor 1.5.4.
https://blog.mrhaki.com/2016/09/awesome-asciidoctor-trick-to-use.html
CC-MAIN-2022-21
refinedweb
464
57.87
ASP.NET Data Access Overview Web applications commonly access data sources for storage and retrieval of dynamic data. You can write code to access data using classes from the System.Data namespace (commonly referred to as ADO.NET) and from the System.Xml namespace. This approach was common in previous versions of ASP.NET. However, ASP.NET also enables you to perform data binding declaratively. This requires no code at all for the most common data scenarios, including: Selecting and displaying data. Sorting, paging, and caching data. Updating, inserting, and deleting data. Filtering data using run-time parameters. Creating master-detail scenarios using parameters. ASP.NET includes two types of server controls that participate in the declarative data binding model: data source controls and data-bound controls. These controls manage the underlying tasks required by the stateless Web model for displaying and updating data in ASP.NET Web pages. As a result, you are not required to understand details of the page request lifecycle just to perform data binding. Data Source Controls Data source controls are ASP.NET controls that manage the tasks of connecting to a data source and reading and writing data. Data source controls do not render any user interface, but instead act as an intermediary between a particular data store (such as a database, business object, or XML file) and other controls on the ASP.NET Web page. Data source controls enable rich capabilities for retrieving and modifying data, including querying, sorting, paging, filtering, updating, deleting, and inserting. ASP.NET includes the following data source controls: Data-source controls can also be extended to support additional data access storage providers. For more information on data source controls, see Data Source Controls Overview. Data-bound Controls Data-bound controls render data as markup to the requesting browser. A data-bound control can bind to a data source control and automatically fetch data at the appropriate time in the page request lifecycle. Data-bound controls can take advantage of the capabilities provided by a data source control including sorting, paging, caching, filtering, updating, deleting, and inserting. A data-bound control connects to a data source control through its DataSourceID property. ASP.NET includes the data-bound controls described in the following table. - List Controls Renders data in a variety of lists format.. - DataList Renders data in a table. Each item is rendered using an item template that you define. For more information see the DataList Web Server Control. - DetailsView Displays one record at a time in a tabular layout and enables you to edit, delete, and insert records. You can also page through multiple records. For more information see the DetailsView Web Server Control. - FormView Similar to the DetailsView control, but enables you to define a free-form layout for each record. The FormView control is like a DataList control for a single record. For more information, see FormView Web Server Control. - GridView Displays data in a table and includes support for editing, updating, sorting, and paging data without requiring code. For more information, see Grid. For more information, see ASP.NET Data-Bound Web Server Controls Overview.
http://msdn.microsoft.com/en-us/library/ms178359(d=printer,v=vs.85)
CC-MAIN-2014-23
refinedweb
520
50.73
Drilldowns Plugin Dependency: compile ":drilldowns:1.6" Summary Description Drilldowns Plugin DescriptionThe drilldowns plugin allows a user to drill down from a summary level screen to a more detailed level. For example, from a list of authors to a list of books by the selected author. It works by controller and action - usually the 'list' action. Each controller/action combination may only appear once within the drilldown stack, whether as the 'drill from' list or the 'drill to' list. Any list page can be both a 'drill from' and a 'drill to' page thus allowing the creation of the 'stack' of drilldowns. InstallationExecute the following from your application directory: The installation process copies two files (drilldown.png and drillup.png) to the images directory of your application overwriting any files of the same name. grails install-plugin drilldowns UsageThe components of the plugin are in a package called org.grails.plugins.drilldown and any class that wishes to access the components directly must include the following: In a 'drill from' page (i.e. a GSP) displaying, say, a list of authors, within the loop displaying each author you would include a new column using code similar to the following: import org.grails.plugins.drilldown.* Such a column might be headed 'Books'. The attributes of the drilldown tag are as follows: <td><g:drilldown</td> - controller - The name of the 'drill to' controller. - action - The name of the 'drill to' action (defaults to 'list') - domain - If the 'drill from' controller name is NOT in the format domainController then you must identify the domain being drilled from (e.g. domain="Author"). Defaults to the controller name capitalized to make it a domain name. - value - The id of the 'drill from' instance that the 'drill to' display is to be limited to. - text - Any text to display as the drilldown link. Default is no text. If text is supplied then, by default, this would stop the automatic display of any image. - encodeAs - How to encode any text attribute e.g. encodeAs='HTML'. Default is no encoding (thus allowing HTML markup to be included). - image - If set to true, forces the display of the default image even when a text attribute exists. When set to a URL, uses the image at that URL (even if there is also text). - imageAfter - When both text and an image are to be displayed within the drilldown link, specifies whether the image is to be displayed before (false) or after (true) the text. The default is after (true). You must call the drilldownService.source() method at least once before using the selectList method - even if you are not interested in the object it might return. If the 'drill to' controller name is NOT in the format domainController, then you must identify the domain being drilled down to with a 'domain' option as in: def drilldownServicedef list = { params.max = Math.min(params.max ? params.int('max') : 10, 100) def ddAuthor = drilldownService.source(session, params, "author.list") def ddPub = drilldownService.source(session, params, "publisher.list") [bookInstanceList: Book.selectList(session, params), bookInstanceTotal: Book.selectCount(session, params), ddAuthor:ddAuthor, ddPublisher:ddPub] } If the book domain contains more than one property of type Author, then you must specify which property the drilldown system should use, as in: drilldownService.source(session, params, "author.list", [domain:"Book"]) The above options can, of course be combined, as follows: drilldownService.source(session, params,"author.list", [property:"reviewAuthor"]) Assuming, in the above example, that the 'drill from' controller/action was 'author.list' then ddAuthor would contain an instance of the Author domain to which the list of books should be limited. ddPub would be null. If the book list action had been called directly from a menu, then both ddAuthor and ddPub would be null. This fact can be used in the rendered book list GSP as follows: drilldownService.source(session, params, "author.list", [domain:"Book", property:"reviewAuthor"]) The drilldownReturn tag in the above example accepts the same text, encodeAs, image and imageAfter attributes as for the drilldown tag described above.There may be various 'starting points' within an application (typically menus) where the drilldown stack should be cleared, just in case the user jumped directly back to such a starting point without working their way back through the drilldown stack. To clear the drilldown stack within a menu GSP, simply include the <g:drilldownReset/> tag. To clear the stack from within a controller, simply use drilldownService.reset(session).When a user drills down from, say, an author listing to, say, a listing of the books for a chosen author, then if they press the New Book link to create a new book it can be helpful to pre-select the author of the new book to match the 'drill from' author. This can be done by adding a line in the create method of the book controller that utilizes modified parameters to the 'source' facility described previously. For example: <g:if <h1>Book List for Author: ${ddAuthor.name} <g:drilldownReturn/></h1> </g:if> <g:elseif <h1>Book List for Publisher: ${ddPublisher.name} <g:drilldownReturn/></h1> </g:elseif> <g:else> <h1><g:message</h1> </g:else> def create = { def bookInstance = new Book() bookInstance.properties = params bookInstance.author = drilldownService.source(session, [controller: params.controller, action: "list"], "author.list") return [bookInstance: bookInstance] }
http://www.grails.org/plugin/drilldowns
CC-MAIN-2014-42
refinedweb
882
57.27
Other languages have functions, procedures, methods, or routines, but in Ruby there is only the method—a chunk of expressions that return a value. So far in this book, we've been defining and using methods without much thought. Now it's time to get into the details. As we've seen throughout this book, a method is defined using the keyword def. Method names should begin with a lowercase letter. (You won't get an immediate error if you use an uppercase letter, but when Ruby sees you calling the method, it will first guess that it is a constant, not a method invocation, and as a result it may parse the call incorrectly.) Methods that act as queries are often named with a trailing “ ?”, such as instance_of?. Methods that are “dangerous,” or modify the receiver, might be named with a trailing “ !”. For instance, String provides both a chop and a chop!. The first one returns a modified string; the second modifies the receiver in place. “ ?” and “ !” are the only weird characters allowed as method name suffixes. Now that we've specified a name for our new method, we may need to declare some parameters. These are simply a list of local variable names in parentheses. Some sample method declarations are def myNewMethod(arg1, arg2, arg3) # 3 arguments # Code for the method would go here end def myOtherNewMethod # No arguments # Code for the method would go here end Ruby lets you specify default values for a method's arguments—values that will be used if the caller doesn't pass them explicitly. This is done using the assignment operator. def coolDude(arg1="Miles", arg2="Coltrane", arg3="Roach") "#{arg1}, #{arg2}, #{arg3}." end coolDude → "Miles, Coltrane, Roach." coolDude("Bart") → "Bart, Coltrane, Roach." coolDude("Bart", "Elwood") → "Bart, Elwood, Roach." coolDude("Bart", "Elwood", "Linus") → "Bart, Elwood, Linus." The body of a method contains normal Ruby expressions, except that you may not define an instance method, class, or module within a method. The return value of a method is the value of the last expression executed, or the result of an explicit return expression. But what if you want to pass in a variable number of arguments, or want to capture multiple arguments into a single parameter? Placing an asterisk before the name of the parameter after the “normal” parameters does just that. def varargs(arg1, *rest) "Got #{arg1} and #{rest.join(', ')}" end varargs("one") → "Got one and " varargs("one", "two") → "Got one and two" varargs "one", "two", "three" → "Got one and two, three" In this example, the first argument is assigned to the first method parameter as usual. However, the next parameter is prefixed with an asterisk, so all the remaining arguments are bundled into a new Array, which is then assigned to that parameter. As we discussed in “Blocks and Iterators,” when a method is called, it may be associated with a block. Normally, you simply call the block from within the method using yield. def takeBlock(p1) if block_given? yield(p1) else p1 end end takeBlock("no block") → "no block" takeBlock("no block") { |s| s.sub(/no /, ”) } → "block" However, if the last parameter in a method definition is prefixed with an ampersand, any associated block is converted to a Proc object, and that object is assigned to the parameter. class TaxCalculator def initialize(name, &block) @name, @block = name, block end def getTax(amount) "#@name on #{amount} = #{ @block.call(amount) }" end end tc = TaxCalculator.new("Sales tax") { |amt| amt * 0.075 } tc.getTax(100) → "Sales tax on 100 = 7.5" tc.getTax(250) → "Sales tax on 250 = 18.75" You call a method by specifying a receiver, the name of the method, and optionally some parameters and an associated block. connection.downloadMP3("jitterbug") { |p| showProgress(p) } In this example, the object connection is the receiver, downloadMP3 is the name of the method, "jitterbug" is the parameter, and the stuff between the braces is the associated block. For class and module methods, the receiver will be the class or module name. File.size("testfile") Math.sin(Math::PI/4) If you omit the receiver, it defaults to self, the current object. self.id → 537794160 id → 537794160 self.type → Object type → Object This defaulting mechanism is how Ruby implements private methods. Private methods may not be called with a receiver, so they must be methods available in the current object. The optional parameters follow the method name. If there is no ambiguity you can omit the parentheses around the argument list when calling a method. (Other Ruby documentation sometimes calls these method calls without parentheses “commands.”) However, except in the simplest cases we don't recommend this—there are some subtle problems that can trip you up. (In particular, you must use parentheses on a method call that is itself a parameter to another method call (unless it is the last parameter). Our rule is simple: if there's any doubt, use parentheses. a = obj.hash # Same as a = obj.hash() # this. obj.someMethod "Arg1", arg2, arg3 # Same thing as obj.someMethod("Arg1", arg2, arg3) # with parentheses. Earlier we saw that if you put an asterisk in front of a formal parameter in a method definition, multiple arguments in the call to the method will be bundled up into an array. Well, the same thing works in reverse. When you call a method, you can explode an array, so that each of its members is taken as a separate parameter. Do this by prefixing the array argument (which must follow all the regular arguments) with an asterisk. def five(a, b, c, d, e) "I was passed #{a} #{b} #{c} #{d} #{e}" end five(1, 2, 3, 4, 5 ) → "I was passed 1 2 3 4 5" five(1, 2, 3, *['a', 'b']) → "I was passed 1 2 3 a b" five(*(10..14).to_a) → "I was passed 10 11 12 13 14" We've already seen how you can associate a block with a method call. listBones("aardvark") do |aBone| # ... end Normally, this is perfectly good enough—you associate a fixed block of code with a method, in the same way you'd have a chunk of code after an if or while statement. Sometimes, however, you'd like to be more flexible. For example, we may be teaching math skills. (Of course, Andy and Dave would have to learn math skills first. Conrad Schneiker reminded us that there are three kinds of people: those who can count and those who can't.) The student could ask for an n-plus table or an n-times table. If the student asked for a 2-times table, we'd output 2, 4, 6, 8, and so on. (This code does not check its inputs for errors.) print "(t)imes or (p)lus: " times = gets print "number: " number = gets.to_i if times =~ /^t/ puts((1..10).collect { |n| n*number }.join(", ")) else puts((1..10).collect { |n| n+number }.join(", ")) end produces: (t)imes or (p)lus: t number: 2 2, 4, 6, 8, 10, 12, 14, 16, 18, 20 This works, but it's ugly, with virtually identical code on each branch of the if statement. If would be nice if we could factor out the block that does the calculation. print "(t)imes or (p)lus: " times = gets print "number: " number = gets.to_i if times =~ /^t/ calc = proc { |n| n*number } else calc = proc { |n| n+number } end puts((1..10).collect(&calc).join(", ")) produces: (t)imes or (p)lus: t number: 2 2, 4, 6, 8, 10, 12, 14, 16, 18, 20 If the last argument to a method is preceded by an ampersand, Ruby assumes that it is a Proc object. It removes it from the parameter list, converts the Proc object into a block, and associates it with the method. This technique can also be used to add some syntactic sugar to block usage. For example, you sometimes want to take an iterator and store each value it yields into an array. We'll reuse our Fibonacci number generator. a = [] fibUpTo(20) { |val| a << val } → nil a.inspect → "[1, 1, 2, 3, 5, 8, 13]" This works, but our intention isn't quite as transparent as we may like. Instead, we'll define a method called into, which returns the block that fills the array. (Notice at the same time that the block returned really is a closure—it references the parameter anArray even after method into has returned.) def into(anArray) return proc { |val| anArray << val } end fibUpTo 20, &into(a = []) a.inspect → "[1, 1, 2, 3, 5, 8, 13]" Some languages feature “keyword arguments”—that is, instead of passing arguments in a given order and quantity, you pass the name of the argument with its value, in any order. Ruby 1.6 does not have keyword arguments (although they are scheduled to be implemented in Ruby 1.8). In the meantime, people are using hashes as a way of achieving the same effect. For example, we might consider adding a more powerful named-search facility to our SongList. class SongList def createSearch(name, params) # ... end end aList.createSearch("short jazz songs", { 'genre' => "jazz", 'durationLessThan' => 270 } ) The first parameter is the search name, and the second is a hash literal containing search parameters. The use of a hash means that we can simulate keywords: look for songs with a genre of “jazz” and a duration less than 4 1/2 minutes. However, this approach is slightly clunky, and that set of braces could easily be mistaken for a block associated with the method. So, Ruby has a short cut. You can place key => value pairs in an argument list, as long as they follow any normal arguments and precede any array and block arguments. All these pairs will be collected into a single hash and passed as one argument to the method. No braces are needed. aList.createSearch("short jazz songs", 'genre' => "jazz", 'durationLessThan' => 270 ).
http://www.ruby-doc.org/docs/ProgrammingRuby/tut_methods.html
crawl-003
refinedweb
1,656
64.61
On Sun, 2008-05-04 at 22:56 +1000, Neil Brown wrote:> On Saturday May 3, assirati@nonada.if.usp.br wrote:> > Let's try again, this this time with a proper e-mail subject.> > The problem I reported in> >> > still persists at 2.6.25.1. (sorry for the repeated messages there; that was > > my mail client's fault).> > > > In my previous bug repor, I was using raid1; now, I am using raid5, as > > follows.> > > > I have three partitions /dev/sda2, /dev/sdb2 and /dev/sdc2 marked as raid > > autodetect (FD). They are assembled as a partitionable raid 5 array, and my > > root is in /dev/md_d0p1. With a 2.6.24.2 kernel with sata, ext3 and raid5 > > compiled in (I don't use initrd), the system boots fine. In fact, the raid > > array and partitions are detected as show with dmesg:> > > > md: Autodetecting RAID arrays.> > md: Scanned 3 and added 3 devices.> > md: autorun ...> > md: considering sdc2 ...> > md: adding sdc2 ...> > md: adding sdb2 ...> > md: adding sda2 ...> > md: created md_d0> > md: bind<sda2>> > md: bind<sdb2>> > md: bind<sdc2>> > md: running: <sdc2><sdb2><sda2>> > raid5: device sdc2 operational as raid disk 2> > raid5: device sdb2 operational as raid disk 1> > raid5: device sda2 operational as raid disk 0> > raid5: allocated 3226.> > md_d0: p1 p2 p3 p4 < p5 p6 p7 >> > > > The last line shows my raid partitions are detected.> > > > However, when I try kernel 2.6.25.1, again with sata, ext3 and raid5 compiled > > in and no initrd, the kernel does not recognize the raid partitions at boot > > time, nonetheless the array is dected. The output of dmesg is the same until:> > > > raid5: allocated 3224.> > VFS: Cannot open root device "md_d0p1" or unknown-block(0,0)> > Please append a coorect "root=" boot option; here are the available partitions:> > 0800 312571224 sda driver:sd> > 0801 96358 sda1> > 0802 312472282 sda2> > 0810 312571224 sdb driver:sd> > 0811 96358 sdb1> > 0812 312472282 sdb2> > 0820 312571224 sdc driver:sd> > 0821 96358 sdc1> > 0822 312472282 sdc2> > fe00 624944384 md_d0 (driver?)> > Kernel panic - not syncing: VFS: Unable to mount root fs on unknown-block(0,0)> > > > Note the absence of the line> > md_d0: p1 p2 p3 p4 < p5 p6 p7 >> > showing partition detection.> > > > It appears this regression was introduced by commit> edfaa7c36574f1bf09c65ad602412db9da5f96bf> Driver core: convert block from raw kobjects to core devices> > Previously, the device name "md_d0p1" would be parsed out as "md_d0"> and partition 1.> md_d0 would be found and the device number of the first partition> could then be deduced even though the partition table hadn't been> processed at this point, so 'p1' wasn't actually known.> The kernel would attempt to open 'p1', this would trigger a read of> the partition table and the open would be successful.> > The new code is 'simpler'. It doesn't try to parse the device name at> all. It just compares the device name against the names of all known> devices. As the partitions are not known at this time, md_d0p1 is not> found.> > There seem to be two ways this could be fixed:> 1/ restore the old behaviour of parsing out the partition information.> This would be least likely to leave other regressions waiting to be> found, but might be seen as somewhat ugly.> > 2/ Get md_d0 to read it's partition table earlier. I've tried this> before without much luck.> There are three times that the partition table can be parsed.> a/ When the device is opened if bd_invalidated is set.> b/ When the device is first registered. register_disk calls> blkdev_get which effectively opens the device, thus triggering> 'a' above.> c/ When the BLKRRPART ioctl is made on the device.> > When an md device is first registered, there are no disks attached> to it, so no partition table can be read. The way md devices get> set up, they are registered as empty devices, the component devices> are attached, then the array is 'started'. Only at this point can> data, such as the partition table, be read. But this it too late> for case 'b' above. Case 'a' is the one that usually causes> partitions to be read. 'mdadm' explicitly opens devices after> creating them to trigger this.> > We could conceivably put a BLKRRPART call in at the end of> autorun_array where the array has just been started, but that would> be rather ugly. We would need to open the device, and doing that> inside the kernel is never clean. The code in 'init/*.c' for that> sort of thing creates nodes in /dev in a temporary root filesystem.> We cannot do that for autorun_array as it can be call long after> boot time (but the RAID_AUTODETECT ioctl) so there may not be > a temporary filesystem to play with.> > So I currently think that restoring the old behaviour of not requiring> partitions to exist before trying to open them would be best.> > Kay?Care to test/fix/improve the following. I just booted a normal disk,didn't test a partitioned md device.Thanks,KayFrom: Kay Sievers <kay.sievers@vrfy.org>Subject: block: do_mounts - accept root=<non-existant partition>Some devices, like md, may create partitions only at first access,so allow root= to be set to a valid non-existant partition of anexisting disk. This applies only to non-initramfs root mounting.Signed-off-by: Kay Sievers <kay.sievers@vrfy.org>---diff --git a/block/genhd.c b/block/genhd.cindex fda9c7a..129ad93 100644--- a/block/genhd.c+++ b/block/genhd.c@@ -653,7 +653,7 @@ void genhd_media_change_notify(struct gendisk *disk) EXPORT_SYMBOL_GPL(genhd_media_change_notify); #endif /* 0 */ -dev_t blk_lookup_devt(const char *name)+dev_t blk_lookup_devt(const char *name, int part) { struct device *dev; dev_t devt = MKDEV(0, 0);@@ -661,7 +661,11 @@ dev_t blk_lookup_devt(const char *name) mutex_lock(&block_class_lock); list_for_each_entry(dev, &block_class.devices, node) { if (strcmp(dev->bus_id, name) == 0) {- devt = dev->devt;+ struct gendisk *disk = dev_to_disk(dev);++ if (part < disk->minors)+ devt = MKDEV(MAJOR(dev->devt),+ MINOR(dev->devt) + part); break; } }@@ -669,7 +673,6 @@ dev_t blk_lookup_devt(const char *name) return devt; }- EXPORT_SYMBOL(blk_lookup_devt); struct gendisk *alloc_disk(int minors)diff --git a/include/linux/genhd.h b/include/linux/genhd.hindex ecd2bf6..612a790 100644--- a/include/linux/genhd.h+++ b/include/linux/genhd.h@@ -524,7 +524,7 @@ struct unixware_disklabel { #define ADDPART_FLAG_RAID 1 #define ADDPART_FLAG_WHOLEDISK 2 -extern dev_t blk_lookup_devt(const char *name);+extern dev_t blk_lookup_devt(const char *name, int part); extern char *disk_name (struct gendisk *hd, int part, char *buf); extern int rescan_partitions(struct gendisk *disk, struct block_device *bdev);@@ -552,7 +552,7 @@ static inline struct block_device *bdget_disk(struct gendisk *disk, int index) static inline void printk_all_partitions(void) { } -static inline dev_t blk_lookup_devt(const char *name)+static inline dev_t blk_lookup_devt(const char *name, int part) { dev_t devt = MKDEV(0, 0); return devt;diff --git a/init/do_mounts.c b/init/do_mounts.cindex 3885e70..660c1e5 100644--- a/init/do_mounts.c+++ b/init/do_mounts.c@@ -76,6 +76,7 @@ dev_t name_to_dev_t(char *name) char s[32]; char *p; dev_t res = 0;+ int part; if (strncmp(name, "/dev/", 5) != 0) { unsigned maj, min;@@ -106,7 +107,31 @@ dev_t name_to_dev_t(char *name) for (p = s; *p; p++) if (*p == '/') *p = '!';- res = blk_lookup_devt(s);+ res = blk_lookup_devt(s, 0);+ if (res)+ goto done;++ /*+ * try non-existant, but valid partition, which may only exist+ * after revalidating the disk, like partitioned md devices+ */+ while (p > s && isdigit(p[-1]))+ p--;+ if (p == s || !*p || *p == '0')+ goto fail;++ /* try disk name without <part number> */+ part = simple_strtoul(p, NULL, 10);+ *p = '\0';+ res = blk_lookup_devt(s, part);+ if (res)+ goto done;++ /* try disk name without p<part number> */+ if (p < s + 2 || !isdigit(p[-2]) || p[-1] != 'p')+ goto fail;+ p[-1] = '\0';+ res = blk_lookup_devt(s, part); if (res) goto done;
https://lkml.org/lkml/2008/5/5/193
CC-MAIN-2020-10
refinedweb
1,278
63.49
"help" produced an error message. And it's actually a WinXP disc, which for some reason has a really old version of DOS on it. I'll search anyway, but I doubt I'll find it. I looked at... "help" produced an error message. And it's actually a WinXP disc, which for some reason has a really old version of DOS on it. I'll search anyway, but I doubt I'll find it. I looked at... Unfortunealty I have version 4.10.2222 of DOS (the one the comes w/win98) and it doesn't recognize xcopy. I have a computer, and I can only use DOS on it. Nothing else. I have attached an external HDD to it, and I want to copy everything from the computer onto the HDD. I tried typing "copy c:\* d:\*" ... Is there a way in C++ to specifically put a certain variable in the processor's cache? If not is there a way with inline x86 assembly code? Thanks, all my problems are gone now. Here's some code I have: #include <iostream.h> #include <stdlib.h> #include <fstream.h> #include <string.h> using namespace std; int main() Have you tried google? This should be moved to the General Discussions board. Cuz the poll was rigged in your favor. You had the most motivation to rig it. IMO, Dev-C++ is the best IDE. It looks pretty cool, but it would be nice if it were interactive. A "good" compiler is a matter of opinion, but I'm sure there are qualitties almost anyone would want in a compiler. This sounds a lot like homework. Oh, and nice title. Without it, I would have never guessed this topic was on C++. Both of those laptops are better than the one I'm using right now (500 Mhz P3, 96MB Ram, 2MB video chip, 5GB HDD, broken mouse) I'm a communist, and I like open source, but I don't like Linux. Windows is better, regardless of price. It's this goo that you put in your hair to make it stay that way. What does AFAIK mean? You don't change it WHILE it is running. I think all you have to do is go thru a couple million lines of source code, make the change you want, recompile the OS, and reinstall it. It's as simple as... Why does it have to be 2 disks? I think Stoned_Coder knows C++. You're going to grow trees!?! How are you going to make a profit? The computer actually doesn't really know. One way humans help the computer differenciate between pictures/text/etc. is the filename extensions ( .bmp, .txt, .wav, .etc). You could rename a .bmp to... Well, then he isn't being agressive anymore is he? Problem solved. And did you really break your hand punching a wall? Must have been a pretty hard wall! There are commercial programs which record your screen as a video. To make one of your own, you're going to need to know alot of C++.
https://cboard.cprogramming.com/search.php?s=19d422a1e92569ff556dbb3ce7f8f55c&searchid=5966823
CC-MAIN-2020-40
refinedweb
514
87.01
I wanted to make my own helmet cam which would also show data about what was going on (e.g. speed, altitude, temperature). I came up with a 1 led, 1 button design; the led flashes when the cam is 'ready' (quickly when there isn't a GPS fix, slowly when there is GPS fix), the led comes on when the camera is recording, a short button press starts / stops the camera and a long button press shutdowns the helmet cam. I set about writing the code which would run at start-up of the Pi and control the camera, waiting for the button to be pressed, controlling the led, reading the GPS data and temperature data and start / stop the camera. The program is multi-threaded and simply starts up a thread for each 'thing' (led, button, GPS, temperature sensor) that needs to be 'controlled', the main program then polls these controllers asking them if anything has changed and acts accordingly (e.g. starting / stopping the camera, shutting down the pi). When the camera is started , the program uses the excellent python module, picamera, to start the video capture and writes the gps and temperature data to a file while the video is recording. I made a change to the picamera module (which has since been introduced), this gave me a function to read the current frame number while the video was being recorded, allowing me to sync the data I have read to an exact position in the video. I then use the data file to create a data video which I ultimately overly on top of the video taken from the helmet cam. The data video is created in exactly the same way as my Raspberry Pi GPS Car Dash Cam, by creating individual images for each frame using PIL (python imaging library). A single frame image from a data video I then use mencoder to join the images together into a single video. Hardware The helmet cam is a Raspberry Pi model A inside a small sandwich box, a control box and a Raspberry Pi camera board on the end of a long ribbon cable. The control box houses an Adafruit Ultimate GPS breakout board, a waterproof led and button, a temperature sensor and a very badly soldered piece of strip board which ties it all together. It was my first time using stripboard, so moving my breadboard build to something more robust was a big job for me, but armed with a piece of paper and a set of crayons I came up with a design! The camera is mounted on a small piece of wood, cut so when its mounted on my helmet, it, roughly, points in the right direction. I got a 1m cable for the camera which I shielded with tin foil, as without it, it caused the GPS unit to loose fix when it was recording and then wrapped it in a polyester braided sheath. The camera, mount and cable are then attached using sticky backed velcro to my helmet, so I could take it off when not in use. The whole set-up was powered by a usb power bank. Code There are a number of python modules which make up the helmet cam code: - pelmetcam.py - this is the main program which controls the helmet cam - tempSensorController.py - module which continually reads from the temperature sensor - GPSController.py - module which continually reads from the GPS sensor - createDataOverlay.py - module which creates the data overlay images I also created a few bash scripts to make things easier to manage: - runPelmetcam.sh - this is run when the pi boots and starts up the helmet cam, including the GPS daemon, temp sensor modules and shuts down the pi when the program finishes - runPelmetcam.init - init.d script to make runPelmetcam.sh run at boot, see this post for information on running commands at boot - createVideos.sh - runs the commands to make the main video into an MP4, creating the data overlay images and encoding them into a video file Challenges Before I went away I wanted to make sure it would operate in cold weather and test simple things, like my code would work if temperatures went negative, unfortunately an unusually mild winter in the UK mean't the only thing I could do was stick it in the freezer! It performed perfectly for the 20 minutes I left it in there. I can also confirm that the light does go off when you close the freezer door! After the unit had been on for a while I started to notice that the temperature sensor was reporting temperatures much higher than expected (i.e. +9 C when it was -5 outside), I don't know for sure but I'm pretty sure the GPS unit generates a little bit of heat, which obviously when trapped inside a small sealed box warmed it up a bit! If I was to do it again I wouldn't bother putting the GPS unit in the control box; it seemed like a good idea due to the interference the camera creates and a desire to have it 'outside' to get a better GPS fix, but with the shielding on the camera cable and the sensitivity of the GPS Unit, I didn't need to worry. There is a current bug in the raspberry pi firmware which means if you try to use the raspberry pi camera at the same time as using a 1-wire sensor (like my temperature one) the camera will fail to start up. There are several reported workarounds, in the end I ended up reverting to an old firmware which didn't suffer from this bug. Stability I wasn't expecting my Pi powered helmet cam to be very robust, I was secretly only expecting to get 1 or 2 runs out of it. I thought the combination of wet conditions, very cold temperatures, dodgy wiring / soldering and some pretty aggressive snowboarding would mean that it just self destructed. However, it proved to be very robust, I used it all week and recorded hours of footage with the camera. The only component which failed was a cheap micro usb power cable which split and caused the pi to boot and reboot continuously as it shorted out, ultimately leading to a corrupt file system. Full Length Videos You can watch the unabridged videos taken using the helmet cam on my youtube channel: Les Deux Alpes 2014 - Snowboarding "Vallee Blanche Off The Side" Les Deux Alpes 2014 - Snowboarding - "Boarder Cross Lee Wins" Les Deux Alpes 2014 - Snowboarding "Under the Vandri Lift into the Trees" Les Deux Alpes 2014 - Snowboarding "Piste Down To Lac Noir Lift" Shopping List I was asked what 'bits' you need to create your own helmet cam. A lot of these bits I already had, but I think this is a complete shopping list: - Raspberry Pi - Model A - Raspberry Pi - Camera Board - Sandisk Class 10 32GB SD Card - Adafruit Ultimate GPS Breakout Board (UK, US) - Waterproof Push Button - Waterproof Ultrabright Red LED - Electronic Project Enclosure - 1m ribbon camera cable - Tin Foil (for shielding camera cable) - Portable Battery Charger USB Power Bank - 15mm Polyester Braiding - 8m Polyester Braiding - DS18B20 Temperature Sensor (UK, US) - 4.7k resistor (for temperature sensor) - 10k resistor (pull down for button) - ?k resistor (appropriate for your LED) - Stripboard - Plenty of wire Lucky! I never really got to snowboard... We don't really live anywhere cold with snow. Plenty of time to learn... martin, i go away to alpes d'huez in 11 sleeps. is it feasible to make this work in that amount of time? If you have already got the bits then, yes, I dont see why not. The only build is the control panel and camera cable and mount. If I had my time again would only put the button and the led into the control panel and leave the GPS receiver in with the Pi, which would simplify things. It just a question of whether you could get all the bits! If you interested, Ill try and pull together a shopping list and include it in the post. I'd definitely be interested. Im on pimoroni now, trying to work out exactly what i need. The first image makes it look as if the camera wasnt pointing forwards, looks more up to the sky. was that right? or a testing version? Ive added a shopping list for you. For most of the commodity items (braiding, buttons, led's), ebay will be your friend! What's the best source for long camera ribbon cables? The usual suppliers don't seem to have anything longer than ~50cm. Ebay 100cm cable The camera seems to work well. I remember reading something that suggested the cable supplied with Pi Camera is short because there are performance issues with longer cables. Did you experience any? No, nothing. There are pictures on the forum of people using VERY long cables. Good to know. Great article Martin. Thanks. Awesome project, thanks for sharing. Planning to incorporate some of your code for my GPS rover.. Excellent, I look forward to seeing it in action. works it with a raspberry pi model b Yes it works fine with a Model B, it will just use more power. The model A uses about half the power of a model B. tnks voor the quick reply. I follow you for a while and would like to give something back to the things you do for us. I'd like to make you totally free a website. Aleen hosting fees. please contact me via google+ as you may want to sorry for bad english Hi Martin.. This is brilliant and thanks for being so generous with your info. I was looking for a project learn how to use GPS and a Raspberry Pi and by coincidence am going skiing next week so this was perfect! I have mostly got my version working but I was wondering if you could help with the overlaying of the videos. I am at a stage where I get two videos but am a bit confused how you overlay them? Any help would be great, Thanks Hi Doug, Im glad you have found it useful, Im also really pleased you have built your own. I would love to see the results, do you have a blog or anything? Anyway to overlay! I actually use Microsoft Expression Encoder 4. Its a free video encoder and actually a pretty good one. There is an option when you encode a video to do a video overlay, you can also set a level of transparency too. This is what I used to bring the helmet cam video and the data video together. You could use ffmpeg on the pi, but it will take AGES to encode, my advice, copy it onto something with a little more power to do the encoding. Hope that helps. Mart Mart, Oh, I see, thanks. I downloaded Expression last night so will have a play with it today and certainly upload some videos when I have something decent to share.. Thanks again, Doug Hey Martin, I love the tutorials you are posting, and I really like your code! I am having some trouble, and I really hate to bother you with this, but I have been at my project for days now and really dont know where else to go. first, I dropped kernel version to 3.6 like you recomened ( i was hitting the temp single line probe issue). I used your pelmetcam repo as well as your picamera fork. I believe i have most everything working, but I keep getting this error everytime i push the record button mmal: mmal_vc_port_parameter_set: failed to set port parameter 32:2:ENOSYS Unexpected error - Unable to set inline_headers: Function not implemented I have searched high an low for a fix but the only thing i hear is "upgrade firmware" but i really dont want to for the same reason i backed down from the 3.10 kernel. I did the sudo python setup.py install for the picamera in the picamera dir, i just dont know what is causing this error or how to adress it. did you bump into this? do you have any recomendations? thanks, and again, sorry for the trouble. Right... I think! We are going back a while that i needed to find a version of the kernel which supported inline headers but didnt contain the 1-wire bug! It was a right pain. If you look in the github readme, i give the specific kernel build i used, are you using this one? 04/01/2013 Due to an error with the rpi kernel, you need to use kernel version Linux picam 3.6.11+ #557, until the bug is fixed downgrade kernel with command sudo rpi-update 8234d5148aded657760e9ecd622f324d140ae891 yup, that build is the magic one! looks like I was running a 3.6.11+ kernel that was just a few builds newer. Thanks a bunch man. let me know if I can return the favor. Just let me know if you manage to get the cam built and it would be good to see some uploaded video. for sure, I am installing it into my motorcycle. so far I got video, gps and therm. I just need to figure out how to tweak the overlays and stitch them together. then of course, overlap. Did you ever look into actually super imposing the overlay gps ontop of the actual h264 frames themself. From what i hear, python can ca do that, but im still new to multimedia and python. Also, I wrote a script that builds kml files for google earth. If you would like I can send that to you when i get it working with your csv. it takes all the gps plot points and draws a red line along the path and is viewed through google earth. I am using it specifically for trip tracking for my bike. I looked many times at overlaying the data in real-time. Im sure it is possible, but outside my realm of experience or level of interest to try and solve the issue. The key sticking point seems to be getting the GPU rather than CPU to do the work, as if you try and do the overlay in the CPU it wont be quick enough. I spoke to Dave Jones who created picamera and its a task he has on his list for inclusion in a future version of picamera, till then or someone else provides a solution Im happy to do any overlay in post production. On the subject of data overlay in post production, I used Microsoft Expression Encoder, its pretty good and really simple to use. Hey Martin, How did you tweak your overlay to be transparent? I tweaked the overlay.py script to make the background of the image transparent, and the PNGs it spits out look good with transparent backgrounds, but it seems like the minute I make the data.avi with mencoder, it makes everything that was transparent... black. any ideas? I could never work out how to make movies with transparency, it only seems to be supported by a handful of codecs. So, I added the transparency in post production when I overlayed the data video onto the camera video. I used Microsoft Expression, setting the background colour to transparent and the transparency is one of the advanced settings. Hey Martin, I finally got my project running properly. Here is my first trip video with my tweaks to the overlay. Thats great. I'm pleased you modded the overlay to fit your needs. Absolutely fantastic. The only thing missing is a link to the original project ;) I will take care of that ;) Do you experience frame drops for about a second every 30 seconds? I am going to turn down the resolution a bit to see if I can get the video a little smoother. I wish I could post my KML files, those are really fun to look at over Google Earth. Thanks again for the code! I finally got a better mount. once the rain stops, I am going to put it on my motorcycle and see how it goes! I occasionally get frame drops, but i found as long as i stuck to 25fps it was ok, what sd are using, if might be worth investing in a good high capacity class 10. If you can upload the klm files somewhere it would be good to see them. Maybe google drive or dropbox? Hi Martin, I have a class 10 right now, but it still see too much skipping. I uploaded one of my KML files to my webserver: The KML file is generated by a python script I wrote that rips through your CSV file and creates the overlay and dumps it in the directory the CSV is found. Similar to your createOverlay python script. You will need to open it in Google Earth. But i think it is something really neat to add to the project. I noticed Sony has come out with something very similar for $300+ It would be neat if we could build a PelmetCam image for those who want to install and go :) just an idea. Hi Martin, i've used a piece of your code on capture video and save framenumber on a file. What i don't understand is, that i see on that file each frame repeated more than one time. in attach my python code: #!/usr/bin/python import os import time import sys import picamera VIDEOFPS = 30 VIDEOHEIGHT = 1080 VIDEOWIDTH = 1920 try: with picamera.PiCamera() as camera: camera.resolution = (VIDEOWIDTH, VIDEOHEIGHT) camera.framerate = VIDEOFPS camera.vflip = True camera.hflip = True camera.video_stabilization = True camera.start_recording("vid.h264", inline_headers=False) print "Recording - started pi camera" while True: framenumber = camera.frame print str(framenumber) camera.stop_recording() camera.close() except KeyboardInterrupt: print "User Cancelled (Ctrl C)" finally: print "Stopped" could give me an help ? You are getting frame numbers repeated because your program is reading and print the frame number more than 30 times a second. Hi, i am complete newbie to rasberry. rally liked your project and want to do the same. I might sound stupid but wasnt sure about what OS you are using for it.thnx I was just using standard raspbian Hey Martin, I recently acquired a 3d printer and am now putting my pi and its parts in a custom case for this GPS trip-tracking dash cam project for my bike. You can check it out here if you like. Interested in your thoughts. Hello, I'm having problem with the creating of the overlay movie :-( Always the same error... Traceback (most recent call last): File "/home/pi/dev/pelmetcam/createDataOverlay.fullData.py", line 176, in datadrawer.newDataFrame(int(dataitems[0]), ValueError: invalid literal for int() with base 10: 'PiVideoFrame(index=0' A movie of my raspberry cam (cam is build-in in my helmet) You are getting the error because its trying to convert "PiVideoFrame(index=0...." into an integer. Im guessing you used the latest version of picamera. When i created this picamera didnt support getting the 'frame count' so I used a modded version of picamera to do this. You need to change line 176 to pull the frame number out of the "PiVideoFrame(index=0..." text. Which, from looking at the picamera documentation is the "index". Thank you for your reply. It doesn't work.. Now i have Always Floating errors. Can you send me a working file? I'm right now in Les 3 Vallees (Val Thorens France).. I like to test it. Hellow folks, you'll need substitute the line 262 dataString = str(framenumber) by dataString = str(camera.frame.index) This comment has been removed by the author. Hey Martin! Great Project! I am almost ready to go but have a question: I download you scripts but i am not shure where to place them on my raspberry hope to hear from you willem I think you can probably put it where you want. From memory I think I put it in: /home/pi/dev/pelmetcam I tried that but when i start Up mij raspberry iT doesnt run your scripts at boot. Cant quite figure out what the problem is The program needs to be set to run at startup by creating an init.d script, see this post for more info, there is an init.d script called runPelmetCam.init I created that script in /init.d but stil no succes. I'm going to try it again tonight with à clean raspbian os Btw... Is iT necessary that all the hardware is connected? I'm not using the Temp sensor and i am not shure that my GPS is working 100% No idea... I suppose there is a chance the code wont run. Although I suppose there is a chance the code wont run anyway, I havent tried it in over a year! ;) Oke, id like to use it for my skiing trip in a few weeks. Seems like i have to work hard for it :) Martin, thanks for writing and documenting this project. I've just started a build of this on Raspberry Pi 2 which obviously uses the new version of picamera - as such I've run into a few of the problems mentioned here by others. Luckily I've managed to get around them and I've blogged about them in the hope that he'll help others :) Great project, congratulations! Thanks
https://www.stuffaboutcode.com/2014/01/raspberry-pi-gps-helmet-cam.html
CC-MAIN-2019-30
refinedweb
3,611
71.14
Two days after the national day, I even wanted to make a cooing sound. Cough, cough, these are not important! Recently, I studied AC automata and found that it is not as difficult as I thought. Origin of AC automata I know that many people are very excited when they first see this thing. (don't ask me why I know) But AC automata is not an automatic program... AC automata is called AC automata because the algorithm was originally called aho Corasick automaton, which was invented by a man named aho Corasick. So AC automata is also called aho Corasick algorithm The algorithm was produced in Bell Labs in 1975. It is a famous multi-mode matching algorithm. Use of AC automata Then some students may have questions. AC automata can't automatically AC. what's the role? In fact, the usage of AC automata is similar to KMP, which is used to solve the problem of string matching; But the difference is that AC automata is more used to solve the matching problem of multiple strings, in other words, the KMP problem with multiple substrings to match. For example, give some words acbs, asf,dsef; Then give a long article (sentence), acbsdfgeasf; Ask how many words appear in this article, or the total number of words, which is the problem to be solved by AC automata. Implementation method of AC automata AC automata is based on the structure of Trie and the idea of KMP. In short, there are two steps to establish an AC automata: - Basic Trie structure: all pattern strings form a Trie. - KMP's idea: construct mismatch pointers for all nodes on the Trie tree. Then we can use it for multi pattern matching. Students who don't understand trie can Click here to learn Students who can't understand KMP can Click here to learn So let's realize AC automata step by step! Define a dictionary tree First, we need to define a dictionary tree. We use struct to realize the definition of each node: struct node { int next[27]; int fail; int count; void init() { memset(next,-1,sizeof(next)); fail=0; count=0; } }s[1100001]; The next [] array that stores the drive values The next [] array is used to store the position of the last character of each character in the s array in the normal Trie tree. For example, if we read a string APPLE, then: s [1] stores A, its next [P] = 2, and the rest is - 1; s [2] stores P, its next [P] = 3, and the rest is - 1; s [3] stores P, its next [L] = 4, and the rest is - 1; s [4] stores L, its next [E] = 5, and the rest is - 1; s [5] stores E, and its next is - 1. fail: failed pointer fail is the failure pointer. The following structure will talk about how to construct it quickly, so what's the use? Let's take an example. This example only shows the mismatch pointer of e: Suppose we read she, shr, say and her, then we get a lovely dictionary tree: Then we just construct a failure pointer: For example, matching article: sher, we just started from s and walked to the left. After walking to e, we found that: ah, there is no way to continue walking. If we start another round of matching from h, it will be a great waste of time; At this time, we are like, can we use the previous matching information? tolerable! The prefix he of her is exactly the same as that of she, so when she matching fails, we jump to the back of he and continue matching, and find that R matches r! This is the use of the fail pointer. Is it very similar to the next array of KMP! count at the end of the record If I insert a word APPLE, insert it into the last e, and find that this word has no subsequent letter. At this time, we will add a 1 to the count of this e, indicating that there is a word ending with this E. Initialized init() Here we also define an initialization function init(), which is used to initialize when we start a new starting point. Insert words into the dictionary tree Let's explain it in combination with the procedure:; } First, str array is the string we want to read in, and ind represents my current position in s [] array; Next, let's start the cycle - for each point: If the next of his previous letter does not point to his letter, we will create a new point to store the letter and let the next of his previous letter point to it; If there is a position that directly points to its letter, just jump over it! Finally, don't forget to add 1 to the count at the end of each word. a key!!! Quick construction of fail pointer What's the use of the fail pointer First, what is the use of the fail pointer? Let's continue with the previous example: We found that the fail pointer of e on the left points to e on the far right of L, so what is the meaning of this pointer? When a point i points to a point J, let's start from J and go up l characters to the vertex, where the string from the vertex to j is s; In this example, s is "he" and the length is l, that is, 2; Then start with i and go up L-1 characters to get a string ss. In this example, ss is also "he"! At this time, we were surprised to find that s is the same as ss!! We know that when the fail pointer of i points to j, the string s from vertex to j is the suffix of the string from vertex to i! In this way, if i continues to match down and fails, i can start matching directly from his fail instead of starting from scratch! Save a lot of time! This is the essence of the fail pointer! How to construct the fail pointer Let's paste the code first: int make_fail() { int head=1,tail=1; int ind,ind_f; for(int i=1;i<=26;i++) { if(s[0].next[i]!=-1) { q[tail]=s[0].next[i]; tail++; } } while(head<tail) { ind=q[head]; for(int i=1;i<=26;i++) { if(s[ind].next[i]!=-1) { q[tail]=s[ind].next[i]; tail++; ind_f=s[ind].fail; while(ind_f>0 && s[ind_f].next[i]==-1) ind_f=s[ind_f].fail; if(s[ind_f].next[i]!=-1)ind_f=s[ind_f].next[i]; s[s[ind].next[i]].fail=ind_f; } } head++; } return 0; } First, we need to open a queue q to store the points to be processed; Then we add all the points connected to the vertices to the queue, and then we operate on each number in the queue: First, add all his sons to the end of the queue, and then as a responsible father node, we can't just throw our sons to the end of the queue, and do a good job - help our sons do a good job in the fail pointer—— First, if I am the parent node x, for the child node of the letter A, I will first look at the node y pointed to by my fail pointer and see if y has the letter a child node z. if so, it would be great. I will let the fail pointer of my child node point to z; If not, start from y and continue to see if there are any child nodes of the letter a at the point he fail s to point to... Until you find the point that meets the conditions. If there's no way, even if the fail can't be found all the way to node 0, there's no way. The fail of my letter a child node has to point to node 0 [because the initialization is 0, so there's no need to operate at this time] Let's take a concrete chestnut to see: So this operation can quickly construct the fail pointer! KMP on tree Let's look at the code; } Similarly, Ind indicates that I have matched the current point. If the current point does not continue to be the same as any child node of ind, then I will jump to the point pointed by the fail pointer of ind... I know that I find a match with the current point or jump to the root node, which is very same as KMP! It should be noted that since this problem is to solve which points appear in the parent string, we have carried out a layer of Optimization: while(p>0 && s[p].count!=-1) { ans=ans+s[p].count; s[p].count=-1; p=s[p].fail; } When we match a string s [string from the root node to IND], we jump to its fail. Because the string ss from his fail to the root node must be the suffix of S, ss must also appear in the parent string. At this time, add its count and set it to - 1 to prevent subsequent repeated access! Template question [Luogu p3808] Topic background This is a simple AC automata template problem. Used to detect correctness and algorithm constants. In order to prevent card OJ, there are only two groups of data on the basis of ensuring correctness. Please do not submit maliciously. Administrator's note: there are repeated words in the data of this question, and the repeated words should be calculated many times. Please pay attention Title Description Given n pattern strings and 1 text string, find how many pattern strings have appeared in the text string. Input / output format Input format: An n in the first line indicates the number of pattern strings; The following n lines have a pattern string for each line; The next line is a text string. Output format: A number represents the answer Sample input and output Input sample #1: copy 2 a aa aa Output example #1: copy 2 explain subtask1[50pts]: ∑ length (mode string) < = 10 ^ 6, length (text string) < = 10 ^ 6, n = 1; subtask2[50pts]: ∑ length (mode string) < = 10 ^ 6, length (text string) < = 10 ^ 6; This is the template question. The template is given below: #include<cstdio> #include<cstdlib> #include<cstring> #include<algorithm> using namespace std; struct node { int next[27]; int fail; int count; void init() { memset(next,-1,sizeof(next)); fail=0; count=0; } }s[1100001]; int i,j,k,m,n,o,p,js,jl,jk,len,ans,num; char str[1100000],des[1100000]; int q[1100000];; } int make_fail() { int head=1,tail=1; int inf,inf_f; for(int i=1;i<=26;i++) { if(s[0].next[i]!=-1) { q[tail]=s[0].next[i]; tail++; } } while(head<tail) { inf=q[head]; for(int i=1;i<=26;i++) { if(s[inf].next[i]!=-1) { q[tail]=s[inf].next[i]; tail++; inf_f=s[inf].fail; while(inf_f>0 && s[inf_f].next[i]==-1) inf_f=s[inf_f].fail; if(s[inf_f].next[i]!=-1)inf_f=s[inf_f].next[i]; s[s[inf].next[i]].fail=inf_f; } } head++; } return; } int main() { scanf("%d",&m); num=0;s[0].init(); for(int i=1;i<=m;i++) { scanf("%s",str+1); ins(); } scanf("%s",des+1); ans=0; make_fail(); find(); printf("%d",ans); return 0; } epilogue Through this blog, I believe you must have learned AC automata! I hope you like this blog!!!
https://algorithm.zone/blogs/string-algorithm-ac-automata.html
CC-MAIN-2022-21
refinedweb
1,952
65.46
Maps are represented in the API by the GoogleMap and MapFragment classes. Code samples The ApiDemos repository on GitHub includes samples that demonstrate the use of the GoogleMap object and the SupportMapFragment: - BasicMapDemoActivity: Displaying a basic map with a marker - basic_demo.xml: Adding a SupportMapFragmentin a layout definition Add a map to an Android app The basic steps for adding a map are: - (You only need to do this step once.) Follow the steps in the project configuration guide to get the API, obtain a key and add the required attributes to your Android manifest. - Add a Fragmentobject to the Activitythat will handle the map. The easiest way to do this is to add a <fragment>element to the layout file for the Activity. - Implement the OnMapReadyCallbackinterface and use the onMapReady(GoogleMap)callback method to get a handle to the GoogleMapobject. The GoogleMapobject is the internal representation of the map itself. To set the view options for a map, you modify its GoogleMapobject. - Call getMapAsync()on the fragment to register the callback. Below is more detail about each step. Add a fragment Add a <fragment> element to the activity's layout file to define a Fragment object. In this element, set the android:name attribute to "com.google.android.gms.maps.MapFragment". This automatically attaches a MapFragment to the activity. The following layout file contains a <fragment> element: <?xml version="1.0" encoding="utf-8"?> <fragment xmlns: You can also add a MapFragment to an Activity in code. To do this, create a new MapFragment instance, and(); Add map code To work with the map inside your app, you'll need to implement the OnMapReadyCallback interface and set an instance of the callback on a MapFragment or MapView object. This tutorial uses a MapFragment, because that's the most common way of adding a map to an app. The first step is to implement the callback interface: public class MainActivity extends FragmentActivity implements OnMapReady.map is added automatically to the Android project when you build the layout file.. The callback is triggered when the map is ready to be used. It provides a non-null instance of GoogleMap. You can use the GoogleMap object to set the view options for the map or add a marker, for example. @Override public void onMapReady(GoogleMap map) { map.addMarker(new MarkerOptions() .position(new LatLng(0, 0)) .title("Marker")); } The map object The Google Maps Android API allows you to display a Google map in your Android application. These maps have the same appearance as the maps you see in the Google Maps for Mobile (GMM) app, and the API exposes many of the same features. Two notable differences between the GMM application and the maps displayed by the Google Maps Android API are: - Map tiles displayed by the API don't contain any personalized content, such as personalized smart icons. - Not all icons on the map are clickable. For example, transit station icons can’t be clicked. However, markers that you add to the map are clickable, and the API has a listener callback interface for various marker interactions. In addition to mapping functionality, the API also supports a full range of interactions that are consistent with the Android UI model. For example, you can set up interactions with a map by defining listeners that respond to user gestures. The key class when working with a map object is the GoogleMap class. GoogleMap models the map object within your application. Within your UI, a map will be represented by either a MapFragment or MapView object. GoogleMap handles the following operations automatically: - Connecting to the Google Maps service. - Downloading map tiles. - Displaying tiles on the device screen. - Displaying various controls such as pan and zoom. - Responding to pan and zoom gestures by moving the map and zooming in or out. In addition to these automatic operations, you can control the behavior of maps with objects and methods of the API. For example, GoogleMap has callback methods that respond to keystrokes and touch gestures on the map. You can also set marker icons on your map and add overlays to it, using objects you provide to GoogleMap. MapFragment MapFragment, a subclass of the Android Fragment class, allows you to place a map in an Android fragment. MapFragment objects act as containers for the map, and provide access to the GoogleMap object. Unlike a View, a Fragment represents a behavior or a portion of user interface in an activity. You can combine multiple fragments in a single activity to build a multi-pane UI and reuse a fragment in multiple activities. Refer to the Android documentation on Fragments to learn more. MapView MapView, a subclass of the Android View class, allows you to place a map in an Android View. A View represents a rectangular region of the screen, and is a fundamental building block for Android applications and widgets. Much like a MapFragment, the MapView acts as a container for the map, exposing core map functionality through the GoogleMap object. When using the API in fully interactive mode, users of the MapView class must forward the following activity lifecycle methods to the corresponding methods in the MapView class: onCreate(), onStart(), onResume(), onPause(), onStop(), onDestroy(), onSaveInstanceState(), and onLowMemory(). The ApiDemos repository on GitHub includes a sample that demonstrates how to forward the activity lifecycle methods. When using the API in lite mode, forwarding lifecycle events is optional. For details, see the lite mode documentation. Map types There are many types of maps available within the Google Maps Android API. A map's type governs the overall representation of the map. For example, an atlas usually contains political maps that focus on showing boundaries, and road maps that show all of the roads for a city or region. The Google Maps Android API offers four types of maps, as well as an option to have no map at all: - Normal - Typical road map. Roads, some man-made features, and important natural features such as rivers are shown. Road and feature labels are also visible. - Hybrid - Satellite photograph data with road maps added. Road and feature labels are also visible. - Satellite - Satellite photograph data. Road and feature labels are not visible. - Terrain - Topographic data. The map includes colors, contour lines and labels, and perspective shading. Some roads and labels are also visible. - None - No tiles. The map will be rendered as an empty grid with no tiles loaded. Change the map type To set the type of a map, call the GoogleMap object's setMapType() method, passing one of the type constants defined in GoogleMap. For example, to display a satellite map: GoogleMap map; ... // Sets the map type to be "hybrid" map.setMapType(GoogleMap.MAP_TYPE_HYBRID); The image below shows a comparison of normal, hybrid and terrain maps for the same location: Indoor maps. Work with indoor maps in the API. If you'd. - An interface on GoogleMap, OnIndoorStateChangeListener, allows you to set a listener to be called when either a new building comes into focus, or a new level is activated in a building. For more details, see Interacting with the Map. GoogleMap.getFocusedBuilding()gives you the building that is currently in focus. You can then find the currently active level by calling IndoorBuilding.getActiveLevelIndex(). Refer to the reference documentation to see all the information available in the IndoorBuildingand IndoorLevelobjects. Add floor plans Indoor maps (floor plans) are available in select locations. If floor plan data is not available for a building that you would like to highlight in your application, you can: - Add floor plans to Google Maps directly. This will make your floor plans available to all users of Google Maps. - Display a floor plan as a ground overlay or tile overlay on your map. This will enable only users of your application to view your floor plans. Configure initial state The Maps API allows you to configure the initial state of the map to suit your application's needs. You can specify the following: - The camera position, including: location, zoom, bearing and tilt. See Changing the Map View for more details on camera positioning. - The map type. - Whether the zoom buttons and/or compass appear on screen. - The gestures a user can use to manipulate the camera. - Whether lite mode is enabled or not. A lite mode map is a bitmap image of a map that supports a subset of the functionality supplied by the full API. You can configure the initial state of the map either via XML, if you have added the map to your activity's layout file, or programmatically, if you have added the map that way. Using XML attributes This section describes how to set the initial state of the map if you have added a map to your application using an XML layout file. The Maps API defines a set of custom XML attributes for a MapFragment or a MapView that you can use to configure the initial state of the map directly from the layout file. The following attributes are currently defined: mapType. This allows you to specify the type of map to display. Valid values include: none, normal, hybrid, satelliteand terrain. cameraTargetLat, cameraTargetLng, cameraZoom, cameraBearing, cameraTilt. These allow you to specify the initial camera position. See here for more details on Camera Position and its properties. uiZoomControls, uiCompass. These allow you to specify whether you want the zoom controls and compass to appear on the map. See UiSettingsfor more details. uiZoomGestures, uiScrollGestures, uiRotateGestures, uiTiltGestures. These allow you to specify which gestures are enabled/disabled for interaction with the map. See UiSettingsfor more details. zOrderOnTop. Control whether the map view's surface is placed on top of its window. See SurfaceView.setZOrderOnTop(boolean) for more details. Note that this will cover all other views that could appear on the map (e.g., the zoom controls, the my location button). useViewLifecycle. Only valid with a MapFragment. This attribute specifies whether the lifecycle of the map should be tied to the fragment's view or the fragment itself. See here for more details. liteMode. A value of truesets the map to lite mode. A lite mode map is a bitmap image of a map that supports a subset of the functionality supplied by the full API. The default value of this attribute is false. In order to use these custom attributes within your XML layout file, you must first add the following namespace declaration. You can choose any namespace, it doesn't have to be map: xmlns:map="" You can then add the attributes with a map: prefix into your layout components, as you would with standard Android attributes. The following XML code snippet shows how to configure a MapFragment with some custom options. The same attributes can be applied to a MapView"/> Programmatically This section describes how to set the initial state of the map if you have added a map to your application programmatically. If you have added a MapFragment (or MapView) programmatically, then you can configure its initial state by passing in a GoogleMapOptions object with your options specified. The options available to you are exactly the same as those available via XML. You can create a GoogleMapOptions object like this: GoogleMapOptions options = new GoogleMapOptions(); And then configure it as follows: options.mapType(GoogleMap.MAP_TYPE_SATELLITE) .compassEnabled(false) .rotateGesturesEnabled(false) .tiltGesturesEnabled(false); To apply these options when you are creating a map, do one of the following: - If you are using a MapFragment, use the MapFragment.newInstance(GoogleMapOptions options)static factory method to construct the fragment and pass in your custom configured options. - If you are using a MapView, use the MapView(Context, GoogleMapOptions)constructor and pass in your custom configured options. Map padding This video shows an example of map padding. A Google map is designed to fill the entire region defined by its container element, typically a MapView or Map) will be relative to the padded region. getCameraPosition()will return the center of the padded region. Projection. getVisibleRegion()will return the padded region. - UI controls will be offset from the edge of the container by the specified number of pixels.<<
https://developers.google.com/maps/documentation/android-api/map
CC-MAIN-2016-40
refinedweb
2,014
56.55
Are you preparing for the Kubernetes interview? If Yes, then this blog is for you! This blog helps you get to know the Top Kubernetes Interview Questions that are possibly asked in interviews. We have designed this blog with the latest Kubernetes Interview Questions and Answers for freshers and experienced professionals. By going through these interview questions, you will be able to crack the interview easily. Kubernetes is an open-source container orchestration system for deploying, scaling and managing automated applications. It offers an excellent community and works with all cloud providers. Hence, it is a multi-container management solution. Containers are a technology for collecting the compiled code for an application when it is required at run-time. Each container allows you to run repeatable, standard dependencies and the same behavior whenever the container runs. It divides the application from the underlying host infrastructure to make the deployment much easier in cloud or OS platforms. A node is a worker machine or VM depending on the cluster. Each node contains services to run the pods and the pods are managed by the master components. The services that include in a node is as follows: The Container run-time is responsible to start and manage the containers. The kubelet is responsible for running the state of each node and receives commands from the master to work on it and it is also responsible for the metric collection of pods. The Kube-proxy is a component that manages the subnets and makes services available for all other components. A master node is a node that controls and manages the set of worker nodes and resembles a cluster in Kubernetes. The main components of the master node that help to manage worker nodes are as follows: A pod is a group of containers that are deployed together on the same host. It is the basic execution unit of the Kubernetes application that can create or deploy the Kubernetes unit of object models. Kubernetes pods can be used in two ways. they are as follows: There are three different types of multi-container pods. They are as follows: A namespace is used to work with multiple teams or projects spread across. It is used to divide the cluster resources for multiple users. The namespaces are of three kinds. They are: Docker provides the lifecycle management of a container and the docker image builds the run-time of a container. The containers run on multiple hosts through a link and are orchestrated using Kubernetes. Dockers build these containers and help to communicate with multiple hosts through Kubernetes Container orchestration is used to communicate with several micro-services that are placed inside a single container of an application to perform various tasks. The use of container orchestration is as follows: There are many Container orchestration tools that provide a framework for managing microservices and containers at scale. The popular most tools for container orchestration are as follows: The major operations that the Kubelet do as follows: The following is the list of objects used to define the workloads. Pods are the collection of containers used as the unit of replication in Kubernetes. Containers are the set of codes to compile in a pod of the application. Containers can communicate with other containers in the same pod. Ans: Stateful set is a workload API object used to manage the stateful application. It is used to manage deployments and scale the sets of pods. The state information and other resilient data of stateful pods were stored and maintained in the disk storage that connects with the stateful set. To determine the status of the deployment, use the command below: kubectl rollout status If the output runs, then the deployment is successfully completed. Replication controllers act as supervisors for all long-running pods. It ensures that the specified number of pods are running at the run-time and also ensures that a pod or a set of pods are homogeneous in nature. It maintains the desired number of pods if the number of pods it will terminate the extra pod. And if there is a failed pod, the controller will automatically replace the failed pod. Visit here to learn Kubernetes Online Course in Hyderabad The features of the Kubernetes are as follows: Kubectl is the command-line tool used to control the Kubernetes clusters. It provides the CLI to run the command against clusters to create and manage the Kubernetes components. The Google Container Engine (GKE) is the open-source management for the Docker containers and the clusters. This Kubernetes-based container engine supports only the clusters that run within the Google public cloud service. The different types of services that support Kubernetes are as follows: The various container monitoring tools are as follows: Heapster is a performance monitoring and metric collection system. It provides cluster-wide data aggregation by running with a kubelet on each node. It allows for the collection of metrics, pods, workloads, containers, and other signals that are generated by the clusters. A daemon set ensures that all the eligible nodes run a copy of the pod runs only once in a host. It was created and scheduled by the daemon controller. It is a process that runs in the background and does not produce any visible output. The uses of Daemon sets are as follows: A Replica set is used to maintain a stable set of replica pods. It is used to specify the available number of identical pods. It was also considered as a replacement for the replication controller sometimes. ETCD is the distributed key-value store. It stores and replicates the configuring data of the Kubernetes cluster. An ingress controller is a pod that acts as an inbound traffic handler. It is responsible for reading the ingress resource information and processing the data accordingly. The Replication controller uses the Equity-Based selector that allows filtering by labels key and values. It only looks for the pods which have the same values as that of the label. The load balancer is a way of distributing the loads, which is easy to implement at the dispatch level. Each load balancer sits between the client devices and the backend servers. It receives and distributes the incoming requests to all available servers. The two different load balancers are one is an internal load balancer that balances the load and allocates the pods automatically with the required configuration. And the other is the External load balancer that directs the traffic from external loads to the backend pods. Minikube is a type of tool that helps to run the Kubernetes locally. It runs on a single-node Kubernetes cluster inside a Virtual machine (VM). The uses of Google Kubernetes Engine are as follows: Prometheus is an open-source toolkit that is used for metric-based monitoring and alerting the application. It provides a data model and a query language and can provide details and actions of metrics. It supports the instrumental application of language for many languages. The Prometheus operator provides easy monitoring for deployments and k8s services, besides Alertmanager and Grafana. Kubernetes allows the required state management by cluster services of a specified configuration. These cluster services run the configurations in the infrastructure. The following are the steps that are involved in this process as follows: The cluster Ip is a default Kubernetes service that provides a link between the pods or map container port and the host ports. It provides the services within the cluster and gives access to other apps which are inside the same cluster. The Different types of controller managers that can run on the master node are as follows: The Kubernetes architecture provides a flexible, coupled mechanism for the service. It consists of one master node and multiple containers. The master node is responsible for managing the clusters, API, and scheduling the pods. Each node runs on the container runtime such as Docker, rkt along with the node that communicates with the master. The two main components of the Kubernetes architecture are as follows: Each node contains the individual components in it The Kube-API is the frontend of the master node that exposes all the components in the API server. It provides communication between the Kubernetes nodes and the master components. Leave an Inquiry to learn Kubernetes Online Training in Bangalore The advantages of the Kubernetes are as follows: The disadvantages of the Kubernetes are as follows: /4
https://mindmajix.com/kubernetes-interview-questions
CC-MAIN-2022-21
refinedweb
1,408
54.12
OK... I have had a thought grinding in my head for a while, and wantedto throw it out for everyone to think about...In the libc4/libc5 days, we attempted to use kernel headers in userspace. This was a total mess, not the least because the kernelheaders tended to pull in a lot of other kernel headers, and thedatatypes were unsuitable to have spead all across userspace.In glibc, the official rule is "don't use kernel headers." Thiscauses problems, because certain aspects of the kernel ABI is onlyavailable through the include files, and reproducing them by hand istedious and error-prone.I'm in the process of writing a very tiny libc for initramfs, and willlikely have to deal with how to use the kernel ABI as well.It seems to me that a reasonable solution for how to do this is notfor user space to use kernel headers, but for user space and thekernel to share a set of common ABI description files[1]. These filesshould be highly stylized, and only describe things visible to userspace. Furthermore, if they introduce types, they should use thealready-established __kernel_ namespace, and of course __s* and __u*could be used for specific types.This means that we would be able to get rid of #if(n)def __KERNEL__ inthe main kernel header files, because there would be a separation byfile location -- something in the main kernel include files couldinclude the ABI description files, but the opposite should never betrue.I would like to propose that these files be set up in the #includenamespace as <linux/abi/*>, with <linux/abi/arch/*> for anyarchitecture-specific support files (I do believe, however, that thosefiles should only be included by files in the linux/abi/ root. Thisprobably would be a symlink to ../asm/abi in the kernel sources,unless we change the kernel include layout.) The linux/ namespace isuniversally reserved for the kernel, and unlike <abi/*> I don't knowof any potential conflicts. I was considered <kabi/*>, but it seemscleaner to use existing namespace.If people think this is an idea, I will try to set up theinfrastructure as part of my work on klibc, although I'm definitelynot going to be able to migrate every portion of every include filethat needs to be migrated all by myself.Thoughts? -hpa[1] I'm assuming here they are C include files, just because it's acommon language to everyone; however, it would be possible to createan "ABI description language" which would compile to C headers as wellas perhaps other formats (assembly language support files?), ...)--
https://lkml.org/lkml/2002/7/25/69
CC-MAIN-2014-15
refinedweb
428
56.08
In this hands-on lab, you will be tasked with accessing a persistent volume from a pod in order to view the available volumes inside the Kubernetes cluster. By default, pods cannot access volumes directly, so you will also need to create a cluster role to provide authorization to the pod. Additionally, you cannot access the API server directly without authentication, so you will need to run kubectl in proxy mode to retrieve information about the volumes. Learning Objectives Successfully complete this lab by achieving the following learning objectives: - View the Persistent Volume - Use one command that will list the persistent volumes within the cluster. - Create a ClusterRole and ClusterRoleBinding - Use one command that will create a new ClusterRole with the verb getand listto the resource persistentvolumes. - Use one command that will create a new ClusterRoleBinding to the ClusterRole, in the webnamespace and using the defaultservice account. - Create a pod to access the PV - Create the YAML file including the two containers, using the two images curlimages/curland linuxacademycontent/kubectl-proxy. - Issue a command to the curl container to sleep for 1 hour (3600 seconds). - Apply the YAML to the Kubernetes cluster to run the pod. - Request access to the PV from the pod - Open a shell inside the container. - From the container shell prompt, issue the curlcommand to request persistent volumes from the API server.
https://acloudguru.com/hands-on-labs/creating-a-clusterrole-to-access-a-pv-in-kubernetes
CC-MAIN-2022-33
refinedweb
226
50.97
). DLSYM(3) BSD Library Functions Manual DLSYM(3) NAME dlsym -- get address of a symbol SYNOPSIS #include <dlfcn.h> void* dlsym(void* handle, const char* symbol); DESCRIPTION dlsym() returns the address of the code or data location specified by the null-terminated character string symbol. Which libraries and bundles are searched depends on the handle parameter. If dlsym() is called with a handle, returned by dlopen() then only that image and any libraries it depends on are searched for symbol. If dlsym() is called with the special handle RTLD_DEFAULT, then all mach-o images in the process (except those loaded with dlopen(xxx, RTLD_LOCAL)) are searched in the order they were loaded. This can be a costly search and should be avoided. If dlsym() is called with the special handle RTLD_NEXT, then the search for the symbol is limited to the images which were loaded after the one issuing the call to dlsym(). RETURN VALUES The dlsym() function returns a null pointer if the symbol cannot be found, and sets an error condition which may be queried with dlerror(). NOTES Unlike other dyld API's, the symbol name passed to dlsym() must NOT be prepended with an underscore. SEE ALSO dlopen(3) dlsym(3) dlerror(3) dyld(3) NSModule(3) NSObjectFileImage(3) ld(1) cc(1) Sept 25, 2004
http://developer.apple.com/documentation/Darwin/Reference/Manpages/man3/dlsym.3.html
crawl-002
refinedweb
219
59.33
This is the mail archive of the libc-alpha@sourceware.org mailing list for the glibc project. Joseph, Steve, With a recent binutils the objects built for the VFP ABI are marked with the ELF flag EF_ARM_ABI_FLOAT_HARD. This flag is used by ldconfig to annotate the object in the cache with the FLAG_ARM_LIBHF flag. The FLAG_ARM_LIBHF flag is used to prevent the hard-float dyanmic linker from loading objects that use the wrong ABI e.g. soft-float ABI. Unfortunately the binutils changes for marking objects did not make it into the initial distribution builds and therefore there are many objects in the wild that lack any markings to indicate their ABI. The failure scenario is as follows: * Upgrade to a new glibc. * Upgrade to a new binutils. * Build your library with the new binutils. * Run the new glibc's ldconfig. * Try to run an old application. At this point you have a library marked FLAG_ARM_LIBHF, that can't be mixed with any of the other libraries which are hard-float ABI but no markings and therefore don't match the flags for your library e.g. _dl_cache_check_flags() fails, and the dynamic linker refuses run the application. See BZ#15006 for an example: "Libraries in ld.so.cache ignored by ld-linux-armhf.so.3 on armv6l" The solution to this problem is to use 3 states (instead of 2) for the objects in the cache, namely: (1) Don't know / Don't care. (2) Soft-float ABI (new state) (3) VFP ABI. In order to support this transitional period we then allow (1) to mix with either (2) or (3). Once all the distributions have updated to a newer binutils, and all objects are rebuilt, then every object may be either (2) or (3). I say (1) is also a "Don't care" state because this lack of flags can be used in the future to mark objects as not using any of the features of the VFP ABI and thus compatible with either (2) or (3) e.g. make no function calls that have floating point values as arguments.. Tested on ARM with no regressions. Tests run to validate the new compatibility feature: * Built application and library with no markings. - Setup ld.so.conf to include the library. - Ran ldconfig. - Application runs correctly. * Built hard-float ABI application and library with new bintuils. - Verified with readelf that both are now marked hard-float in the ELF flags (though only new readelf can parse it, old readelf prints <unknown>). - Ran ldconfig. - Application runs correctly. * Built new glibc. - Removed ldconfig cache and aux cache. - Used newly built ldconfig to build cache. - Application runs correctly when run under new dynamic linker since support for mixing don't care with hard-float is in place. - Double checked that application *fails* to run with distro dynamic linker since the referenced library is marked in the cache with FLAG_ARM_LIBHF that doesn't match any other libraries in the cache and there is no support for mixing unmarked objects. WARNING: - Once you upgrade glibc and run ldconfig it is no longer safe to downgrade glibc. If you downgrade you may not be able to run the applications you need until you forcibly remove the caches and run ldconfig again to rebuild the cache without the new flags. By downgrading you have done is made the bug come back, but now it's worse because all of the objects built with the new binutils are treated as incompatible. otherwise just FLAG_ELF_LIBC6. diff --git a/elf/cache.c b/elf/cache.c index 9901952..699550b 100644 --- a/elf/cache.c +++ b/elf/cache.c @@ -100,6 +100,10 @@ print_entry (const char *lib, int flag, unsigned int osversion, case FLAG_AARCH64_LIB64: fputs (",AArch64", stdout); break; + /* Uses the ARM soft-float ABI. */ + case FLAG_ARM_LIBSF: + fputs (",soft-float", stdout); + break; case 0: break; default: diff --git a/sysdeps/generic/ldconfig.h b/sysdeps/generic/ldconfig.h index 57a9a46..91190aa 100644 --- a/sysdeps/generic/ldconfig.h +++ b/sysdeps/generic/ldconfig.h @@ -36,6 +36,7 @@ #define FLAG_X8664_LIBX32 0x0800 #define FLAG_ARM_LIBHF 0x0900 #define FLAG_AARCH64_LIB64 0x0a00 +#define FLAG_ARM_LIBSF 0x0b00 /* Name of auxiliary cache. */ #define _PATH_LDCONFIG_AUX_CACHE "/var/cache/ldconfig/aux-cache" diff --git a/ports/sysdeps/unix/sysv/linux/arm/dl-cache.h b/ports/sysdeps/unix/sysv/linux/arm/dl-cache.h index acc4f28..1221181 100644 --- a/ports/sysdeps/unix/sysv/linux/arm/dl-cache.h +++ b/ports/sysdeps/unix/sysv/linux/arm/dl-cache.h @@ -18,12 +18,17 @@ #include <ldconfig.h> +/* In order to support the transition from unmarked objects + to marked objects we must treat unmarked objects as + compatible with either FLAG_ARM_LIBHF or FLAG_ARM_LIBSF. */ #ifdef __ARM_PCS_VFP # define _dl_cache_check_flags(flags) \ - ((flags) == (FLAG_ARM_LIBHF | FLAG_ELF_LIBC6)) + ((flags) == (FLAG_ARM_LIBHF | FLAG_ELF_LIBC6) \ + || (flags) == FLAG_ELF_LIBC6) #else # define _dl_cache_check_flags(flags) \ - ((flags) == FLAG_ELF_LIBC6) + ((flags) == (FLAG_ARM_LIBSF | FLAG_ELF_LIBC6) \ + || (flags) == FLAG_ELF_LIBC6) #endif #include_next <dl-cache.h> diff --git a/ports/sysdeps/unix/sysv/linux/arm/readelflib.c b/ports/sysdeps/unix/sysv/linux/arm/readelflib.c index 81e5ccb..0fbd0dc 100644 --- a/ports/sysdeps/unix/sysv/linux/arm/readelflib.c +++ b/ports/sysdeps/unix/sysv/linux/arm/readelflib.c @@ -46,6 +46,12 @@ process_elf_file (const char *file_name, const char *lib, int *flag, if (elf32_header->e_flags & EF_ARM_ABI_FLOAT_HARD) *flag = FLAG_ARM_LIBHF|FLAG_ELF_LIBC6; else if (elf32_header->e_flags & EF_ARM_ABI_FLOAT_SOFT) + *flag = FLAG_ARM_LIBSF|FLAG_ELF_LIBC6; + else + /* We must assume the unmarked objects are compatible + with all ABI variants. Such objects may have been + generated in a transitional period when the ABI + tags were not added to all objects. */ *flag = FLAG_ELF_LIBC6; } } ---
http://sourceware.org/ml/libc-alpha/2013-02/msg00120.html
CC-MAIN-2013-48
refinedweb
907
57.87
04 February 2011 15:41 [Source: ICIS news] LONDON (ICIS)--Pressure is mounting on ?xml:namespace> Protests in There have also been reports that protestors were preparing to march on the presidential palace. EU leaders have warned Egyptian authorities against a breakout of violence during Friday’s protests. At an EU summit, leaders also put pressure on Mubarak to meet the aspirations of the people and called for transition to democracy. Meanwhile, the It was hoped the talks could prepare The political unrest has continued to disrupt chemical markets. Crude oil hit as high as $103/bbl on Thursday over concerns that supply could be disrupted. There were also continuing fears over the security of the In addition, a number of chemical plants in Additional reporting by Mark Victory, Sarah Trinder and Nel Weddle ($1 = €0.73, €1 = £
http://www.icis.com/Articles/2011/02/04/9432581/pressure-mounts-on-egypts-president-hosni-mubarak-to-step.html
CC-MAIN-2015-22
refinedweb
138
52.29
#include <netinet6/ipsec.h> #include <netinet6/ipsec.h> declares which is used to pass an error code from IPsec policy manipulation library to a user program. The ipsec_strerror(); function can be used to obtain the error message string for the error code. The array pointed to is not to be modified by the program. Since ipsec_strerror(); uses strerror(3) as an underlying function, calling strerror(3) after ipsec_strerror(); would overwrite the the return value from ipsec_strerror(); and make it invalid. The ipsec_strerror(); function always returns a pointer to C string. The C string must not be overwritten by the caller. ipsec_set_policy(3) The ipsec_strerror(); function first appeared in WIDE/KAME IPv6 protocol stack kit. The ipsec_strerror(); function will return its result which may be overwritten by subsequent calls. ipsec_errcode is not thread safe.
http://www.makelinux.net/man/3/I/ipsec_strerror
CC-MAIN-2014-10
refinedweb
133
67.25
>>] 38 thoughts on “On the life of [Dennis Ritchie]” Dennis, you’re a real hero in my world. Thanks for everything you did for the world of software development. his passing is as equally saddening as the passing of Steve Jobs. you must be on crack yeah you must be… without mr richie you’d never knew steve jobs.. (or as an artist makin ipod-shaped stones ) Oh my god! I did’t know about the genius that mister Dennis Ritchie was, but I thank him for all he has created and I am sorry and I feel downright awful for the lack of gratitude I have given him, and the entire world has given him. May you rest in peace and hopefully be rewarded and praised for your contribution. a gret man, doing greater things, for the best of all. I still have my first edition of K & R around here somewhere… It certainly saw plenty of use over the years. A huge step forward from “8K BASIC”. And UNIX too (I run the MINT variant). Thanks Dennis. :-) It’s really impossible to overstate just how important this man’s work has been to the modern world and the Information Era. Sadly he hasn’t got the recognition he deserves outside of tech industries, but I suppose that’s life. Turing and Babbage both lack recognition as well, and all three are on the same level in terms of importance of contributions to the field. Hat off. v_v Dennis Ritchie, your such a genius. Hat’s off to you. You and steve jobs now have all of eternity to debate over unix and OSX. Have fun. :) Ritchie wins… OSX is *nix based. :) i did have my moments with the C compiler, spent hours debugging my faulty code, it became part of my personality now, hail! the master, who is now ubiquitous, we will never forget the contribution that made us coders, hackers, nerds, professionals. RESPECT.RIP @buzzles, et al: “Sadly he hasn’t got the recognition he deserves outside of tech industries..” I couldn’t agree more, but isn’t that typical of people in our profession/hobby? I didn’t know the man (but knew his work), yet somehow I get the feeling he didn’t do it for the recognition he deserved. He saw a need and developed a solution. My gratitude goes to folks like Mr. Ritchie, as well as those who recognize his contributions. Thanks for paving the road. Thank you Mr. Ritchie. Hard to imagine a world without C. “Windows (which at one point was itself written using the C language)” Isn’t it still written in C? One can still call the Windows APIs, which are implemented as C functions. c–; windows is c,C++,C# and asm. What a great man! I wrote a paper on him and his contributions in HS for extra credit in a C+ programming class. He will be remembered and missed. If you just stop and think where we would be without this guy the end result is mind blowing. Rest in peace Mr. Ritchie. You were quite literally “the man”. Aw, man. First Jobs, now Ritchie…it seems like the number of tech luminaries to pass away doubles every 18 months. god@world~# userdel -r dmr As a computer scientist in training, I salute the tremendous influence dmr has brought upon computing. Namely the influence C has had on all subsequent programming languages and Unix/POSIX market share, meaning kids today have the luxury of going to university and never knowing the pain of say MVS, OS/360, or JCL. Rest in peace. tHE MaStER of Us r=&p; for ( ; ; ) *r=i=p++; Wow, that’s a balanced article without name dropping. “was the precursor that led to universal software packages…” 1/2 the products list are from one company, despite having like a million other packages based on C. Practically every OS out there is written in C. I was just thinking, “They mention iOS but not Android, which is based on Linux and Java, based on UNIX and C?” Actually, I can’t think of any modern platforms that aren’t based on both. (Even Windows, even when you ignore C, since so much of the original design for NT was based on UNIX design.) Truly one of the great minds of computer science. The fact C is still the first compiler on most new cores should be counted as credit from his work. If only he finally documented the output from ar x God So long and thanks for all the C. RIP. “I couldn’t agree more, but isn’t that typical of people in our profession/hobby?” This is unfortunately true for any profession – when was the last time you heard of a great mathematician/biologist/physicist passing, no matter what were his contributions. They were mourned in amongst their own, but not by the general public. Only media visible people will get a public mourning. Now we know who to blame. Did this guy come up with Regular Expressions too? Dennis Ritchie, as well as Bell Labs, gave us C. I cannot imagine what my college education would be like if it were not for C, its derivatives and all of the software built using Ritchie’s technology. That said, I feel ashamed that I do not (yet) own a copy of K&R’s book, but in honor of Ritchie, I will get one. Steve Jobs and Apple even owe this man, considering that (as is overlooked by just about every source) OSX is entirely Linux and Unix based, from the kernal to the command line. Nitpick: OSX is BSD/Mach based, not Linux. They do use a bunch of utilities from GNU/Linux though, like BASH & GCC (sort of), so you’re not that far off. C is probably going to stay around in some form or another forever, due to it’s simplicity to port to new platforms, so in a way one could say Dennis is immortal. I believe Apple are moving away from using Linux (or more specifically GPL) tools and moving towards things under other licenses. Most of the changes away have been because Apple has a company-wide rule that they will not ship a single line of code released under the GPLv3 (and that includes contributing code from GPLv2 licensed Apple source trees for things like GCC back to the upstream GPLv3 tree) Steve Jobs dies and the papers go mad, but he would be nothing without the things that Ritchie created. Then just a week later he dies too, but the papers are still on about what a great man(pfft) jobs was. for(int richie = 0; richie <= 70; richie++){ //his life here } return 0; Three score & ten. I’d rank D. Ritchie with Bob Pease. The Old Guard passes. [Anyway, they got medals and recognition: as offices, labs, and big bucks on pay-day, assuredly — even if there were no parades.] Three score & ten. R.I.P. Ritchie, I’ll never forget you for what u gave to my life. Your language will live forever. It was time that someone give credit to Ritchie. I found very annoying that all the media give so much credit to Steve Jobs but nothing to Ritchie. I am not complaining about the achievements of Steve Jobs; however, Richie did give the community something that without it, we would still being far behind of what we are today. I’ve hacked my own kernel on a bochs emulator, which surely would have driven me insane if I was forced to do it in asm. I’ve used C99 on Nintendo DS homebrew programs, again places where manipulating multiple cores and sound and graphics chips would have been a manic mess in assembly. Now, I do most of my programing in various forms of ECMA; all of which looks very much like C or C++. As gamers, we might have gotten up to the 16-bit era on consoles with devkits aimed at asm programers, but after that, they saw the light and looked to C. As hackers, we may argue on which chip maker is the best in the arm v pic v avr holy war. But most of us have used C to program those chips at some point. Even the arduino language syntax is based on C. Maybe without Mr Ritchie someone else would have given us a language to do all of these things. But they didn’t have to; because C worked. We could make the same discussion about the UNIX kernel, or his involvement with Multics and dynamic linking and ring-based security. All of the ideas still being used and built upon. What holds up the universe you ask? Why, it’s a giant turtle. But what holds up the turtle? My friend, it’s turtles all the way down… and then there’s C. #include #include "GodLibraryOfLife.h" void GodGreatPersonFactory(GreatPerson *person) { if(!memcmp(person->name,"Dennis Ritchie", sizeof("Dennis Ritchie")) { struct Wonder *unix_os = NULL; struct Wonder *c_language = NULL; struct Wonder *modern_computing = NULL; Init(Dennis_Ritchie); Init(unix_os); Init(c_language); Init(modern_computing); } } int main() { GodStuff(); GreatPerson *dennis_ritchie = malloc(GreatPerson);//create the body memset(dennis_ritchie, 0, sizeof(GreatPerson)); //Reset his memory dennis_ritchie->name = "Dennis Ritchie"; //Somebody gives him a name void GodGreatPersonFactory(dennis_ritchie); //God has a list of actions the guy must do free(dennis_ritchie); // After all he free's his body GodStuff(); return SINGULARITY; } He was very shy. After a talk he gave at Bell Labs in Columbus, Ohio (in the 80’s), I went up to shake his hand. He was very nice, shook my hand, but he could not make eye contact. I am very sorry that he passed away, and very sorry that not more attention was paid to him while he was alive. Wow, what a shock… How many lines of C code have been written and compiled since it was first released to the world? Must be in the billions! C is probably being used by someone at this very moment, in every country on Earth. Ritchie created the revolution that married hardware and software and jump started the that *NIX and PC world. He has now passed, and most people will never understand don’t have a clue… Someone already said it. If not appreciated by all, he has become immortal.
http://hackaday.com/2011/10/17/on-the-life-of-dennis-ritchie/?like=1&source=post_flair&_wpnonce=a832ba55c5
CC-MAIN-2015-22
refinedweb
1,739
72.36
Hello, I am using py++ for the first time to wrap a decent sized C++ library. We've been using SWIG for this library for several years and have recently discovered some significant memory leaks. I upgraded to the latest version of SWIG which resulted in huge increase in compile times and no resolution to the issue. So, I've decided to see if boost would handle the situation better. I am able to successfully generate a wrapper file using py++, however, some of the template instances that are declared in one of the header files are not exposed in the wrapper. I've read several suggestions on the py++ website, and even tried wrapping these template instances in a pyplusplus::aliases namespace as suggested in the py++ "hints" section. This eliminated some warnings, but didn't result in code being added for these objects. Does anyone have an idea of why these instances are not be wrapped? I've included the header files I'm trying to wrap along with my py++ script that I'm using. My environment is: Windows XP SP2 Py++-0.9.0 pygccxml-0.9.0 gcc-xml - binary build that's posted on the ctypes sourceforge site (version is reported as 0.7.0) Thanks in advance, Jeff ____________________________________________________________________________________ Be a better Globetrotter. Get better travel answers from someone who knows. Yahoo! Answers - Check it out. -------------- next part -------------- An HTML attachment was scrubbed... URL: <> -------------- next part -------------- A non-text attachment was scrubbed... Name: files.zip Type: application/x-zip-compressed Size: 97461 bytes Desc: not available URL: <>
https://mail.python.org/pipermail/cplusplus-sig/2007-August/012449.html
CC-MAIN-2014-15
refinedweb
264
65.52
BitByteData A Swift framework with classes for reading and writing bits and bytes. Installation BitByteData can be integrated into your project using Swift Package Manager, CocoaPods or Carthage. Swift Package Manager To install using SPM, add BitByteData to you package dependencies and specify it as a dependency for your target, e.g.: import PackageDescription let package = Package( name: "PackageName", dependencies: [ .package(url: "", from: "1.2.0") ], targets: [ .target( name: "TargetName", dependencies: ["BitByteData"] ) ] ) More details you can find in Swift Package Manager's Documentation. CocoaPods Add pod 'BitByteData', '~> 1.2' and use_frameworks! to your Podfile. To complete installation, run pod install. Carthage Add to your Cartfile github "tsolomko/BitByteData" ~> 1.2. Then run carthage update. Finally, drag and drop BitByteData.framework from Carthage/Build folder into the "Embedded Binaries" section on your targets' "General" tab in Xcode. Usage Use ByteReader class to read bytes. For reading bits there are two classes: LsbBitReader and MsbBitReader, which implement BitReader protocol for two bit-numbering schemes ("LSB 0" and "MSB 0" correspondingly). Both LsbBitReader and MsbBitReader classes inherit from ByteReader so you can also use them to read bytes (but they must be aligned, see documentation for more details). Writing bits is implemented in two classes LsbBitWriter and MsbBitWriter (again, for two bit-numbering schemes). They both conform to BitWriter protocol. Note: All readers and writers aren't structs, but classes intentionally. This is done to make it easier to pass them as arguments to functions and to eliminate unnecessary copying and inouts. Documentation Every function or type of BitByteData's public API is documented. This documentation can be found at its own website. Contributing Whether you find a bug, have a suggestion, idea or something else, please create an issue on GitHub. If you'd like to contribute code, please create a pull request on GitHub. Note: If you are considering working on BitByteData, please note that Xcode project (BitByteData.xcodeproj) was created manually and you shouldn't use swift package generate-xcodeproj command. Github Help us keep the lights on Dependencies Used By Total: Releases 1.2.0 - Apr 29, 2018 - Updated to support Swift 4.1. - Added bytesLeftand bytesReadcomputed properties to ByteReader. - Added int(fromBytes:), uint16(fromBytes:), uint32(fromBytes:), and uint64(fromBytes:)functions to ByteReader(and bit readers, since they are inherited from ByteReader). - Added byte(fromBits:), uint16(fromBits:), uint32(fromBits:), and uint64(fromBits:)functions to LsbBitReaderand MsbBitReader, as well as BitReaderprotocol. int(fromBits:)function now has a precondition that its argument doesn't exceed Intbit width. - Reverted "disable symbol stripping" change from 1.1.1 update, since underlying problem in Carthage was fixed. - Small updates to documentation. 1.2.0-test.3 - Apr 9, 2018 - Updated to Swift 4.1/Xcode 9.3. - Reverted change, that explicitly disabled STRIP_INSTALLED_PRODUCT Xcode project setting to workaround Carthage problems with archiving. - Small updates to documentation. 1.2.0-test.2 - Mar 17, 2018 In this second test release several precondition checks introduced in the previous test release were corrected, as well as more missing functions were added. 1.2.0-test - Mar 14, 2018 The main purpose of the upcoming 1.2.0 update is to add missing functionality in terms of return types and bit/byte reading. Also, the current plan is to wait for the 4.1 release of Swift language and only then release 1.2.0 update, so any necessary modifications required by the new version of Swift can be released without delay. 1.1.1 - Mar 4, 2018 - Added missing documentation for bitsLeftand bitsReadproperties. - Temporary disable symbol stripping in Xcode project to prevent symbols being stripped in archives published on GitHub Releases, until Carthage releases an update that solves this issue (these archives are generated by Carthage).
http://swiftpack.co/package/tsolomko/BitByteData
CC-MAIN-2018-39
refinedweb
619
50.94
#include <SensIndexSchurData.hpp> Definition at line 15 of file SensIndexSchurData.hpp. Returns number of rows/columns in schur matrix. Reimplemented from Ipopt::SchurData. Functions to set the Schurdata. At least one must be overloaded Set Data to one for given indices. Size of vector is ipopt_x_<full_x_ Implements Ipopt::SchurData. Set Data to corresponing Number. Implements Ipopt::SchurData. Returns the i-th column vector of the matrix. Implements Ipopt::SchurData. Returns two vectors that are needed for matrix-vector multiplication of B and P. The index is the row, the first vector are the indices of non-zero components, in this row of B, the second vector gives the numbers in B(row,indices) Implements Ipopt::SchurData. Computes B*v with B in R(mxn). Implements Ipopt::SchurData. Computes A*u with A in R(nxm), KKT in R(n,n). Implements Ipopt::SchurData. Functions specific to IndexSchurData. This function is for adding data to a SchurData object. It takes a set of column-indices a value v and adds indices accordingly. If the column is already set in the data, it stays at the same place, otherwise the new indices are added at the bottom, in the order specified by the indices. The vector delta_u_sort returns the actual sorting so that the user knows how to place the new values inside the elongated delta_u vector. These places are in C++ index style, so they correspond exactly to the indices used for the C++-array of the delta_u DenseVector returns a vector that holds the accumulated length of each vector component: v_len[0] = v.GetComp(0)->Dim() v_len[i] = sum(k=0..i, v.GetComp(k)->Dim()) Definition at line 77 of file SensIndexSchurData.hpp. Definition at line 78 of file SensIndexSchurData.hpp.
http://www.coin-or.org/Doxygen/Ipopt/class_ipopt_1_1_index_schur_data.html
crawl-003
refinedweb
293
59.09
#include <genesis/utils/io/gzip_stream.hpp> Inherits StrictFStreamHolder< StrictOFStream >, and ostream. Out file stream that offers on-the-fly gzip-compression. The class accesses an internal std::ofstream. This can be used to open a file and write compressed data to it. If genesis is compiled without zlib support, constructing an instance of this class will throw an exception. Definition at line 313 of file gzip_stream.hpp. Definition at line 563 of file gzip_stream.cpp. Definition at line 575 of file gzip_stream.cpp. Flush, so one can save in the middle of writing a file for synchronization purposes. Definition at line 582 of file gzip_stream.cpp.
http://doc.genesis-lib.org/classgenesis_1_1utils_1_1_gzip_o_f_stream.html
CC-MAIN-2020-45
refinedweb
106
61.93
html Scratch vs. C hello, C The CS50 Library Data Types More C Now that weve explored some basic programming concepts with Scratch, we can try to use the same ideas with a more traditional language, C. Recall that last week, to run our program in Scratch, we would begin with a block that read when greenflagclicked . Our example of having Scratch say hello,world can be translated to the following C: #include <stdio.h> int main(void) { printf("hello,world\n"); } printf is the equivalent of say in Scratch, and it will print whatever is inside the parentheses. We notice a bit of syntax, like the double quotes and the semicolon, but we can focus on one piece at a time. In Scratch, say was a function that took an argument, or parameter, and the equivalent line in C is: printf("hello,world\n"); The \n prints a new line, like pressing enter after typing out that message. And in the case of loops, in Scratch we might have a forever block that does something over and 1 of 24 12/8/2017, 7:49 PM
https://www.scribd.com/document/367075500/Week1-f
CC-MAIN-2019-35
refinedweb
187
74.63
Handheld Handheld is a wrapper for PhoneGap allowing you to write native mobile applications in Dart. Quick Guide Go through the PhoneGap setup guide and make sure that PhoneGap is working before you proceed. Add the folowing to your pubspec.yaml and run pub install dependencies: handheld: any - Run it import "package:handheld/handheld.dart"; main() { handheld.onDeviceReady((Device device) { device.notification.alert("hello from Dart"); }); } PhoneGap API status | Function | Supported | PhoneGap API Version | | ------------------- |:---------:| ---------------------:| | Accelerometer | yes | 2.5 | | Camera | no | 2.5 | | Capture | no | 2.5 | | Compass | no | 2.5 | | Connection | no | 2.5 | | Contacts | no | 2.5 | | Device | yes | 2.5 | | Events | no | 2.5 | | File | no | 2.5 | | Geolocation | no | 2.5 | | Globalization | no | 2.5 | | InAppBrowser | no | 2.5 | | Media | no | 2.5 | | Notification | yes | 2.5 | | Splashscreen | no | 2.5 | | Storage | no | 2.5 | Libraries - handheld Dart wrapper for PhoneGap - handheld_builder Utilities for building and deploying Dart apps on PhoneGap devices - handheld_mock Mock version of handheld, useful for developing mobile apps inside the DartEditor without having to deploy to a device emulator.
https://www.dartdocs.org/documentation/handheld/1.2.1/index.html
CC-MAIN-2017-09
refinedweb
176
56.32
Assemblies in .NET How Can Assemblies Avoid DLL Hell? Most assemblies are private. Hence, each client application refers assemblies from its own installation folder. So, even though there are multiple versions of the same assembly, they will not conflict with each other. Consider the following example: When you create a private assembly, an assembly is installed in a subdirectory of the application, so even if two assemblies have the same name there is no problem because an application will always refer to its own assembly. Now, consider the case when you develop a shared assembly. In this case, it is important to know how assemblies are versioned. All assemblies have a version number in this form: major.minor.build.revision How Do I Create Shared Assemblies? The following steps are involved in creating shared assemblies: - Create your DLL/EXE source code. - Generate a unique assembly name using SN utility. - Sign your DLL/EXE with the private key by modifying the Assembly Info file. - Compile your DLL/EXE. - Place the resultant DLL/EXE in a global assembly cache by using the AL utility. How Do I Create a Unique Assembly Name? Microsoft now uses a public-private key pair to uniquely identify an assembly. These keys are generated by using a utility called SN.exe (SN stands for shared name). The most common syntax of it is: sn -k mykeyfile.key where k represents that you want to generate a key and the file name following is the file in which the keys will be stored. How Do I Sign My DLL/EXE? Before placing the assembly into a shared cache, you need to sign it by using the keys you just generated. You mention the signing information in a special file called AssemblyInfo. Open the file from VS.NET solution explorer and change it to include the following line: [assembly:AssemblyKeyFile("file_path")] Now, recompile the project and the assembly will be signed for you. Note: You also can supply the key file information during a command line compilation via the /a.keyfile switch. How Do I Place the Assembly in a Shared Cache? Microsoft has provided a utility called AL.exe to actually place your assembly in shared cache: AL /i:my_dll.dll Now, the utility will place your DLL at the proper location. Hands On... Now that you understand the basics of assemblies, you can apply your knowledge by developing a simple shared assembly. In this example, you will create a C#.NET component called SampleGAC (GAC stands for Global Assembly Cache). You also will create a key file named sample.key. You will sign your component with this key file and place it in the Global Assembly Cache. Step 1: Creating your sample component Here is the code for the component. It just includes one method that returns a string. using System; namespace BAJComponents { public class Sample { public string GetData() { return "hello world"; } } } Step 2: Generate a key file To generate the key file, issue the following command at the command prompt. sn -k sample.key This will generate the key file in the same folder. Step 3: Sign your component with the key Now, you will sign the assembly with the key file you just created. csc sampleGAC.cs /t:library /a.keyfile:sample.key Step 4: Host the signed assembly in the Global Assembly Cache You will use the AL utility to place the assembly in the Global Assembly Cache: AL /i:sampleGAC.dll After hosting, the assembly just goes to the WINNT\Assembly folder and you will find your assembly listed there. Note how the assembly folder is treated differently than normal folders. Step 5: Test that your assembly works Now, create a sample client application that uses your shared assembly. Just create a sample code as listed below: using System; using BAJComponents; public class SampleTest { static void main() { sample x= new sample(); string s= x.getdata(); console.writeline(s); } } Compile the above code by using: csc sampletest.cs /t:exe /r:<assembly_dll_path_here> Now, copy the resulting EXE in any other folder and run it. It will display "Hello World", indicating that it is using your shared assembly. Sameer Sood Computer Science and Engineering, Third Year NIT, Durgapur. ~!@@#%$#^$%&&*^&*^&*&%*&^*&^*^&*&^Posted by ~!@@#%$#^$%&&*^&*^&*&%*&^*&^*^&*&^ on 01/19/2013 03:49am ~!@@#%$#^$%&&*^&*^&*&%*&^*&^*^&*&^Reply Please test your tut before posting it....Posted by Navdeep on 11/14/2006 04:27am Sammer, This line - csc sampleGAC.cs /t:library /a.keyfile:sample.key is incorrect and wont work with vs.Net2005. Please post correct and tested code. This is upsetting because there are people out there that become so confused when they follow a tut and they have to debug it. Thanks... RE: Please test your tut before posting it....Posted by sameer_sood on 11/20/2006 02:55pm
http://www.codeguru.com/csharp/.net/net_general/assemblies/article.php/c11905/Assemblies-in-NET.htm
CC-MAIN-2015-40
refinedweb
796
67.35
Type: Posts; User: l46kok I am trying to design an IDE-like (Non-Editable) program with a richtextbox control. Basically, I need the treeview which is positioned to the left side of the RTB to expand/collapse a certain... When my instructor taught the course of .NET 4.0 with C#, we quickly went over the usage of XAML over a day and even then, he never stressed the importance of it. In a real world, how often is XAML... In my code, I'm trying to set an icon to a variable Icon test = new Icon("systray.ico"); But this throws an exception and causes my program to crash if not handled (There should be no need to... I believe you are referring to the ID of the button. In the resource compiler, right click on the button, click properties, and on the property window, there should be an entry for the ID of the... Strange.. It didn't work either in Frame type or Bitmap type. Here's what I have for the Picture Control Class // PictureCtrl.cpp : implementation file // #include "stdafx.h" #include... Ok, so if I understood you correctly, you want me to generate a class for the picture control, map it with OnPaint function and draw the rectangles there? Ok.. My problem is kind of screwed up, I'm not even sure if there is a solution available for this. If there isn't, I'd like to know any alternative way of doing this. I placed a Picture Control... This worked excellently. Thanks. I'm wondering if there is a way to use DoModal boxes for the Jpeg files I'm trying to load onto the Picture Control I have in my application. For instance, CFileDialog has DoModal option for you, so... I have a structure of the following typedef struct { CString m_csKeyPressed; CString m_csCircleColor; CString m_csMouseX; CString m_csMouseY; }CircleParameters; Oh man, I didn't think that would solve the problem, I'll try this and see what happens. Thanks a lot! [Edit] I found a solution for my prior problem DWORD l_mPosition = ::GetMessagePos();... Since DDX_Control accepts CWnd& type for the third variable, DDX_Control(pDX, IDC_LIST_TASK, (CWnd&)pListCtrl); Does this make sense? I think something's off. IDC_LIST_TASK is my ID for the... No, I didn't use Add Member variable. That menu item was disabled in the resource compiler, when I right clicked, so I went ahead and defined all the control variable in the header file and in the... I tried doing that, but the code crashes, if I don't call GetDlgItem, each time in a different function. I think the object is somehow changed during runtime. I'm using ListCtrl object, not... Does not work. here's the code I have : void CMainDialog::OnUpdateListCtrl(NMHDR * pNotifyStruct, LRESULT * result ) { NMLISTVIEW* pNMListView = (NM_LISTVIEW*) pNotifyStruct; ... Project_Main_Code.cpp #include "Project_Main_Header.h" #include "resource.h" CMyApp myApp; BOOL CMyApp::InitInstance() Thanks. That cleared up my question once and for all! One last question I want to ask - How do you handle the messages for any selections made in the List Control in report view? Would it be... One without the exit button (X mark) on the top-right corner of my dialog box. [Edit] And as you mentioned, that was the easiest method to go by, thanks ^^ While I'm here, I want to ask... My question is ultra simple - When I have a dialog box as the main window, how do I specify the DWSTYLE of the window it shows? Project_Main_Header.h #include <afxwin.h> #include... Ok, this is probably something simple, but I cannot get it to work. project_main_header.h #include <afxwin.h> #ifndef _DIALOGASMAINWINDOW_H_ #define _DIALOGASMAINWINDOW_H_ Oh it worked for me too. Just forgot to put const on my return function. Thanks Thanks for the reply. I've tried adding your code, but I still get an error stating Printer::getPrintTime' : cannot convert 'this' pointer from 'const Printer' to 'Printer &' What should I... I have the code as following #define PRINT_PER_MINUTE 10; class Printer { private: int pages; public: Printer(int _pages) {
http://forums.codeguru.com/search.php?s=b5bb8995a583dbf6eeb5bf7609604711&searchid=7001751
CC-MAIN-2015-22
refinedweb
679
66.74
Re: Help needed: sending complex structures Expand Messages - --- In soaplite@y..., Paul Kulchenko <paulclinger@y...> wrote: > Hi, Adrian!and > > > I have a similar service that doesn't have the Exchange value, > > have fewer return values, and that worked perfectly. I suspectthe > >schema > > xsi:type="types:Exchanges" have something to do with it. > You're right. The way SOAP::Lite works now is that for unknown > it tries to parse complex data types as described in SOAP spec andtype, > since there is no information on how to process unknown simple > it complains and stops processing.new > > I won't tell you what to do for your current version, but in the > version (should be released today/tomorrow) you can do:{''} > > package EncodedTypes; > > sub as_TickDirection { $_[1] } > sub as_Exchanges { $_[1] } > > package main; > > ....... > > $soap->deserializer->xmlschemas-> > = 'EncodedTypes';but > > So, you bind xmlnamespace to class that will process datatypes in > that namespace. You can handle both complex and simple datatype, > you don't need to do it for complex ones as soon as defaultdecoding > is ok for you. I specified handlers for two datatypes:TickDirection > and Exchanges and just return value. Any processing can apply, youclass > can return complex datastructure or do whatever you want. > > Current version will also look for handlers in SOAP::Serializer > if no separate classes are specified, so you can also put them inthat > SOAP::Serializer (or inherited class), but I'd rather keep them > separate, esp because when SOAP::Lite gets full XML Schema support, > so don't need to change your code to get new functionality (I hope > :)). > > What for a new version and let me know how it works for you. I will > also include this code as an example if you don't mind :). > > Best wishes, Paul. > > --- adrian@c... wrote: > > Hi Paul, > > > > Thanks! That worked perfectly. I have came across a second > > problem, however, can you please advise on what I should do? I > > have > > called a web service, and by a tunneling application I can see > >Web > > I get the results back, but when I call: > > $s->WebService($var1); > > Perl terminates, with the error message being the result of the > >and > >, > > have fewer return values, and that worked perfectly. I suspectthe > >('realtime'); > >. > > > > > > > > ------------------------ Yahoo! Groups Sponsor > > > > To unsubscribe from this group, send an email to: > > soaplite-unsubscribe@y... > > > > > > > > Your use of Yahoo! Groups is subject to > > > > > > > > > __________________________________________________ > Do You Yahoo!? > Get personalized email addresses from Yahoo! Mail > Your message has been successfully submitted and would be delivered to recipients shortly.
https://groups.yahoo.com/neo/groups/soaplite/conversations/topics/657?var=1
CC-MAIN-2017-43
refinedweb
415
64.3
What is ASP.NET? By: Ram Babu Printer Friendly Format ASP.NET is the platform that you use to create Web applications and Web services that run under IIS. ASP.NET is not the only way to create a Web application. Other technologies, notably the CGI, also enable you to create Web applications. What makes ASP.NET special is how tightly it is integrated with the Microsoft server, programming, data access, and security tools. ASP.NET provides a high level of consistency across Web application development. In a way, it is similar to the level of consistency that Microsoft Office brought to desktop applications. ASP.NET is part of the .NET Framework and is made up of several different components. Visual Studio .NET Web development tools. These include visual tools for designing Web pages and application templates, project management, and deployment tools for Web applications. The System.Web namespaces. These are part of the .NET Framework, and include the programming classes that deal with Web-specific items such as HTTP requests and responses, browsers, and e-mail. Server and HTML controls. These are the user-interface components that you use to gather information from and provide responses to users. In addition to the preceding components, ASP.NET also uses the following, more general programming components and Windows tools. These items aren' t part of ASP.NET. However, they are key to ASP.NET programming. Microsoft Internet Information Services (IIS). As mentioned in the previous section, IIS hosts Web applications on the Windows server. The Microsoft Visual Basic .NET, Microsoft Visual C#, and JScript programming languages. These three languages have integrated support in Visual Studio .NET for creating Web applications. The .NET Framework. This is the complete set of Windows programming classes; they include the ASP.NET classes as well as classes for other programming tasks such as file access, data type conversion, array and string manipulation, and so on. ADO.NET database classes and tools. These components provide access to Microsoft SQL Server and ODBC databases. Data access is often a key component of Web applications. Microsoft Application Center Test (ACT). This Visual Studio .NET component provides an automated way to stress-test Web applications. ASP.NET is the most complete platform for developing Web applications that run under IIS. However, it is important to remember that ASP.NET is not platform-independent. Because it is hosted under IIS, ASP.NET must run on Windows servers. To create Web applications that run on non-Windows/IIS servers, such as Linux/Apache, you must use other tools—generally CGI.
https://java-samples.com/showtutorial.php?tutorialid=974
CC-MAIN-2020-29
refinedweb
428
52.97
So far, we have worked pretty much exclusively with simple primitive variables, such as integers and doubles, that each can store one value. In this lesson, we will cover arrays, which can store multiple values. Imagine having a class of three students, each of whom has just taken the final exam of the class. The teacher has graded each person’s test and wants to store that data somewhere. Assuming each student’s grade is an integer between 0 and 100, you can imagine storing this data in the following way: int student1 = 95; int student2 = 78; int student3 = 83; However, this is obviously not very efficient. Now imagine if you had to store this kind of data for thousands, or even millions of students. This would clearly be a disaster. This is where more advanced data structure come into play. An array can store multiple values under a single declared instance of type array. It can sometimes be thought of as a numbered list. The syntax for declaring an array is simple: int num; // This is how to create an normal integer variable. int[] array; // This is how to create an array of integers. In the two lines of code above, we have created two new variables. The array is created in a similar way to the int, except that there is a pair of square brackets [] after specifying the int type. This tells the computer that this variable is an array and does not just hold one value of type int, but can hold multiple values. Currently, neither one holds any values because they have not been initialized. To create an array with initial values, do the following: array = {5, 6, 7}; // Assigns the array three values: 5, 6, and 7. The array is initialized by having values separated by commas and surrounded by curly brackets. Here are some more examples of declaring an array: int[] arr1 = {5, 6, 7}; // Joining the two steps together into one line. int[] arr2 = {}; // You can create an array with no values. String[] arr3 = {"hi"}; // An array that stores strings. Scanner[] arr4; // You can even have an array of Scanners! Going back to the first example of storing student grades, we can create an array for that data by doing the following: int[] studentGrades = {95, 78, 83}; Now that we have stored the data, what can we do with it? Let’s try accessing some of the data stored in the array. If we want to get the score of Student 1, we will have to look for the first value in the array. int score = studentGrades[0]; // Assigns score the first value in the array. Similar to when creating an array, you need to include square brackets [] when you want to access a specific value in the array. However, when accessing elements, you need to include an integer value (known as an index) between 0 (inclusive) and the size of the array (exclusive) between the square brackets to specify which value you want. The index 0 would give you the first element in the array, the index 1 would give you the second, and so on, all the way to the end, where the index n - 1 will give you the nth and final element in the array, where n represents the size of the array. So, if the size of the array was 20, the index 19 would give you the last value (20th) in that array. In the example with the student grades, this table shows what value is at each index: If we want to modify values in an array, it is pretty much the exact same as modifying the value of a normal primitive variable. Let’s say the teacher was very generous with curving the students’ grades. studentGrades[0] = 100; // changed from 95 to 100 studentGrades[1] += 20; // changed from 78 to 98 studentGrades[2]++; // changed from 83 to 84 All of these operations are exactly the same as we have learned. The only difference is that we specify the index of the array to tell the computer which value we want changed. If we want to give everyone in the class a 10 point boost to their scores, we can use a for loop to traverse through the whole array, regardless of its size. This way, we avoid having to manually go through each index of the array, which would be terribly inefficient the larger the array becomes. for (int i = 0; i < studentGrades.length; i++) { studentGrades[i] += 10; } Notice the .length in the for loop header. This gives us the size of the array and allows us to traverse through all of the indices of the array. Even if you know the size of the array (such as 3 for studentGrades), it is always best to use .length in these cases or else you put your code at risk if the array ever changes size. Also, you must remember that since indices start at 0, the last element in an array would not be at arr[arr.length] but instead at arr[arr.length - 1]. Earlier in this lesson, we covered how to create an array with initial values by doing something like this: int[] arr = {5, 6, 7}; However, most of the time, we don’t want to create an array with initial values in it, or we want to create a really large array that would be impossible to go through and manually specify values. For example, what if we wanted to create an array of size 1000 that stored the numbers 0 through 999? int[] arr = {0, 1, 2, 3, 4, ... 997, 998, 999}; This would be one way to do it, but obviously very inefficient. This is where a new way of initializing arrays comes in. The more common way of creating an array is by specifying the size of the array upon initialization, which then automatically creates an array of that size with default values at each index (default for integers: 0, default for booleans: false, etc.). Then, once you create your array of a given size, you can use a for loop to efficiently assign values to each index. Here is how you initialize an array in this way: int[] arr1 = new int[1000]; // Creates an int array of size 1000 double[] arr2 = new double[30]; // Creates a double array of size 30 // and so on... The first part (to the left of the equals sign) is the same, but the right side is different. Similar to how in the last lesson, to create a new Scanner, you have to use the new keyword, creating an array is the same. After that, you retype the same thing with the type of data you’re storing (int, double, String) followed by square brackets ( int[], double[]), although this time you have an integer in between the brackets to specify the size of the array. An array has a fixed size, so once you specify this size, there is no way to change it without creating a new array by doing the = new int[/* *SIZE* */] syntax. So, to create an array storing the numbers 0 to 999, all we have to do is the following: int[] arr = new int[1000]; for (int i = 0; i < arr.length; i++) { arr[i] = i; } If you ever need to print out an array in a nice format, use the following code (first, add import java.util.Arrays to the beginning of your file): System.out.println(Arrays.toString(arr)); // Output: [0, 1, 2, 3, ... 998, 999] The last thing we are covering in this lesson is 2D arrays. Here is an example 2D array: int[][] arr = {{1, 2}, {8, 5}, {2, 4, 6}}; // This can be visualized as: // 1 2 // 8 5 // 2 4 6 We can create 2D arrays in Java simply by having two pairs of square brackets. The first square brackets represent the number of rows and the second pair represents the number of columns in the array. Here are a few examples: int[][] arr = new int[2][3]; // Creates an array of 2 rows by 3 columns System.out.println(arr.length + " " + arr[0].length); // Output: 2 3 // Traverses through the whole 2D array for (int i = 0; i < arr.length; i++) { for (int j = 0; j < arr[i].length; i++) { System.out.print(arr[i][j] + " "); } System.out.println(); } 2D arrays are very useful in many ways when a numbered list simply isn’t good enough to represent the data that you have. They can be used to represent grids, matrices, images, and much, much more. While they may seem overly complicated at first, you will quickly be able to understand how they work with practice. Arrays are a fundamental part of programming in any language and it is important that you fully understand how the work. In the next lesson, we will be continuing to work with arrays. Lesson Quiz 1. What is the output to the console? int[] arr = new int[5]; for (int i = 1; i < arr.length; i++) { arr[i] = arr[i - 1] + i; System.out.print(arr[i] + " "); } 2. What is the output to the console? int[][] arr = {{1, 2, 3}, {10}, {}, {4, 8}}; for (int i = 0; i < arr.length; i++) { for (int j = 0; j < arr[i].length; j++) { System.out.print(arr[i][j] + " "); } } Written by Alan Bi Notice any mistakes? Please email us at [email protected] so that we can fix any inaccuracies.
https://teamscode.com/learn/ap-computer-science/arrays/
CC-MAIN-2019-04
refinedweb
1,583
69.62
How to vary the color along a stoke Hi all, I am trying to vary the color along a path2D from a lookup table. Has anyone else tried this or can give me some advice on this? Joey Hey, I've been looking into this using the Paint interface, however I have found that It is not suitable to solve my problem and its not realy working. The first attempt that I have tried at this has been to set an array of points, each with a color, I then use a gradientPaint to interpolate the color between the two points, the code for this is below. import java.awt.BasicStroke; import java.awt.BorderLayout; import java.awt.Color; import java.awt.GradientPaint; import java.awt.Graphics2D; import java.awt.geom.Path2D; import java.awt.geom.Point2D; import java.awt.image.BufferedImage; import java.util.Vector; import javax.swing.ImageIcon; import javax.swing.JFrame; import javax.swing.JLabel; public class StrokeTesting { public static void main(String input[]) { //Create an image and get Graphics2D BufferedImage img = new BufferedImage(600, 600, BufferedImage.TYPE_INT_ARGB); Graphics2D g = img.createGraphics(); //Vectors to hold points+colors Vector Vector //Add Points points.add(new Point2D.Double(100,100)); points.add(new Point2D.Double(200,500)); points.add(new Point2D.Double(500,500)); points.add(new Point2D.Double(100,400)); points.add(new Point2D.Double(90,200)); //Set Colors colors.add(Color.WHITE); colors.add(Color.YELLOW); colors.add(Color.green); colors.add(Color.RED); colors.add(Color.BLUE); //Set Stroke g.setStroke(new BasicStroke(10, BasicStroke.CAP_ROUND, BasicStroke.JOIN_ROUND)); Path2D.Double path; for (int i = 0; i < points.size() - 1; i++) { path = new Path2D.Double(); Point2D.Double p1 = points.get(i); Point2D.Double p2 = points.get(i + 1); Color c1 = colors.get(i); Color c2 = colors.get(i + 1); path.moveTo(p1.x, p1.y); path.lineTo(p2.x, p2.y); g.setPaint(new GradientPaint(p1, c1, p2, c2)); g.draw(path); } ImageIcon imageHolder = new ImageIcon(img); JLabel lab = new JLabel(imageHolder); JFrame f = new JFrame("Testing"); f.setSize(800,600); f.getContentPane().setLayout(new BorderLayout()); f.getContentPane().add(lab, BorderLayout.CENTER); f.setVisible(true); f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); } } This is not a perfect solution as the points can overllap and look kinda funny.Also it does not work that well if you want to vary the color between two points. What I would like to do would be to pass a function an array of colors and an array of points. The program would then draw this and vary the color along the path baised on the colors. I'm basicly trying to draw a rainbow colored path. That's a good attempt drawing smaller line segments with a GradientPaint. If this is your attempt at using the Paint interface, then I think you missed the mark. It sounds like you'll have to create classes that implement the Paint and PaintContext interfaces. Given my understanding of how Java2D's gradients require user-space shapes to define where on the screen the gradient starts and stops, your Paint implementation will likely require a copy of the path you're trying to draw so that it can fill a Raster object with colors that follow your path. The downside of Java's Paint interface is that you'd have to create new instances for different paths, and performance will suffer quickly as you add more geometry. The goal of your PaintContext class would be to receive a rectangle defining a grid of pixels, create a Raster object to hold the pixels, then map that copy of your geometry over the pixel grid, and color the pixels as desired. It seems that Java just creates boundaries and fills them with your pixels, so handling lines thicker than 1 pixel would be complicated. Here are some links I came across, they're difficult to find, and I hope they help.-... The path2d is basically a vector. You may want to paint it with some color. Painting basically takes place when you draw() or fill() the path. Take a look at the java.awt.Paint interface. Cheers, Mik
https://www.java.net/node/698680
CC-MAIN-2015-18
refinedweb
688
59.8
22 June 2011 15:29 [Source: ICIS news] LONDON (ICIS)--?xml:namespace> “We would like to confirm that our company has begun a sale process for Spolana,” Krzysztof Wojdylo, Anwil marketing manager, said. Wojdylo added that Anwil is waiting for preliminary offers, which should be submitted by mid-July. In March, Polish chemical group Zaklady Azotowe Tarnow (ZAT) said it was interested in increasing its capro capacity by acquiring Spolana’s 40,000 tonne/year capro business. ZAT said it is also interested in finding a joint-venture partner to purchase Spolana’s 130,000 tonne/year PVC business. Meanwhile, Anwil’s majority owner – Polish refining, chemical and petrochemical group PKN Orlen – is scheduling another attempt to sell its 90.35% stake in Anwil. However, in late May PKN Orlen said it might opt to retain the 340,000 tonne/year PVC side of the company and only sell its nitrogen fertilizer business. Anwil acquired an initial 81.78% stake in Spolana in October 2006 from Czech Unipetrol – itself majority-owned by PKN Orlen – for koruny (Kc) 640m ($38.1m, €26.3m) and a pledge to cover Spolana debts totalling Kc660m. ($1 = Kc16.81) (€1 = Kc24
http://www.icis.com/Articles/2011/06/22/9471905/polands-anwil-puts-czech-pvc-and-capro-subsidiary-spolana-up-for-sale.html
CC-MAIN-2014-15
refinedweb
196
56.55
2008 UM-D Programming Contest - Notes and Hints Problem A Judges wanted you to simply traverse the maze, while noting the length of the path. The easiest way to do this is to use recursion with a hint of backtracking. Judges tweaked the input to ensure that any valid program, even one that explores every possible path till the end will not get "Time Limit Exceeded". Turns out they didn't need to do that -- every successful solutions ran fast even on the largest, most evil input that judges could think up. Watch out for assumptions -- two or more ways through the maze may share the same path at some point. If you are exploring a longer way and mark it permanently as visited, you may miss out on a shorter way that shares the same path at some point. Sample Code Skeleton: int findShortestPath(int row, int col, int path, int minpath) { if (out of bounds, hit a wall, or path is longer than the shortest one found so far) return minimum path length; if (reached the end of maze) compare path length and min path length, return one whichever's smaller; mark path as visited by i.e. assigning a number to it, like path length so far; findShortestPath(row,col+1,path+1,minpath);//go right; findShortestPath(row+1,col,path+1,minpath);//go down; findShortestPath(row,col-1,path+1,minpath);//go left; findShortestPath(row-1,col,path+1,minpath);//go up; return minpath; } Problem B There are a few ways to solve this problem. The notable ones are: O(n log n) - sort names alphabetically, then go through the list once, noting which name "run" is the longest one so far. At the end output the name and the run. O(n 2 ) - for each name A in the list, compare it to every other name B in the list. Keep a counter table of how many names B show up for name A. At the end find max value in the counter table and print out the results. Watch out for case with only one name, depending on how you code things, it may mess things up. Judges were nice this time and accepted O(n 2 ) solutions. Problem C The judges were evil and have hand-selected sample input to trick you into a simpler but incorrect solution (sum or speeds divided by sum of times). Note that if you divide speed by time, you get acceleration for your result, when problem specs asked for speed. Correct solution was for each interval to multiply v*t to get the distance travelled for that interval. Then, to take the sum of all distances travelled and divide it by the sum of times to get the average speed, which is the answer. Judges got output-tricky by requesting you to output two significant figures after the dot. One way to do it in C++ is: #include <iomanip> using namespace std; cout<<fixed<<setprecision(2)<<answer<<endl; Just for the record, you could also write a rounding function, such as below, but then you'd have to write extra code to print dots and 0s at the end when needed, i.e. for "3.00". #include <cmath> double round(double x) { return floor(100*x+0.5)/100; } Judges' trick: a few people have missed that in problem statement v and t were to be real numbers, not integers. Judges have used only integers in the sample input to throw you off. Just another example of evilness and things to watch out for. Problem D This was an easy yet somewhat tedious program to implement. Originally judges allowed for input from 0 to 100, but later changed it to 0 to 99, which made for a slightly smaller number of cases to consider. Special cases to watch out for in output -- Zero, One hundred Recall that you can call toupper(), tolower() functions to change letter case. You can also subtract 32 from small letter to get its capital letter and add 32 to capital to get its smaller case. char chr='B'; chr+=32; cout<<chr;//'b' Problem E Nobody solved E during the contest. Dennis originally tried to think up the easiest problem possible. For example, how about comparing three values together and then reporting results of comparison ? Well, to make it more interesting, boxes were invented. Originally no box rotations were allowed. But later an instructor suggested to allow for box rotations, and so that's how the problem came to life. That's also how it became to look more difficult than it meant to be. To solve this, first find box's width, length, and height. One way to do this is to compute the difference of appropriate points, like (A-D), (B-A), (E-A). Another to do this is to "move" the box so that point D is at the origin, by subtracting appropriate values from all points, and then take values A, C and H for width, length and height. Now, you can compare two boxes directly. To account for box rotations, try all possible permutations of box dimensions for one of the boxes, while keeping the other one static. There are total of 6 permutations to try. Care should be taken to report final results correctly, as you'll have 6 answers, one for each rotation. Another way is to first sort the sides so that they are in order smallest to largest, and then compare the boxes directly. Tricks to watch out for: for a box to fit inside its dimensions had to be strictly less than the corresponding dimensions for the other box. Otherwise the box edges would clash. Tricks to watch out for: judges wanted to separate cases by a blank line. This means printing a blank line between cases, but making sure there are no blank lines before the first case or after the last case. Think about that! Make sure you number cases correctly, this can be a bit tricky to code at first.
http://www-personal.umd.umich.edu/~dennismv/events/2008umd/judges_notes.html
CC-MAIN-2014-15
refinedweb
1,011
69.21
How/Where to store encryption key? Sachin Deokar Ranch Hand Joined: May 09, 2008 Posts: 41 posted Apr 01, 2009 15:01:13 0 Hi All, Sorry if i am posting a generic question that has already been answered. I would appreciate if you can help me to get an answer or direct me to the right resource/forum/topic. As part of our project, we are using 3des algorithm to encrypt a pin. I am very new to encryption world and was wondering what are my options to securely store this encryption key, so that i can use it in my class for the encryption logic. Do i store it in some kinda repository/database or a encryption key management system? Appreciate your help and thank you in advance. Sachin Ulf Dittmer Rancher Joined: Mar 22, 2005 Posts: 42952 73 posted Apr 01, 2009 16:03:59 0 We need a lot more detail to help you. Where is the PIN stored? Where is the key stored? What is encrypting the key supposed to accomplish? Who (what kind of attack) are you trying to protect against? What kind of application is this - desktop, web app, something else? Sachin Deokar Ranch Hand Joined: May 09, 2008 Posts: 41 posted Apr 02, 2009 08:16:52 0 Thanks for your response. This is we-app using flex front-end with Spring framework, where user enters a pin as a password, which is then sent to spring bean which uses a key (question is related to storing this key somewhere) to encrypt this pin into a pin-block which is then sent to another interface via web-service for validation. Here's the sample code i wrote for 3Des encryption from examples i found online. Please let me know if you see any major issues with the code as well. I have pin hard-coded in this code right now, but will be getting this from the front-end. I am concerned about storing the encryption key. Don't want to keep in the class or in properties files. Please let me know if i still lack details in my description about the issue. Thank you all for taking out time and looking at my post. Appreciate all your feedback. import java.io.IOException; import java.security.InvalidKeyException; import java.security.NoSuchAlgorithmException; import java.security.spec.InvalidKeySpecException; import javax.crypto.Cipher; import javax.crypto.SecretKey; import javax.crypto.SecretKeyFactory; import javax.crypto.spec.DESedeKeySpec; import org.apache.commons.codec.DecoderException; import org.apache.commons.codec.binary.Hex; public class EncryptTripleDes { private static byte[] encrypt(byte[] inpBytes, SecretKey key) throws Exception { Cipher cipher = Cipher.getInstance("DESede"); cipher.init(Cipher.ENCRYPT_MODE, key); return cipher.doFinal(inpBytes); } private static byte[] decrypt(byte[] inpBytes, SecretKey key) throws Exception { Cipher cipher = Cipher.getInstance("DESede"); cipher.init(Cipher.DECRYPT_MODE, key); return cipher.doFinal(inpBytes); } /** Read a TripleDES secret key from the specified file * @throws DecoderException */ private static SecretKey readKey(String keyStr) throws IOException, NoSuchAlgorithmException, InvalidKeyException, InvalidKeySpecException, DecoderException { // Convert Key Str to bytes byte[] rawkey = Hex.decodeHex(keyStr.toCharArray()); System.out.println("RawKey Size : " + rawkey.length); // Convert the raw bytes to a secret key like this DESedeKeySpec keyspec = new DESedeKeySpec(rawkey); SecretKeyFactory keyfactory = SecretKeyFactory.getInstance("DESede"); SecretKey key = keyfactory.generateSecret(keyspec); return key; } public static void main(String[] args) { String pin = "1234567890123456"; byte[] pinBytes; try { pinBytes = Hex.decodeHex(pin.toCharArray()); System.out.println("Pin Bytes: " + Hex.encodeHex(pinBytes)); System.out.println("Pin Size : " + pinBytes.length); // TODO: Store this key in a secured place. String keyALL = "919EE5FB75B3E337406462648F5404BF0762A2" + "37155BE908089138F743FE94B6673B9765BDC1" + "4045DFE032DC928A610E9E047331D9266B38AE"; SecretKey key = readKey(keyALL); System.out.println("\nKey : " + key.getFormat().toCharArray()); byte[] encryptedRawbyte = encrypt(pinBytes,key); String encodeTxt = new String(Hex.encodeHex(encryptedRawbyte)); System.out.println("Here's the encrypted key : " + encodeTxt); byte[] decryptedRawbyte = decrypt(encryptedRawbyte, key); String dencodeTxt = new String(Hex.encodeHex(decryptedRawbyte)); System.out.println("Here's the decrypted key : " + dencodeTxt); } catch (DecoderException e) { e.printStackTrace(); } catch (InvalidKeyException e) { e.printStackTrace(); } catch (NoSuchAlgorithmException e) { e.printStackTrace(); } catch (InvalidKeySpecException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } catch (Exception e) { e.printStackTrace(); } } } Ulf Dittmer Rancher Joined: Mar 22, 2005 Posts: 42952 73 posted Apr 02, 2009 08:36:17 0 The big question is still "why does the PIN need to be encrypted?" I'm assuming you're using HTTPS when transferring it from the client, and also for the web service during validation (or -even better- you're using WS-Security encryption). So encrypting the PIN makes a difference only while the PIN is in memory on your servers, - where it's hard to attack. Encrypting something replaces the problem of protecting some text with the problem of protecting the encryption key - which is not inherently simpler to solve. Aryan Khan Ranch Hand Joined: Sep 12, 2004 Posts: 290 I like... posted Apr 05, 2009 03:58:23 0 You have got a number of options with storing the key in a HSM being the most secure. Else you can store it in a key store or even a Key encryption Key (KEK) option can be used. Aryan OCP/MCP/SCJP/SCWCD/IBM XML/SCMAD/SCEA-1 It is sorta covered in the JavaRanch Style Guide . subject: How/Where to store encryption key? Similar Threads About JSSE. Store and load a RSA key pair How to get key from decrypted byte[] OO class design Load my private key to keystore(problem in loading private key to key store) All times are in JavaRanch time: GMT-6 in summer, GMT-7 in winter JForum | Paul Wheaton
http://www.coderanch.com/t/439108/java/java/store-encryption-key
CC-MAIN-2015-06
refinedweb
916
59.09
Grails and web service development with Metro By Martin Grebac on Jun 18, 2008 I searched through my blog entries, and realized that I somehow forgot to blog about the Metro Plugin for Grails framework I introduced in the beginning of this year. So, this is an attempt to do a (late) little advertising. If you use Grails, you are certainly aware of it's plugin system. I decided to wrote a little Metro plugin which enables you to expose your Groovy/Grails classes as Metro web services in a simple and easy way using natural Grails commands, such as grails create-service and natural Metro annotations, such as @WebService, like this: import javax.jws.\* @WebService(targetNamespace="") class CalculatorService { @WebMethod def int add(int i, int j) { return i+j; } @WebMethod def multiply(int i, int j) { return i\*j; } } Those are the only things you need to do to develop web services with Grails after installing the plugin. You can find exact installation/how to use instructions at plugin website. Currently I host the plugin as a subproject of JAX-WS Commons project, but am working on making sure it is hosted at Grails plugin site as well. Btw, I recently found also these instructions on how to use the Metro Grails plugin to develop contract-first (WSDL first) web services, which gives exactly the areas where I planned to improve the plugin in. So in future, the instructions might get even more simple.
https://blogs.oracle.com/mgrebac/tags/service
CC-MAIN-2015-32
refinedweb
245
53.65
So its time for a fun little announcement, my wife and I are having a baby. And we’re so excited! Having a baby presents a novel problem for every parent every time. And that is: “We’re going to have a little human being running around, and that human is going to need a name.” It strikes me as a little weird every time that I have to give a name to anything. Just think about it, this is the name that this person is going to be known by forever. It is an awesome and somewhat ridiculous responsibility. It is a thing that we do out of necessity. After all, we have to distinguish ourselves from one another. Here’s the thing, as a parent, I’m pretty much clueless about what name would be a good baby name. That’s why I decided to help myself in the way that only a data scientist would think to help themselves out. I decided to build a neural network that predicts the popularity of a name. This is actually a really silly way to come up with names, because it won’t actually tell you whether or not the name is good, it will just tell you whether or not the name has the characteristics of a popular name. But hey, who cares, running the network is a fun way to distract myself from the fact that I will soon be a sleep deprived daddy. So we’ll build out a network. Before we go hog wild crazy building a neural network that will tell us whether or not a name is good or not, we’ll need data that can be used to train such a network. Fun fact, the government maintains this exact data. They even brag that they have a 100% sample of every name on social security applications for newborns. So this is the data that we’ll use to train our network. You can get it here. Okay Let’s Code So the first thing that we’ll need to do is to import keras. Now my keras is using Theano. I have it set up that way because my laptop’s operating system is 32-bit ubuntu, and for some reason TensorFlow doesn’t like that. So anyway, we need to import keras into the workspace. It will also import its backend as well. We’re also going to need pandas and numpy. from keras.layers import LSTM, Dense, Dropout from keras.models import Sequential import pandas as pd import numpy as np Next we’ll import the data. From the link above I just took the most recent year, but you can go crazy and discount popularity add the year, whatever you want to do. We’ll keep it simple for this tutorial though. I’m also going to mix up the entries because they are in order from most popular to least popular for girls and then most popular to least popular for boys. Mixing it up will help the neural network learn faster. Otherwise it takes a long time to learn anything but the average. I’m not sure why that helps but it does. df = pd.read_csv('/home/ryan/Desktop/yob2016.txt',header=None) df = df.sample(frac=1) So we have names and their popularities at this point, what features are we going to extract to train the model. My thought was that we could use the letters in the name itself. This is kind of a fun idea, because later we can have a network that learns the next appropriate letter and generates names from a seed. But that isn’t what we’re doing today. I’m thinking that we can do that to generate a name, and then use this network to tell us how good that name is. So let’s write some functions to prepare the data to do that. The first thing that we need to do is to tell the neural network which letters comprise a valid alphabet. This is a surprisingly difficult task when you are coding a neural network for say imitating Shakespeare. That’s because you need to include all of the punctuation, and numbers for acts and lines. Fortunately, we have English names which do not have punctuation so we can get a standard set of English letters, and a space as a padding the sequence. chars = sorted(list(set('ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqqrstuvwxyz '))) char_to_int = dict((c, i) for i, c in enumerate(chars)) Finally, we need to use this alphabet to encode each of the names as a sequence for the neural network. We do this with a helper function. This function encodes a string as a sequence of 15 characters. If there are not enough characters in the string, it will pad the end of the string with blank spaces until we get to 15 characters. def namer(x): num = 15-len(x) return [char_to_int[char] for char in x+' '*num] Now that all the pieces are in place, we’ll run this against our data to clean it up so that it is presentable to the neural network. X = np.array([namer(obj) for obj in df[0]]) X = X.reshape((len(df),15,1)) y = np.array(df[2]) Okay the Data is Clean, Build a neural network! I used a really dumb architecture. There is an LSTM layer, with a dropout layer attached. We’ll randomly drop 20% of the connections each iteration. This is done as normalization procedure to keep the network on its toes about what it is learning. We then feed that into a hidden layer, which determines the output. Here’s the code: model = Sequential() model.add(LSTM(256, input_shape=(X.shape[1], X.shape[2]), return_sequences=False)) model.add(Dropout(0.2)) model.add(Dense(256)) model.add(Dense(1)) I train the network to minimize the mean absolute error. I like this loss function because it is very interpretable. Essentially, it says on average how far off our my predictions. In the case that we’re looking at, on average by how many people giving their child that name am I off with my predictions. That last sentence isn’t a great sentence, but its the best that I could do, English teachers forgive me. We then fit the model. model.compile(loss='mae',optimizer='adam') model.fit(X,y) I let this bad boy run for a couple of days letting it go for like 32,000 iterations. And it started to produce some reasonable results. I think it needs more. It would go faster on GPU, but I am cheap and running this on my old laptop. I will package it up and post something that you can play with later. Here’s The Full Code from keras.layers import LSTM, Dense, Dropout from keras.models import Sequential import pandas as pd import numpy as np df = pd.read_csv('/home/ryan/Desktop/yob2016.txt',header=None) df = df.sample(frac=1) chars = sorted(list(set('ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqqrstuvwxyz '))) char_to_int = dict((c, i) for i, c in enumerate(chars)) def namer(x): num = 15-len(x) return [char_to_int[char] for char in x+' '*num] X = np.array([namer(obj) for obj in df[0]]) X = X.reshape((len(df),15,1)) y = np.array(df[2]) model = Sequential() model.add(LSTM(256, input_shape=(X.shape[1], X.shape[2]), return_sequences=False)) model.add(Dropout(0.2)) model.add(Dense(256)) model.add(Dense(1)) model.compile(loss='mae',optimizer='adam') model.fit(X,y)Open modal
https://barnesanalytics.com/using-lstm-networks-in-keras-to-predict-baby-name-popularity
CC-MAIN-2018-13
refinedweb
1,266
74.29
# Synchronous Request-Response using REST and Apache Kafka On one of the Innotech’s projects, we received a task to convert asynchronous requests into synchronous ones. Basically, the purpose was to integrate REST and Apache Kafka into the same request. In more detail, we have two services that communicate with each other. Let’s call them A and B. Service A receives a request from a consumer for data that is stored in service B. Thus, service A sends a request for data to B in REST and waits for the response of this request in Kafka. The user is waiting for data until this response is received. It appears to be a common problem, and the solution should be in Google or Stack Overflow. We managed to find the solution of a similar problem only in an existing library connecting two servers to Kafka. So the problem was solved using Java, Spring framework and a little IT-wit. Problem Statement ----------------- Before beginning implementation, we need to state the problem and understand what we have and what we want to achieve. We have a *Client* service that will have one end-point. An end-point, in turn, will take a normal string, send it to the second service, and wait for the response in Kafka. And we have the second service — *Server*. It will receive a REST string from the *Client* service, convert it to UpperCase and return in response by Kafka. The *Client* service awaits for the response from the *Server*. The user will wait for the result until the response is delivered. Waiting for a response may take a long time. To avoid too high of latency, it is necessary to provide an interrupt timeout, e.g. 10 seconds. But this condition should not be necessary; we should be able to wait indefinitely for a response. But definitely not waiting for 7.5 million years, otherwise the response could be disappointing. This is an example of how it works. The consumer sends a string to the *Client* service, e.g. “abc123”, and until the response from the *Server* service is delivered, they will be kept hanging. The response which will be returned to the consumer from the *Server* should be “ABC123”. If the wait time exceeds the timeout value, an HTTP code with a 504 (Gateway Timeout) error will be returned instead of the response. ![](https://habrastorage.org/r/w1560/getpro/habr/upload_files/af9/1ab/520/af91ab5205aa87c00abc418d0f6b37ad.png)Client Implementation --------------------- I will only describe the main points. If you need the whole code, there is a link to the repository below. **SenderReceiver Implementation** The logic core is a `SenderReceiver` class implementation, which is responsible for the process's rest state until it receives data from the outside. This class consists of two main methods: a `receive()` method is responsible for resting until data is received, and a `send()` method is responsible for receiving data and waking up the `receive()` method. To understand the current state of the thread, 1) whether resting or waiting (the `receive()` method), or 2) receiving and waking up (the `send()` method), we will create a `boolean` flag called `transfer` and initialize it using the `true` value. ``` private boolean transfer = true; ``` Now let’s implement the `receive()` method: ``` public synchronized void receive() { while (transfer) { if (timeout != 0 && start.before(new Date(System.currentTimeMillis() - timeout))) { timeoutException = new TimeoutException(); Thread.currentThread().interrupt(); return; } try { wait(timeout); } catch (InterruptedException e) { Thread.currentThread().interrupt(); } } Thread.currentThread().interrupt(); } ``` Since initially the flag `transfer = true`, the process goes into a standby mode until it is woken up by the `send()` method, or milliseconds set in `timeout` elapse. If the `timeout` value is different from 0, it means that the thread interrupt mechanism by runtime has been set. To do this, we must compare the current time offset by this value with the start time of the thread. If this time is exceeded, we save `TimeoutException()` into a variable which is initially null (we’ll need it later), and terminate the thread. If the `transfer` flag becomes `false` and the thread has not finished waiting using a timeout, we will simply exit the loop and terminate the thread. You can see that the `timeout` with a value of 0 is unique. If it is 0, the thread will wait indefinitely to wake up. After it is woken up and `transfer` changes to a `false` value, the thread will terminate. Now, let’s implement the `send()` method: ``` public synchronized void send(final T data) { transfer = false; this.data = data; notifyAll(); } ``` You can see that the `send()` method is quite simple. It receives data from outside, changes our `transfer` flag to `false`, saves the data, and wakes up all the threads that are hanging in `wait()`. In fact, there is another important auxiliary method called `getData()` which either returns the data stored in `data`, or generates an error if the relevant variable is not null. ``` public T getData() throws TimeoutException { if (Objects.nonNull(timeoutException)) throw timeoutException; return data; } ``` **SenderReceiverMap Implementation** After we have implemented the mechanism of waiting for a response and waking up once it is delivered, we need to implement a class that will store a set of waits. This is necessary in order to link requests from the *Client* service with responses from the *Server* service. This way, a lot of users can “pull” our end-point simultaneously, and we will return each user the data they requested without getting mixed up. Let’s call this class `SenderReceiverMap`. Obviously, the responses from the *Server* can be delivered in any order – it depends on the processing time of a particular request. For example, the processing time of one request may be 5 seconds, and of another may be 3 seconds. To be able to look for connections between the thread and the user’s request, we need to label them uniquely. To do this, we must enter an `id` of the request. To perform the search quickly, we need to use Map. Since we are working with threads, we need to use safe collections. Thus, we will get the following: ``` private final ConcurrentMap senderReceiverConcurrentMap; ``` As you can probably guess, `T` is an id type. It can be anything, such as an Integer, String, or UUID. I prefer UUID. To add a new wait, we need to implement a method which will receive a pre-generated request `id` and which we will additionally `transfer` to the *Server* (more on this later) and timeout. ``` public Thread add(T id, Long timeout) { SenderReceiver responseWait = new SenderReceiver(timeout); senderReceiverConcurrentMap.put(id, responseWait); Runnable task = responseWait::receive; return new Thread(task); } ``` `V` is a type of the message data. In our case, it is String. You can see that we create a `SenderReceiver` and add it to the collection with a relevant request id. Then we create a new `Thread()` and immediately return it, so that we can pause it until the data is delivered in the `send()` method of the `SenderReceiver` class. We will also need methods that can return the required `SenderReceiver` from the `SenderReceiverConcurrentMap`, and check if there is `id` in the `SenderReceiverConcurrentMap`, and a method to remove a request from the `SenderReceiverConcurrentMap`. Review this implementation below, since there is nothing to comment on here. ``` public SenderReceiver get(T id) { return senderReceiverConcurrentMap.get(id); } public Boolean containsKey(T id) { return senderReceiverConcurrentMap.containsKey(id); } public SenderReceiver remove(T id) { return senderReceiverConcurrentMap.remove(id); } ``` **Implementing a Request for Data from the Server Service** Now we will implement a request to the *Server* service via REST, and add its id to the collection together with the wait for the result. ``` public String get(String text) throws TimeoutException { UUID requestId = UUID.randomUUID(); while (senderReceiverMap.containsKey(requestId)) { requestId = UUID.randomUUID(); } String responseFromServer = this.sendText(requestId, text); System.out.println("REST response from server: " + responseFromServer); Thread thread = senderReceiverMap.add(requestId, timeout); thread.start(); try { thread.join(); } catch (InterruptedException e) { e.printStackTrace(); } String responseKafka; try { responseKafka = senderReceiverMap.get(requestId).getData(); } catch (TimeoutException e) { throw e; } finally { senderReceiverMap.remove(requestId); } return responseKafka; } ``` As you can see, we receive a string from the user in this method. Next, we create a request `id` and send it together with the received string. We add the request together with its id to the collection of requests, and run the resulting `Thread`. At this step, the process will freeze until someone “pulls” the `send()` method from the `SenderReceiver` object, which can be found by a particular request `id`. If someone calls the send() method and sends data to it, or the thread itself terminates via `timeout`, the method will continue to work. It calls `senderReceiverMap.get(requestId).getData()` which will return either `TimeoutException` or the data sent to the `send()` method. All we have to do is to remove the already-processed request from the collection and return the data we received. **KafkaListener Implementation** The information explained above makes clear that we only have to call the `send()` method from a particular `SenderReceiver` wait object that can be easily found by its `id`. Since we synchronize requests with `Kafka`, we should call this method when we receive the data from it. ``` @KafkaListener(topics = "${kafka.topic}", groupId = "${kafka.groupId}") public void listenGroupFoo(ConsumerRecord> record) { UUID rqId = this.getRqId(record.headers()); if (senderReceiverMap.containsKey(rqId)) { SenderReceiver stringSenderReceiver = senderReceiverMap.get(rqId); stringSenderReceiver.send(record.value().getData()); } } ``` There is nothing complicated here either: from `headers` we obtain a request id required to obtain the relevant `SenderReceiver` from Map, which we will use to call the `send()` method. As you can see, there is no need to use Kafka for synchronization; we can use any other thread as long as we have a request `id` and the data we want to return. For example, you could use a different message broker, or a totally different REST request. This is a flexible solution, because all you need to do is to call `send()`. Server Service Implementation ----------------------------- This is really very simple. Just don’t forget to change the `port` on which the *Server* service will run to ensure it will run simultaneously with the *Client* service. To do this, set the following parameter in the `application.properties`: ``` server.port=8888 ``` **End-Point Implementation** The *Server* service must have an end-point that receives data from the *Client* service and sends the result to Kafka linked with the request `id`. ``` @PostMapping("/test") public String test(@RequestBody RequestDto request) { Runnable runnable = () -> { System.out.println("Start requestId: " + request.getRequestId() + " text: " + request.getData()); try { int sleepMs = ThreadLocalRandom.current().nextInt(0, 10000 + 1); System.out.println("RequestId: " + request.getRequestId() + " sleep: " + sleepMs + "ms"); Thread.sleep(sleepMs); } catch (InterruptedException e) { e.printStackTrace(); } kafkaMessageSender.send(request.getRequestId(), new KafkaMessage<>(request.getData().toUpperCase())); System.out.println("End requestId: " + request.getRequestId()); }; Thread thread = new Thread(runnable); thread.start(); return "Ok!"; } ``` This end-point takes a structure which contains `requestId` — a request `id` and `data` — the data needed to be processed. This is a string in our case. This end-point creates a separate thread, which doesn’t wait for a thread to terminate, but immediately returns an `“Ok!”` string via REST in response. In the thread, we emulate how hard the *Server* works. To do this, we randomly generate the number of milliseconds during which the thread will fall asleep, and after it wakes up it will send data (an uppercase string) to Kafka. **Implementation of Sending a Message in Kafka** Sending in Kafka looks like this: ``` public void send(final UUID requestId, final KafkaMessage message) { ProducerRecord> record = new ProducerRecord<>(topic, message); record.headers().add(new RecordHeader(RQ\_ID, requestId.toString().getBytes())); ListenableFuture>> future = kafkaTemplate.send(record); future.addCallback((success) -> { }, System.out::println ); kafkaTemplate.flush(); } ``` In the `headers`, we set a new `RQ_ID` header where we save a request `id`, and then we just call `send()` where we send the processed data. This where the *Server* service stops. Conclusions ----------- In fact, you don’t have to use REST+Kafka in this solution. As you can see, the solution is universal, and this implementation can easily be changed to fit any interaction, whether it is REST+REST, or Kafka+Kafka, or even pigeon mail. You can find a case study [here](https://github.com/graf4444/spring-rest-kafka-synchronous).
https://habr.com/ru/post/694292/
null
null
2,036
56.96
Introduction Breaking customers into groups is a natural tendency. Companies want to know who are their best customers, who are their worst customers, who has potential, who is new, and so on. Marketing and sales departments do this regularly and often. Their goal is to expend limited effort to achieve maximum return (sales, in this case). Classifying and grouping customers may be a natural function of human nature and business operations, but doing it well is a subject of study, discussion, and practice. One type of segmentation modeling built into wizards in IBM SPSS Statistics is recency, frequency, and monetary value (RFM) segmentation. RFM is a proven and widely used method for dividing customers into groupings based on their behaviors. A quick scan of the customer list when grouped by the RFM score shows you who your best customers are and who your bad or dead customers are. RFM modeling is not the only way of segmenting customers, and it isn't necessarily the best way. It is, however, a good method of segmenting customers that anyone can easily understand and put to use quickly. Knowing how your customers break into groups is useful. You can use that information to predict customer behavior in the near future. Even more useful is monitoring how individual customers' RFM scores change over time. Using that knowledge, you can change business processes to maximize a customer's life cycle. And you can glean all of this information from an easy-to-use wizard in SPSS Statistics. RFM models If you are not in marketing, you might not have heard of RFM segmentation. No worries, it's easy to grasp: - Recency Recency refers to how long ago a customer placed their last order. This metric is used, because in many situations, it has been shown that customers who last ordered a long time ago are far less likely to order from you again compared to customers who ordered more recently. - Frequency Frequency refers to how many times a customer ordered from you over his or her lifetime. This metric is used, because someone who has ordered from you once is far less likely to order again compared to someone who has ordered from you many times. Frequency is sometimes tweaked a bit. After review and examination in your operations, you may come up with a slightly different definition of frequency. For example, you might use the number of orders per year rather than orders over an entire lifetime. Another variant is to use orders only over a certain value in the frequency calculation (negating small orders and the effect that some customers might have by placing many tiny orders, which drives up processing, delivery, and receivables costs). - Monetary value Monetary value refers to the worth of the customer. Most RFM analyses use either gross revenue or net profit over the lifetime of the customer. Which you use depends on the opinion of influential people in the company. You can define monetary value other ways as well. Using net profit per order may change the outcome. Seeing the difference in how a customer is ranked between the different monetary value metrics can be insightful. Having defined the R, F, and M, let's look at the model. Think of each category (R, F, or M) as an ordered list of customers based on the value of the metric. Divide that ordered list into equal parts—typically, three or five, but any number will work. For example, customers who order most frequently will all receive a 5 out of 5; customers who ordered only one time will get a 1 out of 5. Use the same ranking system for the other metrics. Each customer then has a three-number score, such as 114, 352, or 445. In the default SPSS Statistics case, the lower each number, the better. Though simple in outcome, many industries use RFM models for quick but powerful segmentation. RFM modeling comes originally from the direct marketing industry (think catalogs by mail). The modern equivalent to mail order catalogs is e-commerce. Companies use RFM modeling to send targeted offers to get customers to come back to the site and maintain name recognition by email. Another variant industry using RFM is business-to-business distribution. Here, a business can use knowledge about the customer to determine price lists—more discounts to more active and valuable customers. One could also use recency to quickly see when good customers stop ordering, and then prepare an offer to get them to come back. Historical analysis using RFM A single RFM model is a snapshot in time. Comparing several models over time is a way to model the customer lifecycle. Seeing how customers move from different RFM classes over their lifespan gives marketing and salespeople a lot of insight into customer behavior. Often, several tracks are visible. Knowing how different types of customers progress through the RFM model over time provides a foundation for altering business processes, making marketing offers or moving direct sales resources to the point of greatest impact. For example, you may notice that new customers in one industry enter at an RFM score of 513 (meaning they are recent, not frequent, and have a medium value if scored out of 5). Their next move could be an improved RFM score of 534. Next, you could see a split. Some customers could go down, while others go up in their RFM scores. Determining the difference between such customers could result in designing better offers, incentives, or service programs that get more customers onto the good track. Keeping a data table where you records each customer's RFM score every time you run the models is the easiest way to do this. Other segmentation modeling techniques Before I dive into how to use SPSS Statistics wizards to create an RFM model, let me describe some of the other ways to segment customers in this tool. As you would expect, there are many ways of grouping customers, and SPSS Statistics supports many of the statistical processes used to accomplish the task. Clicking the Analyze menu, you can see several general categories of statistical analysis, including one labeled Classify (see Figure 1). Figure 1. The expanded Classify submenu (View a larger version of Figure 1.) The Classify submenu shows the main algorithms available. These more advanced options will be useful to you when you move to creating custom segmentation models of your customers. However, their effective use does require a moderate level of statistical knowledge and, in reality, will be a learning process as you adapt them to fit the needs of your organization and the data you possess. RFM analysis in SPSS Statistics Let's get to work. Before you start in SPSS Statistics, you need to gather your data, which you extract from your transactional systems. The type of data and the low complexity of the query you need might surprise you. Using some fairly basic queries that return the count of transactions, the sum of the amount, and the maximum value for the date, gather data that represents the: - Customer number or other unique identifier; - Last order date for each customer; - Number of transactions that customer has had; and - Total revenue for the customer. As mentioned, you can use other definitions for the number of transactions and the total revenue for each customer. But the above list is a good starting point. When the data is put together, it might look something like Figure 2. In this example, the data is in a spreadsheet, but you can have it in other formats. Just make sure that SPSS Statistics can read that file type. Figure 2. Example of a data file in a spreadsheet With the data file put together, you are ready to start the analysis: - Start SPSS Statistics, then make a connection to the data file. You see the familiar Data Editor window filled with your customer file, as shown in Figure 3. Figure 3. The data file now in the SPSS Statistics Data Editor window (View a larger version of Figure 3.) - Click Direct Marketing > Choose Technique. The Direct Marketing window appears (see Figure 4). Figure 4. Figure 4. The Direct Marketing window - Double-click Help identify my best contacts (RFM Analysis). - In the RFM Analysis: Data Format window (see Figure 5), select Customer data, and then click Continue. Figure 5. Data organization choices The multi-tabbed RFM Analysis from Customer Data window appears in which you specify all the parameters for the RFM modeling process. - Click the Variables tab, shown in Figure 6. This tab has four data elements that you must define for the RFM modeling process to work. You must tell SPSS Statistics which variable in the incoming data (think columns in the spreadsheet) translate to the last transaction date, the number of transactions, and the amount. Figure 6. Defining data elements for RFM modeling - After you map the data variables to the modeling input variables, include an identifier so that the model can give a score to each customer. For this example, specify the Customer ID field from the spreadsheet (see Figure 7). Figure 7. Specifying the Customer ID field - Click the Binning tab, and then select the number of bins you want from the Recency, Frequency, and Monetary lists. Binning refers to how many bins, or divisions, you want for each metric. The default for each metric is 5, which is a common number to use in real life. For simplicity, I adjusted my examples to work with 3 (see Figure 8). Figure 8. Selecting the number of divisions on the Binning tab - In the Binning Method area, select Nested or Independent, as appropriate. The option you choose alters where people are placed for the frequency and monetary value scores. One method is not necessarily better than the other. Making a flow chart of the difference and discussing the procedure with your business users and decision-makers is the best way to decide. When you do make a decision on which method to use, stick with it for subsequent modeling so the comparisons over time will be valid. - Click the Save tab. - Choose where to write the model output (see Figure 9). For this example, use the default output.sav. I usually select Write a new data file in the Location area, and then click Browse to name a new file. The only format for this file is the native SPSS Statistics .sav format. Figure 9. Saving the output - Click the Output tab, as shown in Figure 10. This tab controls the output that is displayed in SPSS Statistics Viewer. Selections and changes on this tab do not affect the output file you indicated on the Save tab. Figure 10. The Output tab - Click OK to run the RFM model. The output data will look like Figure 11 in the Data Editor after you run the modeling procedure. Figure 11. The output.sav file in the SPSS Statistics Data Editor window (View a larger version of Figure 11.) After the modeling process is complete, SPSS Statistics Viewer displays windows that look like Figure 12, Figure 13, and Figure 14. You must access the output data file separately using the Data Editor window. Figure 12. Screen in SPSS Statistics Viewer that results from the RFM modeling process (1 of 3) (View a larger version of Figure 12.) Figure 13. Screen in SPSS Statistics Viewer that results from the RFM modeling process (2 of 3) (View a larger version of Figure 13.) Figure 14. Screen in SPSS Statistics Viewer that results from the RFM modeling process (3 of 3) (View a larger version of Figure 14.) Use the charts and graphs in the viewer window to communicate how the model is presenting data to your analysts and business decision-makers. These windows also include basic statistics about the mean value of each input variable metric, with standard deviations. Consider making your own graphs and tables that you tailor to your audience, as well. Note: You can save the output.sav file to other formats, and then integrate it into queries and databases to be able to give RFM scores for customers in different applications. Repeat frequently A single RFM model is a snapshot of your customers' past behavior from today's perspective. Running the model over time and using the results to show how customers move between categories provides a depth that a single result cannot give. The easiest way to do so is to create a simple data file that stores the RFM scores for each customer by date. Using equally simple queries, you can pull the time series of RFM scores for individual customers and groups of customers over time. To make analysis more accurate, run the RFM model regularly and at equally spaced time intervals. In this way, you will have created a foundation for customer life cycle analysis. You can use this data to see many things about how your customers' order behavior changes over time. One of the best ways is to combine your analysis with a demographic segmentation to see how different groups move through the RFM scores over time. One insight you may gain is how to identify patterns that indicate when a customer is likely to stop ordering (some people call this churn). Targeting those customers with incentives or extra attention may change their upcoming actions and retain them longer. Conclusion Using the RFM modeling capabilities within SPSS Statistics is a quick way to get others on board for more analysis. You can use RFM modeling to gain deeper insight into your customers' behavior, whether it is in retail, e-commerce, distribution, or other commercial industries. Even charities can apply this model to improve interactivity with donors. RFM analysis is, relatively speaking, an easy modeling process to understand. Business users can see the value quickly. Use it to leverage a deeper use of analytics in your organization. It is a great starting point for finding more and interesting ways to bring data mining and predictive analytics into your company. Resources Learn - Learn more about RFM from the blog, Statistical Concepts and Analytics Explained. - Explore more developerWorks Business analytics resources. - Visit developerWorks Industries for industry-specific technical resources for developers. - Browse the technology bookstore for books on these and other technical topics. - Follow developerWorks on Twitter. - Watch developerWorks on-demand demos ranging from product installation and setup demos for beginners to advanced functionality for experienced developers. - Learn more about SPSS Statistics..
http://www.ibm.com/developerworks/library/ba-direct-marketing-spss/index.html?cmp=dw&cpb=dwbus&ct=dwnew&cr=dwnen&ccy=zz&csr=102612
CC-MAIN-2015-06
refinedweb
2,418
62.38
#include <FXGLViewer.h> #include <FXGLViewer.h> Inheritance diagram for FX::FXGLViewer: See also: NULL 0 Construct GL viewer widget. Construct GL viewer widget sharing display list with another GL viewer. [virtual] Destructor. Called for unhandled messages. Reimplemented from FX::FXObject. Create all of the server-side resources for this window. Reimplemented from FX::FXGLCanvas. Detach server-side resources. Perform layout. Reimplemented from FX::FXWindow. [inline] Return size of pixel in world coordinates. Return size of pixel in model coordinates. Return a NULL-terminated list of all objects in the given rectangle, or NULL. Perform a pick operation, returning the object at the given x,y position, or NULL. Change the model bounding box; this adjusts the viewer. Fit viewer to the given bounding box. Return the viewer's viewport. Translate eye-coordinate to screen coordinate. 0.0 Translate screen coordinate to eye coordinate at the given depth. Translate screen coordinate to eye coordinate at the target point depth. Translate world coordinate to eye coordinate. Translate world coordinate to eye coordinate depth. Translate eye coordinate to eye coordinate. Calculate world coordinate vector from screen movement. Change default object material setting. Return default object material setting. Change camera field of view angle (in degrees). Return camera field of view angle. Change camera zoom factor. Return camera zoom factor. Change target point distance. Return target point distance. Change unequal model scaling factors. Return current scaling factors. Change camera orientation from quaternion. Return current camera orientation quaternion. Change object center (tranlation). Return object center. Translate object center. Return boresight vector. Return eyesight vector. Return eye position. Change help text. Return help text. Change tip text. Return tip text. Return the current transformation matrix. Return the inverse of the current transformation matrix. Change the scene, i.e. the object being displayed. Return the current scene object. Change selection. Return selection. Change the projection mode, PERSPECTIVE or PARALLEL. Return the projection mode. MAYBE Change top or bottom or both background colors. FALSE Return top or bottom window background color. Change global ambient light color. Return global ambient light color. Read the pixels off the screen as array of FXColor; this array can be directly passed to fxsaveBMP and other image output routines. Read the feedback buffer containing the current scene, returning used and allocated size. Change hidden-surface feedback buffer sorting algorithm. This can be used for move/draw printed output depth sorting. Return hidden surface sorting function. Change the maximum hits, i.e. the maximum size of the pick buffer. When set to less than or equal to zero, picking is essentially turned off. Return maximum pickbuffer size. When drawing a GL object, if doesTurbo() is true, the object may choose to perform a reduced complexity drawing as the user is interactively manipulating; another update will be done later when the full complexity drawing can be performed again. Return turbo mode setting. TRUE Set turbo mode. Return light source settings. Change light source settings. Save viewer to a stream. Load viewer from a stream. [friend] [static]
http://ftp.fox-toolkit.org/ref16/classFX_1_1FXGLViewer.html
CC-MAIN-2022-21
refinedweb
501
56.21
In the last blog post, I investigated why my Noda Time tests on Travis were running much slower than those on AppVeyor. I resolved a lot of the problem just by making sure I was running release builds on Travis. That left a single test which takes up about half of the test time though: TzdbDateTimeZoneSourceTest.GuessZoneIdByTransitionsUncached. It seems to run more slowly on .NET Core on Linux than on Windows. The aim of this post is to work out why – at least to the extent of understanding it better than before. Step 0: Initial assumptions/knowledge and aim For the moment, I’ll assume that my records of previous investigations are correct. So the situation is: - I have near-identical hardware to run tests on: gabriel is running Linux; bagpuss is running Windows. - Under a release build, the test takes 19s on gabriel and 4.3s on bagpuss - The test does more work on gabriel: it checks 434 zones instead of 135 on bagpuss - That still shows a per-test slow-down of 40% - I’ve looked at this code before to try to optimize it. In production, this method is only going to be called for one time zone (the system default) so it’s not really a problem – but improving the test speed would be nice. (We can categorize it as a “slow” test if necessary, but I’d rather not.) Aims of this diagnosis: - Find out whether the speed difference is in the test code or the production code that it’s testing. (This test has a lot of assertions.) - Find out whether the speed difference is in Noda Time code (e.g. Instant) or in BCL code (e.g. TimeZoneInfo). If it’s in Noda Time code, that could lead to another investigation later, with potential optimizations. - Make another attempt at speeding up the test across the board Step 1: validate assumptions Let’s make sure we’re still in the same state as we were before. (That seems pretty likely.) On both machines, pull the current code and run dotnet run -c Release -f netcoreapp1.0 -- --where=test=~Guess from the src/NodaTime.Test directory. Odd: it now takes ~6 seconds on bagpuss. At that point, there’s no time discrepancy. But I’m sure there was when I wrote up the previous post. I didn’t make up the 4.3s result… but it’s entirely possible it was on the wrong machine. Run the tests several times – yes, it’s always around 6 seconds. Odd. At this point, I nearly gave up. After a little while doing other things, I decided to pursue the rest of the diagnosis anyway… at which point the execution time was back to about 4 seconds. That’s very, very strange. I still don’t know what was going on there. Brutal honesty time: although I ran the tests at this point, I didn’t spot the discrepancy until I was at the end of step 2. I then looked back in the command shell buffer and saw the 6 second run, which was consistent with the runs at the end of step 2. Step 2: shorten experiment iteration time The only test we’re interested in is this one. We’re going to be changing the code occasionally, so let’s ditch everything else. - Start a new branch in git - Move TzdbDateTimeZoneSourceTest.csinto NodaTime.Testso it’s easier to find. (It was in a subdirectory.) - Remove all other tests from TzdbDateTimeZoneSourceTest.cs - Delete all the subdirectories in NodaTime.Test - Remove everything in NodaTime.Testapart from Program.csand TzdbDateTimeZoneSourceTest.cs - Change the target framework to just netcoreapp1.0so we don’t need to specify it. (This also requires changing the csproj file to use instead of.) - Add a Releaseproperty to attempt to make it a release build by default - Test: run dotnet run– oops, even though it’s running from a Release folder, it’s taking 13 seconds instead of 3 on Windows. - Revert previous change, and try dotnet run -c Release– that’s more like it Great. We can push the commit to github and fetch it on all the relevant machines. (I’m developing on a third machine, just using gabriel and bagpuss to run tests.) Step 3: Narrow down the time-consuming code As I mentioned before, the test has a lot of assertions, and they involve a lot of time zone work. Let’s see how much time they’re contributing – by removing them entirely. - Comment out everything after the call to GuessZoneIdByTransitionsUncached - Run locally just to check it does still run - Commit and push - Fetch on gabriel/bagpuss and rerun Result: the checking part of the test is almost free. Step 4: Remove NUnit At this point I’m fairly confident that NUnit is irrelevant. I still want to use the NodaTime.Test project, as NodaTime is already configured to expose internal members to it – and GuessZoneIdByTransitionsUncached is internal. However, it’s very easy to remove NUnit – just remove the dependencies, and replace all the code in Program with a simple test: using NodaTime.TimeZones; using System; using System.Diagnostics; using System.Linq; namespace NodaTime.Test { class Program { public static void Main(string[] args) { var zones = TimeZoneInfo.GetSystemTimeZones().ToList(); // Fetch the source outside the measurement time var source = TzdbDateTimeZoneSource.Default; // JIT compile before we start source.GuessZoneIdByTransitionsUncached(TimeZoneInfo.Local); var stopwatch = Stopwatch.StartNew(); foreach (var zone in zones) { source.GuessZoneIdByTransitionsUncached(zone); } stopwatch.Stop(); Console.WriteLine($"Zones tested: {zones.Count}"); Console.WriteLine($"Elapsed time: {stopwatch.Elapsed}"); } } } There are a couple of differences here compared with the NUnit test: - I’m deliberately fetching TzdbDateTimeZoneSource.Default(which needs to read some resources) outside the measurement - I’m deliberately calling GuessZoneIdByTransitionsUncachedonce outside the measurement to remove JIT compilation time This still isn’t a good benchmark by any means, but it’s probably sufficient for now. Commit/push/fetch/run as before. Result: similar to before, but a little faster. Playing around with the code a little further, it seems that the bullet points above make a difference of about 0.1s each (on bagpuss, at least) – there’s quite a lot of code that wouldn’t have been JIT-compiled before the first call, and loading time zone data is somewhat expensive. NUnit also adds a little bit of overhead, which is understandable. We now have more accurate data for just GuessZoneIdByTransitionsUncached: - bagpuss: 3.6s - gabriel: 19.0s (just under 19 in most cases, instead of just over when running NUnit) Now we need to get into Noda Time code… Step 5: Gut the production code First, the source code helpfully points to with some comments from my last investigation. We don’t care about correctness at this point, just speed. We can return null at any point. At this point you probably need to know a bit about what the method does. The aim is to guess a matching TZDB (aka IANA, tz, zoneinfo or Olson) time zone from a BCL TimeZoneInfo, when we can’t use the names to match. It combines all the time zone transitions (e.g. going into or out of DST) of every TZDB zone for the next 5 years, and then computes a score for each zone by checking how many of the UTC offsets at those transition points match the offsets returned by the BCL zone. Let’s divide the code into 5 sections: - Working out the start and end of this UTC year - Getting all the time zones - Getting all the transitions we’re going to test - Getting all the offsets from the BCL zone - Computing the scores It’s going to be simplest to measure just 1, then 1+2, then 1+2+3 etc. We can just add return null; after the step we’re interested in. We hope the results will tell us: - Which part of the code is slowest (so we can try to optimize it) - Which part of the code is slower on Linux than Windows For simplicity, let’s make gabriel use the same number of time zones as bagpuss, just by adding .Take(135) in Program.cs above first. That way we’re comparing the same amount of work on each machine – although admittedly we don’t know that each time zone takes the same amount of time. Without any change to the production code, gabriel now takes 6s – which is about what we’d expect if the time per zone is uniform, as 19 * 135/434 = 5.91[…]. Results on gabriel: - Step 1: 0s (it’s free, effectively) - Step 1+2: 1.82s - Step 1+2+3: 3.15s - Step 1+2+3+4: 3.21s - Step 1+2+3+4+5: 6s Results on bagpuss: - Step 1: 0s - Step 1+2: 1.21s - Step 1+2+3: 2.10s - Step 1+2+3+4: 2.13s - Step 1+2+3+4+5: 3.63s Or in other words, stepwise: Step 1: 0s on both Step 2: 1.82s on gabriel; 1.21s on bagpuss Step 3: 1.33s on gabriel; 0.89s on bagpuss Step 4: 0.06s on gabriel; 0.03s on bagpuss Step 5: 2.79s on gabriel; 1.50s on bagpuss No particular smoking gun, unfortunately – no obvious part that would be easily optimized. The last part looks like it shows the worst platform difference though… let’s see if we can dig into that. Step 6: Pivot to DateTimeZone.GetUtcOffset Let’s change our test pretty radically: - Get a list of all the built in TZDB time zones - Create a list of 50,000 instants, starting at 2000-01-01T00:00:00Z and spaced 1 hour apart. 100,000 is some enough instants to make the test last for roughly 10 seconds. (Fast enough to iterate, slow enough to give significant results.) - For every zone, find the UTC offset for every instant. To simplify reasoning about what we’re testing, we want to remove time zone caching, too. Time zone computations are inherently fiddly, so Noda Time has a cache for each zone. In GuessZoneIdByTransitionsUncached we were coming up with a new DateTimeZone in each call, so while there’d be some caching involved, it wouldn’t be as much as a simple version of this new test. For the moment, let’s just remove the time zone caching layer entirely: var zones = DateTimeZoneProviders.Tzdb.GetAllZones() .Select(zone => zone is CachedDateTimeZone cached ? cached.TimeZone : zone) .ToList(); var start = Instant.FromUtc(2000, 1, 1, 0, 0); var gap = Duration.FromHours(1); var instants = Enumerable .Range(0, 100000) .Select(index => start + gap * index) .ToList(); var stopwatch = Stopwatch.StartNew(); foreach (var zone in zones) { foreach (var instant in instants) { zone.GetUtcOffset(instant); } } stopwatch.Stop(); Console.WriteLine($"Elapsed time: {stopwatch.Elapsed}"); There’s still one other caching layer that’s relevant, and that’s in terms of conversions between calendrical values and instants… Noda Time is optimized for the years 1900-2100 in the Gregorian calendar. If our test went outside that range, we’d get very different results, hitting different pieces of code very hard. Our original test was looking at 5 years around now, so let’s stick to the optimized range for now. Results: - gabriel: 19.5s - bagpuss: 12.5 Good – we’re still seeing the Linux run being about 50% slower than the Windows run. Step 7: Break out a profiler! It’s been a while since I’ve done any profiling in .NET. I had a quick search to see what was available in terms of free tools that handle .NET Core, and came across CodeTrack. I don’t think it runs under Linux, but that’s okay – we’re mostly using it to track down the hotspots first, so we can fine tune our tests. I’m not specifically advocating CodeTrack – profiling is an art and science about which I know relatively little – but it was easy to get going. 85% of the time was spent in StandardDaylightAlternatingMap.GetZoneInterval, so that looks like a good place to look next. Step 8: Write actual benchmarks I have a benchmark suite for Noda Time already, and at this point we’ve got to a stage where it’s probably worth using proper benchmarking tools. BenchmarkDotNet is my framework of choice – so let’s add a couple of benchmarks. Looking at the code and the profiler, it looks worth testing both StandardDaylightAlternatingMap and ZoneRecurrence. Having added those benchmarks, I might as well put this down until the next day, as the complete benchmark suite runs automatically every night. Step 9: Compare the benchmarks The benchmark results are automatically uploaded to the Noda Time web site although the UI for browsing them is somewhat unstable (in terms of URLs etc) – hence the lack of link here. Looking at the benchmark results, it turns out I’d already got benchmarks for StandardDaylightAlternatingMap, annoyingly enough – so I needed to tidy those up. However, they do clearly show the difference between .NET Core on Linux and on Windows, so we’ve narrowed the problem down further. That doesn’t show that only that code has different performance, but it’s hopefully a good enough start that we’ll be able to continue and get a short but complete example to provide to the .NET Core CLR team. Diving deeper into the implementation, ZoneYearOffset makes sense to test too… the further we go down, the less code will be involved. Step 10: take a step back for now We’ve made progress, but we’re not all the way there. That’s okay – the progress is recorded (both here and in benchmarks) and in looking at the benchmark that’s taking so long to run, we’ve confirmed that we’re not doing anything stupid. It happens to end up doing a lot more work than any application code normally would – work that would normally only happen once (so can be inefficient without being a problem) is exercised hundreds of times. Such is life – I could decide not to run it in CI if I want, running it occasionally manually and always just before a release. I’ll come back to this issue at some point in the future, but at this point, other projects have become more important. Points to note and lessons learned - Validate assumptions carefully. I still don’t quite know why there was the blip in execution time, but it was very surprising. - Unit tests are no substitute for a good benchmarking framework. - Profilers exist, and are useful. No specific recommendations here, but make sure you’re aware of the tools you could benefit from. - Sometimes, you need to put down a problem for a while. Try not to lose the information you’ve already discovered – capture it in an issue, comments, a blog post like this one, a private document… anything to preserve information. My head leaks data very, very quickly. Addendum I’m still investigating where .NET Core runs faster on Linux than on Windows, but I’ve fixed this test – PR 953 is a pretty minor refactoring, but it allows the tests to pass in the same list of time zones into each test case. That has two benefits: - We don’t need to load the zones from raw data on each test - The “get UTC offset at instant X” result is cached in the time zone, so after the first test there’s very little work to do This very small, internal-only change has halved the total time of the Noda Time tests on Travis. Yay. 7 thoughts on “Diagnosing a single slow test” I’m wondering why step 2-6 was before step 7, why didn’t you simply fire up a profilere to begin with, after ensuring you’re still experiencing the differences? Every “fix performance issue” article I’ve read, and all my experience, tells me that you should measure, measure, measure. Why did you decide otherwise? It seems you even changed the code (step 2, 4 and 5) before you started using a profiler? The profiler only runs on Windows, so that doesn’t help when you’re trying to find the difference between .NET Core on Linux and .NET Core on Windows, which was the main aim. Trying to make the tests quicker would have been nice, but my main point of interest was (and still is) why things were running slower on Linux than on Windows. The code changes in steps 2 and 4 were only changes to the test code, not the production code – trying to reduce how much was running. That was useful when I did end up running the profiler. The code changes in step 5 were just ways of measuring subsets of the code reasonably simply. And that’s what I was doing – with a fairly blunt tool, but they’re measurements nonetheless. They were more realistic measurements than the profiler gave in one mode, too – the profiler in tracing mode made the whole thing 10x slower. Great for seeing how many calls are made to what, but not so good for knowing the overall performance. Less of a difference in sampling mode, but my point is that there are pros and cons for different measurement techniques. I find profilers good for giving you strong suggestions about where to look for hotspots, but after that I really only trust the measurements from benchmarking tools. Using a profiler just for Windows followed by adding benchmarks for the hotspots of the test would probably have got me to the same state quicker, but not very much so – and I wouldn’t have had as much confidence that those benchmarks would show a difference between .NET Core on Linux and Windows as I did by the time I got there with this path. I’m certainly not going to argue against using a profiler earlier, but there are multiple feasible paths when diagnosing problems, and I don’t feel particularly foolish for not reaching for a profiler earlier in this case. We’re still in the infancy of .NET Core/Standard as far as I can see (opinion) so one part that I take away from your post and your reply is that we need more/better cross-platform tools. To be honest, I’m not entirely sure how to conduct profiling against different platforms at the same time in the interest of finding out why code running on one platform take more time than on a different platform but your initial sentence, “runs only on Windows”, will have to be fixed! We need profilers that can run on multiple platforms and give comparative results. I’m currently combating a similar case myself wherein a simple LINQ-like query runs “fine” on Windows but is “taking forever” on Linux, yet on OS X it seems I have to consider the current moon phase to know whether it will run slow or fast. I’m looking forward to reading more about what you finally find is the source of your differences, if you ever get to the bottom of it, but this article, and many others I’ve read over the past couple of months, tells me that we still have a ways to go in order to get true cross-platform C# and .NET code. Yes, more cross-platform tools such as profilers and coverage tools will definitely be welcome. It’s possible that a cross-platform profiler already exists, but I haven’t seen it yet. Will definitely post again with any further results when I get back to this. I know this is an old post but I would love to know how to disable the caching. Can’t query using EF because it returns a CachedDateTimeZone object and not a DateTimeZone object and we only have a CLR map for the DateTimeZone object as CachedDateTimeZone is an internal class. Please file a GitHub issue – that’s a much more appropriate place to discuss this than on a blog post.
https://codeblog.jonskeet.uk/2017/08/19/diagnosing-a-single-slow-test/?replytocom=28481
CC-MAIN-2021-49
refinedweb
3,339
72.26
Strategy Library Forex Carry Trade Introduction Carry trade is very common in the foreign exchange market. The strategy systematically sells low-interest rate currencies and buys high-interest rates currencies. The “carry” of an asset is the opportunity cost of holding that asset. Carry trade strategy holds one currency relative to another in order to capture the spread between the rates. We can think of this strategy as borrowing money from one country with a lower interest rate and investing it in another country with a higher interest rate. Method Importing Custom Data The central bank interest rate data is from Quandl. For the trading universe, we choose 9 currencies whose central bank interest rate data is available in Quandl. The method to import the custom data is AddData(type, symbol, resoltuion, timeZone, fillDataForward). As the custom file has it's unique colume name, we need to create a class to specify the colume name of interest rate. from QuantConnect.Python import PythonQuandl class QuandlRate(PythonQuandl): def __init__(self): self.ValueColumnName = 'Value' We save the interest rate symbol and the correspondent forex asset symbol into a dictionary. Monthly Rebalance Trading Next step we sort the forex symbol by the value of interest rate. The algorithm goes long the currency with the highest interest rates and goes short the currency with the lowest interest rate. The strategy is rebalanced monthly. The schedule event method is used to fire the rebalance event at the first trading day each month. You can also see our Documentation and Videos. You can also get in touch with us via Chat. Did you find this page helpful?
https://www.quantconnect.com/tutorials/strategy-library/forex-carry-trade
CC-MAIN-2020-05
refinedweb
271
56.66
A toolbox for Analytics and Research. Project description Title summary %load_ext autoreload %autoreload 2 Welcome to analytics_toolbox aka atb Enabling Data Scientists to amplify their inner Data Engineer. A toolbox for managing data coming from multiple Postgres, Redshift & S3 data sources while performing Analytics and Research. We also have some functionality that help users build Slack Bots. Install Us pip install analytics_toolbox Documentation Our docs are currently useless as of 2020-02-12. Vote For Change! I'll see your comments on GitHub. Support Us Coming someday, maybe? Do You Know About config Files? analytics_toolbox is only made possible by its reliance on standardized credential storage. You wanna use us, you sadly must play by some of our rules. We read and build classes via the variable names in the config files you pass to our code. Trust us. Its worth it. You'll end up saving 100s of lines of code by simply passing 1 to 2 arguments when instantiating our primary classes. Config Files are a great way to store information. We chose this over other options like json or OS level environment variables for no clear reason. If you really want support for other credential formats, vote with your words here. Config File Format Guidelines Postgres + Redshift Connections If your config file section has a hostname, port, database and user sections, then we'll parse it as a Redshift/Postgres database. You store your password in .pgpass (see below if this is new). Here is an example of Postgres/Redshift entries. "" [dev_db] hostname = dev.yourhost.com port = 5432 database = dbname user = htpeter [prod_db] hostname = prod.yourhost.com port = 5432 database = dbname user = htpeter What is .pgpass? When python's psycopg2 or even psql attempt to connect to a server, they will look in a file called ~/.pgpass. If they find matching server information, based on the target they are connecting to, they use that password. ~/.pgpass's format is simple. Include a line in the file that follows the following format. hostname:port:database:username:password Ensure you limit the permissions on this file using chmod 600 ~/.pgpass, otherwise no tools will use it due to its insecurity. You don't pass database passwords to analytics_toolbox. Instead we leverage pgpass. Simply paste a record for each database in a text file ~/.pgpass with the following information. Slack Connections Our Slack APIs use Slack Bot OAuth Tokens. Create an OAuth token and save it to a variable called bot_user_oauth_token. You can store the token in a config section named whatever you want. [company_slack] oauth_token = 943f-1ji23ojf-43gjio3j4gio2-2fjoi23jfi23hio [personal_slack] oauth_token = 943f-dfase3-basf234234-fw4230kf230kf023k023 Usage Examples Querying Multiple Databases & Moving Data Our import is both useful and classy enough to be jammed up at the top with your pds, nps and plts. import analytics_toolbox as atb And then you simply create a database pool object with your Config File. It loads up all the goodies. db = atb.DBConnector('../atb_config_template.ini') db { 'dev_db': <analytics_toolbox.connector.DatabaseConnection object at 0x11698bc88>, 'prod_db': <analytics_toolbox.connector.DatabaseConnection object at 0x1169d8198>} Now we can query any of our databasese easily! # reference with the config file keyname db['dev_db'].qry('select * from pg_class limit 5') db['prod_db'].qry('select * from pg_class limit 5') # or if config file section is pythonic, use its name just like pandas! db.dev_db.qry('select * from pg_class limit 5') db.prod_db.qry('select * from pg_class limit 5') Project details 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/analytics-toolbox/
CC-MAIN-2020-10
refinedweb
590
51.75
by William W Wold I wrote a programming language. Here’s how you can, too. Over the past 6 months, I’ve been working on a programming language called Pinecone. I wouldn’t call it mature yet, but it already has enough features working to be usable, such as: - variables - functions - user defined structures If you’re interested in it, check out Pinecone’s landing page or its GitHub repo. I’m not an expert. When I started this project, I had no clue what I was doing, and I still don’t. I’ve taken zero classes on language creation, read only a bit about it online, and did not follow much of the advice I have been given. And yet, I still made a completely new language. And it works. So I must be doing something right. In this post, I’ll dive under the hood and show you the pipeline Pinecone (and other programming languages) use to turn source code into magic. I‘ll also touch on some of the tradeoffs I’ve had make, and why I made the decisions I did. This is by no means a complete tutorial on writing a programming language, but it’s a good starting point if you’re curious about language development. Getting Started “I have absolutely no idea where I would even start” is something I hear a lot when I tell other developers I’m writing a language. In case that’s your reaction, I’ll now go through some initial decisions that are made and steps that are taken when starting any new language. Compiled vs Interpreted There are two major types of languages: compiled and interpreted: - A compiler figures out everything a program will do, turns it into “machine code” (a format the computer can run really fast), then saves that to be executed later. - An interpreter steps through the source code line by line, figuring out what it’s doing as it goes. Technically any language could be compiled or interpreted, but one or the other usually makes more sense for a specific language. Generally, interpreting tends to be more flexible, while compiling tends to have higher performance. But this is only scratching the surface of a very complex topic. I highly value performance, and I saw a lack of programming languages that are both high performance and simplicity-oriented, so I went with compiled for Pinecone. This was an important decision to make early on, because a lot of language design decisions are affected by it (for example, static typing is a big benefit to compiled languages, but not so much for interpreted ones). Despite the fact that Pinecone was designed with compiling in mind, it does have a fully functional interpreter which was the only way to run it for a while. There are a number of reasons for this, which I will explain later on. Choosing a Language I know it’s a bit meta, but a programming language is itself a program, and thus you need to write it in a language. I chose C++ because of its performance and large feature set. Also, I actually do enjoy working in C++. If you are writing an interpreted language, it makes a lot of sense to write it in a compiled one (like C, C++ or Swift) because the performance lost in the language of your interpreter and the interpreter that is interpreting your interpreter will compound. If you plan to compile, a slower language (like Python or JavaScript) is more acceptable. Compile time may be bad, but in my opinion that isn’t nearly as big a deal as bad run time. High Level Design A programming language is generally structured as a pipeline. That is, it has several stages. Each stage has data formatted in a specific, well defined way. It also has functions to transform data from each stage to the next. The first stage is a string containing the entire input source file. The final stage is something that can be run. This will all become clear as we go through the Pinecone pipeline step by step. Lexing A token is a small unit of a language. A token might be a variable or function name (AKA an identifier), an operator or a number. Task of the Lexer The lexer is supposed to take in a string containing an entire files worth of source code and spit out a list containing every token. Future stages of the pipeline will not refer back to the original source code, so the lexer must produce all the information needed by them. The reason for this relatively strict pipeline format is that the lexer may do tasks such as removing comments or detecting if something is a number or identifier. You want to keep that logic locked inside the lexer, both so you don’t have to think about these rules when writing the rest of the language, and so you can change this type of syntax all in one place. Flex The day I started the language, the first thing I wrote was a simple lexer. Soon after, I started learning about tools that would supposedly make lexing simpler, and less buggy. The predominant such tool is Flex, a program that generates lexers. You give it a file which has a special syntax to describe the language’s grammar. From that it generates a C program which lexes a string and produces the desired output. My Decision I opted to keep the lexer I wrote for the time being. In the end, I didn’t see significant benefits of using Flex, at least not enough to justify adding a dependency and complicating the build process. My lexer is only a few hundred lines long, and rarely gives me any trouble. Rolling my own lexer also gives me more flexibility, such as the ability to add an operator to the language without editing multiple files. Parsing The second stage of the pipeline is the parser. The parser turns a list of tokens into a tree of nodes. A tree used for storing this type of data is known as an Abstract Syntax Tree, or AST. At least in Pinecone, the AST does not have any info about types or which identifiers are which. It is simply structured tokens. Parser Duties The parser adds structure to to the ordered list of tokens the lexer produces. To stop ambiguities, the parser must take into account parenthesis and the order of operations. Simply parsing operators isn’t terribly difficult, but as more language constructs get added, parsing can become very complex. Bison Again, there was a decision to make involving a third party library. The predominant parsing library is Bison. Bison works a lot like Flex. You write a file in a custom format that stores the grammar information, then Bison uses that to generate a C program that will do your parsing. I did not choose to use Bison. Why Custom Is Better With the lexer, the decision to use my own code was fairly obvious. A lexer is such a trivial program that not writing my own felt almost as silly as not writing my own ‘left-pad’. With the parser, it’s a different matter. My Pinecone parser is currently 750 lines long, and I’ve written three of them because the first two were trash. I originally made my decision for a number of reasons, and while it hasn’t gone completely smoothly, most of them hold true. The major ones are as follows: - Minimize context switching in workflow: context switching between C++ and Pinecone is bad enough without throwing in Bison’s grammar grammar - Keep build simple: every time the grammar changes Bison has to be run before the build. This can be automated but it becomes a pain when switching between build systems. - I like building cool shit: I didn’t make Pinecone because I thought it would be easy, so why would I delegate a central role when I could do it myself? A custom parser may not be trivial, but it is completely doable. In the beginning I wasn’t completely sure if I was going down a viable path, but I was given confidence by what Walter Bright (a developer on an early version of C++, and the creator of the D language) had to say on the topic: .” Action Tree We have now left the the area of common, universal terms, or at least I don’t know what the terms are anymore. From my understanding, what I call the ‘action tree’ is most akin to LLVM’s IR (intermediate representation). There is a subtle but very significant difference between the action tree and the abstract syntax tree. It took me quite a while to figure out that there even should be a difference between them (which contributed to the need for rewrites of the parser). Action Tree vs AST Put simply, the action tree is the AST with context. That context is info such as what type a function returns, or that two places in which a variable is used are in fact using the same variable. Because it needs to figure out and remember all this context, the code that generates the action tree needs lots of namespace lookup tables and other thingamabobs. Running the Action Tree Once we have the action tree, running the code is easy. Each action node has a function ‘execute’ which takes some input, does whatever the action should (including possibly calling sub action) and returns the action’s output. This is the interpreter in action. Compiling Options “But wait!” I hear you say, “isn’t Pinecone supposed to by compiled?” Yes, it is. But compiling is harder than interpreting. There are a few possible approaches. Build My Own Compiler This sounded like a good idea to me at first. I do love making things myself, and I’ve been itching for an excuse to get good at assembly. Unfortunately, writing a portable compiler is not as easy as writing some machine code for each language element. Because of the number of architectures and operating systems, it is impractical for any individual to write a cross platform compiler backend. Even the teams behind Swift, Rust and Clang don’t want to bother with it all on their own, so instead they all use… LLVM LLVM is a collection of compiler tools. It’s basically a library that will turn your language into a compiled executable binary. It seemed like the perfect choice, so I jumped right in. Sadly I didn’t check how deep the water was and I immediately drowned. LLVM, while not assembly language hard, is gigantic complex library hard. It’s not impossible to use, and they have good tutorials, but I realized I would have to get some practice before I was ready to fully implement a Pinecone compiler with it. Transpiling I wanted some sort of compiled Pinecone and I wanted it fast, so I turned to one method I knew I could make work: transpiling. I wrote a Pinecone to C++ transpiler, and added the ability to automatically compile the output source with GCC. This currently works for almost all Pinecone programs (though there are a few edge cases that break it). It is not a particularly portable or scalable solution, but it works for the time being. Future Assuming I continue to develop Pinecone, It will get LLVM compiling support sooner or later. I suspect no mater how much I work on it, the transpiler will never be completely stable and the benefits of LLVM are numerous. It’s just a matter of when I have time to make some sample projects in LLVM and get the hang of it. Until then, the interpreter is great for trivial programs and C++ transpiling works for most things that need more performance. Conclusion I hope I’ve made programming languages a little less mysterious for you. If you do want to make one yourself, I highly recommend it. There are a ton of implementation details to figure out but the outline here should be enough to get you going. Here is my high level advice for getting started (remember, I don’t really know what I’m doing, so take it with a grain of salt): - If in doubt, go interpreted. Interpreted languages are generally easier design, build and learn. I’m not discouraging you from writing a compiled one if you know that’s what you want to do, but if you’re on the fence, I would go interpreted. - When it comes to lexers and parsers, do whatever you want. There are valid arguments for and against writing your own. In the end, if you think out your design and implement everything in a sensible way, it doesn’t really matter. - Learn from the pipeline I ended up with. A lot of trial and error went into designing the pipeline I have now. I have attempted eliminating ASTs, ASTs that turn into actions trees in place, and other terrible ideas. This pipeline works, so don’t change it unless you have a really good idea. - If you don’t have the time or motivation to implement a complex general purpose language, try implementing an esoteric language such as Brainfuck. These interpreters can be as short as a few hundred lines. I have very few regrets when it comes to Pinecone development. I made a number of bad choices along the way, but I have rewritten most of the code affected by such mistakes. Right now, Pinecone is in a good enough state that it functions well and can be easily improved. Writing Pinecone has been a hugely educational and enjoyable experience for me, and it’s just getting started.
https://www.freecodecamp.org/news/the-programming-language-pipeline-91d3f449c919/
CC-MAIN-2021-21
refinedweb
2,309
70.33
there's a problem on Codeforces.com (it's for beginers) which i know it's solution but my code can't be accepted because there's a condition that i don't know how to write in C++ here's the problem: Michael has a problem in his first year of primary school. He can not write numbers. So his teacher suggested that he write the numbers several times, under one condition: if the teacher says "7", then Ahmed will write this number 7 times. Write a program that will help Ahmed in doing his task. Input The input consists of a single line containing one integer X (1 ≤ X ≤ 10). Output Print the number X, repeated X times. The numbers should be separated by one space. [that's the part that i don't know how to write (1 ≤ X ≤ 10).] and that's my code #include <iostream> using namespace std; int main() { int x; cin >> x; for (int i=1;i<=x;i++) cout << x ; return 0; }
https://www.daniweb.com/programming/software-development/threads/487066/how-do-i-write
CC-MAIN-2020-40
refinedweb
170
81.12
I’m a bit confused about this code: (From: Using mixins with class-based views | Django documentation | Django) from django.views.generic import ListView from django.views.generic.detail import SingleObjectMixin from books.models import Publisher class PublisherDetailView() The text after it explains:. So ListView knows nothing about a Publisher class and the template name must be altered because “it’s a list of books”. So I have a few questions: - How is it a list of books? All methods seem to work based on a queryset of Publisher, even the third one, get_queryset(), which returns the list of books but through the queryset from get(); - Where does this class get to infer the model? At the very last method, the one that returns a queryset, however, again, based on an object ‘grabbed’ from a queryset of another object(Publisher)? - Does the order in which parent classes are provided influence who gets to perform which method? Both SingleObjectMixin and ListView have the methods defined above, so who gets to execute what?
https://forum.djangoproject.com/t/singleobjectmixin-with-listview-querysets/12036
CC-MAIN-2022-21
refinedweb
171
63.59
Security requirement that can be attached to an attribute operation. More... #include <BLETypes.h> Security requirement that can be attached to an attribute operation. Definition at line 523 of file common/BLETypes.h. Type of the representation. Definition at line 115 of file common/SafeEnum.h. struct scoped enum wrapped by the class Definition at line 533 of file common/BLETypes.h. Construct a new instance of att_security_requirement_t. Definition at line 584 of file common/BLETypes.h. Return a pointer to the inner storage. Definition at line 211 of file common/SafeEnum.h. Explicit access to the inner value of the SafeEnum instance. Definition at line 204 of file common/SafeEnum.h. Number of bits required to store the value. This value can be used to define a bitfield that host a value of this enum. Definition at line 530 of file common/BLETypes.h.
https://os.mbed.com/docs/mbed-os/v6.15/mbed-os-api-doxy/structble_1_1att__security__requirement__t.html
CC-MAIN-2021-49
refinedweb
145
54.18
Firebird is an open source relational database management system that runs on Linux, Windows, and a variety of Unix platforms. Among other things, this small light-weight RDBMS, apart from being absolutely free fully supports stored procedures and is ACID compliant (and of course supports standard SQL) with Referential integrity. You are probably reading this because you are a Windows developer with a lot of SQL in your head, but not enough money in your pockets to purchase a full SQL server license and the physical limitations on the SQL server Express are hopeless. Well, let me give you a glimmer of hope. What you need: When I discovered and started to use the Firebird ADO.NET Client towards the end of last year, I stopped using SQL Server Express in all my Windows applications. I just had a problem with its size…it’s about 90-500MB depending on what you choose to install, and yet limited to only 4GB of physical storage (per database). I must say that using MySQL with its connector on .NET is somewhat OK, but MySQL is still a BIG RDBMS compared to Firebird. Then came this Firebird, the Windows installer just being about 6MB and with 64TB storage capacity (this is a hypothetical estimate…but, it means the actual value is around there somewhere!). It goes quite well with Delphi I would say, but not very many people love using Object Pascal (Sorry Codegear, but Delphi code just looks so funny), let alone get the opportunity. To be frank, kudos to the guys at Microsoft because they still have the easiest way of interfacing a Windows application with their SQL Server; that is probably why many developers use SQL Server when working on the .NET platform. This is to introduce to you the Firebird ADO.NET client, currently in its 2.5th release! I love the way they keep every class with its name more or less the same. An example of the common classes in the System.Data.Sqlclient namespace and their equivalent in the FirebirdSql.Data.FirebirdClient namespace is shown below: System.Data.Sqlclient FirebirdSql.Data.FirebirdClient SqlConnection() FbConnection() SqlCommand() FbCommand() SqlDataReader() FbDataReader() After installing Firebird 2.5, the default username will be sysdba and the password will be masterkey. There is a very good quick-start guide in the docs directory of the Firebird installation folder [mine is C:\Program Files\Firebird\Firebird_2_5\doc\ Firebird-2.1-QuickStart.pdf]. You can add users, modify passwords, and all. You do this using the special gsec tool that comes along with the installation. But, you don’t want to start creating tables at the command line, do you? That is why I recommend a third party GUI tool. I always like using the mouse and seeing what you are actually doing. The GUI tool of my choice is called FlameRobin. It is a simple, very small, application written in C++, that enables you to create databases, register them, add tables, manage users, and so much more. Now, you are probably used to not having to write SQL to create your tables if you were using Management Studio for SQL Server, or Visual Studio 2008, which enables you to open the *.mdf file in your project and add the tables with a few mouse clicks. With FlameRobin, you are going to have to create the tables with SQL. That should not be difficult. You can also migrate your tables in SQL server as I will tell you at the end. For the table we are going to use, I have included the query in the zip archive. If you are going to use my project exactly as it is, you will have to change the sysdba password to “12345”, without the quotations, of course. Next, you will install the Firebird ADO.NET Client, it is just 320KB… not surprising for a package that effectively consists of only two DLLs. If you are making your own project as you follow the tutorial, add FirebirdSql.Data.FirebirdClient.dll in C:\Program Files\FirebirdClient 2.0 (or wherever it is that you installed it) as a reference to your project, and then add: using FirebirdSql.Data.FirebirdClient the above statement at the beginning of your code. I am assuming that you have worked with SQL Server before, and VC# or VC++ .NET or VB.NET, and know the procedure to follow to add data from your form to a database. In our project, we have created (you should create) a table called Details with Name, Age, and Sex columns (just use the query I included in the source code) in a database called UsingFirebird.fdb in C:\. We will just be adding details to these columns. The procedure with Firebird, after following the installation steps above, is almost exactly the same. You just have to type “Fb…” to look for the class you want, and the IntelliSense feature will shower you with all the available classes. Any class you are looking for is most probably there; I have not exhausted all of them, but I have translated some of my largest projects already. Details Name Age Sex However, let us look at the most important feature now. You must have a correct connection string before you can do anything else with a database. It took me quite a long while to get the exact way in which the connection string must be written. And, there are many confusing leads on the internet. My main reason to writing this article is to provide a one stop centre for many solutions to simple issues. Look at the code in the Submit button event handler: void SubmitButtonClick(object sender, EventArgs e) { try { string ConnectionString = "User ID=sysdba;Password=12345;" + "Database=localhost:C:\\USINGFIREBIRD.FDB; " + "DataSource=localhost;Charset=NONE;"; Please note the space in “User ID” and the “localhost:C:\\” instruction. As with SQL Server, there are many other advanced options that you can include in this string… just put a semicolon after every setting that you will have added. Contrary to SQL Server, a Firebird database must always have server authentication. Other ways exist, but this is the technique I would recommend to writing the connection string: User ID localhost:C:\\ string FbConnection addDetailsConnection = new FbConnection(ConnectionString); addDetailsConnection.Open(); FbTransaction addDetailsTransaction = addDetailsConnection.BeginTransaction(); string SQLCommandText = " INSERT into Details Values"+ "('"+ NameBox.Text+ "',"+Int32.Parse(AgeBox.Text)+ ","+"'"+SexBox.Text+"')"; FbCommand addDetailsCommand = new FbCommand(SQLCommandText, addDetailsConnection,addDetailsTransaction); addDetailsCommand.ExecuteNonQuery(); addDetailsTransaction.Commit(); MessageBox.Show(" Details Added"); //as you can see, the procedure is exactly the same. } catch(Exception x) { MessageBox.Show(x.Message); } Just to prove to you further that you do not have anything new to learn, have a look at a possible implementation of the FbDataReader() class when we want to delete an item we have added. We will be populating the combo box when FormDelete loads. Please note that in FormDelete.cs, the ConnectionString variable has been declared outside the methods to widen its scope. This way, you don’t have to write it every time. Form ConnectionString void FormDeleteLoad(object sender, EventArgs e) { FbConnection deleteConnection = new FbConnection(ConnectionString); try { deleteConnection.Open(); // declare command FbCommand readCommand = new FbCommand("Select * From Details", deleteConnection); FbDataReader myreader= readCommand.ExecuteReader(); while(myreader.Read()) { // load the combobox with the names of the people inside. // myreader[0] reads from the 1st Column DeleteComboBox.Items.Add(myreader[0]); } myreader.Close(); // we are done with the reader } catch(Exception x) { MessageBox.Show(x.Message); } finally { deleteConnection.Close(); } } The Firebird exception messages are not fully developed. I am angered by messages like "No message for error code 335544755"! Well, there is some not so bad documentation on the Firebird error codes available here. I have met a few problems with the FbDataReader when it is being called more than once in the same source file… it's like it does not completely close the first time you use it. FbDataReader So, what next? Look at the first project you designed when you were first working with interfacing forms with SQL Server. Try to translate it. If it is a multi-document form, you could consider interfacing only a few forms first, then go on carefully. You will actually come to realise that the forms seem to add details faster and DataGridViews seem to load data faster with FirebirdSQL than with SQL Server. DataGridView You can follow this link to see how to migrate your SQL data to Firebird. Please note that the Firebird ADO.NET Client 2.5, even in all its glory, is still a prelease version. So, perhaps it may not be suitable for mission critical projects. Nonetheless, it is a very helpful project. You no longer need to spend the 14,000 dollars to buy a full-fledged RDBMS to use with Visual Studio. For all the work that you have been doing, give Uncle Bill a leave. Enjoy that small server with (almost) unlimited physical storage…it is definitely worth your try. Thumbs up (.db?!!!!) to the Free Software.
http://www.codeproject.com/Articles/33675/Beginner-s-Tutorial-on-Using-the-Firebird-ADO-NET?fid=1536534&df=90&mpp=10&sort=Position&spc=None&tid=2939777
CC-MAIN-2014-41
refinedweb
1,504
64.91
functions into our name space (usually the ``standard'' functions), and we don't need to create the CGI object. #!/usr/local/bin() $q->param(-name=>'veggie',-value=>'tomato'); $q->param(-name=>'veggie',-value=>'[tomato','tomahto','potato','potahto']); A large number of routines in CGI.pm actually aren't specifically defined in the module, but are generated automatically as needed. These are the ``HTML shortcuts,'' routines that generate HTML tags for use in dynamically-generated pages. HTML tags. HTML-generating routines perform a different type of translation. This feature allows you to keep up with the rapidly changing HTTP and HTML ``standards''. $query = new CGI; This will parse the input (from both GET methods) and store it into a perl5 object called $query. . new() save()({}); @keywords = $query->keywords If the script was invoked as the result of an <ISINDEX> search, the parsed keywords can be obtained as an array using the keywords() method. . $query-!!!! In older versions, this method was called import(). As of version 2.20, this name has been removed completely to avoid conflict with the built-in Perl module import operator. $query->delete('foo'); This completely clears a parameter. It sometimes useful for resetting parameters that you don't want passed down between script invocations. If you are using the function call interface, use ``Delete()'' instead to avoid conflicts with Perl's built-in delete operator. $query->delete_all(); This clears the CGI object completely. It might be useful to ensure that all the defaults are taken when you create a fill-out form. Use Delete_all() instead if you are using the function call interface.. $query- for further details. If you wish to use this method from the function-oriented (non-OO) interface, the exported name for this method is save_parameters(). To use the function-oriented interface, you must specify which CGI.pm routines or sets of routines to import into your script's namespace. There is a small overhead associated with this importation, but it isn't much. use CGI <list of methods>; The listed methods will be imported into the current package; gropus by name. All function sets are preceded with a ``:'' character as in ``:html3'' (for tags defined in the HTML 3 standard). Here is a list of the function sets you can import: immeidately: use CGI qw/:standard :html3 gradient/; print gradient({-start=>'red',-end=>'blue'}); standard set of functions and disables debugging mode (pragma -no_debug): use() use CGI qw/:standard -no_debug/; The current list of pragmas is as follows: use CGI qw(-any); $q=new CGI; print $q->gradient({speed=>'fast',start=>'red',end=>'blue'}); Since using <cite>any</cite> causes any mistyped method name to be interpreted as an HTML tag, use it with care or not at all. use CGI qw(-compile :standard :html3); or even use CGI qw(-compile :all); Note that using the -compile pragma in this way will always have the effect of importing the compiled functions into the current namespace. If you want to compile without importing use the compile() method instead (see below). compile() use CGI qw(-no_debug :standard); If you'd like to process the command-line parameters but not standard input, this should work: use CGI qw(-no_debug :standard); restore_parameters(join('&',@ARGV)); See the section on debugging for more details. Most of CGI.pm's functions deal with creating documents on information. These will be turned into a series of header <META> tags that look something like this: <META NAME="keywords" CONTENT="pharaoh secret mummy"> <META NAME="description" CONTENT="copyright 1996 King Tut"> and -onUnload parameters are used to add Netscape reference in the -script parameter containing one or more of -language, -src, or -code:' } ] ); < " disrupt the current contents of the form(s). Something like this will do the trick.}) img({alt=>''}). A few HTML tags don't follow the standard pattern for various reasons. comment() generates an HTML comment (<!-- comment -->). Call it like print comment('here is my comment'); Because of conflicts with built-in Perl functions, the following functions begin with initial caps: Tr Link()..
http://www.perlmonks.org/index.pl/jacques?node=CGI
CC-MAIN-2016-18
refinedweb
672
54.12
While trying to get a WordML -> HTML conversion that would work reasonably well with .TEXT, I came across an interesting performance bug in the Regex class of .NET. Run the following code and see what happens. It doesn't produce any output; just step over each line in the debugger and note how long the "slow" search takes: using System.Text.RegularExpressions; class Class1 { static void { string s = "fred" + new string(' ', 5000); Regex slow = new Regex(".*fred", RegexOptions.None); Regex fast = new Regex("^.*fred", RegexOptions.None); fast.Replace(s, ""); slow.Replace(s, ""); } } In theory the two expressions should be the same -- "anything followed by fred" is semantically the same as "anything from the start of the string followed by fred" -- but for some reason they behave very differently. I'll see if it's a known bug tomorrow (having trouble accessing the database from home). This is not a bug. The slow replacement will indeed be slow because it will *laziliy* attempt to make a replacement at every place within the 5004 characters… yep *lazily*. The "fast" operation – although still lazy and much slower than it could be – will only ever attempt to match from its anchored marker. Thanks Darren; can you elaborate a bit more on the "laziness"? It seems that the most naive way to implement a ".*foo" pattern would be just to do an IndexOf("foo") and return everything up to (and including) that. It only takes two tests (one on the original string, one on the replaced string) to figure out there’s nothing left to do. Under what circumstances would they produce different results (ie, when is "everything" not equivalent to "everything from the start")? I reckon that they are not semantically equivalent; consider the string "fredfred" and how many times replacement should be done in each case. Even better is the case where the string may be partially overlapping with itself; how should the pattern ".*abab" be matched with the string "ababab"? Err… woops 🙂 When I wrote *lazy* I did – of course – mean *greedy*. Jeffrey Friedl’s "Mastering Regular Expressions 2nd Ed." has some great discussions of performance implications when using greedy and non-greedy expressions. It’s well worth the read and has a specific chapter on the .NET implementation of regular expressions in PDF format that is freely downloadable. Roland, In both cases, there is no difference. Both patterns greedly match all the garbage at the start of the string and match the trailing "fred" / "abab". Kelly, Thanks for the link to the .NET chapter. I actually read the Regexp book a long time ago and have it lying infront of me now :-). No obvious reasons are shown in the book though (quick perusal of the index…). But can anyone show me where the "fast" and the "slow" patterns give different results? It doesn’t matter if the engine is doing "the right thing" in the slow case; *if* it can do "the right thing" faster then it should, and not doing it is a (possibly low priority) bug with performance. Peter, these things will never give different results; they will both find a match against *only* the last instance of "fred" contained within any given text. One of the things that Jeff Friedl mentions in his book – the Chapter about optimizing and perf I think – is that whenever possible you show expose leading/trailing characters in the pattern which allow many optimizations to kick in. It may be that, what you *percieve* as a bug is simply a bunch of optimizations "not" kicking in 🙂 Hey Darren, It may just be a "missing feature" but we still call those "bugs" at Microsoft 🙂 Do you remember the "news" story about there being 60,000 (or whatever) "bugs" in Windows 2000? Well now you know where they all come from. Everything at Microsoft is considered a bug — perf issues, spelling errors, help text, new feature suggestions, icon changes, design ideas, re-arranging toolbar buttons, renaming menu items, you name it. We’ll see if they accept my request for a change in Whudbey 🙂 > but we still call those "bugs" at Microsoft 🙂 🙂 Heh, thanks for the heads-up! > We’ll see if they accept my request for a change in Whudbey 🙂 Great, hey… while they’ve got that file checked-out 🙂 can you ask them to fix my "pet-peeve" too See the section on that page titled: "My Biggest Gripe about Named Groups". Cheers (and Happy New Year)! – Darren > It seems that the most naive way to > implement a ".*foo" pattern would be just > to do an IndexOf("foo") and return > everything up to (and including) that. Couple points. First off, you’re begging the question. What algorithm does "IndexOf" use, and how do you know it is fast? Searching arbitrary strings for arbitrary patterns can be quite expensive. But more generally, there’s a conceptual issue here. The thing about regular expressions is that they are actually a programming language for tersely specifying finite state machines. For a given set of inputs and desired outputs you could design an infinite number of different finite state machines that work, but they would have different performance characteristics! The regular expression engine does not make guesses as to how to optimize the FSM for a given set of inputs because the engine doesn’t know what the inputs are going to be ahead of time. The regexp parser just builds up an FSM implementation and runs it on your string, for better or for worse. > "anything followed by fred" is semantically the same as "anything from the start of the string followed by fred" Actually it’s not. In the string abfred "anything followed by fred" has three possible values fred bfred abfred whereas "anything from the start of the string followed by fred" has only one possible value abfred The unanchored .* results in quadratic backtracking. On my "dumb blog entries to write someday" list is one on understanding regex performance. It is very easy to write a regex with pathetic perf. Raymond, my point is that this could (should ?) be special cased because it is such a basic example and it has horrible perf for no good reason. Why does the engine keep looking for text when it already knows the text doesn’t exist anywhere in the string? I look forward to your upcoming entry though 😉 You should definitely check out the supplied URL. Here it is again: I’ve gone over some crazy issues that examine matching using normalized strings versus regular expressions, along with some examination of how to make your regular expressions match even faster by using [ ] (space) instead of s (whitespace), and specifying (h|H) instead of doing RegexOptions.IgnoreCase. I actually managed to get the Regular Expression comparision to run faster than the string normalization for the case granted.
https://blogs.msdn.microsoft.com/ptorr/2004/01/05/regex-perf-bug/
CC-MAIN-2017-47
refinedweb
1,140
69.72
Summary: The error IndentationError: unindent does not match any outer indentation level arises if you use inconsistent indentation of tabs or whitespaces for indented code blocks such as the if block and the for loop. For example, Python will throw an indentation error, if you use a for loop with four whitespace characters indentation for the first line, and one tab character indentation of the second line of the loop body. To fix the error, use the same number of empty whitespaces for all indented code blocks. IndentationError: unindent does not match any outer indentation level You must have come across this stupid bug at some point of time while coding. Isn’t it really frustrating to get an error even if your code is logically correct! But after you read this article, you will probably never come across this error again. Even if you do, you will be able to rectify it in a flash! So without further delay let us dive into our discussion on IndentationError in Python. Indentation in Python Indentation refers to the spaces at the beginning of a line of code. In other programming languages like Java, indentation simply serves the purpose of readability, i.e., even if you do not follow the proper indentation in such languages, it won’t hamper the execution of your code since they use braces {} to represent a block of code. In Python indentation is an integral feature that represents a block of code and determines the execution of your code. When you skip proper indentation, Python will throw an IndentationError. Each line of code within a block should have an equal number of whitespaces before them. This means if a for loop block contains two lines of code then each line should have four whitespaces (ideally) before them. If one line of code has three whitespaces while the other has four, you will again get an IndentationError. Example 1 Given a list containing marks. Based on given conditions the following program aims to divide each number within the list into a certain grade.: File "D:/PycharmProjects/PythonErrors/rough.py", line 11 else: ^ IndentationError: unindent does not match any outer indentation level In the above example, the error occurred in the else statement because it does not follow the correct indentation. 📖 How to Fix “IndentationError: unindent does not match any outer indentation level“ ➥ To fix IndentationError: unindent does not match any outer indentation level use the same number of whitespaces for each line of code in a given block. Let us try and fix the error in our example scenario given above. You simply, have to provide proper spacing before the else statement such that it complies with the entire if-elif-else blocks within the for loop. Solution:: 95 = grade A 75 = grade B 65 = grade C 45 = grade D 30 - FAIL! ✍️ Note: - Generally, you should use four whitespaces for indentation and this is preferred over tabs. - You can ignore indentation in line continuation, but it’s always recommended to indent your code for better readability. - For example: if True :print(“Welcome To Finxter!”) Let’s have a look at another example to ensure that you have a clear idea about the reason behind the occurrence of such an error. Example 2 The following program is used to find the factorial of a number entered by the user. def Factorial(n): # return factorial result = 1 for i in range(1, n): result = result * i print("factorial is ", result) return result num = int(input("Enter a number: ")) print(Factorial(num)) Output: File "D:/PycharmProjects/PythonErrors/rough.py", line 6 return result ^ IndentationError: unindent does not match any outer indentation level Explanation: The above error occurred because of line 6 which indicates that the return statement has an improper indentation. This happened because we mixed TAB and spaces in our code to indent the block of code within the function. Solution: To avoid this error, you can either use TAB or 4 whitespaces (recommended) before each line inside the function. Please note that the block within the for loop should have 8 white-spaces. def Factorial(n): # return factorial result = 1 for i in range(1, n): result = result * i print("factorial is ", result) return result num = int(input("Enter a number: ")) print(Factorial(num)) Output: Enter a number: 5 factorial is 24 24 🔰 Avoid or Fix IndentationError In Code Editors From the above examples it is evident that the major reason behind IndentationError in Python is the improper use of whitespaces and tabs in your program. In most code editors you can fix the number of whitespace characters/ tabs by setting the indentation levels. Let us have a look at the settings in various code editors that allow us to auto-indent our code or fix the pre-existing errors : 📝 Sublime Text - Click on View. - Select Indentation. - Select Indentation to tabs. - Uncheck the Indent Using Spaces option in the sub-menu above. 📝 Notepad ++ Follow the settings given below to view the tabs or whitespaces in Notepad++ . - Click on View - Select Show Symbol - Make sure that Show Whitespace and TAB and Show Indent Guide options are checked. 🔰 Using an IDE The advantage of using an IDE like PyCharm is that you do not have to worry about indentations in your code manually as this is taken care of by the IDE itself as show in the presentation given below. Conclusion I hope you enjoyed reading this article and learned how to fix Indentation Errors in Python. Please subscribe and stay tuned for more interesting articles in the future! 📕 Read More: Python IndentationError: unexpected indent (How to Fix This Stupid Bug) -!
https://blog.finxter.com/indentationerror-unindent-does-not-match-any-outer-indentation-level-how-to-fix-this-crazy-bug-in-python/
CC-MAIN-2021-43
refinedweb
940
50.57
Seleziona la tua lingua Il blog di Red Hat Blog menu Red Hat Enterprise Linux 8 comes with a new feature called Application Streams (AppStreams), in which multiple versions of packages are provided, with a known period of support. These modules can be thought of as package groups that represent an application, a set of tools, or runtime languages. Each of these modules can have different streams, which represent different versions of software, giving the user the option to use whichever version best suits their needs. Each module will also have installation profiles, which help to define a specific use case, and will determine which packages are installed on the system. * Estimated timeline of support, for more information on life cycles please visit Red Hat Enterprise Linux 8 Application Streams Life Cycle Modularity and AppStreams provide users access to newer versions of software while being supported longer. In the past users would typically have one or two versions to work with throughout the lifecycle of the operating system. Now users will have more choices when it comes to versions of popular languages and tools. Starting with RHEL 8, Red Hat Software Collections along with Extras, Dotnet, and Devtools will be moved into and replaced by the Appstream repository. Installing Applications via Modules First things first, let's take a look at which modules are currently available to us after a fresh installation of RHEL 8. We can display modules using yum and see what modules and AppStreams are available to us. # yum module list # lists all modules As you can see there are quite a few already provided in the base installation. For our demonstration we are going to use one of the PostgreSQL modules. Let's take a look at which versions, or AppStreams are available for PostgreSQL. # yum module info postgresql # lists all modules for postgresql From this output we can see there are several AppStreams of PostgreSQL to work with. For now we are going to use stream 10, or version 10 of PostgreSQL, as it’s the default. Each module will display pertinent information including stream version, profiles, repos, summary, description, and artifacts. We’ll delve a little deeper into some of these later, but for now we can see the stream version as 10, which also has a [d] and [a] next to it. These mean that this module version is the [d]efault and [a]ctive version that will be installed should a user attempt to install PostgreSQL via yum. If no stream is specified, the default and enabled one will always be installed. Here is an example that we can break down to show all the options. # yum install @module:version/profile @moduledefines which module we are going to use. :versionspecifies which stream we are going to use for the specified module. /profiletells us which profile to use. If no profile is specified, the default one is used. If no default is defined, then the module is only enabled but no packages are installed. Let’s go ahead and install the PostgreSQL module using just the defaults. # yum install @postgresql # installs the default, PostgreSQL 10 module Since we did not specify a stream or a profile, we can see that the defaults were used for both AppStream and profile. What if we don't want to use the defaults then? Let’s continue to see how we switch between different AppStreams and profiles. Switching between different AppStreams in a module A common challenge that Red Hat system administrators face are requests to install newer versions of applications then are included in the base RHEL repositories. With modules we can seamlessly change between available versions of a particular RPM. How is that different from Red Hat Software Collections you might ask? Software Collections keeps multiple versions on one system, putting each package into separate namespaced paths. Modularity uses the standard RPM packaging, so paths are where you expect them to be. Keep in mind, unlike Software Collections, modules do not allow running multiple versions at the same time. Only one stream can be installed and used at a time. We’re going to continue to use PostgreSQL, but for this example our application team is requesting we move to a newer version. Let's see which AppStreams of PostgreSQL are available to us. # yum module info postgresql # Lists all AppStreams available Here we can see there is a newer version of PostgreSQL available to us through modules. Before we can go ahead and install a newer version of PostgreSQL, we will need to reset the current module used and then install the newer version, specifying the stream. # yum module reset PostgreSQL #Resets postgresql module As you can see when we reset the module, the streams of that module are set to their initial state, neither enabled nor disabled. If a module has a default stream, in this case stream 10 for PostgreSQL, then it becomes active after the reset. Now we can specify a newer stream and in this case, since there are no default profiles, we are going to select the server one. In the event a stream does not have a default profile specified with a [d] next to it, if you do not specify a profile, the stream will be enabled but no packages will be installed. # yum module install postgresql:12/server #Installs stream 12 We can see that stream 12 has been enabled, the server profile will be used, and the PostgreSQL version 12 packages will be installed. If you wish to revert back to a previous stream, you just reset the profile as before, and specify an earlier stream during install. Summary and Closing AppStreams and modular content are great new tools, giving greater flexibility to users on which software to install, all while staying supported for longer. Our hope is that with the module build pipeline and client tooling made available, it will enable developers to continue to provide multiple versions of software. For additional information and documentation on usage and the AppStream life cycle you can visit Installing, Managing, And Removing User-Space Components. You can find more about Appstream life cycles here: Red Hat Enterprise Linux 8 Application Streams Life Cycle. About the author Pete Sagat is a Platform TAM for Private Sector customers. He has spent more than 14 years as an open source evangelist, and has expertise in Red Hat Enterprise Linux, Red Hat Satellite, Ansible, and Red Hat Insights. He spends his time debating with his very spirited 4 year old daughter on which is better, Sed or Awk. He’s currently losing.
https://www.redhat.com/it/blog/introduction-appstreams-and-modules-red-hat-enterprise-linux
CC-MAIN-2020-34
refinedweb
1,101
59.53
libzapi(7) zapi Manual - zapi/1.3.2 Name libzapi - high-level C binding for ØMQ Synopsis #include <zapi.h> cc ['flags'] 'files' -lzmq -lzapi ['libraries'] Description Scope and goals libz libzapi is maintained by Pieter Hintjens. Its other authors and contributors are listed in the AUTHORS file. It is held by the ZeroMQ organization at github.com. The authors of libzapi libzapi you must be willing to maintain it as long as there are users of it. Code with no active maintainer will in general be deprecated and/or removed. Using libzapi Building and installing libzapi uses autotools for packaging. To build from git (all example commands are for Linux): git clone git://github.com/zeromq/libzapi.git cd libzapi libzapi selftests: cd src ./zapi_selftest Linking with an application Include zapi.h in your application and link with libzapi. Here is a typical gcc link command: gcc -lzapi -lzmq myapp.c -o myapp c -lzapi -lzmq -l myapp The class model libzapi consists of classes, each class consisting of a .h and a .c. Classes may depend on other classes. zapi.h includes all classes header files, all the time. For the user, libzapi forms one single package. All classes start by including zapi.h. All applications that use libzapi start by including zapi.h. zapi.h also defines a limited number of small, useful macros and typedefs that have proven useful for writing clearer C code. All classes (with some exceptions) are based on a flat C class system and follow these rules (where zclass is the class name): - Class typedef: zclass_t - Constructor: zclass_new - Destructor: zclass_destroy - Property methods: zclass_property_set, zclass_property - Class structures are private (defined in the .c source but not the .h) - Properties are accessed only via methods named as described above. - In the class source code the object is always called self. - The constructor may take arbitrary arguments, and returns NULL on failure, or a new object. - The destructor takes a pointer to an object reference and nullifies it. Return values for methods are: - For methods that return an object reference, either the reference, or NULL on failure. - For methods that signal success/failure, a return value of 0 means sucess, -1 failure. Private/static functions in a class are named s_functionname and are not exported via the header file. All classes (with some exceptions) have a test method called zclass_test. Design ideology-level C applications at iMatix from 1995-2005, is to create our own fully portable, high-quality libraries of pre-packaged libzapi: - Some classes may not be opaque. For example, we have cases of generated serialization classes that encode and decode structures to/from binary buffers. It feels clumsy to have to use methods to access the properties of these classes. - While every class has a new method that is the formal constructor, some methods may also act as constructors. For example, a "dup" method might take one object and return a second object. - libzapi aims for short, consistent names, following the theory that names we use most often should be shortest. Classes get one-word names, unless they are part of a family of classes in which case they may be two words, the first being the family name. Methods, similarly, get one-word names and we aim for consistency across classes (so a method that does something semantically similar in two classes will get the same name in both). So the canonical name for any method is: zclassname_methodname Containers After a long experiment with containers, we've decided that we need exactly two containers: - A singly-linked list. --linked list. Portability Creating a portable C application can be rewarding in terms of maintaining a single code base across many platforms, and keeping (expensive) system-specific knowledge separate from application developers. In most projects (like ØMQ core), there is no portability layer and application code does conditional compilation for all mixes of platforms. This leads to quite messy code. libzapi acts as a portability layer, similar to but thinner than libraries like the [Apache Portable Runtime]() (APR). These are the places a C application is subject to arbitrary system differences: - Different compilers may offer slightly different variants of the C language, often lacking specific types or using neat non-portable names. Windows is a big culprit here. We solve this by patching the language in zapi_prelude.h, e.g. defining int64_t on Windows. - System header files are inconsistent, i.e. you need to include different files depending on the OS type and version. We solve this by pulling in all necessary header files in zapi_prelude.h. This is a proven brute-force approach that increases recompilation times but eliminates a major source of pain. - System libraries are inconsistent, i.e. you need to link with different libraries depending on the OS type and version. We solve this with an external compilation tool, C, which detects the OS type and version (at runtime) and builds the necessary link commands. - libzapi uses the GNU autotools system, so non-portable code can use the macros this defines. It can also use macros defined by the zapi_prelude.h header file. Technical aspects - Thread safety: the use of opaque structures is thread safe, though ØMQ applications should not share state between threads in any case. - Name spaces: we prefix class names with z, which ensures that all exported functions are globally safe. - Library versioning: we don't make any attempt to version the library at this stage. Classes are in our experience highly stable once they are built and tested, the only changes typically being added methods. - Performance: for critical path processing, you may want to avoid creating and destroying classes. However on modern Linux systems the heap allocator is very fast. Individual classes can choose whether or not to nullify their data on allocation. - Self-testing: every class has a selftest method that runs through the methods of the class. In theory, calling all selftest functions of all classes does a full unit test of the library. The zapi_selftest application does this. - Memory management: libzapi classes do not use any special memory management techiques to detect leaks. We've done this in the past but it makes the code relatively complex. Instead, we do memory leak testing using tools like valgrind. Under the hood Adding a new class If you define a new libzapi class myclass you need to: - Write the zmyclass.c and zmyclass.h source files, in src and include respectively. - Add‘#include <zmyclass.h>` to include/zapi.h. - Add the myclass header and test call to src/zapi_selftest.c. - Add a reference documentation to doc/zmyclass.txt. - Add myclass to ’src/Makefile.am`: - The // comment style. - Variables definitions placed in or before the code that uses them. So while ANSI C code might say: zblob_t *file_buffer; /* Buffer for our file */ ... (100 lines of code) file_buffer = zblob_new (); ... The style in libzapi would be: zblob_t *file_buffer = zblob_new (); Assertions We use assertions heavily to catch bad argument values. The libzapi classes do not attempt to validate arguments and report errors; bad arguments are treated as fatal application programming errors. We also use assertions heavily on calls to system functions that are never supposed to fail, where failure is to be treated as a fatal non-recoverable error (e.g. running out of memory). Assertion code should always take this form: int rc = some_function (arguments); assert (rc == 0); Rather than the side-effect form: assert (some_function (arguments) == 0); () - start) >= 10); // @end The template for man pages is in doc/mkman. Development libzapi is developed through a test-driven process that guarantees no memory violations or leaks in the code: - Modify a class or method. - Update the test method for that class. - Run the selftest script, which uses the Valgrind memcheck tool. - Repeat until perfect. Porting libzapi When you try libzapi zapi_prelude.h header file. There are several typical types of changes you may need to make to get functionality working on a specific operating system: - Defining typedefs which are missing on that specific compiler: do this in zapi_prelude.h. - Defining macros that rename exotic library functions to more conventional names: do this in zapi_prelude.h. - Reimplementing specific methods to use a non-standard API: this is typically needed on Windows. Do this in the relevant class, using #ifdefs to properly differentiate code for different platforms. The canonical standard operating system for all libzapi code is Linux, gcc, POSIX. Authors The zapi-2010 iMatix Corporation zapi distribution.
http://czmq.zeromq.org/manual:libzapi
CC-MAIN-2017-13
refinedweb
1,409
57.67
Subject: Re: [OMPI users] Problems building Open MPI 1.4.1 with Pathscale From: Jeff Squyres (jsquyres_at_[hidden]) Date: 2010-02-18 08:06:29 Thanks George. I assume we need this in 1.4.2 and 1.5, right? On Feb 17, 2010, at 6:15 PM, George Bosilca wrote: > I usually prefer the expanded notation: > > unsigned char ret; > __asm__ __volatile__ ( > "lock; cmpxchgl %3,%4 \n\t" > " sete %0 \n\t" > : "=qm" (ret), "=a" (oldval), "=m" (*addr) > : "q"(newval), "m"(*addr), "1"(oldval) > : "memory", "cc"); > > return (int)ret; > } > > as it shows more clearly the input and output registers. But your version does exactly the same thing. I'll commit shortly. > > Thanks, > george. > > On Feb 10, 2010, at 10:55 , Ake Sandgren wrote: > > > On Wed, 2010-02-10 at 08:42 -0700, Barrett, Brian W wrote: > >> Adding the memory and cc will certainly do no harm, and someone tried to remove them as an optimization. I wouldn't change the input and output lines - the differences are mainly syntactic sugar. > > > > Gcc actually didn't like the example i sent earlier. > > Another iteration gave this as a working (gcc/intel/pgi/pathscale works) > > code. > > > >) > > : "memory", "cc"); > > > > return (int)ret; > > } > > > > -- > >] > > -- Jeff Squyres jsquyres_at_[hidden] For corporate legal information go to:
http://www.open-mpi.org/community/lists/users/2010/02/12101.php
CC-MAIN-2014-52
refinedweb
208
64.91
): List<MyStruct> vec = new List<MyStruct>(); vec.Add(new MyStruct(10, 20)); vec[0].X += 1; // Error! I always make my structs immutable. Once you start thinking of structs as immutable objects (which is very consistent with the very notion of a value type), it makes everything easier. Is it useful to mention the solution of the above problem? List<MyStruct> vec = new List<MyStruct>(); vec.Add(new MyStruct(10, 20)); vec[0] = new MyStruct(vec[0].X + 1, vec[0].Y); Making structs immutable can make them even more ugly. If you only have two pieces of data, it is not two bad. But once you have to copy several properties into the constructor, to change one, it is not so good. Also, making structs immutable is pointless if you are using structs for performance reasons. Usually we need to use an array of structs, and need the ability to change one property in each struct in the array. If you have to create a new one and copy it in, instead of changing in memory, you have wasted cycles that will not be picked up by the primitive optimizer. So how does C# get around this problem with a regular array? Is it simply because the array is allocated on the stack? If so, could one create a struct that’s a custom collection and not a reference object? So how does the .NET Garbage collector get around this problem with a regular array? Is it simply because the array is also allocated on the stack rather than the heap? If so, could one create a struct that’s a custom collection and not a reference object? Heh – I was just about to post the same question as Philip Haack… But I’d like to add to what he says. Regular arrays are *not* created on the stack. They’re objects on the managed heap. (Otherwise you wouldn’t be able to return arrays from functions, or store references to them in fields.) So given that the IL opcode you use to retrieve an element from a value type array: ldelema returns an pointer to the element you asked for, surely that would be an interior pointer? So apparently the CLR already supports the use of managed interior pointers into arrays because that’s how arrays work. What’s special about arrays that lets this work? Moreover, isn’t this what interior pointers are all about: My understanding is that interior pointers are what C++/CLI uses to solve exactly this problem. So why don’t we have interior pointer support in C#? [ google排名] [ 玻璃钢] [ 货架] [ 玻璃钢] [ 玻璃钢] [ 货架] [ 飞机票] [ vb] structs would be very useful if the "Dispose" method was called automatically at block exit. In this way we could easily implement deterministic finalization, without the "using" keyword. When we allocate an array of structs there is no managed pointers to those structs. if we had managed pointers to a struct in an array it would invalidate the main purpose of that scheisse – ability to allocate a big chunk of memory at once otherwise GC would move tham as it wants so just use classes if you need lvalue What about adding the ability for C# to access the unnamed box type associated with particulary value type? That way you can do something like this List<box MyStruct> which would allow you to treat a value type as a reference if you want. Since interior pointers already exist (or will for 2.0, if they don’t already) I don’t understand the problem. It’s a long-standing crapness of C# that it can’t do this. desiccants”> diamond saw blade travel 虚拟主机 域名注册 desiccants domains America hot keywords insurance China hot products search engine optimization saw blade lingerie 干燥剂 旅游 虚拟主机 美食 培训 宠物 机票 计算机 关键词网站推广 龙虾 破碎机 内衣 鲜花 虚拟主机 笑话 干燥剂 发酵罐 旅游“> 鲜花 龙虾 活性白土 凹凸棒活性白土 龙虾美食 干燥设备 干洗机“> 鲜花 减速机 成人保健品 精密螺丝 干燥机 saw blade 螺丝 网站推广 宠物 To ‘Scheisse’: You’ve missed the point. And it looks like perhaps you haven’t read the spec either. If you read section 11.1.1 ("Native Size: native int, native unsigned int, O and &") of Partion I of the ECMA CLI spec, and specifically the sub-section Managed Pointer Types: O and &" You’ll find that it says: "The & datatype (managed pointer) is similar to the O type, but points to the interior of an object. That is, a managed pointer is allowed to point to a field within an object or an element within an array" So when you say: "When we allocate an array of structs there is no managed pointers to those structs." while this may be true at the point of allocation, it ignores the rather more important fact that it is perfectly possible to get a managed pointer to any struct in the array. Sure, those managed pointers don’t all exist as soon as you create the array, but I was never saying that they do or that they should. I’m not really sure why you introduced the subject of what happens at the instant at which the array is created, because it’s not relevant to this discussion. The important point is that you *can* get a managed pointer to a struct in an array when you need one. In fact you positively *have* to get managed pointers to the structs in the array in order to do anything with them! The only way to retrieve an element from an array of structs is to use the ‘ldelema’ IL instruction. This returns a managed pointer to the struct you wanted inside the array. So if you are accessing an element in an array of values, you *are* dealing with an lvalue – no need to resort to reference types. Nonetheless, your claim that this invalidates the point of using structs is incorrect. The managed pointers are only in existence either on the evaluation stack or as locals, and typically have an extremely short lifetime. The array spends most of its life with no active pointers into it. So the overheads involved with using an array of reference type do not exist with a value type, despite the fact that using an array of value type necessarily involves working with managed pointers into that array. Note that if the GC moves the array while there happens to be an active managed pointer into it, any managed pointers that were pointing into it get updated as part of the GC process. (I think this is a an emergent property of normative parts of the spec, but it is explicitly called out in the informative section 11.1.15, "CIL Instructions and Pointer Types".) Section 13.4.2 of Partition II of the ECMA CLI spec ("Managed Pointers") also contains some more useful information on this general area. (It’s another ‘informative only’ section, but does pull together a lot of useful information from various parts of the spec.) To the ever-inflamatory DrPizza: managed pointers have been in the CLR since v1, as they are fundamental to how arrays of structs work. And they’ve also had a degree of explicit support in C# since v1 as it happens. What do you think the ‘ref’ keyword does? The problem is not that the C# language doesn’t support unmanaged pointers – actually it does. The problem is that it places some arbitrary restraints on the use of managed pointers – essentially you can only pass them into functions, and not back out. (Or use them implicitly through arrays.) Managed pointers do in fact have some slightly funny restrictions – the conceptual model for how you can and can’t use them is a bit weird. So C# uses a conservative model – it reduces the power in exchange for a simple programming model. Given that part of the philsophy of C# is that simplicity is more important than completeness, I can see them not wanting to support the full strangeness of interior pointers as a language feature. It’s inconvenient, but I have to admit that the alternative is ugly. C++ on the other hand is happy to expose the underlying awkwardness of constructs in the name of completeness. To me, structs look more and more like a bad idea. Wouldn’t C# be a better language without them? Then we would not have these funny restrictions. I can’t see where structs supports the ‘simplicity’ model. Some other things are not simple anymore. Or is there a difference between ‘obvious’ and ‘simple’? Thomas Eyde: You need the ‘struct’ type to do P/Invoke. Not to mention that without structs DateTime and Decimal would be a LOT more heavyweight than they need to be. If all structs that weren’t internal and used only for P/Invoke were correctly made immutable, then you wouldn’t notice any difference when using them. That’s why Decimal feels like int…because it’s immutable. Once you make it mutable you have to worry about references to structs. (Oh, and structs such as List<T>.Enumerator are fine too…even they aren’t really immutable–but few people even touch the enumerator directly). No structs? Please don’t even think about it. Regardsless of how fast the GC becomes, stack and register based data is faster, simply because it cannot be aliased (modified in multiple places simultaneously). This means optimizers, perhaps even more in the future, can make temporary structs really fly. Without structs you can forget about fast math or graphics libraries. Seeing as it’s possible to return a managed pointer in IL and MC++, I see no point in not extending the use of the ref keyword to support this in C# also. public static ref int First(int[] array) { return ref array[0]; } static void Main(string[] args) { int[] array = new int[] { 0, 1, 2 }; ref int val = First(array); val = 10; Console.WriteLine(array[0] == 10); } Paul, the problem then becomes the fact that there are restrictions as to what you can do with such things. For example, you can’t store an interior pointer in a field of a class or struct. So this is ruled out: public class Foo { public ref int ri; } Now consider the implications of this for their use as local variables. As of C# 2.0, a local variable is not always implemented as a local at the IL level. In C# v1.x it is – there is a direct correspondence between the idea of a C# variable and an IL local variable. The reason this changed in c# 2.0 is the support for anonymous delegates. They have access to everything that was in scope at the point at which they were defined even if they outlive that scope. This is done by moving any variables declared outside of but used from inside of the anonymous method into a class, rather than storing the variables as locals at the IL level. That’s the only way to make the variable accessible to both scopes. (Remember that the anonymous method’s scoope may be syntacticaly nested in its containing scope, but its allowed to outlive that containing scope.) So what would happen if we were to add an anonymous method to your Main function above? EventHandler dlg = delegate { val = 20; }; This can’t possibly work. In order to make val accessible to this anonymous method, it has to be hoisted into the generated class that holds variables shared across the scopes. But since your ‘val’ variable is an interior pointer, it’s not allowed to live in a class. So this can’t be done. This means you have some pretty subtle restrictions on when you can use a ‘ref variable’ of this type. The only practical way to understand where you can and can’t use it is to understand everything that’s going on under the covers. So I think that’s why C++ supports this kind of thing – the philosophy of that language is to make all the grungy innards available for the developer to tinker with. But I’ve not seen any evidence that interior pointers could be integrated into C# without compromising the philosophy of simplicity that underpins the language. Can somebody help this newbie understand the difference between a mutable and immutable struct, by way of a concrete example in C#? Thanks. Not a problem as this is already caught by the compiler. Try this little one out: public EventHandler F(ref int someInt) { EventHandler dlg = delegate { someInt = 20; }; return dlg; } The compiler already handles managed pointers at the local scope and in fact needs to. In the above function I’m declaring that I have a managed pointer in the parameters. This is a local variable that is explicitly a managed pointer. I’m not allowed to do the same thing myself unless it’s a parameter, which is an arbitrary constraint. Notice that the only difference between what we have now and what I propose is that I can declare a ref in scope to receive a managed pointer. I do not believe that references to local variables should be allowed, as the following is just a waste. We could have just used numberOne anywhere we plan on using numberTwo. int numberOne = 300; ref int numberTwo = ref numberOne; numberTwo 2 = 400; // now numberOne == 400 I believe that the ref keyword, should be used only for receiving "ref returns", or receiving references to heap members. Example: ref MyBigDataBlock data = largeBlockCache.GetBlock(12); // etc.. MyBigStruct[] myArray = new MyBigStruct[30]; for(int i = 0; i < myArray.Length; i++) { // need ref in front of myArray[i] just as if we we’re passing it to function // that had a ref parameter. ref MyBigStruct temp = ref myArray[i]; temp.SomeInitializer(); temp.SomeFloat = 2316738.3225; // etc.. } Just like ref parameters though a ref declared locally can only be assigned at creation, which means it’s impossible to assigning it to a new managed pointer. Example: string[] names = new string[10]; ref string firstName = ref names[0]; firstName = "Bob" // names[0] is now "Bob" firstName = ref names[1] // error wrong type, cannot convert string reference to string Not that I advocate having everything in C++/CLI be in C# but, I would at least like a way to access the values returned as managed pointers, especially since it can be verified CLR. Anytime I can switch somethings from C++/CLI to C# and still not need the UnmanagedCode security, I’m a happy man. Just to be clear, I’m dead set on this not being a CLS compliant feature. Imutable struct: struct SquareInt { private int _sqValue; public SquareInt(int value) { _sqValue = value * value; } public int Value { get { return _sqValue; } } } Notice that SquareInt can only be assigned a value at creation. Even though _sqValue isn’t readonly. That’s imutable, means if you what another one with a different value, you best create a new one. Strings, on the other hand, are not structs but, are still imutable because you cannot change it’s value. You can say: string word = "dog"; word[2] = ‘t’; Doesn’t work, cause theres noway to change it once it’s been created. As it turns out, using managed pointers for parameters, locals, and returns is all verifiable and part of CLS. So it seems that returning a managed pointer is already part of CLS?!? There is a special case for properties: <blockquote><strong>CLS Rule 27:</strong> The type of a property shall be the return type of the getter and the type of the last argument of the setter. The types of the parameters of the property shall be the types of the parameters to the getter and the types of all but the final parameter of the setter. All of these types shall be CLS-compliant, and shall not be managed pointers (i.e. shall not be passed by reference).</blockquote> Basically having a setter for a property that is a managed pointer is a no-no in CLS. <pre>ref T this{int index] { get { return ref _array[index]; } // CLS compliant set { _array[index] = value; } // Not CLS compliant // (equivalent to: void set_Item(int index, ref T value) // not really need either if we have the pointer }</pre> From a C# persective builtin arrays have a indexer property that returns a managed pointer. Now for the weird part. While returning a managed pointer is verifiable, calling such a fuction isn’t. <blockquote><strong>ECMA spec 1.8.1.2.1 Verification Types [just before 1.8.1.2.2]:</strong> A method can be defined as returning a managed pointer, but calls upon such methods are not verifiable. <strong>Rationale:</strong> some uses of returning a managed pointer are perfectly verifiable (eg, returning a reference to a field in an object); but some not (eg, returning a pointer to a local variable of the called method). Tracking this in the general case is a burden, and therefore not included in this standard</blockquote> Now if anybody can understand why that statement makes sense, please explain it to me. Because obviously, if the function is verified then, all the type constraints and other sanity checks all passed; including checking wether the type of the managed pointer matched. If a function is verifed then how should calling it should result in unverified behavior. That’s like getting a warenty that’s only good as long as you don’t use the product, kinda useless. It means that the function isn’t "completely" verified, a half-assed attempt was made. Ok, so basically if a function returns a managed pointer, then it is marked as verified when it really isn’t. The only thing that prevents truely verifing the function is to check the instruction used to get the pointer. There are only three instructions that create pointers to memory not on the heap: <strong>ldarga</strong>, <strong>ldloca</strong>, and <strong>ldsflda</strong>. And only <strong>ldloca</strong> will get can a pointer that’s only valid for the lifetime of the fuction. How is checking out that a managed pointer is pointing to a anything except a local stack variable a "burden". One need only track that <strong>ldloca</strong> wasn’t used to get the managed pointer being returned. This could be the inclusion of another verification type in the stack simulation or a second pass evaluation when the return is a managed pointer. PingBack from PingBack from
https://blogs.msdn.microsoft.com/ericgu/2005/02/11/references-to-value-types/
CC-MAIN-2018-26
refinedweb
3,095
61.67
> BTW, if you have some performance tests that you would like me to try > here, please let me know. Attached a little program for testing the performance of the path locking code. It creates a directory stack of a given depth, and then performs stat() calls on the bottom level. So for example: ~/fuse/example/.libs/fusexmp -s -oattr_timeout=0 /tmp/fuse cd /tmp/fuse/tmp time ~/cc/pathtest 100 100000 > > For example, a fairly big optimization for the uncontended case could > > be to try to do the locking and the path creation in a single stage, > > with pthread_rwlock_try*. > > > > If the trylock fails at some point we have to do it the slow way, as > > now. But if we can lock the whole path with trylocks we could have > > saved some processing. And collecting the nodes into a list isn't > > even needed in that case, unlocking can also be done by following the > > parent pointers from the original node. > > > > I implemented the trylock idea and I think it may help us. Please let me > know your opinion. It's still not perfect ;). What I meant, was that try_quick_lock() and get_path_name() could be done in a single traversal of the nodes. Here's the top of the profile output I got with the above test: Each sample counts as 0.01 seconds. % cumulative self self total time seconds seconds calls s/call s/call name 37.02 1.74 1.74 _lxstat 13.19 2.36 0.62 20832143 0.00 0.00 get_node_nocheck 10.85 2.87 0.51 pthread_rwlock_unlock 8.94 3.29 0.42 pthread_rwlock_tryrdlock 4.68 3.51 0.22 calloc 4.47 3.72 0.21 do_writev 3.40 3.88 0.16 100309 0.00 0.00 unlock_path 3.19 4.03 0.15 _int_free 2.55 4.15 0.12 100309 0.00 0.00 try_quick_lock 2.55 4.27 0.12 cfree 1.49 4.34 0.07 100309 0.00 0.00 get_and_verify_path_name 1.49 4.41 0.07 __read_nocancel 1.28 4.47 0.06 10415968 0.00 0.00 insert_node_to_lock 1.06 4.52 0.05 10315762 0.00 0.00 add_name The worst offender get_node_nocheck() could be halved by not traversing the nodes twice. The performance of pthread_* functions also sucks badly, but we can't do much about that. > We don't have to traverse the nodes first and lock them, but we still > have to store them on a list, otherwise we are unable to figure out > which nodes are locked during this attempt (in particular when we have > to unlock the path partially). Well, we know the start, and we know how far we got with the trylock attempt. That should make it possible to unlock them using the same traversal, and stop when it reaches the node on which the trylock failed. Holding a lock on a node guarantees, that the parent can't change. Of course traversing the nodes again might be more expensive than storing them in the list, but calloc seems to be a bad offender, and I suspect it's mostly for the locked list allocation. > > Also I'm a bit worried about the retry logic. Continual renames could > > starve any other operation being performed on that path. So for > > example if in one shell we have > > > > cd /a/b > > while true; do ls -l c; done > > > > and in another shell > > > > while true; do mv /a/b /a/d; mv /a/d /a/b; done > > > > The ->stat() for c could be starved indefinitely. > > > > Have you tried the latest code that we only lock for writing the first > node? > > Anyway, our code locks the node "b" for writing, while "ls -l" will try > to lock /a/b/c for reading. "ls -l" will then wait for the write lock on > "b"/"d" to be released before being able to go on, but I can't see why > it should starve. I'm thinking of the following sequence of events: - quick lock for getattr fails (rename in progress) - collect nodes for getattr (rename finishes during the collection) - verify fails, because the rename messed up the path - retry In theory this could go on forever whithout getattr ever succeeding. > Even if it takes some time before it acquires the > lock, eventually it will run because I assume pthread code tries to > avoid starvation (probably by increasing some wait counter as time goes > by, even when writers have higher priority). I ran these commands here > and both loops ran pretty well, without any starvation. Yes, I don't expect this will be observable in practice, or only very rarely. Still if there's some simple way to avoid this, then that would be nice. Thanks, Miklos ===File pathtest.c========================================== #include <stdio.h> #include <stdlib.h> #include <unistd.h> #include <sys/stat.h> int main(int argc, char *argv[]) { int depth; int niter; int i; if (argc != 3) { fprintf(stderr, "usage: %s depth niter\n", argv[0]); return 1; } depth = atoi(argv[1]); niter = atoi(argv[2]); for (i = 0; i < depth; i++) { mkdir("x", 0777); chdir("x"); } mknod("y", 0666, 0); for (i = 0; i < niter; i++) { struct stat stbuf; stat("y", &stbuf); } return 0; } ============================================================ View entire thread
http://sourceforge.net/p/fuse/mailman/message/10885354/
CC-MAIN-2014-52
refinedweb
874
83.36
ASP.NET and ASP.NET MVC Tools ReSharper helps you. Code Inspections and Quick-Fixes Whenever you work with C# code used in ASP.NET markup and in code-behind files, you enjoy the complete ReSharper feature coverage, including the whole range of code inspections and quick-fixes. In addition, there are code inspections and quick-fixes that are ASP.NET-specific: for example, ReSharper detects unused import namespaces, unknown symbols and entities in aspx pages. Marker Bar and Status Indicator are available in ASP.NET markup files as well, to help you navigate between code issues that ReSharper discovers. Context Actions ReSharper provides a number of context actions to help you in common ASP.NET markup scenarios. For example, ASP.NET context actions enable you to replace, collapse or remove tags; convert HTML entities; create events, functions and properties; insert table columns and rows; add code-behind files. Navigation and Search Much of ReSharper's navigation feature pack is available in ASP.NET. For example, if you want to get an overview of markup items in your currently opened aspx file, press Ctrl+Alt+F to display the File Structure tool window. File Structure derivatives, such as Go to File Member, Go to Next/Previous Member, and Go to Containing Declaration, are at your disposal as well. Other navigation actions that come handy in ASP.NET projects include Go to Declaration, which is especially useful for navigation to user controls and master pages from references, and Go to Usages of Symbol for navigation from ContentPlaceHolder tags to their Content counterparts, or from a master page reference to any web forms that use it. Go to Related Files Go to Related Files — Ctrl+Alt+F7 — is a web-specific navigation action that takes you from a markup file to any files that it references, including code-behind files, master pages, user controls, images, JavaScript and CSS files, ASP.NET MVC views and controllers Syntax Highlighting When you inline code render blocks in your aspx pages using C# or VB.NET, ReSharper's syntax highlighting helps you: - Easily spot action and controller names in ASP.NET MVC calls. (Read more about this and other ReSharper features for ASP.NET MVC.) - Take advantage of regular syntax highlighting for C# and VB.NET code. Code Templates ReSharper enables ASP.NET and ASP.NET MVC developers to generate web forms, tags, and attributes with a set of 20 bundled web-specific templates: - Live templates — Ctrl+E,L — for ASP.NET speed up creating new controls, script blocks, tags, and attributes. - Surround templates — Ctrl+E, U — help wrap text or code with tags, links, or foreachblocks. - File templates — Ctrl+Alt+Ins — facilitate creating new web forms, user controls, and master pages. Code Generation ReSharper is able to generate Content tags in markup pages based on ContentPlaceHolder tags defined in a referenced master page. Another feature is to generate event subscription methods in ASP.NET code-behind files. You can invoke these as well as common C# and VB.NET code generation features available in the current context by pressing Alt+Ins in the editor. Code Completion Code Completion (including Smart Completion) works with tag names and attribute values. Import Symbol Completion helps you reference non-imported user controls without registering them in advance: ReSharper will generate the Register directive automatically. Moreover, ReSharper provides code completion for JavaScript symbols.. Other Coding Assistants ReSharper will auto-insert a matching closing tag as soon as you've entered an opening tag, or a closing quote after you've entered an opening quote for an attribute value. More than that, such matching delimiters are highlighted when you put the caret on either of them.. ASP.NET MVC Support ReSharper provides a set of features that are specific to ASP.NET MVC projects. In addition to features described above and common C#/VB.NET support to help you write code in your controllers, you will be able to navigate between actions and controllers, enjoy special syntax highlighting and code completion that is aware of action references in string literals, create actions and controllers from usage, and do more in both aspx and Razor view engines. Note on shortcuts All keyboard shortcuts provided in this page are available in ReSharper's default "Visual Studio" keymap. For details on ReSharper's two keymaps, see ReSharper Documentation.
http://www.jetbrains.com/resharper/features/asp_net_editor.html
CC-MAIN-2016-40
refinedweb
724
56.35
John Williams <jrw at pobox.com> wrote: > > (This is kind of on a tangent to the original discussion, but I don't > want to create yet another subject line about object comparisons.) > > Lately I've found that virtually all my implementations of __cmp__, > __hash__, etc. can be factored into this form inspired by the "key" > parameter to the built-in sorting functions: > > class MyClass: > > def __key(self): > # Return a tuple of attributes to compare. > return (self.foo, self.bar, ...) > > def __cmp__(self, that): > return cmp(self.__key(), that.__key()) > > def __hash__(self): > return hash(self.__key()) > > I wonder if it wouldn't make sense to formalize this pattern with a > magic __key__ method such that a class with a __key__ method would > behave as if it had interited the definitions of __cmp__ and __hash__ above. You probably already realize this, but I thought I would point out the obvious. Given a suitably modified MyClass... >>> x = {} >>> a = MyClass() >>> a.a = 8 >>> x[a] = a >>> a.a = 9 >>> x[a] = a >>> >>> x {<__main__.MyClass instance at 0x007E0A08>: <__main__.MyClass instance at 0x007E 0A08>, <__main__.MyClass instance at 0x007E0A08>: <__main__.MyClass instance at 0x007E0A08>} Of course everyone is saying "Josiah, people shouldn't be doing that"; but they will. Given a mechanism to offer hash-by-value, a large number of users will think that it will work for what they want, regardless of the fact that in order for it to really work, those attributes must be read-only by semantics or access mechanisms. Not everyone who uses Python understands fully the concepts of mutability and immutability, and very few will realize that the attributes returned by __key() need to be immutable aspects of the instance of that class (you can perform at most one assignment to the attribute during its lifetime, and that assignment must occur before any hash calls). Call me a pessimist, but I don't believe that using magical key methods will be helpful for understanding or using Python. - Josiah
https://mail.python.org/pipermail/python-dev/2005-November/057932.html
CC-MAIN-2022-05
refinedweb
332
63.7
React.js for Noobs React.js for Noobs React has quickly become one of the most popular libraries/frameworks for web development. Read on to learn how to build your own React app! Join the DZone community and get the full member experience.Join For Free React. Creating a Hello World App First, let’s create our sample React app. For this tutorial, you need Node and NPM to be installed in your environment. After that, execute the following command to install the react boilerplate app creator. npm install -g create-react-app Next, we can create our hello world app using the below command. create-react-app hello-world Now if we look at the file structure within the hello world app, there are three important files. Those are public/index.html, src/index.js, and src/App.js files. In the index.html file, you can see that there is a div with the id root and in the index.js file there's the below code segment. ReactDOM.render(, document.getElementById(‘root’)); This is the starting point of our app. Basically, React will inject out app component into the div with the root id. Now you might be wondering, what is the app component? If you look at the App.js file, you will be able to see the app component. In React, it is the convention to name JavaScript files with the same name as the component. React Component Now let’s look at a React component. import React, { Component } from 'react'; class App extends Component { render() { return ( <div className="greeting"> <h1> Hello World! </h1> </div> ); } } Above is the simplest component we can write in React. We can create a JavaScript class for our component and extend it from the Component class from the React library (Note the import statement). After that, we need to implement the render() method. Prior to React 16, it was a must to return a single element from render method. But with React 16, we can return an array of elements. Now, if we execute an npm start command within the hello world directory, we can see that 'Hello World' is rendered in React JSX (Syntactic Sugar for JS) In the render method of the component, we can almost use the HTML syntax. But in reality, this is actually JavaScript, specifically known as JSX. JSX is a template language which has a similar structure to HTML with the full power of JavaScript. Hence, you can evaluate any JavaScript statement within the render method. As an example, the JSX code we wrote earlier (shown below) const element = ( <h1 className="greeting"> Hello, world! </h1> ); will be compiled into the JavaScript code shown below. const element = React.createElement( 'h1', {className: 'greeting'}, 'Hello, world!' ); In reality, JSX was introduced to make developers' lives easier by providing a familiar syntactic sugar. State vs. Props Now let’s create another component named Alice under the src/Alice.js file. The content of the Alice component would be as below. import React, { Component } from 'react'; class Alice extends Component { render() { return ( <div> <h2> Hi, I am Alice </h2> </div> ); } } export default Alice; Now we can include this Alice component as a child component in our App component as shown below. import React, { Component } from 'react'; import Alice from './Alice'; class App extends Component { render() { return ( <div className="greeting"> <h1> Hello World! </h1> <Alice/> </div> ); } } export default App; Note the new import statement for the Alice component. Without that, our app will break since React is unable to find the component which corresponds to the Alice tag. Next, let’s see how we can manipulate the state of our components. For each React component, there is a state and by manipulating the state object we can change the behavior of our component. This state object is specific to the component. import React, { Component } from 'react'; import Alice from './Alice'; class App extends Component { constructor() { super(); this.state = { greeting: "Hello World!" } } render() { return ( <div className="greeting"> <h1> {this.state.greeting} </h1> <Alice/> </div> ); } } export default App; As shown above, we can declare the state object within the constructor (note that it is a must to call super() within the constructor of a React component). This state object contains the greetings property with the value “Hello World!” In the render method, we have used this property as {this.state.greeting}, and this is the usual way of evaluating JavaScript expressions within JSX. You can add as many properties as you want to the state object. Now let’s see how we can pass data from the App component into its child component, Alice. import React, { Component } from 'react'; import Alice from './Alice'; class App extends Component { constructor() { super(); this.state = { greeting: "Hello World!", parentMessage: "Hello Alice!" } } render() { return ( <div className="greeting"> <h1> {this.state.greeting} </h1> <Alice newMsg={this.state.parentMessage} /> </div> ); } } export default App; In the modified App component (shown above), I have added another property named parentMessage and passed it to Alice component as shown below. <Alice newMsg={this.state.parentMessage} /> Note that newMsg is the key I’ve used to pass the data and, for that, you can use any valid string. Now, let’s look at the corresponding Alice Component. import React, { Component } from 'react'; class Alice extends Component { constructor(props) { super(props) this.state = { greeting: props.newMsg } } render() { return ( <div> <h2> {this.state.greeting} </h2> </div> ); } } export default Alice; If you look at the constructor of the Alice component, there is a method argument named props. This object contains all the data passed from the parent component (input from parent component to the child component). I have initialized the state of the Alice component using the newMsg property passed from the App component. If you have used another string as the key instead of newMsg, you can access it with the following pattern: props.newMsg. Now the app should be rendered as shown below (Figure 2). The below table summarizes the basic differences between state and props objects of a component. Another very important thing to note is that whenever we want to modify the state object, we do it through the this.setState() method, as shown below. import React, { Component } from 'react'; import Alice from './Alice'; class App extends Component { constructor() { super(); this.state = { greeting: "Hello World!", parentMessage: "Hello Alice!" } setTimeout(() => { this.setState({greeting : "Hello World Updated!"}) }, 10000) } render() { return ( <div className="greeting"> <h1> {this.state.greeting} </h1> <Alice newMsg={this.state.parentMessage} /> </div> ); } } export default App; In the constructor, I have added a timeout function which modifies the greeting message to “Hello World Update!” after 10 seconds. DO NOT use this.state.greeting = “Hello World Updated!” to update the state as it would not work since React uses an event-driven approach rather than using dirty checking to maintain the state of React components. React Component Lifecycle React provides highly valuable lifecycle hooks (method) for each state of the component as listed below. These methods can be classified into 3 categories: mounting, updating, and unmounting. Mounting hooks are fired when the React component is initially being rendered in the browser page. The below methods are fired in the specified order. constructor()- Invoked when creating the React component for the first time. componentWillMount()- Invoked before adding the component to the actual DOM of the web page. render()- Invoked when adding the component to the actual DOM. componentDidMount()- Invoked after adding the component to the actual DOM. Updating methods are invoked when the component is re-rendered on the web page. This happens due to changes in state/props objects. The elow methods are invoked in the specified order. componentWillReceiveProps(newProps)- This method is invoked when new props are received from the parent component. Note that this method will not be invoked at the initial time when the component is created even though parent component passes props. The initial time should be handled within the constructor. shouldComponentUpdate(nextProps, nextState)- This method is invoked before the component is re-rendered. It is a must to return a boolean from this method. If true is returned, the component will be re-rendered and the component will not be re-rendered if false is returned. componentWillUpdate()- This method is invoked before the component is re-rendered in the actual DOM. render()- Invoked when the component is re-rendered in the actual DOM. componentDidUpdate()- Invoked after the modified component is re-rendered on the actual DOM. As for the unmounting, there is one hook named componentWillUnmount(). This method is invoked immediately before the component is removed from the actual DOM. Apart from that, starting with React 16, there is another lifecycle hook named componentDidCatch() which will be invoked when there is an exception during any of the lifecycle hooks of the component. This method can be used to gracefully show an error message when a React component fails to function as expected. For more information on the component lifecycle events, take a look at the awesome React documentation. Virtual DOM vs Real DOM When applying the changes of a React component to the actual web page, React uses a virtual DOM to calculate the changes and then apply only the modified bits into the real DOM. Since React completely builds the virtual DOM, you might be wondering, why not build the actual DOM instead? Re-building the actual DOM is quite expensive since the browser needs to re-calculate all the CSS properties, re-draw the canvas, and fire all the event listeners unnecessarily. Hence, building the virtual DOM and applying only the difference to the actual DOM is quite efficient and this process is known as reconciliation. React implements a heuristic based algorithm to calculate the difference between the virtual and actual DOMs, which has a time complexity of O(n). As an example, when rendering a component, initially both DOMs are empty (Figure 3). First, the virtual DOM is populated with the content (Figure 4). Next, the real DOM is populated with the content and the virtual DOM is cleared (Figure 5). After that, for any change, the complete virtual DOM is generated with the newly modified content (Figure 6). Next, the difference is calculated and only the modified section is updated in the real DOM and the virtual DOM will be cleared (Figure 7). This sums up for the basic introduction to the React.js and it is time for you to get your hands dirty and start building your first React app to get some first-hand experience. In the next blog post let’s see how we can craft an elegant data flow between React components using Flux. Until then, happy coding! Published at DZone with permission of Sajith Dilshan . See the original article here. Opinions expressed by DZone contributors are their own. {{ parent.title || parent.header.title}} {{ parent.tldr }} {{ parent.linkDescription }}{{ parent.urlSource.name }}
https://dzone.com/articles/reactjs-for-noobs?utm_source=dzone.com&utm_medium=article&utm_campaign=react-cluster
CC-MAIN-2019-47
refinedweb
1,810
58.18
See my new blog at .jeffreypalermo.com NHibernate knows when an object under its watch has changed. As soon as the object changes, it is "dirty". Some other changes might cause an object to be dirty as well. One that my team recently encountered is a cast. We use an enum of type byte. It's only a few items (less than 255), so we use a tinyint in our database. When our mapping uses type="byte", NHibernate casts from the byte to our Enum type when hydrating the object. This cast is a change because when NHibernate checks the value, it's an Enum, not a byte. To get around this cast (implicit or not), we use the fully qualified type name of the Enum in the mapping. NHibernate understands Enums natively, so just put in the enum type, and you are off to the races. Note that if you are using an Enum that is nested inside a public class, you need to follow .Net's rules for fully-qualified type names. See MSDN's documentation for this: TopNamespace.SubNameSpace.ContainingClass+NestedEnum,MyAssembly
http://codebetter.com/blogs/jeffrey.palermo/archive/2006/10/23/NHibernate_3A00_-Casting-is-a-state-change-and-makes-a-persistent-object-dirty-immediately-_2D00_-level-200.aspx
crawl-002
refinedweb
185
75.81
kill(2) [osf1 man page] kill(2) System Calls Manual kill(2) NAME kill - Sends a signal to a process or to a group of processes SYNOPSIS #include <signal.h> int kill( pid_t process, int signal ); Application developers may want to specify an #include statement for <sys/types.h> before the one for <signal: kill(): XSH5.0 Refer to the standards(5) reference page for more information about industry standards and associated tags. PARAMETERS Specifies the process or group of processes. Specifies the signal. If the signal parameter is a value of 0 (the null signal), error check- ing is performed but no signal is sent. This can be used to check the validity of the process parameter. DESCRIPTION The kill() function sends the signal specified by the signal parameter to the process or group of processes specified by the process param- eter. To send a signal to another process, at least one of the following must be true: The real or the saved set-user-ID of the sending process matches the real or effective user ID of the receiving process. The process is trying to send the SIGCONT signal to one of its session's processes. The calling process has root privileges. Processes can send signals to themselves. Sending a signal does not imply that the operation is successful. All signal operations must pass the access checks prescribed by each enforced access control policy on the system. If the process parameter is greater than 0 (zero), the signal specified by the signal parameter is sent to the process that has a process ID equal to the value of the process parameter. If the process parameter is equal to 0 (zero), the signal specified by the signal parameter is sent to all of the processes (other than system processes) whose process group ID is equal to the process group ID of the sender. If the process parameter is equal to -1, the signal specified by the signal parameter is sent to all of the processes other than system processes for which the process has permission to send that signal. For example, if the effective user ID of the sender has root privi- leges, the signal specified by the signal parameter is sent to all of the processes other than system processes. If the process parameter is negative but not -1, the signal specified by the signal parameter is sent to all of the processes which have a process group ID equal to the absolute value of the process parameter. RETURN VALUES Upon successful completion, the kill() function returns a value of 0 (zero). Otherwise, a value of -1 is returned and errno is set to indi- cate the error. NOTES Some applications and scripts depend on the process ID of the init program being 1 (one): do not depend on it. Instead, use standard methods, such as the ps and grep commands, to obtain all process IDs. ERRORS The kill() function sets errno to the specified values for the following conditions: The signal parameter is not a valid signal number. [Tru64 UNIX] The signal parameter is SIGKILL, SIGSTOP, SIGTSTP or SIGCONT and the process parameter is the process ID of the init program. No process or process group can be found corresponding to that specified by the process parameter. The real or saved user ID does not match the real or effective user ID of the receiving process, the calling process does not have appropriate privilege, and the process is not sending a SIGCONT signal to one of its session's processes. [Tru64 UNIX] The calling process does not have appropriate privilege. RELATED INFORMATION Functions: getpid(2), killpg(2), raise(3), setpgid(2), sigaction(2), sigvec(2) Standards: standards(5) delim off kill(2)
https://www.unix.com/man-page/osf1/2/kill/
CC-MAIN-2022-05
refinedweb
625
59.43
Andrew Morton <akpm@osdl.org> wrote:> Maybe I'm not understanding all this, but...> > I'd have thought that the way to do this is to simply reimplement down(),> up(), down_trylock(), etc using the new xchg-based codeWhich I did.> and to then hunt down those few parts of the kernel which actually use the> old semaphore's counting feature and convert them to use down_sem(),> up_sem(), etc.Done, I think. It's not always 100% obvious.> And rename all the old semaphore code: s/down/down_sem/etc.Done.> So after such a transformation, this new "mutex" thingy would not exist.Why not? I want to make them different types so that you can't use the wrongoperators by accident or mix them.> > include/linux/mutex.h | 32 +++++++> > But it does.Well, I could fold this into each asm/semaphore.h.> > +#define mutex_grab(mutex) (xchg(&(mutex)->state, 1) == 0)> > mutex_trylock(), please.You're right.> > +#define is_mutex_locked(mutex) ((mutex)->state)> > Let's keep the namespace consistent. mutex_is_locked().But that's a poor name: it turns it from a question into a statement:-(> > +static inline void down(struct mutex *mutex)> > +{> > + if (mutex_grab(mutex)) {> > likely()No... down_trylock().> > +static inline int down_interruptible(struct mutex *mutex)> > +{> > + if (mutex_grab(mutex)) {> > likely()down_trylock() again.> > +static inline int down_trylock(struct mutex *mutex)> > +{> > + if (mutex_grab(mutex)) {> > etc.Yes.>.You're probably right.> It's also significantly slower than the existing up()?Hmmm... If you've only got two states available to you and/or you can onlyexchange states, then there's a limit to what you can actually do. You can losethe spinlock in the up() fastpath if you're willing to forgo fairness or resortto waking up processes superfluously.Ingo and Nick have a point about using CMPXCHG or equivalent if it'savailable. This lets you modify the state you have, rather than swapping it fora whole new state; in which case the state can be annotated to indicate thatthere is waking up to be done, thus permitting the fast path to be muchfaster. But this can only be done in the case where the state may be modified.As I tried to make clear: this is the simplest I could come up with, but I havemade provision for overriding it with something better if that's possible.David-To unsubscribe from this list: send the line "unsubscribe linux-kernel" inthe body of a message to majordomo@vger.kernel.orgMore majordomo info at read the FAQ at
https://lkml.org/lkml/2005/12/13/127
CC-MAIN-2017-22
refinedweb
409
57.77
.6. StudentAnswerSheet - Part B¶ Part b. Consider the following class that represents the test results of a group of students that took a multiple-choice test. public class TestResults { private List<StudentAnswerSheet> sheets; /** Precondition: sheets.size() > 0; * all answer sheets in sheets have the same number of answers * @param key the list of correct answers represented as strings of length one * Precondition: key.size() is equal to the number of answers in each * of the answer sheets in sheets * @return the name of the student with the highest score */ public String highestScoringStudent(List<String> key) { /* to be implemented in part (b) */ } // There may be fields, constructors, and methods that are not shown. } Write the TestResults method highestScoringStudent, which returns the name of the student who received the highest score on the test represented by the parameter key. If there is more than one student with the highest score, the name of any one of these highest-scoring students may be returned. You may assume that the size of each answer sheet represented in sheets is equal to the size of key. 15.6.1. Try and Solve It¶ Complete method highestScoringStudent below. The code below has a main method for testing the highestScoringStudent method. Complete method highestScoringStudent below.
https://runestone.academy/ns/books/published/csawesome/FreeResponse/StudentAnswerSheetB.html
CC-MAIN-2022-40
refinedweb
208
61.56
Pandas DataFrames are a thing of beauty. DataFrames in Python makes the handling of data very user friendly. You can import large datasets using Pandas and then manipulate them effectively. You can easily import CSV data into a Pandas DataFrame. But, What are Dataframes in Python, and How to Use Them? Dataframes are a 2-dimensional labeled data structure with columns that can be of different types. You can use DataFrames for various kinds of analysis. Often the dataset is too big and it’s not possible to look at the entire dataset at once. Instead, we want to see the summary of the Dataframe. Under summary we can get the first five rows of the dataset, we can get also get a quick statistical summary of the data. Apart from that we can get information about the type of columns we have in our dataset. In this tutorial we will learn how to display such summary for a DataFrame in Python. We will be using the California Housing dataset as the sample dataset for this tutorial. 1. Import the Dataset in a Pandas Dataframe Let’s start by importing the dataset into a Pandas Dataframe. To import the dataset into a Pandas Dataframe use the following set of lines: import pandas as pd housing = pd.read_csv('path_to_dataset') This will store the dataset as a DataFrame in the variable ‘housing’. Now we can look at different types of data summary that is available to us in Pandas. 2. Get the first 5 rowss After importing a dataset for the first time it is common for data scientists to have a look at the first five rows of the Dataframe. It gives a rough idea of what the data looks like. To output the first five rows of the Dataframe, use the following line of code: housing.head() When you run the following line, you will see the output as : The complete code for displaying the first five rows of the Dataframe is given below. import pandas as pd housing = pd.read_csv('path_to_dataset') housing.head() 3. Get statistical summary To get a statistical summary of your Dataframe you can use the .describe() method provided by pandas. The line of code to display the statistical summary is as follows : housing.describe() Running this line of code will give the following output. The complete code is as follows: import pandas as pd housing = pd.read_csv('path_to_dataset') housing.describe() The output displays quantities like mean, standard deviation, minimum, maximum, and percentiles. You can use the same code for all the below examples, and only replace the function name as mentioned for each example. 3. Get a quick description of the data To get the quick description of the type of data in the table you can use .info() method provided by Pandas. You can use the following line of code to get the description : housing.info() The output looks like as shown below : The output contains a row for each column of the dataset. For each column label you get the count of non null entries and the data-type of the entry. Knowing the data type of the columns in your dataset allows you to make better judgements when it comes to using the data to train models. 4. Get count for each column You can directly get the count of entries in each column using the .count() method in Pandas. You can use this method as shown in the following line of code : housing.count() The output comes out as following: Displaying the count for each column can tell you about any missing entries in your data. Subsequently, you can plan your data cleaning strategy. Get a Histogram for each column in your dataset Pandas allow you to display histograms for each and every column in just one line of code. To display histograms use the following line of code : housing.hist() After running the line above, we get the output as : Data scientists often use histograms to form a better understanding of the data. Conclusion This tutorial was about different types of quick summary that you can get for a Dataframe in Python. Hope you had fun learning with us!
https://www.askpython.com/python-modules/pandas/dataframes-in-python
CC-MAIN-2021-31
refinedweb
699
72.97
Any programming language that fails to add new functionality over time has stopped being a technology with a future and become a technology of the past. Python 3 continues to move forward with the addition of significant new features, though it’s difficult to keep up with them when you’re preoccupied with the nitty-gritty of your development work. Here are six of the newest features in the last few versions of Python 3 that not only deserve your attention, but probably a place in your software projects. F-strings The Zen of Python states that there should be one obvious way to do things. String formatting in Python deviates greatly from this rule, because there is a slew of ways to do it. But the “f-string” format, unveiled in Python 3.6, is both the fastest and among the most convenient. Nevertheless, many Python programmers, who learned string formatting on earlier versions of Python, don’t take advantage of them. To use an f-string, just place the variable you want to include in the string in curly braces, and decorate the string with an f prefix: filename = "file.jpg" f_name_str = f"Your file is {filename}" The result: Your file is file.jpg Most any valid Python expression can be placed in the curly brackets. You can decorate expressions therein with Python’s internal expression formatting language. And you can use triple quotes for multi-line f-strings. These advantages make f-strings a convenient first choice for string formatting, since they cover the vast majority of use cases elegantly. About the only time you would not want to use f-strings is when you need to pass arbitrary formatting parameters via the .format command. Another benefit: f-strings render far faster than the format command or the % string-rendering operator. In most cases f-strings are nearly twice as fast as format, slightly faster than %, and an order of magnitude faster than the Template formatting object. Python 3.8 added a new plus to f-strings: internal debugging. Add an equal sign to the end of an f-string expression and you’ll see additional data when the string is rendered: filename = "file.jpg" f_name_str = f"Your file is {filename=}" The result: Your file is filename='file.jpg' Async Asynchronous programming, or async for short, lets you queue up multiple tasks that need to wait on outside events, like network requests or disk I/O, and switch efficiently between them. Async is a way to give some jobs the efficiency of multithreading, but with far less operational overhead. Async operations take up much less memory and switch far faster than threads. Python introduced the asyncio library in version 3.4 and the async/ await keywords in version 3.5, and the language has been steadily adding and improving how async works ever since. If you’re not already using async in your code, it’s worth exploring. After all, any program that spends time waiting for disk or network operations would benefit from asynchronous code. The one caveat: Async can be tricky to learn at first, because it requires thinking differently about your code. Data classes Python 3.7 introduced data classes, which provide a way to write classes that store many data elements without using lots of boilerplate constructor or initializer code. For example: from dataclasses import dataclass @dataclass class Student: name: str student_id: int gpa: float This code automatically generates the __init__ function to assign name, student_id, and gpa to their respective variables in the class instance. It also generates comparison operators for the class. The resulting class is a class just like any other; the only difference is how it is defined. If you create classes that are mainly containers for many named data elements with some methods attached to them, data classes can spare you the hassle of writing the nitty-gritty initialization details for each class. Assignment expressions (the “walrus operator”) Here is a common construction: my_val = func_result() if my_val == 1: do_something_else() The assignment expression syntax, or “walrus operator” as it is also known, lets you condense the assignment of a variable in the local scope to a single line. if (my_val:=func_result()) == 1: do_something_else() # my_val continues to be a valid value Because this syntax is valid only in Python 3.8 and higher, you should use it only in new projects that are guaranteed to use these later versions of Python. But it is a handy way to reduce a bit of boilerplate that pops up often in Python code. The breakpoint() function Most Python developers use features in their Python IDE for debugging, such as manually inserting breakpoints in code. The breakpoint() function, new as of Python 3.7, lets you insert a breakpoint into code manually — for instance, in a code path that is triggered only by certain conditions. This makes it easier to create interactive debugging behaviors. With breakpoint(), you can even trigger a custom debugging function rather than the default pdb, if you have something else you’d rather use. Type hinting advancements For the longest time, Python had no explicit way to specify types for variables or function parameters. Now, type hinting and the typing module are supported directly by the Python interpreter. Type hints in Python aren’t enforced at runtime. But when combined with linting tools, type hints shake out a great many bugs that might otherwise blow up only in production due to Python’s dynamism. Solo and team developers alike can benefit from this. What’s more, type hints can be added gradually to a codebase as needed. For instance, you might make use of type hints first around interfaces used between teams, then around internal interfaces. In the future, we may see more aggressive use of third-party projects like mypyc to achieve runtime speed-ups for Python through type hints. Some performance gains are possible right now, if only in a limited way. But there are still plenty of other immediate benefits for using typing that are about programmer productivity (Python’s mainstay) rather than raw performance.
https://www.infoworld.com/article/3514948/6-great-new-python-features-you-dont-want-to-miss.html
CC-MAIN-2021-25
refinedweb
1,018
61.67
[This post was written by Andrew Pardoe and Neil MacIntosh] Update: The CppCoreCheck tools are now part of VS 2017:. Back in September at CppCon 2015 Neil announced that we would be shipping new code analysis tools for C++ that would enforce some of the rules in the C++ Core Guidelines. (A video of the talk is available here: and slides are available on the ISOCpp GitHub repo.) Earlier this week we made the first set of those code analysis tools freely available as a NuGet package that can be installed by users of Visual Studio 2015 Update 1. The package currently contains checkers for the Bounds and Type profiles. Tooling for the Lifetime profile demonstrated in Herb Sutter’s plenary talk (video at) will be made available in a future release of the code analysis tools. The package is named “Microsoft.CppCoreCheck”, and a direct link to the package is here:. To enable the new code analysis tools, simply install the NuGet packages to each C++ project that you want checked within Visual Studio. The NuGet package adds an additional MSBuild targets file that gets invoked when you have code analysis enabled on your project. This targets file adds the CppCoreCheck as an additional plugin to the PREfast code analysis tool. You can enable code analysis by selecting the checkbox in the Code Analysis section of the project Properties dialog. It doesn’t matter what rule set you select–the CppCoreCheck rule sets will always run when Code Analysis is enabled. These tools are an important first step in ensuring that users of Visual Studio can benefit from enforcement of the C++ Core Guidelines. Please note that they require Visual Studio 2015 Update 1 and will not work with earlier releases. Here’s an example of the kind of issues that the tools will find: void main() { int arr[10]; // BAD, warning 26494 will be fired int* p = arr; // BAD, warning 26485 will be fired [[suppress(bounds.1)]] // This attribute suppresses Bounds rule #1 { int* q = p + 1; // BAD, warning 26481 would be fired p = q++; // BAD, warning 26481 would be fired } } There are a few interesting things to note here. First, let’s look at the full description of the warnings that will come from this code sample: - 26494 is Type Rule 5: Always initialize an object. - 26485 is Bounds Rule 3: No array to pointer decay. - 26481 is Bounds Rule 1: Don’t use pointer arithmetic. Use span instead. The first two warnings fire when you compile this code with the CppCoreCheck code analysis installed and activated. But the third warning doesn’t fire because of the attribute. The developer marked this code block to keep CppCoreCheck from detecting any violation of Bounds Rule 1. He could have marked the other statements to suppress Type Rule 5, or even suppressed the entire bounds profile by writing [[suppress(bounds)]] without including a specific rule number. The C++ Core Guidelines are there to help you write better and safer code but C++ is ultimately about providing the developer with the ability to do the right thing. In an instance where a rule or a profile shouldn’t be applied, it’s easy to suppress them directly in the code. While the code analysis tools aren’t yet open source, distributing them on NuGet means we can update them to address any issues you might find. We also look forward to adding checkers for new profiles (such as Lifetime) as they are developed in the Guidelines. Feel free to send us mail at cppcorecheck@microsoft.com with your feedback! The NuGet package containing our analysis tools installs a subsidiary package containing Microsoft’s implementation of the Guideline Support Library (GSL). The package is also available standalone at. This library is essential if you want to follow the Core Guidelines and replace use of constructs like a T*+ length pair of parameters with the span<T> type from the GSL. The GSL is open source, so if you want to take a look at the library sources, comment, or contribute, please come see us at. Finally, the C++ Core Guidelines is an open, community-based effort, and in that spirit we would also like to take this opportunity to point people to an alternative implementation of the checks for the Bounds and Type profiles. The clang-tidy developers have already included a number of checks for these profiles in the open source clang-tidy project. You can find out more about clang-tidy and their checks for the C++ Core Guidelines here:. We are really excited about all these first steps towards supporting enforcement of the Core Guidelines. As always, we welcome your feedback about the good and the bad with these tools and libraries so that we can keep improving on them. Let us know your thoughts at cppcorecheck@microsoft.com! Join the conversationAdd Comment I'm not having a lot of luck at the moment.. 1>test.cpp(4): error C2220: warning treated as error – no 'object' file generated 1>c1xx : fatal error C1255: PCH data for plugin 'PREfast.espX.1' has incorrect length. Is using a precompiled header not supported with this? I just created a default console project which by default adds a precompiled header. Yes if I disable the precompiled header it works For the error related to PCH data: This typically happens when there’s a stale binary left somewhere in the path. Could you clean up everything under your object directory and try again? Cleaning the solution typically fixes this in most cases. No still happens when pch is on I'm afraid. Nice tool. Would it warn about the "void main()" in your example? @Jonathan McDougall, congratulations. If the tool were complete, it would certainly warn about a violation of Guideline F.46: int is the return type for main() (github.com/…/CppCoreGuidelines.md) Unfortunately, this is the first release of the tools and it is incomplete. But while declaring main to be void limits portability, I don't expect that the code sample above will be used anywhere but as an example in this blog post. Tried using it on a very small MFC/STL application (CGridListCtrlEx-DemoApplication), and it choked on precompiled headers even after cleanup. Disabled precompiled headers, and then it just got stuck on "Running Code Analysis for C/C++…" without ever completing (Also after cleanup). Guess the MFC/STL-dependency is just too much non-quality, than it can handle :) Tried to use it on a real project. Here's what it produces: 1>C:Program Files (x86)MSBuildMicrosoft.Cppv4.0V140Microsoft.CppCommon.targets(253,5): error MSB6006: "CL.exe" exited with code -1073740791. @edl_si, @Rolf Kristensen: thanks for the bug reports. We'll look into them. If you have a repro you can share, please mail it to us. Or feel free to contact us directly so we can figure out what's going on. I'm not having success using static analysis with shared_ptr or unique_ptr. I created a short sample project in VS2015 Update 1 as follows: #include <memory> using namespace std; void main() { auto s = make_shared<int>(1); auto u = make_unique<int>(2); } Then, when I add the CppCoreCheck NuGet package and turn on static analysis on build, I get warning C26494 on each of the two lines initializing a pointer type, even though the objects are obviously initialized. Here is the first one: Warning C26494 Variable 's' is uninitialized. Always initialize an object. (type.5: go.microsoft.com/…/p) I don't get the warning if I construct other types of objects (raw pointers, arrays, vectors, user-defined structs all work), so it appears to be something specific to those smart pointer types. Could you please take a look? Thanks, Josh @Josh Knutson, thanks for the bug report! I'm pretty sure this one is a known issue but I'll double-check with Neil. I expect this will be fixed in the next update of the tools. I've made a short post on reddit about the issues I'm currently having (…/cxn5jc0) Nice and useful idea I think :). Perhaps I will try it in the future. :) . Same here: c1xx : fatal error C1255: PCH data for plugin 'PREfast.espX.1' has incorrect length. When turning off precompiled headers the error goes away but no warning are emitted. I actualy pasted some of your bad examples below to be sure, and still no warnings using "Microsoft All Rules" or "Microsoft Native Recommended Rules", in short, it did not work at all for me. Just wasted a hour on some pre-ALPHA build that should probably never have seen the light of day. Same 2 issues for me as well. PCH needed to be disabled, and then it seemed to stop on the "Running Code Analysis for C/C++"… actually it did complete, but well after compilation and analysis for this 20 class project usually takes (normal analysis and compile time is ~30 seconds; this new analyzer finishes in >3 minutes and doesn't yield any warnings which is impossible :)). Can user define and set custom rule set? @gap: No, not yet. We intend to release an SDK but I don't have a timeline for that. @deadpin, if you can send a repro we'd love to see it. I understand if you can't share source. Using VS2015 Update 1: Compiling MFC Application Project using <PlatformToolset>v120</PlatformToolset> with Code Analysis enabled, fails with this: c1xxast : fatal error C1001: An internal error has occurred in the compiler. (compiler file 'msc1ast.cpp', line 1325) Looks like the project i tried it with makes it either crash or exit with an error (rebuild vs. build): 1>cl : Command line error D8040: error creating or communicating with child process 1>C:Program Files (x86)MSBuildMicrosoft.Cppv4.0V140Microsoft.CppCommon.targets(356,5): error MSB6006: "CL.exe" exited with code -1073740777. There is a lot of template stuff (variadic template arguments, template template arguments) in my code … auto openResult = ::GetLastError(); auto err = error_code(openResult, system_category()); // warning Will result in Warning C26493 Don't use C-style casts that would perform a static_cast downcast, const_cast, or reinterpret_cast. (type.4: go.microsoft.com/…/p) I don't understand why… at least there is no *explicit* cast. hey guys… do you have a bug report page that i can follow ? i would like to check if the issues i am facing has already been reported… Same problem here with precompiled header. But even after turning it off, it takes a long time (analysing?) and then crash. It's a shame I was really eager to try that. as for today 788 downloads but I'm wondering who was able to make it work on his codebase. I'm getting this warning a lot where I don't think that I should: warning C26495: Variable '…' is uninitialized. Always initialize a member variable. (type.6: go.microsoft.com/…/p) This is being issued in constructors for things that have default constructors, such as std::string, std::vector, and std::shared_ptr. Since these have default constructors, the members are not uninitialized. Another case is this, where vec is std::vector<some_struct>: const size_t foo = !vec.empty() ? vec.back().member : constant; Here's another one, creating a temporary object using a constructor and then calling a member function on it, or passing it to a function, results in an error about using a C-style cast: auto result = foo(a,b,c).bar(); auto result = bar(foo(a,b,c)); warning C26493: Don't use C-style casts that would perform a static_cast downcast, const_cast, or reinterpret_cast. (type.4: go.microsoft.com/…/p) Another place I'm getting an uninitialized member, m_sName is an std::string: Foo(const std::string& sName = "") : m_sName(sName) { } @GregM, thanks for the two reports. I forwarded them on to cppcorecheck@microsoft.com. @sam, no bug report page yet. Sorry. But we don't mind duplicate bug reports. Dupes create an incentive for us to update the NuGet packages more frequently :) Andrew, thanks. Should I send further reports directly there? Were you able to get my email address to attach to the reports if there are further questions? I have tried the code analysis on the example for the "Bounds.1 : Don't use pointer arithmetic. Use span instead." error type at github.com/…/CppCoreGuidelines.md. The errors were reported Ok. However, when implementing the example of the "good" code (using span) in that section, I got an error on the line: int n = *a++; // OK The error is: binary '++': 'gsl::span<int,-1>' does not define this operator or a conversion to a type acceptable to the predefined operator Another error is reported for the line: gsl::span<int> q = a + 1; // OK I won't include the message as it's long. Is the CppCoreGuidelines example out-of-date with respect to the span class? Tried the new version still crashing when analysing my code. Tried some really simple test, it was OK, the error shows up with description : Expression 'arr': No array to pointer decay. (bounds.3: go.microsoft.com/…/p) but no way to get to the link except copy pasting and trim, not really fast … Show Error Help brings me to the page : "Welcome to Visual Studio 2015" documentation @GregM, yes, you can send bug reports directly to cppcorecheck@microsoft.com @Tony Marshall, I'll enter a bug for that. Thanks! @tbozo, we know about that limitation. We'll try to create a better experience in the future. Can I completely suppress a file? Most of the warnings I get are from Boost. I'm also getting an error about pre compiled headers (even though I'm not using precompiled headers): "C:Program Files (x86)MSBuildMicrosoft.Cppv4.0V140Microsoft.CppCommon.targets(356,5): error MSB6006: "CL.exe" exited with code -1073740791." It also seems to hang or take a long time before it errors (about 10x compile time even when set to "Minimal Rules"). @dvirtz, you can try setting the CAExcludePath environment variable to %INCLUDE%. It tells PREfast what directories to ignore. @Andrew Pardoe Sorry, but I'm not sure how to do that. I tried setting CAExcludePath to the boost root directory as well as "'%INCLUDE%" (without the quotation marks) but I still get warnings on boost code. dvirtz, that should have worked. PREfast is supposed to ignore any directory in that path. I’d need more details to debug it, sorry. Looking at this again, is the boost *root* directory sufficient? You probably have to exclude the exact directory that contains the header that is giving you the warning. Boost’s root directory likely isn’t sufficient. Only ever get error : This project references NuGet package(s) that are missing on this computer. Use NuGet Package Restore to download them. For more information, see. The missing file is packages\Microsoft.Gsl.0.0.1.0\build\native\Microsoft.Gsl.targets. when trying to use this. Will rather wait till this thing gets more mature. @abergmeier, I’m not sure why this is happening. I’m pretty sure it’s a NuGet issue on your machine, not the packages themselves. That said, the CppCoreCheck package has a dependency on the GSL package. You can try to install Microsoft.GSL manually and see if it resolves the problem. Otherwise, there will be an update of these packages for Update 2. The checkers have a lot of fixes with regards to stability. Maybe that will work better? i am trying to use copy function where span is the destination int main() { vector v{1, 2, 3, 4, 5}; int a[100]; auto sp = as_span(&a[12], 10); copy(v.begin(), v.end(), sp.begin()); for (int i = 12; i < 17; ++i) cout << a[i] << " "; cout <c:\program files (x86)\microsoft visual studio 14.0\vc\include\xutility(2322):’ 1> c:\program files (x86)\microsoft visual studio 14.0\vc\include\xutility(2322): note: see declaration of ‘std::copy::_Unchecked_iterators::_Deprecate’ 1> c:\users\samiul\documents\visual studio 2015\projects\consoleapplication11\consoleapplication11\source.cpp(16): note: see reference to function template instantiation ‘_OutIt std::copy<std::_Vector_iterator<std::_Vector_val<std::_Simple_types>>,gsl::contiguous_span_iterator<gsl::span>>(_InIt,_InIt,_OutIt)’ being compiled 1> with 1> [ 1> _OutIt=gsl::contiguous_span_iterator<gsl::span>, 1> T=int, 1> _InIt=std::_Vector_iterator<std::_Vector_val<std::_Simple_types>> 1> ] Am i doing anything wrong ? Sorry, there was a newline in the code, which messed my previous message. Reiterating the message, i am trying to use std::copy function where destination is span. But i am getting warning related to _Unchecked_iterators. Here is my code: int main() { vector v{1, 2, 3, 4, 5}; int a[100]; auto sp = as_span(&a[12], 10); copy(v.begin(), v.end(), sp.begin()); } Am i doing anything wrong ? NuGet huh? Nope, gonna have to pass until that’s not required. Nuget is the gateway to pain and build failures – will never be used in our projects. That’s an interesting opinion, zazzles. NuGet is just a package manager. It might not be the perfect solution, but it works pretty well for this project. Luckily for you, NuGet isn’t necessary here. NuGet packages are just zip files with a little metadata. You can download the zip file and install the checkers yourself without having to let that package manager muck with your solution files. Static analysis in Visual Studio is great, but not enough. I suggest taking a look at the PVS-Studio analyzer. Here is an example of an Microsoft PowerShell open-source project analysis:
https://blogs.msdn.microsoft.com/vcblog/2015/12/03/c-core-guidelines-checkers-available-for-vs-2015-update-1/
CC-MAIN-2018-05
refinedweb
2,935
65.01
Hey all! First time using Gitter and my first time posting here... I seem to remember a way to make a self-contained Lua environment, plus all required rocks, in a development directory. That way, testing and debugging is happening in an isolated environment. I saw hererocks, but I don't think that's what I used. I thought it was some magic trick that I could perform using luarocks. Did I imagine that or is that a feature that I'm failing to find documentation for? rockspecfor this, or just have a file listing the rocks they need rockspecappropriate for this use? luarocks install mobdebug --localhowever upon inspection it appears any rock I install is for lua5.1 and not what I wish to use lua 5.4 after some diging on the wiki for luarocks there appears to be an option --lua-version=5.4to spesify which version to use as i can verify lua 5.4.2 is installed on my system but none of the installed rocks exist, instead they appear to install to $HOME/.luarocks/share/lua/5.1my question is how can I force the use of 5.4, do I need to download the tarball for the latest luarocks and sudo make config install that? I would prefer not to do anything that the apt package manager in debian cannot track sudo apt install liblua5.4-dev lua5.4gives it to me at /usr/include/lua4.5/lua.h, though the old 2.4.2 version of luarocks seemed problematic still in installing the correct rock versions, so I uninstalled that and did a manual install of luarocks 3.5.0 which the ./configscript seemed to agree with, it found the lua.h along with the binary and other dependancies. I did the system wide sudo make installbut now when I attempt a luarocks --lua-version=5.4 --local install mobdebugI get Error: Failed finding Lua header files. You may need to install them or configure LUA_INCDIR.so it looks like my next step is configuring luarocks, not sure why its not finding the headers when the configure srcipt had no problems @hishamhmin here and he can re-parent it for you. luarocks install httpfails because it can't find openssl/crypto.h. I'm on macOS, and I installed openssland luarocksvia Homebrew. I know I can specify the location of the .hfiles via an env variable, but this is the second time I have to do this manually and thought there might be a way to specify the search paths once and for all. I noticed luarocksconfig options: external_deps_dirs, external_deps_patterns, external_deps_subdirs, runtime_external_deps_patterns, etc. but I don't know what values to set to match Homebrew's installation tree (e.g. /usr/local/Cellar/openssl@1.1/1.1.1i/include/openssl/crypto.h). I find it tricky due to the version-numbers in the paths… Is there a tried and tested way to configure luarocks and/or homebrew so that they luarocks can automatically resolve the dependencies? luarocks packed my module, run luarocks-admin make-manifestand uploaded the files to a web server. config-5.1.luafile and luarocks searchcan find it. luarocks installI get the error: Error: Couldn't extract archivewhich by the solved issues mean that my source.urlin the rockspec isn't pointing to the right place. *.src.rockfile in the "repo" that was created? devurandom/lualdaprock that is currently in the root manifest as lualdap(). Could you please change the owner of that rock to @fperrad ()? lualdapentry in the root manifest. Is that correct? Would you be able to assist us (@fperrad and me) with a transfer? See my post from 2021-02-03 just a few lines above: Warning: Lua 5.3 interpreter not found at C:\temp Why is luarocks saying : Error: unknown option '-e' when... ```Installing Missing dependencies for luacheck 0.24.0-2: argparse >= 0.6.0 (not installed) luacheck 0.24.0-2 depends on lua >= 5.1 (5.3-1 provided by VM) luacheck 0.24.0-2 depends on argparse >= 0.6.0 (not installed) Installing argparse 0.7.1-1 depends on lua >= 5.1, < 5.5 (5.3-1 provided by VM) argparse 0.7.1-1 is now installed in C:/Lua (license: MIT) luacheck 0.24.0-2 depends on luafilesystem >= 1.6.3 (1.8.0-1 installed) Usage: luarocks [-h] [--version] [--dev] [--server <server>] [--only-server <server>] [--only-sources <url>] [--namespace <namespace>] [--lua-dir <prefix>] [--lua-version <ver>] [--tree <tree>] [--local] [--global] [--verbose] [--timeout <seconds>] [--pin] [<command>] ... Error: unknown option '-e' Did you mean '-h'? Usage: luarocks [-h] [--version] [--dev] [--server <server>] [--only-server <server>] [--only-sources <url>] [--namespace <namespace>] [--lua-dir <prefix>] [--lua-version <ver>] [--tree <tree>] [--local] [--global] [--verbose] [--timeout <seconds>] [--pin] [<command>] ... Error: unknown option '-e' Did you mean '-h'? luacheck 0.24.0-2 is now installed in C:/Lua (license: MIT)``` hello, guys. I use lua project with cpp library and build it with cmake cmake installation goes well Scanning dependencies of target xxx [ 33%] Building CXX object CMakeFiles/xxx.dir/src/xxx.cc.o [ 66%] Building CXX object CMakeFiles/xxx.dir/src/xxx.cc.o [100%] Linking CXX shared library xxx.so [100%] Built target xxx and then I get error make: *** No rule to make target 'install'. Stop. generated Makefile in fact does not contain target install how is it possible? relevant rockspec build = { type= "cmake", install = { lib = { "./build.luarocks/xxx.so", ["xxx"]="./xxx/xxx", ["xxx"]="./xxx/xxx", ["xxx"]="./xxx/xxx", ["xxx"]="./xxx/xxx" } } } furthermore, I build my project in docker container, and when I run this same code with same docker image in CI target install is found normally. LuaRocks version 3.0.3 Hello, Since the last time I still haven't managed to build my application with LuaRocks. If someone would be available to give me a little tutorial, I'm interested. I explain my problem: I used LuaRocks to install a module, now I would like to create an executable for my software, but I can't generate it with my LuaRocks module. I have looked everywhere, I can't find any guide, no tutorial, nothing that can explain step by step how to do it. ~/.luarocks/bin/lapis serve nginx: [alert] lua_code_cache is off; this will hurt performance in /Users/olivierbonnaure/workspace/fasty/nginx.conf.compiled:33 nginx: [error] init_by_lua error: init_by_lua:4: module 'ltn12' not found:
https://gitter.im/luarocks/luarocks
CC-MAIN-2021-17
refinedweb
1,074
67.35
Tutorial Using the Gatsby Link Component to Navigate Between. Now that we’ve been over the basics of working with Gatsby to build a static website, let’s start exploring some of its internals. For this post, I’ll cover the Gatsby Link component, which wraps the underlining Link component of Reach Router, which Gatsby uses internally for routing. The Link component is used to navigate between internal pages of a Gatsby site instead of using regular anchor ( a) tags. The benefits of using Link instead of a regular anchor are the following: - Gatsby will intelligently prerender the linked-to content - State can be passed to the linked-to page - Custom styling or a custom class can be added to links when the active page corresponds with the link. - This is a bit more of an advanced use case, but the browser’s history object can be controlled when using the Linkcomponent. Using <Link /> Using the link component is simple, just import it and use it with at least the to prop, which should point to a relative path on the site: import React from 'react'; import { Link } from 'gatsby'; const AuthorCard = ({ author }) => { return ( <div> <img src={author.avatar.children[0].fixed.src} alt={author.name} /> <p> <Link to={`/author/${author.id}/`}>More posts</Link> </p> </div> ); }; export default AuthorCard; You can also pass in any prop that you’d normally use on an anchor tag. For example, let’s add a title to our link: <Link to={`/author/${author.id}/`} title={`View all posts by ${author.name}`} > More posts </Link> When linking to an external domain or to a different non-Gatsby site on the same domain, use regular anchor tags. Active Page You can style links on the active page differently using either a style object or a class name. For a style object, use the activeStyle prop: <Link to={`/about/`} activeStyle={{ textDecoration: "salmon double underline" }} > About Us </Link> And to use a class name instead, specify an activeClassName prop: <Link to={`/about/`} About Us </Link> Linking to the Homepage To point to the homepage, just use / as the value for the to prop: <Link to="/">Go home</Link> Passing-in State The Link component also accepts a state prop, and the receiving page will have access to what’s passed into that prop via the location prop, at location.state: <Link to="/" state={{returningVisitor: true}}> Go home </Link> Linking Programmatically with navigate When you need to use the functionality of the Link component, but have to do so programmatically outside of JSX markup, you can use the navigate helper function: import React from 'react'; import { navigate } from 'gatsby'; handleSubmit = e => { e.preventDefault(); const form = e.target; // ...do stuff here to submit the form data // (e.g.: using the fetch API) // Then navigate to the path that corresponds to the form's // action attribute navigate(form.getAttribute('action'); }; navigate takes an optional 2nd argument, which should be an object where you can specify state to pass-in and/or if the browser history should be replaced: navigate(form.getAttribute('action', { state: { message: 'Thanks a bunch!' }, replace: true }); withPrefix & pathPrefix If your production site is hosted in a sub-directory, you’ll want to set a value for pathPrefix inside the site’s gatsby-config.js file. This way, Gatsby will correctly construct the URLs to link to behind the scenes and things will just work both locally when developing and in production. You can also make use of the withPrefix helper method to add the site’s prefix manually. This can be helpful where absolute paths are needed: import React from 'react'; import Helmet from 'react-helmet'; import { withPrefix } from 'gatsby'; const Index = props => { return ( <> <Helmet> <link rel="icon" sizes="32x32" href={withPrefix('favicon-32x32.png')} /> <link rel="icon" sizes="192x192" href={withPrefix('favicon-192x192.png')} /> {/* More stuff here... */} </Helmet> <div className={props.className}> {props.children} </div> </> ); }; export default Index; 🔗 Now you can go ahead and start linking to all the things! For a more in-depth look at Gatsby’s Link component, head over to the official documentation.
https://www.digitalocean.com/community/tutorials/gatsbyjs-gatsby-link
CC-MAIN-2020-34
refinedweb
681
50.16
#include <rte_swx_table.h> Table creation parameters. Definition at line 34 of file rte_swx_table.h. Table match type. Definition at line 36 of file rte_swx_table.h. Key size in bytes. Definition at line 39 of file rte_swx_table.h. Offset of the first byte of the key within the key buffer. Definition at line 42 of file rte_swx_table.h. Mask of key_size bytes logically laid over the bytes at positions key_offset .. (key_offset + key_size - 1) of the key buffer in order to specify which bits from the key buffer are part of the key and which ones are not. A bit value of 1 in the key_mask0 means the respective bit in the key buffer is part of the key, while a bit value of 0 means the opposite. A NULL value means that all the bits are part of the key, i.e. the key_mask0 is an all-ones mask. Definition at line 52 of file rte_swx_table.h. Maximum size (in bytes) of the action data. The data stored in the table for each entry is equal to action_data_size plus 8 bytes, which are used to store the action ID. Definition at line 58 of file rte_swx_table.h. Maximum number of keys to be stored in the table together with their associated data. Definition at line 63 of file rte_swx_table.h.
http://doc.dpdk.org/api-21.08/structrte__swx__table__params.html
CC-MAIN-2021-49
refinedweb
219
77.23
This site uses strictly necessary cookies. More Information I made a character in Blender with 2 animations(idle and walk). I imported the whole character into unity as a .fbx and saw this: First of all what is the "Default Take"? I never made a animation called that. Then I read that I am suppose to list my animations under the FBX menu with a start and end frame(from here). I did that then it messed every thing up!! Now it looks like this: Theres three of each animation now instead of one and the "Default Take" is gone. What am I doing wrong here? There arnt any good sources for doing this so can someone please help me out? I just don't understand. I'v never done this before so any help is appreciated thanks. Answer by rimawi · Feb 24, 2011 at 02:05 PM I had similar issue:. What I did to solve it: first I deleted everything Then I made two separate animation. idle and walk(in blender) I dragged the first object (with the animation idle) to the scene while that object is heighlited in the hierarchy in the inspector under animation I changed size to 2 in element0 I dragged the idle in element1 i dragged the walk the cause of your issue is since you already have animations named coming from blender (idle and walk) when you try to make more intimation by breaking the frames - it makes another set of animation so you will have double ------------short version------------------------ -- create two files: dude_idle >>>> make idle animation on it dude_walk >> make walk animation on it import both to unity drag dude_idle to the scene while dude_idle is heighlighted in the hierarchy go : to inspector under animation change size to 2 drag the animation from the blend file in the project: hope thats helps fellow blender. Import Project from Asset store 6 Answers Unity anim files broken after import. 0 Answers animation is deformed after importing from maya 0 Answers FBX Animation Problem (double animations?) 1 Answer Cinema 4D importing deformer animation 1 Answer EnterpriseSocial Q&A
https://answers.unity.com/questions/49148/importing-character-help.html
CC-MAIN-2021-39
refinedweb
353
60.45
Now I am trying to create my program and am #1 getting an error when I try to update my array after each pass. It is telling me: Cannot find symbol...symbol constructor Location(java.lang.String,Double,Double). Confused on that one. Also, I am working on the equation right now to figure the distance based on lat and lon between cities, 1 by 1. Later I have to try to make it a recursive search and get the total for all 5 stopping at each one but I wanted to get it working on figuring 1-2, 2-3, 3-4...and so on first. (practice!) So here is my code for the main part: public class Map { public static void main(String[] args){ Location[] place = new Location[5]; boolean toContinue = true; String input = ""; int menuItem = 0; int counter = 0; while(toContinue){ input = JOptionPane.showInputDialog(null, "Please select " + "from the following options:\n 1) Enter City Data\n " + "2) View Report" + "3) Exit"); menuItem = Integer.parseInt(input); switch(menuItem){ case 1: //getting user input String city = JOptionPane.showInputDialog(null, "Enter " + "city name: "); double lat = Double.parseDouble(JOptionPane.showInputDialog (null, "Enter Latitude of City: ")); double lon = Double.parseDouble(JOptionPane.showInputDialog (null,"Enter Longitude of City: ")); place[counter++] = new Location(city, lat, lon); break; case 2: //display results int distance; for(int i = 0; i < counter; ++i) distance = Math.sqrt(Math.pow(place[i].lat - place [i].lat,2) + place[i].lon - place[i].lon,2)); } } } } p.s. I know the math equation is wrong...still trying to figure out how to feed my array into that. Also already changed distance to a double..noticed that just now. Edited by macosxnerd101: Changed title to be more descriptive. This post has been edited by macosxnerd101: 05 June 2010 - 08:53 AM
http://www.dreamincode.net/forums/topic/176512-cannot-find-symbol-constructor/
CC-MAIN-2017-13
refinedweb
300
58.69
So, Mix has started. I must say I’m very jealous. I even found myself looking enviously at a picture of the contents of the goody bag earlier....I must get a life. Anyway... Work has started on our MVP migration. Even I was struggling to keep a smile on my face. It’s not the passive view per se that’s caused me pain today, it’s the unit and spec tests that go alongside it. As we’re not doing the whole enterprise app straight away, there’s still lots left structured the ‘old way’. So much pain was caused trying to get the ‘new’ and the ‘old’ to sit alongside easily. The way we have decided to do it, is to start with the new pages first. Any new screens will use passive view. We will ‘upgrade’ the others as we go. With the addition of a new project to our solution, I set-to with enthusiasm. I’m still really nervous that the folder structure we’ve added in there won’t be extendable easily and a couple of years down the line our ‘successors’ will be moaning that it wasn’t properly thought through. But it really was, I promise. It’s just really difficult to predict the future. And when you’ve not got the experience of doing this with another enterprise app before you don’t even have hindsight to fall back on. If anyone has a suggestion for a good set of folder names to structure the mvp project, I’d really appreciate that. Eg ‘presenters’, ‘views’, ‘models’ sub folders; ‘interfaces’, etc etc. I know it sounds really lame to be worrying about folder names in the grand scheme of things. But when it comes down to it, the folder structure is the first thing new developers to the application will see, and in an enterprise app making things as transparent as possible is key. It's not always about starting with the complicated things first! On a lighter note, I have a bit of geek rivalry going on between me and a friend and a couple of people we know. Infact it was mentioned today that the ‘geek-gauntlet’ has been thrown down. :-) So what I want to know is how do you measure ‘geekness’, how can we know when we’ve won (as I’m sure we will). Do any of you out there think you are more geek than anyone else you know, and if so how have you achieved it? Lol. Any comments gratefully received. ;-) The main factor by which I measure geekness is the quirky nature of the technology you use. For example, I bought the Linux kit for the Playstation 2. That is terribly geeky because most people don't run Linux on their game consoles. I also run a mainframe emulator, BABY/400, on Windows to study RPG II programming. That is uber geeky. You score extra points for anything involving mainframes. ...mainframes... thanks for that one, will note it down. ;-) Hmm... Do TI-99's and cassette tapes count? Sorry no punch card experience. Anyways, folder names should reflect how you think about your application. Consequently you can (and should) change them as your perspective shifts. Personally I avoid catchall names like "Interfaces". What kinds of interfaces are in there? How are they related? So I'll choose names like "Model", "Core", "Framework", or "Runtime" to group infrastructure concerns. Then I'll break them further down into modules. "Core.Logging", "Core.Collections", etc... If we're just talking about interfaces for Presenters or Views, then why not just colocate them with their concrete implementations? Client code can just promise to use the IoC to resolve the dependency even though the implementation is plainly accessible. This approach works quite well and enables you to focus on more important divisions of labour. Separation by tier can be useful but it also creates its own problems. If you have a folder with 100 views in it and another one with 100 presenters then maintaining the parallel structure can become tedious. At that point you might choose to decompose by functional unit (module) and then by tier. So Registration/Views/MyView.cs instead of Views/Registration/MyView.cs. YMMV. At a certain point the decomposition will transcend folders within a project and you will consider using multiple projects. For example, you could end up with a project consisting only of interfaces. Arguments in favour may include enforcing separation of concerns across horizontal tiers. Arguments against may talk about separation of concerns across vertical applications. Anyways, just see what works. Jeff, thanks so much for taking the time to share that. It's really helped!! Kirsty So how is it going? You should post more often. I've been looking forward to more infectious enthusiasm... ;-) It sounds like you are hitting similar anxiety that I experienced when I just started with MVP. Just to note, the software design is an iterative process. I stopped worrying about what happens years from now but just concentrate on how to create a maintainable code and structure right now based on current requirements. Evolving requirements always a have a knack to throw a curve ball in whatever design you have just finished. On the folder naming, Jeff has a good starting point to think of layers and avoid ambiguous irrelevant names. I come from java world, so I prefer to keep the namespaces and folder structures closely matched up, even between the projects. For Huber geekiness, I have not had those contests since college. Now, I think a tougher contest is to show well-roundedness in other non-technical areas in life.
http://weblogs.asp.net/kirstybusfield/archive/2008/03/05/mvp-one-step-forward-1-billion-left-to-go.aspx
crawl-003
refinedweb
949
74.79
Service Bus pricing Keep apps and devices connected across private and public clouds - No upfront cost - No termination fees - Pay only for what you need Azure Service Bus is a messaging infrastructure that sits between applications allowing them to exchange messages for improved scale and resiliency... The relay counts each message sent to the relay, and each message sent by the relay, as billable. A billable message is a data frame of at most 64 KB. If a message exceeds 64 KB, such as an HTTP reply that returns an image, each further 64 KB counts as an additional billable message. For a normal relayed service that implements a request/response scheme, the request first travels to the relay, then to the service, and the reply traverses the same path. That amounts to at least four billable messages. For a multicast service that has 4 listeners, the message sent to the relay counts as 1 message, and the 4 messages sent to the listeners also each count as a message, resulting in a total of 5 messages. subscription service endpoints. This includes management, send/receive, and session state operations.'s closed only when the last listener disconnects from its address. Therefore, for billing purposes a relay is considered "open" from the time the first relay listener connects, to the time the last relay listener disconnects from the Service Bus address of that relay.. Yes, they do. There are no connection charges for sending events using HTTP, regardless of the number of sending systems or and, for example, to achieve more efficient event streaming, or enable bi-directional communication with thousands or.. A messaging unit is a set of dedicated resources exclusively reserved for premium namespaces. This resource set can deliver a consistent and repeatable performance of messaging workloads. Each premium namespace can have 1, 2, or 4 messaging units and the resource allocation grows linearly—2 messaging units will consist of twice as many resources allocated as 1 messaging unit.. - A
https://azure.microsoft.com/id-id/pricing/details/service-bus/
CC-MAIN-2019-35
refinedweb
331
50.77
Google Groups quick hack to enable transactional fixtures with akephalos driver hiroshi3110 Mar 14, 2011 4:05 AM Posted in group: Capybara To turn on transactional fixtures with akephalos driver, I wrote a monkey patch. ActiveRecord::ConnectionAdapters::ConnectionPool.class_eval do def current_connection_id # Thread.current.object_id Thread.main.object_id end end This could be placed in spec_helper.rb. I don't think it is a safe and correct way, but someone may be interested in the idea. To get right, it will be needed a synchronous version of server, handling http requests like handling user inputs with gets(3). I also wrote a blog post about this: Sorry for that most part of the article are written in Japanese, describing some background behind the idea.
https://groups.google.com/forum/?_escaped_fragment_=msg/ruby-capybara/H4LsbkXvNBM/dRDFRfP85OQJ
CC-MAIN-2016-50
refinedweb
124
52.39
PyHCUP 0.1.6.2.1dev Python tools for working with data from the Healthcare Cost and Utilization Program (). PyHCUP is a Python library for parsing and importing data obtained from the United States Healthcare Cost and Utilization Program (). About Data from HCUP come as a text file, with each column a specific width. However, the widths of these columns, and their names, are elsewhere. HCUP provide this meta data as either SAS or SPSS data loading programs. PyHCUP is built to extract meta data from the SAS loading programs, then use that meta data to parse the actual data in the fixed-width text files. You’ll still need to acquire the actual data through HCUP. A more verbose set of instructions is available in a series of posts on the author’s blog at. Example Usage Load a datafile/loadfile combination. import pyhcup # specify where your data and loadfiles live datafile = 'D:\\Users\\hcup\\sid\\NY_SID_2009_CORE.asc' loadfile = 'D:\\Users\\hcup\\sid\\sasload\\NY_SID_2009_CORE.sas' # pull basic meta from SAS loadfile meta_df = pyhcup.meta_from_sas(loadfile) # use meta knowledge to parse datafile into a pandas DataFrame df = pyhcup.read(datafile, meta_df) # that's it. use df from here. Deal with very large files that cannot be held in memory in two ways. - To import a subset of rows, such as for preliminary work or troubleshooting, specify nrows to read and/or skiprows to skip using sas.df_from_sas(). # optionally specify nrows and/or skiprows to handle larger files df = pyhcup.read(datafile, meta_df, nrows=500000, skiprows=1000000) - To iterate through chunks of rows, such as for importing into a database, first use the metadata to build lists of column names and widths. Next, pass a chunksize to the read() function above to create a generator yielding manageable-sized chunks. chunk_size = 500000 reader = pyhcup.read(datafile, meta_df, chunksize=chunk_size) for df in reader: # do your business # such as replacing sentinel values (below) # or inserting into a database with another Python library Whether you are pulling in all records or just a chunk of records, you can also replace all those pesky missing/invalid data placeholders from HCUP (this is less useful for generically parsing missing values for non-HCUP files). # fyi, this bulldozes through all values in all columns with no per-column control replaced = pyhcup.replace_sentinels(df) Shortcut to loadfiles (meta data) The SAS loading program files provided by HCUP for the State Inpatient Database (SID), State Ambulatory Surgery Database (SASD), and State Emergency Department Database (SEDD) are bundled in this package for easy access. You can retrieve the meta data for these directly, without having to specify a loadfile path as described above. Acquire meta in this way using the get_meta() function. You must pass a state abbreviation as the first argument and a year as the second arugment, like so. meta_df = pyhcup.get_meta('NY', 2009) By default, get_meta() acquires SID CORE data. Other meta can be acquired with the optional keyword arguments datafile (‘SID’, ‘SEDD’, or ‘SASD’) and category (‘CORE’, ‘CHGS’, ‘SEVERITY’, ‘DX_PR_GRPS’, or ‘AHAL’). # California emergency department charges meta for 2010 ca_2010_emergency_charges_meta = pyhcup.get_meta('CA', 2010, datafile='SEDD', category='CHGS') # Arizona outpatient surgery DRG records meta for 2004 az_2004_surg_groups_meta = pyhcup.get_meta('AZ', 2004, datafile='SASD', category='DX_PR_GRPS' # etc. - Author: T.J. Biel - Keywords: HCUP SAS healthcare analysis pandas - License: MIT - Requires pandas (>=0.11.0) - Provides pyhcup - Categories - Package Index Owner: Terry.Biel - DOAP record: PyHCUP-0.1.6.2.1dev.xml
https://pypi.python.org/pypi/PyHCUP/0.1.6.2.1dev
CC-MAIN-2017-39
refinedweb
575
56.55
I've just found it using Nokia E61 UserGuide, and that's it.Thank you so much at all. Best Regards I've just found it using Nokia E61 UserGuide, and that's it.Thank you so much at all. Best Regards Hi everyone Who knows what means number "2" at the keylock place(under the battery lines) .When i try to call someone it shows me an infobox "Connection error". Hi Who can suggest me what's the best method and not heavy for RAM of mobile phones,if we have a large collection of text to recieve as exteranl text.Im using kxml but is there any better method,i... Yes it's true it's needable to implements listcellrenderer interface. Thanks at all. Hi everyone Is there any method to wrap text of list if it is longer than mobile screen. For example if i have something like this com.sun.lwuit.List; List list = new List();... Hi Im trying to use j2mepolish,im importing one of the samples(roadrunner) from samples folder in J2ME-Polish to eclipse directory,also im compiling it using ant and it works great but there is no... I've red something about them in Java and XML your visual blueprint book but actually i dont have a good definition about these kind of parsers.Let me to say that i've solved this problem as follows... Here is solution for icon.Thanks to all again. Thats' it Ekta thank you so much for you and balagopalks .This is solved but remained problem of Icon.Setting icon for application please...?I've seen this but nothing helpful, and i dont see(know)... Let me to explain more about this.In my package(ex. com.data) i have three class,one of them is main class(Book) and two others are just helping classes (ex. im using GetSetInformations and one for... I've just followed these steps but again when i install applicaton on mobile phone there are three classes there.Writing and running JMUnit tests,and what about ICON.?! Hi all I was searching around about deployment process with eclipse but there is nothing special or there isn't any good explanation. I want to deploy an application and I've three classes in one... SOLVED! after two days,but thanks at all. Hi all Who knows what's the problem that the method setText() is not working in this example?! Im parsing some data from xml and im trying to show xml data to particular screen when i click... Hi everyone Does anyone knows how can we categorize things that we recieve from kxml.Let me to bring an example. <category> <item index="1"> <title>ME</title> Solved.I've found the solution.Thanks to all especially to grahamhughes . Regards. Yes i did.Take a look at this example: package com.parser; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import... Yes, it was helpful for that man but again there is new one. " java.lang.NullPointerException at com.sun.cldc.i18n.Helper.getStreamReader(+15) at com.sun.cldc.i18n.Helper.getStreamReader(+7)... I've installed an older version of S60 SDK and now it works.Thanks at all. Thanks man, i think that the problem of installing kxml now has gone,but there is new one. "org.xmlpull.v1.XmlPullParserException: PI must not start with xml (position:unknown @1:5 in... Hi all Who can explain detaily how to install and make works kxml2.Im trying to use it but there are some errors with XmlPullParser.I've installed latest version of Eclipse. Hi all In using latest version of eclipse and i want to compile a jme project using s60 devices,but when it comes to "Connect to Agent" it shows me the message as the title of topic is.I think that...
http://developer.nokia.com/community/discussion/search.php?s=c690d09d921bd3a2695f1d6822d00603&searchid=2062211
CC-MAIN-2014-15
refinedweb
648
77.94
> > > So, summarizing, is it possible to load namespace definitions without the > CND or an XML? just with annotations? Everything that's needed seems to be > there already. > If you map some java classes to custom jcr node types, you have to register those types into your repository with CND or XML JCR type def. OCM Annotations (or the OCM xml mapping file) are just there to describe how to map your java classes into JCR node types. This is not possible to load new JCR node types or namespace with the OCM annotations (or the OCM xml mapping file). Let me know if you need more info. Christophe
http://mail-archives.apache.org/mod_mbox/jackrabbit-users/200907.mbox/%3C3b728ee90907020259k98261d8k7d85eeefd73eff54@mail.gmail.com%3E
CC-MAIN-2014-23
refinedweb
108
72.87
is it possible to do something like this in php? I want to have a namespace in a member variable and just always be able to call every static method of that class like I'm doing below. Of course my code doesn't work, but I'm just wondering if that is possible at all and that I'm close to a solution, or if that's completely out of the question and must always use the syntax: \Stripe\Stripe::setApiKey(..); Similar question for clarifications NOTE: I cannot modify the Stripe class, it's important it stays untouched for when future devs must update the Stripe API Simplified code: class StripeLib { var $stripe; public function __construct() { // Put the namespace in a member variable $this->stripe = '\\'.Stripe.'\\'.Stripe; } } $s = new StripeLib(); // Call the static setApiKey method of the Stripe class in the Stripe namespace $s->stripe::setApiKey(STRIPE_PRIVATE_KEY);
http://www.developersite.org/1002-194-php
CC-MAIN-2018-22
refinedweb
148
60.99
Programming :: Write A Program (in C)?Feb 26, 2010 I want to write a program (in C), which does 4 or 6 simultaneous calculation. Is there away of doing something like: do at the same time{ Core 1 do: this_thing_1 [code].... I want to write a program (in C), which does 4 or 6 simultaneous calculation. Is there away of doing something like: do at the same time{ Core 1 do: this_thing_1 [code].... I have the following problem. I call a C++ program from a Java servlet by using Runtime exec. The OS is ubuntu and I use Netbeans 7.0 with Glassfish 3.1 web server.The program executes but it does not open and write into a specified file in a specified folder. The same C++ program compiled under Windows opens and writes this file.How can I solve this problem in Linux?View 2 Replies View Related Im trying to write a program that interacts with MySql in C . Im using slackware 13.1 64 bit and Ive installed MySql , getting help from this page : [URL] . This is the program I have ( I know they arent any vars here , i just thought it wasnt necessary ) Code: #include <stdio.h> #include <mysql/my_global.h> #include <mysql/my_sys.h> #include <mysql/mysql.h> [Code].... This program is from the MySql website ( a tutorial they have up there ). When I run this program I get hundreds of lines of errors , nothing related to my program , but the headers, indicating that there are syntax errors and all kinds of other problems in them. My company manufactures satellite TV receiveing equipment. Out current software is quite long and and a bit of an annoyance for customers. I would like the help of a programmer to create for us a customised, easy to use GUI, built to our specification.View 2 Replies View Related I have a kernel module program which is used to create a entry in the proc file system. I have to read and write values in the entry. Its taken from a online tutorial stuff.how to write the value to the proc entry in the program ?View 1 Replies View Related How can i write a simple c program in my RHEL5?I am more concerned about what are toosl i need to install to get a C platfrom running in my RHEL5?View 14 Replies View Related I am using Ubuntu 9.04 linux 2.6.28-11-generic. When I write a program that gives the "Segmentation fault" error, or when I send this signal (SIGSEGV) to a program, the "Segmentation fault" is shown and no core dumped. When I look for "core" file in the current directory, I can't find it, too.View 2 Replies View Related I want to write a program in C which will generate a maze randomly and find the solution for it .. The idea behind is in [url] How the 16 bit integer is stored in a variable..Earlier I wrote a program on trees and displayed it using dotty.. Is there any such tool to display a maze..I am using ubuntu 10.04. write a C program to detect whether the Ethernet cable is plugged or unplugged. I found out by using a command "nm-tool" in Linux terminal will show me whether a Ethernet cable is plugged or not. If Ethernet cable is plugged, in the device part of eth0, the Hardware Link of Wired Settings will indicate a "yes" and "no" if no Ethernet cable. Hence, in my previous code, I use one function called popen to read the state as shown below: PHP Code: [code].... However, now my project wish to not use the NetworkManager (where the "nm-tool" command comes from). And this gives me trouble to detect the Ethernet cable. So is there any other method for me to detect the Ethernet cable in C programming? i tried a code to accept a character and print the same ! i can accept it with following code but its not working with printing that character i use NASM version 2.07 Code: segment .data msg1: db 'Enter a key',10 msg1len: equ $-msg1 [code].... i am trying to write a program which will read input from a text file, check if each line contains any alphabets and then display a message imforming me if there is an alphabet in each line. My text file is formatted in this way... [Code].... I want to write a small program that shows some stockquotes and indexes etc on the desktop. Does anyone know how to get the quotes from google, yahoo etc? Do I rip it from the webpages or is there some other way?View 3 Replies View Related I'm trying to write a bash script program in the Linux command terminal that will write to a fellow user and then continue reading down the program. this is what i have (kind of explains the idea too): #!/bin/sh clear echo "this is before the write command" write jcummins this message should go to jerry echo "the message didn't send and this string will not appear" echo "it appears it has stopped at the write command" i need to write a program in c that can sniff packets from Ethernet and distinguish RTP packets from Non-RTP packets, i have no idea what should i doView 9 Replies View Related I have a diction(english-bulgarian-english) program which have only windows version and I installed it in my slackware trough wine. The problem is that I can't write a word in bulgarian into it. When in english layout i can write, but when change to bulgarian i can't. I click in the field for the words but just can't.Can be the problem from my system locale, because some programs in bulgarian can't be translated and I see symbols. What would be the best program to write my algorithm, before sending them to my teacher?View 4 Replies View Related I will have to code this. However I am lacking of time since I have too much to do. make a short code bash/dash to prompt the country with Zenity, then, get the PLS or m3u url and prompt with another zenity which radio to play. My code to get url's radio country.htm is: Code: I'm a noob in Ubuntu. I need the program which will help me to learn different ubuntu commands. I often forget them and after reinstall I don't want to search them in Google. Now I write them in the standard text editor and my code looks like this: Restore MBR: Delete GRUB (fixmbr) Ubuntu terminal then: sudo apt-get install ms-sys sudo fdisk -l [Code]... Preferably synchronized lyrics, and would also be best if it automatically was able to fetch them from some website.View 4 Replies View Related OS: Windows XP Virtual Machine: Bochs-2.4.5 I want to learn some details about linux booting, so I begin writing a small boot program myself. Yesterday, I was writing a small boot program and planned to use it boot a Bochs virtual machine. The boot program is written in assembly language and compiled with nasm.I use bxiamge.exe in Bochs and create an floppy image called boot.img and configure the Bochs virtual host to boot from this floppy image. My question is how to write the compiled boot.bin program into the floppy image(boot.img)? I'm trying to write a simple program c++ to connect to Mysql database based in my 127.0.0.1 server: int main (void) { cout << "33[2J" << "33[0;0f"; MYSQL mysql; MYSQL *conn; [code].... I'm using a program called Auto Power on and Shut down on Windows. It let's me set times for the computer to shutdown, power on, hibernate, sleep, and etc. Is there any program or any script you can write for Ubuntu that lets you do this? I need something like: Tell computer to turn off at 10am. *run programs* Tell computer to (does Linux have hibernate?) something that isn't shutdown but looks like it's shutdown at 5pm. I use hibernate in Windows.View 11 Replies View Related Ok so Basically i have 2 questions 1. i know how to create a file with c++ using but is there a way to save it to a specific location on your computer with windows and linux Code: 2. i need to know how to run/execute/open a file in a c++ program im using and its not working Code: I have updated my Ubuntu installation to natty narwhale and after a reboot the desktop started to look like the attachment Screenshot.jpgThe error does not appear when I choose ubuntu classic instead the windows miss the top bar where the X (close button) is placed.Alt+Tab does not work, and suddenly I cannot write in the active program.View 3 Replies View Related I need to write program (preffer Python) to change range for users. Does anyone know some library which can help me to do that? Maybe someone has written program like that?View 5 Replies View Related. As well when I run mysql - p program </usr/share/program/mysql.sql> It asks for a password. how do i find out this password.]..... I need to write a GUI for the web to gather the following info: Username SomePlainText Path1 PathN Of course, I then need an 'submit' button. I then want to have the user upload all paths supplied from their machine to my server. I hope to work with this data as arguments for a bash script. Also, I need to work with all possible client OSes consistently. What language should be used? View Related
https://linux.bigresource.com/Programming-write-a-program-in-C--7G25tPGaf.html
CC-MAIN-2021-17
refinedweb
1,649
73.68
Create text files and send these to other apps?! Do you have an account on Dropbox? Get Console's Script Manager allows you to upload results directly to Dropbox which might be a slicker alternative to communicating with Pythonista than the iOS clipboard. Either Dropbox or the clipboard could be made to work. Can you provide a URL to the Data Explorer product? Is it the iOS app at the URLs below? If not, what machine is it running on? There is confusion here because IBM, Google, Microsoft, Informatica, etc. all have different products that they call Data Explorer. <br /> If Data Explorer is an iOS app, you can do what you want in Editorial, because it has a function console.quicklook which displays text and lets you 'open in' another app. Pythonista lacks console.quicklook. I made an editorial workflow for this: @peterh console.quicklookis available in Pythonista (since 1.4), I just forgot to update the documentation. Thanks for your replies! To CCC: I do have an account on DropBox, so that might be a solution. The reason I am hesitant is that it isn't officially supported by IT. You correctly found the data analytics software, it is the first link you provided. It is an iOS app. Okay, so console.quicklook pointing to a txt file could let me open in the iOS analytics app. I wouldn't have to transfer the data if Pythonista had numpy (one iOS developer has managed this, the pynum app) and matplotlib (no one has done this), but that is a lot to ask. I would say though, that Pythonista has a beautiful interface, and if it could implement those modules to allow scientific data analysis, a lot of people would be happy (and as an in-app purchase, you could go away w/ lots of $ to support even more development :) ). Cheers! - If there is text on the clipboard then write it into a file. - quicklook() that file to allow the user to "Open In" their second favorite iOS app... import clipboard, console, os, sys clipboard_text = clipboard.get() if not clipboard_text: sys.exit('No text on the clipboard') out_file_name = sys.argv[0].rstrip('.py') + '_data.txt' with open(out_file_name, 'w') as out_file: out_file.write(clipboard_text) msg = ' Tap "send" icon at right of titlebar to "Open In" another app. ' console.hud_alert(msg, 'success', 3) console.quicklook(out_file_name) os.remove(out_file_name) # delete out_file as recommended by peterh below For sending numeric data to Data Explorer, you might want to write a .csv file instead of a .txt file. Note: after calling console.quicklookabove, delete the txt file. Otherwise it stays there (and you probably won't realise) ccc, thank you! It works perfectly, and was very useful for me to go through as I start Python. I wanted to also note for anyone that happens to come across this discussion through a search that another App I have found useful for data plotting that works better than Data Explorer currently is 'Graphical' by Vernier. If you use ccc's code to generate a csv instead of a text file, you can open in Vernier and plot it quite easily and select regions of the plot to do a lot of analysis. (now I just have to play with exactly how Vernier wants the data formatted to convert my serial port data to something workable). Also the Graphical app has some fun applications where you can use the built in iPad sensors to record acceleration for example. I recorded my flight takeoff discretely to see how fast the plane was accelerating. :) :) I have a similar problem. I am manipulating data files on my ipad and I need to email those files to other people. How can I attach data files to an email with pythonista? has good examples and a search on will have a bunch more. -.
https://forum.omz-software.com/topic/1053/create-text-files-and-send-these-to-other-apps/9
CC-MAIN-2021-39
refinedweb
644
66.64
343 MI i N l AOL6o- S "Copyrighted Material Syndicated Content Available from Commercial News Providers" 4" Am kw. W ..-.e .. I Mlll ll lim : < """t 11. ::::EE" """:" : :::: "" -~ ~. S. .... .... . a........ :.. h.5 Basketb= o Hernar > s Crysta -- - River E = Q square = PAGI SC)S: "' LL, L C :0 0O 0 oo_ Z Rapist sentenced to 30 years MATTHEW BECK/Chronide Edward Byron listens to Assistant State Attorney Rich Buxman Thursday morning before receiving the sentence of 30 years for multiple charges, including kidnapping and sexual battery. Plea deal avoids life sentence; man Circuit Court Judge Richard "Ric" Howard reads over Edward Byron's plea agreement Thursday morning. must register as sex offender when released DAVE PIEKLIK dpieklik@chronicleonline.com Chronicle An Inverness man was sen- tenced Thursday to 30 years in prison for raping a woman at her home last May, while her young daughter screamed for her through a locked bedroom door. Edward Byron, 22, avoided a possible life prison sentence by accepting a plea deal, and was immediately sentenced on charges of sexual battery, kid- napping, burglary, witness tam- pering and petit theft He was sentenced as a felony habitual offender for prior convictions, and will be classified as a sex offender, after prosecutors said he entered a window of the 29- year-old Inverness woman's home May 24 or 25, waited in a closet for her to return and then assaulted her. As the woman's family sat in several rows of courtroom bench- es to listen, Judi McBride, a vic- tim's advocate for the State Attorney's Office, read a state- ment the woman prepared. The woman wrote about how her 5- year-old daughter woke up dur- ing the attack and cried outside the locked door. "The sound of her cries will haunt me forever," the statement read, in part. "I did what my instincts told me. To keep her safe and keep both of us alive." The woman's grandfather Please see RAPIST/Page 5A TERRY WrTT terrywitt@chronicleonline.com Chronicle Susan Moessinger will lose her curbside garbage pickup service on Jan. 1 after Waste Management Inc. drops the route. But the bigger prob- lem is no one wants her as a cus- Some residents lose garbage pickup Moessinger is served by the largest garbage hauler in the county, Waste Management, based in Houston, Texas. But the company made a busi- ness decision earlier this year to cut costs by dropping some of its routes. It has dropped about 1,900 of its Citrus County customers since September in rural areas where other haulers serve the bulk of the Please see ,',' .:,": ',' /Page 4A tomer, she said. But would she have the problem if the county commission had imple- mented mandatory (universal) garbage service in 2003? The com- mission ditched the mandatory garbage proposal after members of the public objected at public hear- ings. Inverness to host annual Christmas parade Jim Fowler county commissioner says ga servi bett( res New subdivision perplexes Beverly Hills reside Housing development exempt from approvalprocess, public input TERRY WITT from lack of coverage in the terrywitt@ newspaper, combined with chronicleonline.com speculation among residents Chronicle about what type of develop- ment is planned. Sam Schiappa has watched a And the site is difficult to hillside in Beverly Hills miss. The defoliated hillside stripped of vegetation in recent surrounds Central Ridge weeks, but he said no one Regional Library at the corner seems to know why. of Roosevelt Boulevard and The mystery comes in part Forest Ridge Boulevard. "You sit around the barber- shop, and they are all talking about it," Schiappa said. The hillside has been cleared for a 166-home resi- dential subdivision called High Ridge Village. Joanna Coutu, senior planner with the county's community development office, said the developer needed no zoning approval and therefore no pub- lic hearings were required to gather citizen input She said the property is part of the old Beverly Hills Development of I Impact (DRI), and was zoned for single-famil: It was exempt from t] ty's tree ordinance same reason. Beverly ] developed before the t nance was adopted. Coutu said she has many phone calls abou ting of the trees, but the development is from the tree ordinance The developer music a favorable recommend Please see - NANCY KENNEDY nkennedy@ chronicleonline.com Chronicle universal The streets of Inverness will garbage ring out in song Saturday during ce would the annual Christmas parade. er serve With the theme "A Christmas idents. Carol," 75 entries will celebrate the season with the music of Snts the holiday beginning at noon. S Grand marshal this year is Richard "Spike" Fitzpatrick, Citrus County School Board Regional attorney and longtime Inver- Salready ness resident. y homes. "And, of course, the Shriners forhe coun- will be there," said Suzanne forlls waste Clemente, events coordinator ree ordi of the Citrus County Chamber of Commerce. received "Also, this year the local high t the cut- school bands have combined to she said form a mass band," she said. exempt "They performed at the Crystal ,e. River parade, and it went over t receive quite well." endation The parade is hosted by the Citrus County Chamber. of /Page 5A Commerce and is sponsored by the Chronicle. As in years past, a holiday craft fair will take place in downtown Inverness on the square from 9 a.m. to 3 p.m. Saturday, along with the parade. "It's usually a small show, but this year we have the most booths we've ever had, so we're excited about it," said Pati Smith, Inverness Parks and Recreation Director. North and southbound lanes of Main Street/State Road 44 will be closed along the parade route, which will begin in front of Pizza Hut, 950 W Main St, and proceed south to Highland, Boulevard. The sheriff's office will reroute traffic beginning about 11:30 or 11:45 a.m., Clemente said. "We've been getting calls about rain," Clemente said Thursday "The weather report says it should be clear, but if there's just a light rain, the parade will go on. But if it's a heavy rain, we'll cancel and it won't be rescheduled." X Annie's Mailbox .. 6C W Movies .......... 7C Comics ......... 7C Crossword ....... 6C Editorial ........ 10A Horoscope ....... 7C Obituaries ....... 6A Stocks .......... 8A Four Sections 6 o11lll IIiI1411181125 4578 20025 5 Strawberry Fields Forever '^. .. y:Mu Fans flock to Central Park to pay homage to John Lennon./2A Hot day on the island A volcano on the island of Vanuatu caused the evacuation of 5,000 people, who endured steam, ash and gas spew- ing high into the sky./12E That magical night ... Academy Award nomin. tions will be announced Jan. 31. AP writer Da'., 1 Germain speculates ':,r, whose names might: be inside those fabled whiie envelopes come 0O., .'r night./lC , Rezoning plans on table * Citrus County School Board wants to rezone school boundaries to relieve overcrowding at LHS./3A * RealtiCorp changes may reduce impact on wetlands./3A SaMEWMIA -Hauler cuts some routes to save money - -i._ -_-- 2A FRIDAY. DECEMBER 9. 2005 Florida LOTTERIES 11111 Here are the winning numbers selected Thursday in the Florida .,Sa ,vr. Lottery. CASH 3 8-7-4 PLAY 4 1-8-2-0 FANTASY 5 5-13-19-26-34 6-of-6 No winner 5-of-6 117 $4,042.50 4-of-6 7,010 $54.50 3-of-6 132,240 $4 TUESDAY, DECEMBER 6 Cash 3:5-7-8 Play 4:3-1-1-4 Fantasy 5:7 13 15 27 33 5-of-5 2 winners $116,483.12 4-of-5 311 $120.50 3-of-5 10,503 $10 Mega' Money: 2 7 9 43 Mega Ball: 1 4-of-4 MB 1 winner $2 million 4-of-4 8 $3,648 3-of-4 MB 83 $768.50 3-of-4 2,244 $84.50 2-of-4 MB 2,446 $54.50 2-of-4 59,633 $3.50 1-of-4 MB 20,200 $6.50 MONDAY, DECEMBER 5 Cash 3:5 2 7 Play 4: 8- 5-0-8 Fantasy 5:19 21 24 26 35 5-of-5 4 winners $58,333.70 4-of-5 309 $121.50 3-of-5 9,359 $11 SUNDAY, DECEMBER 4 Cash 3:2-8-9 Play 4: 7-0-7-5 Fantasy 5:10 14 28 30 35 5-of-5 1 winner $198,052.49 4-of-5 232 $137.50 3-of-5 7,641 $11.50 INSIDE THE NUMBERS To verify the accuracy of winning lottery numbers, players should double-check the numbers printed above with numbers officially posted by the Florida Lottery On the Web, go tO .com; by telephone, call (850) 487-7777. ENTERTAINMENT Fans flock to fields Cr s - * 4A ,Wlm m e i k Q e ..* * * f Ind% finding ork hard %uork -- --- - "Copyrighted Material Syndicated Content ." .ZAvailable from Commercial News Providers" " r e e e_ a^ awo ,0 %dw.. iboo- Skmmo A.- A. - aomo. a- - as 66.... 66 ownw a a -ow- a1- a- m'. i ________ _______ ___ ________ *1 a* . Aft * U Sit A . So'I'M II f .::.. E CITRUS COUNTY (FL) CHRONICIl. Today in Today is Friday, Dec. 9, the 343rd day of 2005. 1907, Christmas seals went on sale for the first time, at the Wilmington, Del., post office; pro- ceeds went to fight tuberculosis. In 1940, British troops opened their first major offensive in North Africa during World War II. In 1942, the Aram Khachaturian ballet "Gayane," featuring the surg- ing "Saber Dance," was first per- formed 1984, the five-day-old hijack- ing Aug. 28, 1996.) Ten years ago: U.S. Rep. Kweisi Mfume, D-Md., was chosen to become the new head of the NAACP. Five years ago: The U.S. Supreme Court ordered a tempo- rary halt in the Florida vote count on which Al Gore pinned his best hopes of winning the White House. One year ago: Canada's Supreme Court ruled that gay mar- riage was constitutional. Today's Birthdays: Actor Kirk Douglas is 89. Actor Dick Van Patten is 77. Actor Beau Bridges is 64. Singer Joan Armatrading is 55. Singer/game show host Donny Osmond is 48. Rock singer-musi- cian Jakob Dylan (Wallflowers) is 36. Thought for Today: "All sins are attempts to fill voids." - Simone Weil, French philosopher * (1909-1943). >00 ( ) )( \..~ ~- ''-.... \ 71 ~ -. -2 - FRI DAY DECEMBER 9, 2005 .. ' L, .__.'" District ponders rezoning Proposal keeps LHS students at home. CRUSTY LoFTIS cloftis@chronicleonline.com Chronicle All students currently attending classes at Lecanto High School should be allowed to remain at their school despite school zone changes, recom- mends the high school rezoning com- mittee. The Citrus County School District is looking to change boundaries to relieve overcrowding at Lecanto High School. LHS currently serves more than 1,740 students, which is about 100 more than capacity even with six portable class- rooms. Since the rezoning committee held two community meetings for public input about the proposals, the areas to be rezoned have not changed. Officers arrest youth on battery charge CRisTY LOFTns cloftis@chronicleonline.com Chronicle A 12-year-old boy from Lecanto was arrested on a felony sexual battery charge Thursday afternoon. ,The, Chronicle is withhold- ing the name of the boy because of his age. According to a Citrus County Sheriff's Office arrest report, a 7-year-old boy told detectives he and the 12-year-old were playing a game called "gross off" when the older boy pulled down their pants and under- wear and held him down while simulating a sex act in the liv- ing room of a Lecanto home. The younger boy said the 12- year-old never penetrated him, and the older boy's 6-year- old sister was in the room when the incident happened, according to the report. The 7-year-old's mother said she walked into the room and found the boys naked simulat- ing a sex act, according to the report The 12-year-old said the younger boy took off his own clothes. Sheriff's spokeswoman Gail Tierney said detectives decid- ed when arresting the boy he would benefit from rehabilita- tion and counseling from the Department of Juvenile Justice, which now has custody of the boy. IW The general areas under considera- tion are sections of southwest Pine Ridge, west of Black Diamond Golf Course and an area north of Homosassa Trail. If rezoned, students in these areas would attend Crystal River High School in the 2006-07 school year. The district also is considering rezon- ing some areas south of Norvell Bryant Highway, east of Annapolis Avenue. Those students would attend Citrus High School. All new residents and incoming ninth-graders would attend their newly zoned school. The rezoning committee originally planned to allow. only students who would be juniors and seniors at LHS to remain at the school hopefully bring- ing down the school's population by about 150. But parents and students emotionally pleaded with the commit- tee to let all current students at Lecanto stay there. Director of Student Services Renna Jablonskis said they are recommending that the school board allow currently enrolled students at the school with the understanding that parents would transport their children to the nearest bus stop within Lecanto's school zone or provide their own transportation. While the change will appease some parents and students, it will not have as large of an impact on Lecanto's over- crowding. "It definitely will not have the desired effect for Lecanto High School," Jablonskis said. "We know that they're still going to be overcrowded." The school board will have it's first public hearing on the proposed high school zone changes at 4 p.m. Tuesday, Jan. 24, with a final vote in February. If the board votes to adopt the recom- mendations, LHS students in the rezoned areas must complete a zone waiver form that must be returned by March 1. The March deadline will allow schools to get a better idea of how many children they'll be serving next year and plan accordingly, Jablonskis said. But high schools aren't the only ones who will see zone changes for the 2005- 06 school year. The zoning committee is working to alleviate overcrowding at Citrus Springs Middle School by changing zone lines. The committee has not yet decided on proposed areas to be rezoned, but when they do parents will be notified and be given a chance to give input at a community meeting tentatively sched- uled for Jan. 19. Earlier this year, Forest Ridge Elementary, Citrus Springs Elementary and Crystal River Primary schools' zones were changed to redistribute the growing student populations. Mike Mullen, director of support services and rezoning committee mem- ber, said the elementary school lines would be looked at again this year, but he does not expect major changes until Citrus Springs' new elementary school is built. BRIAN LaPETER/Chronicle Carol Falvey embraces the Rev. Richard Jankowski on Thursday after her investiture as a new circuit court judge at the Citrus County Courthouse. Jankowski gave the invocation and benediction during the ceremony. Falvey, who was appointed in October by Gov. Jeb Bush, is the new family law judge in Citrus County. Changes reduce impact on wetlands RealtiCorp modifies plan forproperty JIM HUNTER jhunter@chronicleonline.com Chronicle A county development official said after a meeting with RealtiCorp representa- tives this week that he now expects to see the company submit proposals for land use. changes for development of its prop- erty just south of Crystal River. Citrus County Development Services Director Gary Maidhof said he met with the company, which presented changes to -r & a 'tmIb its plan for 212 acres at the corner of Venable Street and U.S. 19. County officials had indicated a number of concerns with the company's original plans, including the impact on wetlands deemed connected to the coast, which had stymied the company from seeking county approval of a development plan. Maidhof said the modifications to the general plan for the property left out dis- turbance of the connected wetlands on the west side of the property where commer- cial development has been planned. The adjustments included a town center in the residential area on the east side of the property and an access road from Venable through the property to U.S. 19 across from Ozello Road, though that proposal a I* would be contingent on negotiations with the adjoining property owner to the south, Maidhof said the company told him. That adjustment would better conform to the county's access management for U.S. 19, Maidhof said. Maidhof said he was very pleased with the adjustments, but noted that he saw only a conceptual plan with no numbers or exact reductions of impact, and staff would have to see the actual plan. RealtiCorp is a real estate holding com- pany that markets the property and sells to other interests that actually develop the property. Maidhof said the comprehensive plan land use amendment process can take eight months before final approval by the county commission. .3 ~ ~"' b S * 1I 4,0 Coun Tritt, Adkins concert tickets still available General admission tickets are still available for Saturday's "Country Rocks the Canyon" concert featuring music stars Travis Tritt and Trace Adkins. The concert will be at Rock Crusher Canyon ampitheatre and is sponsored by the Mike Hampton Pitching-In Foundation charity. Proceeds from the con- cert will be used to benefit youth organizations in the county. Those who attend the concert will be given a seat; bringing chairs is not necessary. Blankets to lie on, however, can be brought. Tickets are $35 each and are available at Fancy's Pets in Crystal River, the Key Foundation in Lecanto and all Ticketmaster outlets. Gates will open at 3:30 p.m. CUB Toy Run stretches for miles The 27th Annual Citrus United Basket Toy Run drew hundreds of motorcyclists Dec. 3 to Homosassa to collect Christmas toys for needy children. Read the full report with pho- tographs Saturday in the Chronicle. Manatee survey notes 18 calves During an aerial survey of manatees Nov. 30, staff from the Crystal River National Wildlife Refuge counted 181 manatees, which included 18 calves. Most of the manatees, 111 adults and 11 calves, were counted in Kings Bay. The survey route stretched 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. Teenager arrested on battery charges A 16-year-old Inverness boy was arrested on felony battery charges Thursday aftemoon. A Renaissance Center teacher was dismissing students from classes Wednesday based on how well they behaved, according to a Citrus County Sheriff's Office arrest report. According to the report, the teacher told the teenager to remain seated, but he said the teacher couldn't "play favorites" and shoved the teacher on the shoulders on the way out of the classroom. The Chronicle is withholding the name of the boy because of his age. The boy told a deputy that he only bumped the teacher with his chest and he never intended to push the teacher, according to the report. The boy was initially taken to Citrus County Detention Facility, and now is in the custody of the Department of Juvenile Justice. Airboat parade slated for Saturday The Citrus County Airboat Alliance will stage the Airboat Christmas Parade beginning at dusk Saturday on the Hernando Pool of the Tsala Apopka Lake. The parade will begin at the Hernando boat ramp and end at Armante's Restaurant. Participating decorated air- boats will begin lining up at the boat ramp at 4:30 p.m. Entrance fee is a new, unwrapped toy for donation to the Citrus United Basket. Spectators are encouraged to bring new, unwrapped toys for donation to CUB. From staff reports "Copyrighted Material Syndicated Content Available from Commercial News Providers" Investiture ceremony out KV;. - - ' 4A FRIDAY, DECEMBER 9, 2005 CusOJNI(F)HRIL *0 m& --- 0 lawmaker% mM o0" bill 0 - ou -- .P qopg -- 411.lp- 410b- 11111 V e q-~ "Copyrighted Material Syndicated Content G_- Available from Commercial News Providers" ---'m -AD 0 - ..~ 0- - 0~ - - GARBAGE Continued from Page 1A residents on the route, accord- ing to District Manager Doug McCoy. Nearly all the cus- tomers were transferred to Citrus Waste Services, a sepa- ,rate hauler, McCoy said. I However, 82 customers, among them Moessinger, must find their own a replacement hauler or take their garbage to the landfill in their own vehi- cles. "Nobody will come here," said Moessinger, who lives on Istachatta Road. "It's not our fault the road is long and wind- .ing. I've never in my life lived in a place where there was no garbage pickup." Susie Metealfe, county solid waste director, said Citrus County's garbage hauling system is based on a free enterprise concept She said the county doesn't get involved when com- panies abandon routes. "It is a business decision on the part of the hauler where to Serve, and a decision on the part of the customer who to "choose," she said. Seven garbage haulers oper- ate in the county. Waste Management will con- tinue to serve Inverness and Crystal River as well as routes For the RECORD Citrus County Sheriff * DUI arrest S Paul E. Frasier, 37, 7242 S. Blackberry Point, Homosassa, at 10:02 p.m. Wednesday on-charges of driving under the influence. Bond was set at $500. Other arrests Arthur J. Yellico, 26,11537 W. Bayshore Drive, Crystal River, at 8 a.m. Wednesday on charges of driving with a suspended/revoked license. Bond was set at $500. Lonnie McKinnon, 49, 7421 S. Old Floral City Road, Floral City, at 12:25 a.m. Thursday on a charge of possession of drug parapherna- lia. Bond was set at $500. Johnie Milton Crace, 44, 5460 Oakbud Court, Homosassa, at 10:24 a.m. Thursday on a charge of unarmed burglary of an unoccu- -pied conveyance. A deputy said the fingerprints Recovered from the car matched '7Crace's, according to an arrest report. Bond was set at $5,000. it considers to have enough customer density, McCoy said. County Commissioner Jim Fowler, once the manager of Waste Management in Citrus County, said one of the prob- lems with the current garbage collection system is that some property owners pay the annu- al $25 landfill property assess- ment, even though no haulers will serve them. He thinks Moessinger may be in that cat- egory. The landfill fee doesn't pay for garbage pickup. The money is used to operate the landfill. Fowler said mandatory, or universal garbage, would solve Moessinger's problem. He said everyone in the county would be served by a franchised garbage hauler He said the franchised haulers would be responsible for serving the cus- tomers in their district, and the routes would be served well. "Eighty percent of the peo- ple living in Florida have uni- versal garbage service, and they don't have to deal with a garbage hauler That's handled by government, and it's less expensive and more efficient You have one hauler going down a street instead of multi- ple haulers," Fowler said. Iw-.laboutbaths.com F]PP 89 W. Gulf to Lake Hwy., Lecanto next to Smart Interiors 527-2556 a Hours: 10-5 Mon. thru Fri; 10-4 Sat. "d. In store jewelry repa s, fine watch repairs, appraisals, a large destnuofCelnlied o Diam1nd1, 4ki, l ktd and Platinum,. L " Commission Chairman Gary Bartell said franchises aren't the answer He said the most recent mandatory garbage pro- posal would have divided the county into four quarters, each served by a franchise hauler If the franchise hauler were to fail, or refuse to serve an area, Bartell said the county might have to look for a replacement to serve those routes. "In the event they refused to collect in Ozello, for example, they would be subject to losing the contract," he said. "It would only be as good as the contractor" I Building Beautiful Homes, ...and Lasting Relationships! I 1-800-286-1551 or 527-1988 5685 Pine Ridge Blvd STATE CERTIFIED CBC049359 BLIHDS WE'LL MEET OR BEAT ANY COMPETITORS PRICE' FAST DELIVERY PROFESSIONAL STAFF m UBLIND FACTOUY a -g a - Let Us SpoilYou/ Casual to Formal For Girls Only Fashions, Shoes and Jewelry y-/ 3 8 G.* Hwy.44, ountin'Ul Sql~ 3l~'~dI5nverness ________ Hours:__ Ths-r 10g CI T R U S..- "" C U N T Y -- l LHRONICLL Florida's Best Community Newspaper Serving Florida's Best Community To start your subscription: Call now for home delivery by our carriers: Citrus County: (352) 563-5655 Marion County: 1888 4 4 ... T P b r '. ST u r A .- c4,I.l ..I l I l* \ -B';,1' J' j J I 1624 N. Meadowcrest Blvd. 106 W. Main St., Crystal River, FL 34429 Inverness, FL 34450 Beverly Hills office: Visitor Truam.ar, ..ul.dtaw - bI--ows gm ** FR E E In Home Consulting InsValances F R E EB Installation LECANTO -TREETOPS PLAZA 1657 W GULF TO LAKE HWY HOURS: MON.-FRI. 9AM-5 PM I enlnas ondWekends byAp(oin nent .5 2 7 '0 0 1 ............. -_W # L CATARACT & .LASER INSTITUTE "Excellence... with love" considering CATARACT SURGERY? Appointments are available for cataract evaluations with: James P. Gills, MD Thursday, December 15th Seven Hills Center 1180 Mariner Blvd. Spring Hill 1-800-282-7785 StLukesEye.com We Accept Medicare Assignment and Most Insurances St. Luke's also offers all possible surgical treatments for astigmatism. CITRus CouNy (FL) CHRONICLE I IA FI AY,-DECMBER-,-200 Shu^Bftjitersi^^^ -M OL. L- .11 ,,- O . I I L--k --- --" FRII)AY, DECEMBER 9, 2005 5A gotb$2 fo wrongful conviction b -~ I "Copyrighted Material "-'----- Syndicated Content w Available from Commercial News Providers" EXEMPT 1-:- -- ."".q a M-PT a--- IA d eunitnoC from Pa A 4D 4w -W 4b - 4 - m m* - * - . for plat approval from county staff, which should come soon. The proposed plat will then be placed on the county commis- sion's consent agenda for approval, according to Coutu. Commissioners often place dozens of routine business items on the consent agenda. The consent agenda is approved as a package with one motion, and generally with- out discussion by the board. Coutu said the only unre- solved issue for High Ridge Village concerns bonding, but it's just a paperwork issue. "I don't see anything that would stop it," she said. Schiappa said it seems odd - * I don't see anything that would stop it. Joanna Coutu county official, on the subdivision under construction in Beverly Hills. the county would allow more development while at the same time requiring residents in Beverly Hills to conserve water. He said he is not necessarily saying the development is a negative thing, but he said the older people in the community wonder about the wisdom of adding more homes. "The old people are saying they are saving water so they can build more homes," he said. RAPIST Continued from Page 1A addressed Byron, recalling the night he received the call about thueMttflt. '-" ; *, 'This animal did the most despicable thing a man can do," he said. Circuit Judge Ric Howard listened, along with a filled courtroom of quiet spectators, as the accounts of the rape, and the affects it left on those con- cerned, were read aloud in court Describing details about the case, Assistant State Attorney Rich Buxman said Byron apparently hid in the house for 15 to 16 hours, wait- ing for the woman to arrive. That time frame was based on records of phone calls Byron made from the home. He waited until the woman put her daughter to sleep and went to bed herself before he emerged from the closet, Buxman said. Byron raped the -':- SOLATUBE. 'M The Miae Skylight That's all it takes for you to see the light. Let us show you the difftrencc Solarube skylights can make in your home. -' -- r 13621,1 S.^ >TS rwy 441 Fi *f ..3419 1-86-767652 woman repeatedly for a couple of hours, preventing her from breathing at several points by grabbing her neck, Buxman told Howard. According to previous evi- dence in the case, a fingerprint found at the scene was linked to Byron, who was found the next day hiding in his home under a bed. He confessed to the rape, blaming it on an uncontrollable sex addiction. The woman later identified him as her attacker, according to court records. Byron had been serving pro- bation during the assault for a burglary conviction; he agreed to a plea deal and was sen- tenced Oct. 24 to five years in prison for that crime. Buxman indicated Thursday there were four other felony convictions within the past five years; and Howard acknowledged the ele- ments were proven to sentence him as a habitual offender. By law, Byron will have to register his address with law enforcement upon his release from prison. The judge also advised Byron that under the Jimmy Ryce Act, he could be involun- tarily committed for sex offender treatment after his prison term expires. The Jimmy Ryce Act was passed in 1999 and is named for a South Florida boy who was raped and murdered in 1995 by a convict- ed sex offender. The Ryce Act allows for the state to petition for his commitment if, upon release, it is believed that he still poses a risk to the commu- nity. GEMS E Hy 19, Crystablished 1985 -5900 SE Hwy 19, Crystal River'o 795-5900 Think REFINANCING is like taking a long walk off a short pie Tb/ink A.ain.' i .a * Owner/Builder Loans | * Refinancing Loans * Purchases Lot Loans * Reverse Mortgages-. . * Lines of Credit I "- C e ntra l ,,., .. ,.... . -, .: Florida 352-726-6099 mF ^ -- State Bank -- hti li wl wian.l lll I .1te .,rck/ c r Il,,td amje Leadc SUMMIT POOL & SPA IS MOVING TO THE SPRINGS PLAZA to M Pow We'd Rather Sell 'em mHan ove 'eI. U iGIE C ARACE SALE Don ,i Cea Your on Saturday -everything goes!! Let u DO IM EXort Watch for rand RH-opening! Weet U MaIntenance. Pay For 1 Month, 7975 Grover Cleveland Blvd.. Homosassa 1 52 i-6 -6R) , Ko,,r-Mo HMan r. a 9Mn 5-* Sal 9an 2rnm 1 -U5 6UL2O8UUU.U 4arb. 0 *-W-0 - .0 - 4.. . smart interiors and so much more , ,.-. -= It's your Space ...your Style ...your Choice QUALITY NAME BRAND FURNITURE FROM DREXEL HERITAGE LEXINGTON NORWALK STANLEY FINE FURNISHINGS UNIQUE ACCESSORIES LIGHTING AREA RUGS FABRICS WINDOW TREATMENTS WALL COVERINGS INTERIOR DESIGN ~ Two Convenient Locations ~ 97 W. Gulf to Lake Hwy., Lecanto, FL 34461 5141 Mariner Blvd., Spring Hill, FL 34609 352-527-4406 352-688-4633 Open Mon.-Fri. 9:30-5:00; Sat. 10:00-4:00 CrrRus COUNTY (FL) CHRONICLE - - lzcwe I- YEAR 7 ANNIVERSARY NOWIN *a PROGRESS MM HHBi^ Bi0ifllla~j iii'ini 4 B^ o ..-- . AVO r ~. Asr 4A FRIDAY, DECEMBER 9, 2005 I RJCtiit'(LCIINCI Obituaries- .... Thelma DeRobertis, 81 DUNNELLON Thelma Louise DeRobertis, 81, of Dunnellon, died Tuesday, Dec. 6, 2005, in Dunnellon. She was born in Toledo, Ohio, and she moved here in 1979 from Fort Lauderdale. Mrs. DeRobertis was a homemaker and interior designer. She was Protestant Survivors include her hus- band, Anthony L. DeRobertis of Dunnellon; daughter, Linda L. McLucas of Portland, Ore.; brother, Joseph M. McElroy of Aurora, Colo.; and four grand- children. Roberts Funeral Home, Dunnellon. Marjorie Fogg, 87 LAGRANGE, GA. Marjorie L. Fogg, 87, of Lagrange, Ga., formerly of Homosassa, died Wednesday, Dec. 7, 2005, in Lagrange. She was born April 25, 1918, in Chattanooga, Tenn. She was a 30-year resident of Homosassa before moving to Melbourne and moved to Lagrange, Ga., three years ago. She was preceded in death by one son, Clayton Huggins. Survivors include one son, John T. Huggins of Tampa; one daughter, Betty Sue Rogers of Lagrange, Ga.; nine grandchil- dren; nine great-grandchil- dren; and three great-great- grandchildren. Wilder Funeral Home, Homosassa Springs. ,Alberta Shelar, 86 FLORAL CITY Alberta M. Shelar, 86, of Floral City, died Wednesday, Dec. 7,2005, at her home under the care of her family and Pasco-Hernando Hospice. Born July 19, 1919, in Leesburg, Pa., to the late Edward and Margaret (Magee) Harrison, she moved here in 1967 from Ellwood City, Pa. Mrs. Shelar retired from Citrus Memorial Hospital in Inverness as an admitting clerk with 18 years of service. She enjoyed sewing garden- ing, cooking and baking. She was a member of the First Baptist Church of Floral City. She was preceded in death by her husband, Thomas E. Shelar, Jan. 2, 1985. Survivors include two sons, Thomas H. Shelar and wife, Judy, of Ellendale, Del., and Frederick B. Shelar of Toledo, Ohio; one daughter, Amy Thompson and husband, Don, of Floral City; three brothers, Edward Harrison Jr., Robert T Harrison and Donald E. Harrison all of New Castle, Pa.; one sister, Beryl L. Hogue of New Castle, Pa.; eight grand- children; and 17 great-grand- children. Chas. E. Davis Funeral Home with Crematory, Inverness. Click on- cleonline.com to view archived local obituaries. Funeral NOTICE Marjorie L. Fogg. Funeral services for Marjorie L. Fogg, age 87, of Lagrange, Ga., for- merly of Homosassa, will be conducted at 12:30 p.m. Saturday, Dec. 10, 2005, at Wilder Funeral Home, Homosassa Springs. Burial will follow in Stage Stand Cemetery. Friends will be received Saturday from 11:30 a.m. until the service hour. Alberta M. Shelar. Funeral services will be conducted at 5 p.m. Saturday, Dec. 10, 2005, from the Chas. E. Davis Funeral Home of Inverness with the Rev Richard Fisher, chaplain of the Pasco- Hernando Hospice, officiating. Following cremation, inurn- ment will follow at a later date in the Hills of Rest Cemetery, Floral City. Friends may call at the funeral home on Saturday from 4 p.m. until the hour of service. In lieu of flowers, memorials are suggested to the Pasco-Hernando Hospice, 12107 Majestic Blvd., Hudson, FL 34667. Death ELSEWHERE William P. Yarborough, 93 RETIRED LT. GENERAL SOUTHERN PINES, N.C. - Retired Lt. Gen. William P Yarborough, an early leader of the Army's Airborne forces who gained President John F Kennedy's blessing for special forces soldiers to wear green berets, died Tuesday, accord- ing to a family spokesman. He was 93. &Hai. E6. ?2au J 'Funerat S-tome 'With Crematory Dr. George Harvey Service: Sat., I lam Chapel David Benton Service: Fri., 12/9 11amo Shepherd of the Hills Episcopal Church, Lecanto Walter Marciniak Mass: Fri., 1/6/06 Our Lady of Fatima Wesley H. Shaw Services: Fri., (today) tlam Hernando United Methodist Doris Yerman Memorial Mass: Fri., 12/16 1pm Our Lady of Fatima Church Laverne Newbill Private Cremation Arrangements Rosalie Waldron Services in Michigan Alberta Shelar Vieweing: Sat.,4pm Service: Sat.,5pm William Bentley Please call for Information .., -,, g Yarborough, 93, died late Tuesday after complications from recent hip surgery, said Rudi Gresham, the general's longtime aide. A 1936 graduate of West Point, Yarborough served in the military for 35 years and held high-level posts in the Army's airborne, special oper- ations and intelligence branch- Spaghetti Cook-off G The Nature Coast Republican Club held its annual Spaghetti Cook-Off on Oct. 8 at the Crystal River American Legion Hall. Shown with their sauces are: 1" ', LEFT: From left, Betty Strifler, clerk of the Citrus County Courts; and Vicki Phillips, county commis- sioner. TOP ,' .r : From left, Joyce Valentino, county commissioner; and Susan Kirk, Crystal River City Council. From left are Joann Kendall and John Kendall, Crystal River City Council. SO YOU KNOW * News notes tend to run one week prior to the date of an event. * During the busy season, expect notes to run no more than twice. * Submit information at least two weeks before the event. * Early submission of timely material is appreciated, but multiple publications can- not be guaranteed. * Submit material at Chron- iple offices in Inverness or Crystal River; by fax at 563-3280; or by e-mail to newsdesk@ chronicleonline.com. WEEKLY AQUATIC SPRAY SCHEDULE FOR CITRUS COUNTY Citrus County's Aquatic Services Division plans the following aquatic weed control activities for the week beginning December 12, 2005. HERBICIDE TREATMENTS: Lake Rousseau Coontail Crystal River Hyacinth Floral City Pool Hydrilla/Salvinia/Sedges/Tussocks/Coontail/ Hyacinth/Lettuce/S. Naiad/Torpedo Grass Hernando Pool Nuphar/Grasses/Water Hyacinth/Lettuce/ Hydrilla/Tussocks/Sedges/White Water Lilly/ Lotus/S. Naiad/Bladderwort Inverness Pool Hydrilla/Frog's Bit/Grasses/Tussocks/Sedges/Water Hyacinth/ Lettuce/Nuphar/Lotus/Fanwort/S. Naiad/ Bladderwort/ Torpedo Grass/Willows/Pickerel Weed MECHANICAL HARVESTING: Crystal River Lyngbya/E. Milfoil Inverness Pool Tussocks/Fanwort/S. Naiad Hernando Pool Tussocks COOKIE CUTTER Season's Greetings from Our Family to Yours! S i. .. I i II. . I . S-P "., em ` " .r I I I ,' "... ,, '~Lwtmkivri 'me. W lh artt 0S3372 VanAllen -INSURANCE AGENCY- 352-6.37-5191 J.: 1.6,,.-.' .-1.- 51991 RUTH LEVINS/Special to the Chronicle From left are Janice Warren, tax collector, Fred Vargason and Ruth Levins. -1 M Our Family i8 Commitled to the Care of Your Loved One011 9 FUNERAL HOMES SW9.60& CREMATORY B R I I R H0O 6 6 0 we Have 270 Reciners we Need To Sell FREE DELIVERY- 2 Position Recliner $1299~- 8 Colors Best Chair Co. Swivel Rockers $19995 -7 Colors Best Chair Co. W/ All Huggers $29995 7 Colors Catnapper Stain Proof Recliner $29991 2 Colors Catnapper "Camouflage" Recliner $39995 $49995 Best Chair Co. Rocker, Recliner, Or Wallhugger $39995 8 Colors "Big Peoples" Catnapper Recliner $44995 4 Colors a iF.~y Ashley Leather Recliner $349" 3 Colors " Ashley "Big Peoples" Leather Recliner $399" 3 Colors FRE F A E' `THE SYDNEY' ILLOW-PLUSH1 SUPER-PLUSH TWIN SET....$199 TWIN SET....$24995 PILLOW TOP FULL SET....$269 FULL SET....$29995 TWIN SET....$29995 QUEEN SET...$299 QUEEN SET...$36995 FULL SET....$36995 KING SET....$399 KING SET....$4999s QUEEN SET...$44995 [0 YR. WARRANT' ,1 5 YR. WARRANTY 15YR.RWARRANTY All Ashley Leather At Blow-Out Prices FURNITURE PALACE 3106S. FloridaAve & MATTRESSWAREHOUSE TheCourthouse SB .H :TRESSInverness 726-2999 , SHARE YOUR THOUGHTS * Follow the instructions on today's Opinion page to send a letter to the edi- tor. * Letters must be no longer than 350 words, and writers will be limit- ed to three letters per month. J ., 1 I I 11 i CITRUS COUNTY (FL) CIIHONICL. P"7 'A Variety of offerings Special to the Chronicle Citrus- County Parks and Recreation has a skate park in Beverly Hills. The Beverly Hills Skate Park is open daily with operation hours vary- ing from day to day. * For those interested in skateboard- ing, the park is open on Mondays, Wednesday, Fridays and Saturdays from 4 p.m. to dusk, or about 5:30 p.m. Skateboarding is also available Sunday from 2 to 4 p.m. For those who prefer inline skating the operating hours are Tuesdays, Thursday and Saturdays from 4 p.m. to dcusk, or about 5:30 p.m. Inline skating is also available Sundays from 4 p.m. to dusk. Registration is required, as well as all safety equipment Operating hours for the skate park depend on staff avail- ability. Call 795-6520. Citrus County Parks and Recreation will host the fifth annual Holiday Charity Softball Tournament at 8 a.m. Saturday, Dec. 17, at Bicentennial Park. The cost for the Double Elimination Tournament will be $50 per team, plus one unwrapped new toy per person. Preregistration is required. Seventh-day Adventists to gather Saturday Special to the Chronicle Following the opening song and prayer Sabbath Saturday at the Inverness Seventh-day Adventist Church, June Pacitti, superintendent, will welcome guests and members, after which there will be special music by Richard Pacitti. The weekly mission story will be read and Pacitti's remarks will end the early service. Lesson study is titled, "Christian Relationships." Following the announcements and organ prelude, Pacitti will tell the chil- dren a story as the 11 a.m. service begins. Elder Mercer's sermon is titled, "The Christ Child's Mission." Bob Baker will be in charge of the evening Vesper service, which will begin at 5 p.m. The church is located 4.5 miles east of Inverness in Eden Gardens off State Road 44. Call 746-3434. The registration deadline is today. Call Citrus County Parks and Recreation at 795-6520. Citrus County Parks and Recreation is sponsoring an Open Gym Volleyball Program at the Lecanto Middle School Gymnasium. The pro- gram is open to males and females age 16 and older. The program is offered on any full day of school Wednesday from 6 to 9 p.m. The cost is $3 per person. Call 795-6520. Citrus County Parks and Recreation is currently offering tennis lessons in several parks. Tennis instruc- tor Mehdi Tahiri is U.S. Professional Tennis Registry certified. Lessons will be available from 8 a.m. to 4 p.m. Monday to Friday, and Saturday after- noons. Lessons are set up for ages 10 to 12, 12 to 16 and 17 and older. The cost for an individual for a half-hour lesson is $20; a full hour for individuals is $35. Group lessons are available; however, you must have a minimum of three in a group with the cost being $12 per per- son in your group. Preregistration is required. Call 795-6520. Any person requiring reasonable accommodation at this program because of a disability or physical impairment should call the Citrus County Parks and Recreation office 72 hours prior to the activity at 527-7677. Federal employees club plans party Special to the Chronicle white elephant auction of "lovingly used" items contributed by members. The National Active and Retired Federal Employees Association (NARFE) Chapter 776 of Inverness will have its monthly meeting at noon Monday at Inverness Country Club. Doors will open at 11:30 a.m. for the club's third annual party at that loca- tion. Lunch will be served at noon. Rosemary and Don Riordan have made favors for each attendee, and the usual gift exchange will take place. Gifts should cost from $5 to $7. Additionally this year, there will be a Items can be brought to the party. The $12 per person cost should be sent to chapter president, Jerry McClernon, PO. Box 1097, Hernando, FL 34442. Indicate either pork loin or chicken cardinal as the entree. All federal employees, active and retired, are invited to the meetings. Invite relatives, friends or neighbors who are or were federal employees, to attend the meetings. Call Jerry at 249-3118 or Jim at (352) 465-8077. Park it for some fun Back home Special to the Chronicle Skitty "The Texas Kitty" and Churchill "The Englishman" are enjoying being back In Floral City with Phillip and Cynthia Agard. News NOTES Advent Hope to meet Saturday On Saturday, study on "The Purpose Driven Life" will be 10 a.m. to 11:15 am. There are other classes also available for all ages. At 11:30 a.m., the main serv- ice begins. The speaker this week will be Tracy Brown and the topic is "The Lord Needs You." A luncheon will follow the services. The church is located at 428 N.E. Third Ave., Crystal River. Call 563-0202. Sons of Norway to meet Friday Sons of Norway, Sun Viking Lodge 607, will meet at 6:30 p.m. today at the Senior Citizens Club of Hemando County on 7925 E. Ranbouy Road (U.S. 19 and Forest Oaks). Juletrefest dinner will be $15 for members and guests 16 and older, $10 for children ages 12 to 15, and children younger than 12 eat free. Menu for dinner will be roast pork and gravy, mashed pota- toes, green beans, com, red cabbage, bread and butter, Riskrem, coffee and loganber- ries. There will be a visit from Santa Claus and Mrs. Claus. For information, call Carole Woodruff at 382-3540 or Jan Link at 686-6538. Church of God plans tag sale Highway 44 Church of God (4 miles east) will have a half-price tag sale from 8 a.m. to 3 p.m. today. Fill a bag with clothes for a dollar. If you don't like the price, make an offer. There will also be a table of items to take and for a donation. Orchid Lovers Club to party at Bayport The Orchid Lovers Club will have its annual Christmas party at 12:30 p.m. Saturday, Dec. 17, at Bayport Inn on State Road 50 west of U.S. 19. If you haven't made your reservations, call Ron at 5907- 1826 by Saturday. Bring a cut orchid for our Christman wreath. The completed wreath will be donated to the Enrichment Center. Pictures will be taken of the participants with the finished wreath. Come and join us for good food and a fun afternoon. Kings Bay Lions set covereddlish dinner The Crystal River Kings Bay Lions Club annual Christmas covered-dish dinner will be at 6 p.m. Monday at the home of Lion Audrey Jonas-Strutt in Crystal River. All visiting Lions are invited to attend by calling Jonas-Strutt at 795-4467 for directions. Pine Ridge group to meet Monday The Pine Ridge Civic Association will host its next general meeting at 7 p.m. Monday in the Pine Ridge Community Center. The speaker for the month will be Kelly Niblett, a clinical dietitian from Seven Rivers Regional Medical Center. The subjects for her presenta- tion cover diets, supplements and metabolic differences between young and old. Safety -J14 -1.- ... .. step up Special to the Chronicle U.S. Coast Guard Auxiliary Homosassa Flotilla 15-04 completed its November safe boating program on Nov. 17. , This program, which met for five sessions, pre - sented America's Boating Course (ABC), approved by the National Association of State Boating Law Administrators. All nine participants successfully passed the final exam and will receive the Florida Boater's ID card. Persons interested in attending future safe boat- ing programs are encour- aged to call Elaine Miranda at 564-2521. Flotilla 15-04 is always looking for dedicated per- sons with interest in these endeavors. Anyone inter- ested in joining /, Homosassa Flotilla 15-04 ', .*. .. is encouraged to contact Ned Barry at 249-1042, or PIM MIRANDA/Special to the Chronicle e-mail at nedbarry@tam- Standing, from left, are: Dick Miazza, Larry Smith, Kevin Pallex, Carl Knudsen and Russ Jerkins. Seated, from left, are: Connie pabay.rr.com. Miazza, Kevin Knudsen, Eric Berg and Harold Clark. Not shown is Elaine Miranda, course supervisor for the program. U.S. Marine Corps marks 230th Special to the Chronicle Formal cutting of the U.S. Marine Corps birthday cake in celebration of 230 years was conducted by Commandant Tom Heron. From left are: Commandant Charles Smith of the Department of Florida, Marine Corps League; Heron of Detachment 1139 at VFW Post 7122 In Floral City; and President Ray Thompson of Rolling Thunder. New Jersey Club officers WALTER CARLSON/Chronicle Members of the New Jersey and Friends Club of Citrus County held their installation of officers recently. The club meets the first Monday of each month at the VFW Post 4252 Hall in Hernando on State Road 200. The newly elected officers are from left: Mary Anne Collier, pres- ident; Sandra Kettenbiel, vice-president; William Collier, treasurer; and Elaine Arendt, acting secretary. l N L~ >L p1 K f FRIDAY SlDECEMBER 9, 2005 \ V y -s3 -- c .. I A hic icleonine com ',/ SA FRIDAY. DECEMBER .9. 2005 STOCKS CrIrus COUNTY (FL) CHRONICLE T H A R E I E V E MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg TimeWam 331355 .1776 -36 QwestCm 314380 5.59 +.32 Pfizer 297860 20.98 -.12 iShJapan 296938 12.66 -.21 Lucent 232659 2.77 -.02 GAINERS (S2 oR MORE) Name Last Chg %Chg OmegaP 6.46 *53 .89 VeritDGC 37.28 +3.00 +8.8 Katyind h 3.34 +.26 +8.4 RehabCG 21.43 +1.64 +8.3 CenlrpPr 49.55 +3.72 +8.1 LOSERS (52 OR MORE) Name Last Chg %Chg WestwOne 16.20 -2.07 -11.3 AGreet 23.33 -2.85 -10.9 SpeedM 34.80 -4.17 -10.7 Brinker 36.71 -3.95 -9.7 FdgCCTgs 38.40 -3.20 -7.7 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Volume 1,859 1,460 161 3,480 132 69 2,223,987,720 MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg SPDR 575588 126 ai Oi1 iShRs2000s328948 68.30 +.18 SemiHTr 312351 37.42 -.82 SPEngy 161313 52.47 +.91 OilSvHT 89101 134.25 +4.08 GAINERS (12 OR MORE) Name Last Chg %oChg Hyr.rdyr,.n 215 *. 9 iS.6 IntoSonic 15.30 +1.80 +13.3 DocuSec 14.35 +1.55 +12.1 GeoGlobal 10.59 +1.14 +12.1 Adventrx 3.21 +.34 +11.8 LOSERS ($2 OR MORE) Name Last Chg %Chg JedOilgs 13.27 -1.58 -10.6 SulphCo n 6.40 -.63 -9.0 iMergentif 7.00 -.58 -7.7 Immtech 6.78 -.54 -7.4 LeNikO7wt 23.60 -1.82 -7.2 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Volume 466 455 101 1,022 44 19 301,636,437 MOST ACTIVE ($1 OR MORE) Name Vol (00) Last Chg tls:Ji, iuri 0'.lt, 4j i VS. 3j"I Intel 962791 25.70 -.45 SunMicro 757368 4.18 +.16 Oracle 736005 12.44 -.07 SiriusS 712430 7.42 +.12 GAINERS (52 OR MORE) Name Last Chg *'Chg AnlySu.r i .1 5 .1ij50 Prothericsn 15.45 +5.90 +61.8 SyntroCpwt 4.60 +.90 +24.3 EndWve 12.82 +2.49 +24.1 AXTInc 2.37 +.42 +21.3 LOSERS (32 OR MORE) Name Last Chg %Chg ICOPDgwt 2.15 -.38 -15.0 Expedia wtl 4.25 -.61 -12.6 AcaciaTc 6.90 -.93 -11.9 DaiEirs 45.00 -6.00 -11.8 QLT 6.20 -.80 -11.4 DIARY Advanced Declined Unchanged Total issues New Highs New Lows Volume 1,482 156 3,197 100 36 1,931,405,861 Here are the 825 most aci'voe atoc-s on the New 'Yorl, Slock E.chiange, 765 mrno It ." li. on 1ha Nasdaq Nalional Market and 116 most active on the American Siock E.hsnge St.c:.s in bold are worn at leas l .5 and changed 5 percent or more .n prica einjerlining lor 50 mosl active on Ni'SE and Nasdaq and 25 most active on Amex Tables show r.,am., price and net cnjrnge and one to Iwo additional tields rotaled Ihroug.Jh the week, as follows DIv: Current annual dividend rale paid on slock based on latesI quarterly or semiannual declaration, unless olherwlse 1,toirolied Name: Slacks appear alphabetically by the company's lull name rnot its abbreviation) Names consisting of initials appear at Irie beginning ol each letter's list Last: Price stock was trading at when e,.change closed for those ay Chg: Loss or gain for the day No change indicated by U-.- C Stock Footnoles ,-: PE greaie. hean 99 rid iriw raj s been .all-3d loi radempriori c., '. .:umpany *I Na E52-iaFI lon dd -- Lor ini lasi 12 rn-a Corny liormrian Iaeii a E 5 9 14d - or, In Amri.:an EIharinge Emerging Company Mariieiplae i DIrdands ianie.hir Inge Irn Canaan ijoilarsi h lapovurarr armpi rro Naodaq capital ranr urpiuv i l'ArI quqiticallor, r, Sirock v.a a l ve a rIelk isl year rThe 5a'.irjek high rnd \I,. hiuie, lJaie oniv turm ira t egInnir,,j c, iradnll pl Pial i- led I i,3.u1 pr 'PRelayu1 lJ' HoiiIr uos inySalirIn.,', of piurcria price q CloseJ-end n, ual furI .r PE .l,.i ad n F Rignl to buy swL.ully al a sirie,ila prl e a a rcr.k r.a, iip by a11 l6 i :ie pr,ril ,* L .., j wlhrin the iea'r year wl Tradelr. ail b-. sealed l wnera' ie alo'K 3 sued we r.- ., .r~. ".. Inutld.l *I Warrari, al1wirg a pajr,:hae of a Qaork u j Ne A ak nr ur. Un-r r,. ? indudifl9 mcar terenana vaourly it | a Comprp.e in bcnl~iuplcy or icvluar6hp o. twli, rergarilzel urOer ir.e bar.hrup c la* Appear Ir. rni of ine name DIvidend Footnote*' a Eru aariderdl ere p-d but are no Inulada tb Annual rae? plus afiti ,. UquidaBrig JivJllrd a AmLnt dn-Jalrll oi paid In lIrS 12 nronfhS I Current annual raie wfitch wea nLcreraed by mrnol racenri dividend anncunceme nl i Sum of dividend. pai elf8.r lock pfll no r-eguiai raie J ISum of ,lddends paid this year ,. C. Moat raceni dividenrd lwas onilled or deferred k Decrared or paid Irle, year a cumulaiei .J Era L 11 Issue wah adiaidera it ar.reare m Current annual rteO whiun w3as ueeseaed by mouri , recant aivider, announcement p Initial divlidaeno nnual, rale not known ,fil rloi . shown I Declared or paid In pre.:ading 12 months plus a .xk dividend I Paid Ir. alaca eppi ere r cash ialue on ax dil vvtiuorn date Source: The Associated Press. Sales figures are unofficial. I ^STOCKimS OF LOCL INTRST Name DIv YId PE Last AT&T Inc 1.29 AmSouth 1.04 BkofAm 2.00 BellSouth 1.16 CapCtyBk s.65 Citigrp 1.76 Disney .27 EKodak .50 ExxonMbl 1.16 FPL Gp s 1.42 FlaRock s .60 FordM .40 GenElec 1.00 GnMotr 2.00 HomeDp .40 Intel .40 IBM .80 YTD Cha %Cha -.24 -3.6 -.20 +1.5 -.08 -2.6 -.37 -1.3 -.13 +10.7 -.20 +.7 -.35 -9.9 -.35 -24.8 +.40 +15.9 +.05 +11.2 +.42 +31.3 -.03 -44.2 -.22 -3.2 -1.04 -45.1 -.30 -3.6 -.45 +9.9 -1.22 -11.2 Name Div YId PE Last LowesCos .24 McDnlds .67 Microsoft .32 Motorola .16 Penney .50 ProgrssEn 2.36 SearsHIdgs .. SprintNex .10 TimeWarn .20 UniFirst .15 VerizonCml.62 Wachovia 2.04 WalMart .60 Walgrn .26 YTD Chg %Chg +.15 +18.0 -.44 +8.6 -.06 +3.6 +.28 +35.7 +.16 +31.4 -.11 -3.8 +.29 +23.1 +.04 -.8 -.36 -8.7 ... +9.7 -.22 -22.9 -.21 -.2 -.05 -9.7 -.40 +20.5 INDEXES55.12 4,082.09 406.58 7,743.43 1,757.55 2,246.46 1,255.84 685.22 12,605.72 -55.79 -28.16 +5.49 +12.15 +7.63 -5.55 -1.53 +2.21 -.46 -.52 -.69 +1.37 +.16 +.44 -.25 -.12 +.32 -.26 +7.48 +21.39 +6.80 +22.53 +3.26 +3.62 +5.16 +5.30 I EWY RK STO KE C ANG YTD Name Last Chg +60.1 ABB Lid 9.06 +262 ACE Lid 53.96 +.83 +1.1 ACMmnco 8.25 +.03 +15.7 AESCplf 15.81 +.03 +17.2 AFLAC 46.70 -.36 -23.1 AGCO 16.84 +.01 +2.7 AGLRes 34.14 -1.13 -42.3 AKSteel 8.35 -29 +22.7 AMBPr u49.57 +1.82 +18.1 AMLIPRs 37.78 +.05 4800. AMR u19.71 +39 432.4 ASALid u53.56 +1.00 -3.6 AT&TInc 24.85 -24 -4.4 AT&T2041 25.12 +.02 +1.7 AUOptron 13.36 -.06 +25.9 AXA 31.16 -.11 -17. AbtLab 38.29 +.29 434.8 AberFilc 63.31 +.81 +4.6 Accenture 2824 -.50 -3.1 AdamsEx 12.71 -.02 +14.6 Adesa 24.31 +26 +16.5 AMD 25.65-1.02 -18.8 Aeropsgl 23.91 -.16 +53.7 Aenas 95.90 +127 -9.7 AflCmpS 54.37 -.72 -4.7 Agerers 12.96 -.05 +43.5 Agent 34.58 +.10 +27.8 Agricog u17.57 +.40 -4.5 Aold 7.42 +.01 +5.0 AirPrl 60.88 +.65 +19.7 Aigas u31.73 +.05 +37.2 AirTran 14.68 +.12 -2.6 AlbtOesn 2325 -.23 -52 Alcan 41.60 +.37 -20.8 Acalel 12.38 +.09 -9.5 Alcoa 28.43 -.16 +451.7 AlgEngy 2.90 +59 +542 AlegTdch 33.42 -.08 4335 Alrgan u107.99 +1.14 +25.9 Aiel 4628 -.50 432.8 AliCap u55.76 +.77 -.5 AIWrld2 12.32 +.05 -4.7 AldWasle 8.84 -.15 +6.8 Alstate 5522 +.09 +103 AlM 64.82 -.70 +6.4 AlphaNRsn24.15 --.68 469.7 Alpharna 28.76 -.14 +17.6 Albia 71.88 -.12 -1.7 Amdocs 25.81 -.39 462.5 AmHess 125.61 +1.70 +2.4 Ameren 51.32 +.14 +71.4 AMovlLs 29.91 -.44 -40.7 AmAxie d18.19 -.38 +82 AEP 37.17 +.87 +2.6 AmExp 50.65 -.46 -23. AFndRT 1231 +.07 -8.0 AGreet 23.33-285 +.3 AmlntGp l 65.86 -.05 -2.8 ArStand 40.15 +.16 -14.1 AmSIP3 10.57 +.07 +492 AmTowae 27.45 +.11 452 Americdt 25.71 +.10 -2.2 Anmegas 28.96 +.03 +17.9 Amednrsn 43.65 +29 392 Ameriseg 481.71 +1.31 +1.5 AmSoulh 2628 -20 +512 Anadrk 9759743.03 43.8 AnalogDev 38.32 -.83 429.7 AnoogldA u4715 +1.17 -152 Anheusr 43.03 -21 +51.6 AnnTaylr 32.65 +24 -41.3 Annly 11.51 +.12 +48.8 ArnCorp 35.50 -.13 440.4 Apache 70.98 +1.71 +30.8 ApplBio 27.35 +.14 +6451.3 AquaAms 27.91 -24 -2.4 Aqula 3.60 +.08 +126.3 ArCoal u80.44 +-.57 +10.4 ArchDan 24,64 +.51 +9.7 ArcthsnSm 42.03 +.15 -40.0 AnvMeri 13.42 +.42 -6.6 Ashlandn 57.69 -21 -5.0 Aspenilns 23.30 -.58 -10.3 AsdEstat 9.17 +30.3 AsraZen 47.40 +.75 -3.5 ATMOS 26.40 -.04 +12.2 AutoNaln 21.56 -.99 -8.5 Autoliv 44.19 +.08 44.7 AutData 46.44 -.38 +3.0 AutoZone 94.03 -.13 -37.4 Avaya 10.77 -.08 430.1 Aviall 29.89 -.66 +30.8 Avnet 23.85 -.09 -28.9 Avon 27.53 +.16 -.6 BB&TCp 41.78 -28 +35.7 BHPBULt 32.60 -.05 467.7 BJSvcss u39.03 +1.13 -10.3 BJsWNls 26.12 +.10 48.3 BMCSit 20.15 -.22 +172 BPPLC 68.42 +1.09 -2.8 BRT 23.65 +.16 +462 BakrHu u62.39 +2.05 -7.5 BalCp 40.68 -.12 +152.1 BcoBrads 31.59 -1.95 +70.4 Bncoltaus 25.60 -127 -2.6 BkolAi 45.78 -.06 -4.4 BkNY 31.95 -,12 +12.6 Bania 50.42 +.22 +8.2 Bard 6923 +2.16 +16.4 BarickG 28.20 +.39 +28.0 BauschLIf 82.48 +25 +12.8 Baxter 38.97 +.04 48.5 BearSt 111.01 -.64 441.7 Beaz iHms 69.04 +.79 +2.7 BectDck 58.36 +.98 -1.3 BelSouth 27.42 -.37 +89.5 BentleyPh u20.37 +.32 +26.5 BestBuys 50.00 +1.05 +20.5 BkHICp 36.98 +.93 -4.5 BIkFLO 15.13 -.05 +.7 BlockHRs 24.67 -.48 -54.4 Bsckbstr 4.35 -.05 -4.5 BueChp 6.38 -.06 +35.3 Boeing u70.07 +.42 -16.7 Borders 21.08 -.36 421.8 BostBeer 25.90 -.56 +15.0 BoslFtop 74.35 -.06 -26.9 BostlaSd 26.00 +.19 +4.7 Brinker 36.71 -3.95 -15.5 BrMySq 21.66 +.12 -18.5 Bniswick 40.34 -.02 439.0 BuriNSF 65.76 +.12 +78.0 BudRsc 77.44 +1.30 -4.9 CBSBwi d25.39 -.16 -6.7 CFIndsn 15.12 -.50 -2.1 CHEngy 47.05 437.8 CIGNA 112.39 -.58 435.0 CMSEng 14.11 +.09 +2.7 CSS Inds 32.62 +.08 +20.6 CSX 48.35 +.19 +23.9 CVSCps 27.92 -.19 -3.9 CablvsnNY 23.92 -.33 +9.6 CatGolf 14.80 +.06 +772 Camecogs 61.92 -.72 -.8 CampSp 29.86 -.17 +134.1 CdnNRsgs 50.07 +.43 +242 CPRwyg 42.75-1.75 -1.7 CapOne 82.79 -.81 -8.8 CapMpfB 12.40 -.20 +15.1 CardnlHIthu66.94 +.67 +32.3 CaremkRx 52.18 +.56 -5.7 Camival 54.36 -.29 +17.6 Caterlils 57.34 -.44 +61.0 Cemex 58.63 -.09 -19.1 Cendant 18.04 -.09 +152 CenterPnt 13.02 -.01 +3.5 CenlrpPr u49.55 +3.72 +19.1 Centex 70.98 +.50 +1.8 CnlLtpf 83.00 -.62 -8.8 CntryTel 32.36 -.77 +23.1 ChmpE 14.55 +.15 436.4 Chedkpnt 24.62 +.04 +7.1 Chemtura 12.64 +.29 "40.7 ChesEnq 31.46 +.61 +13.5 Chrwon 59.62 +.32 +56.6 ChiMaerc 358.06+11.06 +97.8 Chicoss 45.04 +1.70 439.9 ChinaMble 24.00 -.85 -10.2 Chiquita 19.80 -.14 +22.9 Chubb 94.50 +.43 -16.7 ChungTel 17.53 +.05 +7.0 Cmarex 40.54 +53 -12.8 CinciBel 3.62 -.08 -2.8 CINargy 40.48 +.09 +36.8 CcCity 21.39 +.14 +.7 Ciigro 48.50 -.20 -8.5 CitzComm 12.62 +.03 4313 ClairesStrs 27.90 -.10 -3.2 ClearChan 32.41 -.54 -8.0 Clorox 54.21 +.11 +24.1 Coach s 35.00 +.05 -42 CocaCE 19.98 +206 +.6 CocaO 41.88 -.32 +9.9 Coeur 4.32 -.07 +8.0 ColgPal 5526 +.35 -10.8 ColIntn 820 -.06 -6.7 Camerica 56.96 -.32 +2.6 CmcBNJs 33.03 -.04 442.8 CmtyHll 39.82 +.78 +44.1 CVRD 41.80 -.20 +48.5 CVRDpl 36.20 -.78 -7.9 CompAs 28.62 -.14 -12.9 CompSci. 49.10 -27 -31.6 onAgra. d20.15 -.16 4472 ConocPhls63.92 +.75 +14.5 Conseco 22.85 +23 +47.6 ConsolEgy 64.68 +.32 433 ConEd 45.19 +.30 +6.8 ConstelAs 24.83 +.01 +22.0 ConstelEn 53.34 +125 +27.8 CdAirB u17.31 -.33 +17.7 Cms 17.65 +.15 457.3 CoupCam u84.64 +3.35 -29.0 CooperCo d50.15 -.30 +79.4 Comino 21.12 +17 44.6 CorusGr 10.27 +.07 -5.3 CntwdFn 35.05 +.13 +67.8 Coventry s 59.38 +1.55 +64.3 CrwnCstle 27.34 +.17 +44.1 CrownHoldu19.80 +.36 +3.4 Cummins 86.83 -1.92 +20.7 CypSem 14.16 -122 DNPSelct 10.46 -.07 +.8 DPL 25.31 +.13 +18.4 DRHortns 35.81 +.75 +15.7 DSTSys 60.31 +.17 +.7 DTE 43.42 +.21 +52 DaimlrC 50.54 +.12 -60.6.DanaCpl 6.82 +.08 +.7 Danaher 57.83 -.24 +25.9 Darden 34.92 -1.04 +38.6 DeanFds 38.75 -.26 -7.1 Deere 69.11 +.16 -7.0 DaMnte 10.25 +.07 +75.9 Denburys 24.14 +.30 -27.1 DuiTel 16.54 +.06 469.9 DewonE 66.14 +1.69 +76.4 DiaOffs u70.65 +1.79 -22.2 DianaShn 13.46 +.26 -33.0 Diebold 37.34 +.31 -11.4 Dllards 23.82 +.53 -18.6 DirecTV 13.62 -.06 -9.9 Disney 25.05 -.35 -8.4 DollarG 19.02 -.02 +13.8 DomRes 77.09 +.93 -3.1 DonlleyRR 34.18 -.05 -79.8 DoralFinlf 9.93 -.16 -3.5 Dover 40.46 +.23 -9.9 DowChm 44.60 -.13 -12.4 DuPont 42.99 -.09 +4.1 DukeEgy 26.37 +.12 -10.0 Duql.ght 16.97 +.27 -1.9 Dyny 4.53 -.04 +34.8 ETrae 20.15 +.18 -4.8 EMCCp 14.15 -.10 +120.4 EOG Res su78.65 +2.30 -7.1 EastChm 53.65 -.92 -24.8 EKodak 24.25 -.35 +41.7 Edisonlnt 45.40 +.55 +12.9 BPasoCp 11.74 -.01 -52.9 Elan 12.84 +.81 +1.8 EDS 23.52 +.14 +9.3 Emrsnx 76.61 +.01 -8.9 EmpDIst 20.67 -.03 +23.3 Emulex 20.77 +.29 -13.4 EnbrEPtrs d44.64 +.01 +77.5 EnCanas 50.63 +1.43 +9.2 Endesa 25.42 +.16 -14.1 EgyEast 22.91 -.29 +19.9 EngyPrt 24.30 +.40 -3.7 EnPro 28.49 -.32 +58.4 ENSCO u5028 +1.71 +3.5 Entergy 69.93 +.67 +163 Eqtynn 13.65 -.10 +6.6 EqOfPT 31.05 -.03 +11.6 EqtyRsd 40.37 -.03 -27.5 EsteeLdr 33.18 -.22 +22.6 Exelon 54.03 +.93 +15.9 EaxonMbl 59.42 +.40 +11.2 FPLGps 41.55 +.05 +29.7 Fairlsaac 47.56 +.12 +7.5 FairchldS 17.48 +.01 -27.8 FamDI 22.55 -.33 -33.9 FannieM I 47.04 -.32 -.8 FedExCp 97.67 -1.81 -11.3 FedSignl 15.66 -.03 +17.6 FedlrS 67.98 +.27 +3.3 Ferregs 20.97 +.09 -16.6 Ferrolf 19.35 -.14 +21.4 FdNFns 37.64 -.93 +1.4 FrstData 43.13 -.62 -1.4 FFinFds 17.09 -.69 -11.4 RTrFid 17.71 -.05 +20.0 FirstEngy 47.40 +.55 +1.9 FishtSc 63.59 +.24 -11.1 FleetEn 11.96 +.69 431.3 FlaRocks 52.09 +.42 434.4 Fluor 73.25 -.22 -44.2 FordM 8.17 -.03 +49.3 FdgCCT g38.40 -3.20 -11.0 ForestLab 39.91 -.30 +53.8 ForestOil 48.78 +1.63 +4.6 FortuneBr 76.00 -.89 -23.3 FranceTel 25.36 +.23 +38.1 FrankRes 96.18 -.52 -15.9 FredMac 62.01 -.89 444.8 FMCG 55.36 +.58 +49.3 Freescale 26.61 +.19 +44.4 FreescB 26.52 +.03 -46.6 FriedBR 10.36 -.37 +211.4 FrontOils 41.51 +.82 +24.7 GATX 36.87 -.45 -5.2 GabeliET 8.55 -.02 +55.0 GameStp 34.65 +.31 -26.2 Gannett 60.32 -.01 -16.0 Gap 17.74 +.04 -49.6 Gateway 3.03 +.01 +80.7 Genentch 98,37 +1.74 +7.7 GenDyn 112.65 +1.56 -3.2 GenBec 35.35 -.22 +27.0 GnGrthPrp 45.92 +.36 -3.2 GenMills 48.11 -.17 -45.1 GnMotr 22.00 -1,04 -36.4 GMdb33 16.95 -.40 +24.4 Genworth 33.58 -.26 +14.2 Genwthun 37.00 -.32 +26.9 GaPadcif 47.56 +.03 +39.2 Gerdaus 16.70 -.05 +29.5 Gettylm 89.15 -.76 +47.9 Glamis u25.38 +.34 +6.9 GlaxoSKIn 50.68 +.51 +48.6 GlobPays 43.50 -1.00 +49.5 GlobaJSFe u49.50 +1.22 +34.1 GoldFLtd u16.74 +.46 +41.6 (oldcpg 21.30 +.62 +6.3 GoldWFn 65.26 -.49 +23.6 GoldmanS 128.64 -1.25 +19.8 Goodrich 39.09 +.09 +14.8 Goodyear 16.83 -.05 -30.6 viGrace 9.45 +.49 -24.5 Gratfech 7.14 +.43 +127.9 GrantPrde u45.70 +1.97 -4.6 GtPlainEn 28.89 +.05 43.7 GMP 29.90 +.10 -9.7 Grnfon 24.37 -.14 +22.1 Gtech 31.69 +.14 -29.8 GuangFty 14.36 +.31 -7.0 Guidant 67,08 +.55 +30.7 HCA Inc 52.23 +.35 -19.7 HRPTPrp 10.30 -.01 +70.0 HallibIn 66.71 +1.93 -12.8 HaJrS 13.68 +.03 -15.5 HanPtDiv 8.45 +.05 -10.3 HanPtDv2 10.32 +.01 +4.0 Hanover 14.70 +.17 +16.1 Hanovarlns 38.11 -.01 +26.4 Hanson 54.28 +.69 -16.1 HardeyD 50.94 -.56 +42.2 HamnonyG 13.18 +.41 +1.3 HarrahE 67.77 +.26 +23.5 HartfdFn 85.59 -.20 +4.3 Hasbro 20.21 -.29 -9.1 HawaiiEl 26.50 +.21 -11.3 HItCrREIT 33.85 +.39 +2.5 HtMgt 23.29 +.15 -16.8 HithcrRIty 33.87 -.06 480.4 HealthNet 52.07 +1.07 -32.9 HedaM 3.91 +.05 -11.9 Heinz 34.36 -.05 +19.0 HeInTel 10.47 -.06 +87.5 HelmPay u63.83 +3.12 -20.2 Hercules 11.85 -.12 -.5 Hershey 55.25 +.13 +39.4 HewleltP 29.23 -.29 +23.8 Hexcel 17.95 +.44 48.4 HighwdPII 29.48 +.13 +1.8 Hilton 23.15 -.15 -3.6 HomeDo 41.22 -.30 +10.2 Honda 28.73 -.22 +.7 HonwIllnt 35.65 -.32 +6.8 HosManrr 18.48 +.26 -1.5 HovnanE 48.77 +.04 +18.0 HughSup 38.17 +.18 +64.0 Humana 48.68 +.79 432.8 ICICI Bk 26.75 -.51 +46.0 IMS Hth 24.37 +.12 +54.1 iShBrazil 34.27 -.56 +15.9 iShJapan 12.66 -,21 -1.5 iShTaiwan 11.88 -.23 +4.1 iShSP500 125.98 -.23 +6.3 iShREsts 65.50 +.56 +9.2 iShSPSmls 59.24 +.09 +18.3 TTrrnds 99.91 +1.26 -5.7 Idacorp 28.84 -6.3 ITW 86.81 -.67 +40.0 Imalion 44.56 +.07 -52.6 ImpacMIg 10.74 +.15 +26.5 INCO 46.54 +.75 +10.6 Indymac 38.11 -.99 -1.8 IngerRds 39.41 -.02 -10.6 InputOut 7.90 +.25 -81.8 IntegES .88 -11.2 IBM 87.50 -1.22 -12.4 IntlCoaln d10.91 +.01 -13.1 IntllGame 29.88 -27 -19.9 IntPap 33.65 -.23 -24.6 IntRect 33.61 -.03 -4.3 ISEn 29.10 -1.26 -29.2 Inteauibc 9.49 +.35 +43.1 IronM l 43.62 +39 -,9 JPMoroCh 38.65 +.18 433.1 Jabil 34.05 -.14 +9.5 JanusCap 18.41 -.28 +15.8 Jardens 33.53 -.05 -5.3 JohJn 60.08 +,04 +11.8 JohnsnCI u70.91 -.29 +32.2 KB Home s 69.02 +.75 +85.8 KCSEn 27.46 +26 +34.9 KC South 23.92 +.26 -1.5 Kaydon 32.53 +.36 -1.7 Kelogg 43.91 +.08 -29.3 Kalwood 24.40 +.21 -14.5 KemetCp 7.65 +.14 +62.1 KenMcG 93.70 +2.02 -2.6 Keycarp 33.02 -.13 -15.0 KeySpan 33.55 +.18 -11.7 KimbClk 58.08 -.19 +92 Kimcos 31.67 +.27 +28.4 KindMorg 93.91 +.84 +27.7 KingPhm 15.83 -.07 +14.6 Kinrossglf 8.07 -82 KnightR 61.48 +.66 -6.9 Kohls 45.79 -.21 +33.8 KoreaEc 17.72 -.02 -5.4 KomFer 19.62 +.84 -17.6 Kralt 29.34 +31 -52.1 KrspKrmlI 6.03 +10.5 Kroger 19.38 -.17 +17.3 LGPhilips 21.11 +.05 -42.9 LIE FlRy 3.57 -.09 +55.1 LSI Log 8.50 +7.7 LTCPrp 21.45 -24 -8.9 LaBoy 14.00 -.75 +21.0 LaQuinta 11.00 -.03 +9.1 LabCp u54.34 +2.30 +19.4 LaBmch 10.70 -.30 -6.6 Laclede 29.10 +.13 -14.2 LVSandsn 41.20 +29 -54.8 LearCorp 27.59 +.06 +83.9 LeggMasonI20.06-1.11 +45.0 LehmBr 126.84 +.70 +1.2 LennarA 57.35 +.77 -45.0 Lexmark 46.78 -.79 -12.7 LbtyASG 5.77 -.05 -164 LbtMA 7.80 -.7 UblProp 42.90 +.48 -8.0 LiyEli 52.21 -.74 -1.2 Lmited 22.75 -.06 +10.3 UncNat 51.48 -.04 -27.2 Undsay 18.83 -.07 +3.6 ULinens 25.70 -.20 -24.7 LionsGg d8.00 -.15 +12.3 LackhdM 62.38 +.08 +1.6 LaPac 27.18 -.37 +18.0 LowesCos 67.98 +.15 -26.3 Lucent 2.77 -.02 -11.7 Lyondel 25.54 +.19 +.2 M&TBk 108.08 -.19 -3.8 MBIA 60.87 -.41 -4.8 MBNA 26.83 -.01 -.4 MDCs 66.20 +1.19 +23.7 MDURes 32.99 +.41 +73.6 MEMCIf 23.00 -.19 -4.3 MCR 8.44 +08. +3.3 MGMMirs 37.58 +.33 +15.2 MPSGrp u14.12 +.68 -16.1 Madeco 8.38 +,18 -19.9 Magnalg 66.11 +.11 -11.6 MgdHi d5.81 +.05 +27.0 Manulilg 58,68 +.04 +46.0 Maralhon 62.42 +.93 +49.1 Maritm 27.10 -.91 +7.4 MarInCA 67.65 +.58 -2.0 MarshM 32.24 -.03 -3.2 Marshlls 42.79 -.26 -29.1 MStewit 20.57 +.23 437.9 MartMM 74.00 -.38 -19.4 Masco 29.45 -.42 +20.2 MasseyEn 42.00 +.60 -25.1 MatScil 13.47 -.64 -15.6 Mattel 16.44 -.06 +33.2 MavTube 40.36 +.40 -12.3 Maxtor 4.65 +.35 -13.5 Maytag 18.25 -.24 -22.5 McCorm 29.90 -1.37 +8.6 McDnkds 34.82 -.44 +16.4 McGrwHs 53.28 +.08 +65.4 McKesson u52.04 +1.00 -1.9 McAfee 28.37 +.49 432.7 MedcoHtth 55.20 -3.0 Medics 34.05 -.13 +12.6 Meditic 55.95 -.37 46.2 MellonFnc 33.03 -25 -7.7 Me*k 29.68 -.61 +7.3 MeridGId 20.35 +.15 +12.5 MerrmllLyn 67.25 -25 -1.6 MertlplH 24.60 -.02 +25.3 MeLie 50.74 +.12 +6.3 MieronT 13.13 -.53 +17.8 MidAApt 48.55 -.20 -8.6 Midas 1828 +.28 -63.1 Milacon 1.25 +.08 431.8. Miipore u65.67 +.56 -31.1 MilsCp 43.90 +.33 +28.8 MitsuUFJ 13.16 -.28 -28.0 MittalSI 27.82 -.59 +1.1 MobileTels 35.02 +.05 +38.9 Monsnto 77.18 -.39 -49.0 Montper 17.04 -.36 +38.6 Moodyss 60.17 +.51 +1.5 MogStan 56.36 +.06 +26.3 MSEmMkt 22.19 -.26 +35.7 Motorola 23,34 +.28 +2.5 MunienhFd 11.12 +.01 +32.0 MurphOs 53.09 +.03 +17.4 MylanLab 20.75 +58 +12.5 NCIBId 42.20 -328 -.9 NCORCps 34.30 -.27 +23.4 NRG Egy 44.47 +.47 +48.1 Nabors u75.98 4325 -9.6 NatC' 33.96 -.10 +16.8 NatFuas 33.11 +.16 -.1 NaGrid 47.94 +.84 +87.6 NOilVaro 66.21 +2.85 +52,0 NatSemi u27.28 -40 -13.6 NavigCons 22.99 +.49 -4.8 Navteq 44.13 -1.24 +23.8 NeuStarn 3220 -.10 -6.4 NeaAm 2.05 -.02 -44.1 NwCentFn 35.74 +.64 +2.1 NJPRscs 44.26 +.47 -20.1 NYCmtyB 16.43 -.12 -33.5 NYTimes 27.13 -.28 -1.0 NewellRub 23.96 +.09 +72.7 NewfExps 50.98 +.71 +13.2 NewmtM 50.28 +.69 +60.2 NwpkRs 8.25 +.17 -16.5 NewsCDA 15.59 +.26 -14.5 NewsCpB 16.42 +.38 -6.9 NiSource 21.20 -.02 +9.1 Nicor 40.29 +.10 -5.3 NikeB 85.90 -.49 -38.8 99Cents l 9.89 +.12 +51.8 NobleCorpu75.53 +1.51 +38.3 NobleEns 42.65 +1.11 +15.6 NoldaCp u18.11 +.33 +59.5 Nordstrms 37.27 +.67 +18.3 NorfkSo 42.80 +.14 -15.6 NortlNet 2.93 -.05 -5.4 NoFrkBc 27.28 +.11 43.6 NoestUt 19.52 +.01 -15.4 NoBordr d40.76 -.38 46.9 NorthropG 58.10 +.29 -16.6 NStarRlt 9.55 +.20 43.5 Novartis 52.30 -.01 +7.3 NSTARs 29.13 +.26 +29.3 Nucor 67.69 -1.06 +7.5 Nuveenlnv 42.44 +.67 -7.0 NvFL 14.15 -.01 -9.8 NvIMO 14.22 -.05 +.8 OGEEngy 26.72 +.16 +43.0 OcdPet 83.46 +.86 +68,4 OflcDpt 29.23 -.65 +489.3 OilStates 36.52 +1.45 +48.3 OldRepub u27.41 +.52 -11.8 Olin 19.43 -24 +78.7 Omncre u61.85 +3.97 +1.6 Omnicom 85.64 -.36 -1.8 ONEOK 27.90 +27 +49.3 OreS u3030 +.14 431.9 Oshkshs u45.08 +.23 -13.4 OutbkStk- 39.63--.71 -8.8 Owenslll 20.65 -.50 +11.1 PG&ECp 36.96 +.74 +10.2 PNC 63.29 +.22 -.2 PNMRes 2523 +.13 -12.9 PPG 5936 .-.39 48.9 PPLCps 29.01 +.35 -18.5 Pactiv 20.61 -.17 -6.4 PallCp 27.10 -.10 +5.5 PartnerRe 65.36 +.90 ... Pain 22.50 +94.6 PaylShoe 23.94 +.49 +107.4 PeabdyEs 83.90 +1.89 +14.1 Pengrhg 23.75 +.16 +5.3 PenVaRs 54.85 +.13 +31.4 Penney 54.42 +.16 -16.8 PepBoy. 14.21 +.08 +2.3 PepcHold 21.80 +22 +13.2 PepsiCo 59.07 -.15 +7.5 PepsiAmer 22.84 -.16 +3.5 PerkElm 23.28 -.02 +19.9 Prmian 16.72 +.18 +78.5 PettrsA 64.64 -.46 +80.2 Petrobrs 7130 -.08 -22.0-Pfizer 20.98 -.12 +46.4 PhelpD 144.81 43.91 +8.5 PhilipsB 28.76 -.02 +.3 PiedNG 23.31 +.18 -42.6 Pier1 11.30 +.03 -8.7 PirncoStrat 11.02 -.12 +50.2 PioNtr 52.71 +1.21 -10,6 PitnyBw 41.36 -.49 +22.7 PlacerO u23.15 +.45 +75.7 PlainsEx 45.68 +.95 -2.6 PlumCrk 37.45 +.01 +7.3 PogoPd 52.01 +1.21 -26.6 Polaris 4.91 -3.46 +23.3 PoloRL 52.53 +.73 +17.1 PostPrp 40.86 +.41 -3.2 Potash 80.37 -.78 +19.5 Praxajr 52.78 +.33 +53.8 Pridelntll u31.59 +.65 4+3.5 ProctGam 57.01 -.03 -3.8 ProgrssEn 43.54 -.11 +6.2 ProLogis u46.00 +.99 -19.7 ProsStHiln 2.85 +.03 438.7 Prudent! 76.22 +.70 +25.6 PSEG 65.00 +1.12 -17.0 PugetEngy 20.51 -.19 +28.1 PulteHs 40.85 +.32 +.3 PHYM 6.67 -.01 -2.0 PIGM 9.35 +.03 -8.5 PPrTr 6.02 +.05 +18.9 Quanexs 54.33 +.22 +69.4 QuantaSvc 13.55 -.14 +21.0 QImDSS u3.17 -.02 46.5 QstDiags 50.86 +.83 +85.8 QkslvRess 45.56 +2.06 -13.3 QOulksvrs 12.92 +.64 +25.9 QwestCm u5.59 +.32 -6.3 fRPM 18.42 -.07 -28.9 RadioShk 23.38 -.03 +1.2 Ralcop 42.45 -.55 +100.4 RangeRss 27.33 +1.03 +19.6 RJamesFn 37.04 -.22 +26.7 Rayoniersu41.32 +.82 +1.3 Raytheon 39.33 +24 -12.8 Rftylnno 22.05 -.08 -6.0 RegionsFn 33.46 -.06 -27.3 ReliantEn 9.93 +.20 -18.0 RenaisRe 42.70 -.30 +152 Repsol 30.07 +.31 +81.5 RetailVent 12.89 -.08 +27.4 Revlton 2.93 -.05 -13.7 Rhodia 2.33 -.01 48.5 RieAid 3.97 +.01 +50.1 Rowan u38.88 +1.63 -14.5 RyCarb 46.57 +.15 43.3 RoyDShAn64.09+159 -1.1 Royce 20.21 +.05 -2.7 RubyTues 25.37 -.33 +25.6 Ryland 72.27 +.87 43.1 SAPAG 45.58 +28 +1.5 SCANA 40.00 +.05 +1.4 SLMCp 54.12 +.67 -11.6 SRAIntls 28.37-1.51 -5.5 STMIo 1826 +.03 +20.9 Safeway 23.86 +.01 43.7 SlIoe 66.55 +1.14 +21.8 SUude 51.06 -.15 +19.9 SIPaufnrav 44.44 -.07 +152 Saks 16.72 +.10 +97.5 Salestorce 33.46 +.05 -18.5 SalEMInc2 13.41 -.07 +16.6 SalmSBF 15.16 +01 +55.4 SJuanB 45.75 +124 +4.8 Sanofi 41.96 +55 -25.6 SaraLee 17.97 -.05 440.0 Satyam 33.78 -1.18 -8.0 SchergPI 19.20 +50.3 Schlrmb u100.65 +321 +25.3 Schwab 14.98 -.15 +28.4 SdAllanta 42.37 -.10 +20.7 ScotlPw 37.60 +.84 -2.7 Scdipps 47.00 +.12 +10.1 SeagateT 19.01 +.11 +22.7 SempraEn 44.99 +.74 -25.1 Sensient 17.97 -.16 +453.9 ShopKo 28.75 +.04 432.1 Shurgard 58.13 +.56 +31.4 SiderNac 21.66 -.13 +27.7 SierrPac 13.41 +.01 +19.3 SimonProp 77.17 +.22 +34.3 SixFlags .7.21 -.03 +19.9 SmithAO 35.90 +.45 +44.7 Smithlnts u39.37 +.77 -31.9 Solectm 3.63 -.01 +4.4 PouthnCo 35.00 +.32 +48.0 SthnCopp 69.86 +1.41 +1.0 SwslAiJ 16.44 +.01 +185.5 SwnEngys 36.18 +.69 -4.9 SovrgnBcp 21.45 -.08 -8 SorintNex 24.65 +.04 +15.1 StdPacs 36.90 +.40 +.2 Standex 28.55 +.51 +9.6 StarwdHtl u64.03 +.89 +19.3 StateStr 58.62 -.10 +10.5 Steris 26.20 +.40 +18.5 sTGold u51.90 +.58 -4.2 Stryker 46.23-1.04 -23.4 SturmR 6.92 -.11 -253 SunCmts 30.07 +.55 +81.6 Suncorg u64.27 +1.69 +104.7 Sunocos 83.64 -.01 -1.8 SunTrst 72.57 -.06 -30.5 SymblT 12.03 +.01 -14.9 Sysco 32.50 -.01 -14.5 TCFFnd 27.48 -.05 +1.0 TDBknorth 29.53 -.13 +14.1 TECO 17.52 +28 -9.9 TJX 22.64 +.32 +863.1 TXUCorp 105.28 +1.98 +47.0 TXUpfD 84.01 +1.41 +21.3 TaiwSemi 9.81 -.09 +91.5 TalismEg 51.64 +.48 +1.5 Target 52.70 -.39 +16.3 TeNorL 18.81 -.36 +19.3 TelMexs 22.86 +.05 -40.0 TelspCel 4.08 +26.8 Tenmplelns 43.38 +.40 -42.4 TempurP 12.21 -22.3 TenetHlth 8.53 +.23 -7.5 Teppco 36.43 -.01 -12.2 Teradyn 14.99 -26 -36.0 Terra 5.68 +.0? +1.1 TerraNitro 22.55 -.70 +86.7 Tesoro 59.49 +1.24 +72.8 TetraTs u32.60 +1.70 +32.5 Texlnst 32.63 -.93 +4.8 Textron 77.35 -.10 -27.6 Theragen 2.94 -.05 +1.6 ThermoE 30.68 -.11 435.2 ThmBet 41.58 +24 -6.3 3MCo 76.94 -.44 +37.9 Tdwtr 49.10 +2.35 +27.0 Tiffany 40.59 -.41 +4.9 Timbrids 32.86 +.30 -8.7 TimeWam 17.76 -.36 +21.7 Timken 31.67 -24 +517.5 TtanMsff u74.53 +3.29 +142.6 Todco 44.68 +2.43 +41.0 ToddShp u25.52 +.75 43.6 TolBross 35.55 +1.25 +7.7 TorchEn 7.00 +.09 -4.4 Trchmrk 54.53 -20 +23.5 TorDBkg 51.48 -.33 +17.8 TotalSA 129.42 +2.60 -8.6 Tota]Sys 22.22 -.24 +10.1 TwnCtry 30.43 +.04 +63.7 Transcon u69.39 +228 -38.7 Tredgar 12.39 +.08 +1.4 TriContI 18.54 -.01 -26.7 Tribune 30.89 -.12 +16.9 TrizecPr 22.12 +.01 -8.3 Tronoxn 13.12 +23 -16.3 Trstreet 15.11 +.09 -21.7 TvcolntJ 27.99 -.68 -10.2 Tyson 16.52 +.23 +5.2 UGICorps 21.51 -.05 -7.4 UILHold 47.48 +.43 +27.8 URS 41.01 +.16 -17.6 USTInc 39.66 +1.37 +9.7 UniFirst 31.03 +11.8 UnionPac 75.21 +.08 -37.9 Unisys 6.32 +.06 +53.2 Unit u58.52 +1.85 -6.7 UDomR 23.15 +.15 +1.6 UtdMicro 3.25 -.06 -12.2 UPSB 75.02 -2.18 -4.3 USBancrp 29.97 -.11 -5.7 USSteel 48.32 -1.57 +7.0 UtdTechds u55.30 +.50 443.0 Utdhiths 62.96 +.35 43.5 Univision 30.30 -.37 +22.2 UnumProv 21.92 -.02 -31.3 ValeantPh 18.09 +.31 +134.7 ValeroE 106.56 +2.58 -7.1 VKSrlnc 7.82 +.16 +16.8 VarianMed 50.50 -.47 +1.0 Vecren 27.06 +.04 +66.4 VertDGC u37.28 +3.00 -22.9 VerizonCm 31.23 -22 -5.2 ViammB 34.48 -.55 +2.6 ViacmBwi 43.90 -1.00 +25.3 VimpelCm 4528 -.20 +139.6 VintgPt 54.37 +37 -12.3 Vishay 13.17 -28 -31.9 Visteon 6.65 +.18 -17.9 Vodafone 22.47 +21 -9.2 WCICmts 26.69 +1.46 -30.1 Wabash 18.83 -.16 -.2 Wachovia 52.51 -21 -9.7- WaMart 47.70 -.05 +20.5 Walgr 46.25 -.40 +48.9 WalterInd 5023 +07 -2.8 WAMull 41.08 +.08 -.4 WsteMlnc 29.81 -.31 +.8 WatsnPh 33.08 +.62 +44.0 Weathflntsu36.93 +.97 -30.5 Wellmn 7.43 -A +35.4 WelPoints 77.84 +1.00 +.1 WelsFrgo 6220 -.30 +29.6 Wendys 50.90 -.40 -1.2 WeslarEn 22.60 +22 -8.3 WAstTIP2 11.76 -.01 +39.6 WDigitl 15.13 +19 -39.8 Westwnedl6.20 -2.07 -1.7 Weyerh 66.10 -.12 +20.1 Whrpl 83.14 +.63 +13.3 WilmCS 18.10 +.08 +42.4 WmsCos 23.20 +.34 -19.3 Winnbgo 31.54 -.11 +15.5 WiscEn 38.95 +.57 4.9 Worthgtn 20.54 -.05 -2.3 Wrigley 67.61 +35 +2.1 Wyeth 43.50 +.80 -14.3 XL Cap 66.57 +.02 +70.3 XTOEgys 45.20 +1.30 +1.6 XcelEngy 18.50 +.06 -16.4 Xerox 14.22 -.26 -24.8 YankCd 24.96 -.61 +2.8 YumBrds 48.50 +.35 -16.2 Zimmer 67.11 -.64 -11.6 ZweigTIl 4.73 -.01 IA M ERI A N TO K5X H A G E- YTD Name Last Chg -11.7 AbdAsPac 5.72 +.05 +174.1 AIraxas 6.36 +.09 428. AdmRsc 22.72 +.01 +186.6 Adventix 321 +.34 +140.0 AmOrBion 4.44 -.11 -88.9 AVWStar .07 -.01 44.8 ApexSilv 18.01 +.73 -78.0 ApoltoGg .18 +.01 -8.5 AvanirPh 3.12 +.20 -72.9 Axesstel .88 -.02 +1.3 BeaGold 3.09 -.03 +35.0 BiotechT 206.49 +1.91 4306.0 BirchMtgn u8.12 -.23 +104.7 Bodisenn 13.00 +.94 -56.4 CalypteBh .17 -7.9 Camblorg 2.46 +.02 4363 CdnSEng 2.18 +24.1 CanAngo 1.34 -.03 -31.3 CanyonRes .88 -.01 -24.5 Carvencp 15.10 -.25 +19.0 CFCdag u6.51 +.06 +20.9 Chenieres 38.50 +.04 -8.4 ComSys 11.00 -.07 -388 CovadCmn .79 -37.9 Crystailxg 2.23 +.07 -74.0 DHBlnds 4.95 +.19 +.1 DJIADiam 107.64 -.46 -73.9 DSLnet .06 +.01 +29.7 DesertSng 2.14 +.05 +101.0 DocuSec u14.35 +1.55 -803 EaoleBbnd .13 +.02 -13.0 EVLtdDur 16.40 -.22 +48.8 EldrGldo 4.39 -.01 -4.7 Bswth 7.70 +.10 -.8 FTrVLDv 15.31 +13.6 FlaPUtils 14.50 +483.6 GascoEnn u7.82 +.27 +991.8 GeoGlobalu10.59 +1.14 -13.8 GlobeTeln 3.38 +.06 -33.7 GoldStr 2.66 +.03 +12.6 GrtBasGg ul.34 -.04 +53.9 GrevWolf 8.11 +.19 +19.2 Harken .62 +266.9 HomeSol 5.76 +.02 -27.1 Hyperdynn 2.15 +.29 +27.0 iShCanadau21.95 +.13 +41.6 iShMaexio 35.62 -.42 +28.1 iShEmMkts 86.22 -.65 +1.9 iSh20TB 90.25 +.58 +10.2 iShEAFEs 58.89 -.01 +2.3 iShNqBio 77.12 +.61 +5.1 iShR100V 69.75 +5.3 iShR1000G 51.75 -.10 +5.5 iShRusl00068.49 -.04 +5.1 iShR2000Vs67.62 +.13 +5.6 iShR2000G 71.08 +.07 45.5 iShRs2050s68.30 +.18 -53.6 IMergentlf 7.00 -.58 4327.4 InfoSonic u15.30 +1.80 -2.3 InSilteVis .86 -.01 +12.4 IntgSys 2.27 -.03 -54.8 IntrNAP .42 -39.9 InterOilg 22.76 +.16 +99.0 IvaxConp u3148 +.27 -1.2 MadCatzg .83 +111.1 Medicureg 1.56 +.17 +.4 Merrimac 9.08 +.09 +120.6 Melretekn u7.61 +.22 -25.4 MetroHlth 2.11 +.01 +74.1 Miramar 2.02 -.07 +156.5 NatGsSvcs 24.19 +.34 -16.4 .Nevsungn 1.88 +.16 +48.9 NDragon 1.34 -.10 +14.8 NAPalg 9.40 -.10 +7.9 NOriong 3.14 +.12 +1.8 NOthalM 1.73 +.07 +19.2 NovaGldg 9.24 +.14 +57,8 O iSvHT u134.25 +4.08 +46.8 Orezoneg 1.85 +.11 +27.4 Palalin 3.39 +.09 +134.2 PeruCopon 2.81 -.17 +39.7 PetrofdEg 18.22 +.23 -8.6 PhmrTr 66,42 -.09 +87.6 PlonDrll 18.93 +.93 -.5 PwSValLn 15.52 +.08 -1.7 PwSWtrn dl5,23 -.03 +11.1 Prvena 1.00 +.04 +21.1 ProvETg 11.48 -.01 -50.0 OQnstakean .20 +.01 +132.1 Questcor u1.23 +.23 -1.2 RegBkHT 140.28 -.52 +68.8 Rentech u3.78 +.30 -1.5 ReailHT 97,16 -.46 +12.1 SemiHTr 37.42 -.82 +71.5 SilvWhlngn 5.35 -.01 439.7 Sinovac 5.00 -.24 +131.4 SmithWes 4.05 -.19 +4.2 SPDR 126.00 -.08 +12.2 SPMid 135.75 +,48 +1.9 SPMaIt 30.29 -.05 +1.0 SPCnSt 23.32 -.04 -5.6 SPConsum 33.32 -.14 +44.5 SP Ena 52.47 +.91 43.7 SPFndt 31.67 -.02 +.7 SPInds 31.28 -.14 +3.0 SPTech 21.74 -.16 +13.6 SPUtil 31.64 +.33 -36.7 Stonepath .76 +.01 -9.7 StormCgn 3.15 +.14 +50.6 SulphCon 6.40 -.63 +355.0 TanRng:gn 3.64 +.09 -7.4 TelcHTr 27.03 -.19 +144.8 UltraPgs 58,92 +1.17 +14.7 WSilverg 10.37 +.10 -24.5 Wstmlnd 23.00 +1.25 +83.1 Yamanag 5.53 +.05 I ASD AQATI N LM R E YTD Name Last Chg -51.4 ACMoore 14.00 +11 +12.4 ADCTelrs 21.09 -.42 +3.1 AFCEnts 12.70 -.15 -31.5 AMISHId 11.31 +.41 +102 ASETst 7.45 -.04 +23.7 ASMLHId 19.69 -.16 -17.1 ATITechd 16.07 -.74 +28.6 ATMllInc 28.98 -.05 -38.4 ATS Med d2.87 -.01 +66.4 AVIBio 3.91 +.10 +50.0 AXTInc u2.37 +.42 +50.0 Aastrom 2.13 +.10 4+37.3 Abgenix 14.20 -.10 -56.9 AcaComb 1.71 -.08 +30.2 AcaclaTo 6.9 -.93 -16.1 AccHme 41.70 -.59 +182 Acdvisns 13.42 -.05 -13.5 Acxiom 22.76 +.19 +71.8 AdamsResn4425 -2.15 -25.2 Adaptec 5.68 +.29 +152 AdobeSys 36.13 -.34 +63.6 Adiran 31.31 +.05 +25 AdvDiglInf 10.27 +.02 +352 AdvEnId 12.34 -.47 432.8 Advanta 30.05 -.60 +30.9 AdvantB 31.78 -.79 +24.0 Affymet 45.32 -.52 -24.6 AgileSft 6.16 +.05 +8.7 AirspanNet 5.90 +.05 +67.7 AkamaiT 21.85 +.20 +8.1 Akzo 45.92 -.41 448.4 Alamosa 18.50 +.04 -49.5 AlancoTch .50 +.02 +60.4 Alsila 24.46 -.32 +26.0 AlexBId 3A7 +3.00 -23.4 Alexian 19.31 -.32 -34.2 AlgnTech 7.07 +.44 431.9 Alkaerm 18.59 -.07 -18.8 Alloylnc 6.55 -.17 4+36.3 Allscripts 14.54 +.03 -16.6 AltairNano 2.26 +.02 -8.4 AlteraCp 18.97 -.33 -34.2 Alvarion 8.73 +.09 +9.2 Amazon 48.35 -.48 +14.8 AmerBio 1.24 +.04 -28.0 AmrBiowt .18 -.02 +13.3 AmCapStr 37.78 +.03 -11.5 AEaoleOs 20.84 +.50 -9.6 AmrMeds 18.90 +.49 +.1 AmPharm 37.44 +.24 43.3 APwCnv 22.11 -.07 +72.8 Ameritrade 24.57 +.01 +243. Amen 79.72 +.71 -8.8 AmkorT 6.09 -.19 +62.1 Amylin 37.86 +.16 +50.4 Anadigc 5.64 -.16 +5.5 Anlogic 47.24 -1.73 -39.3 Analysts 2.43 +.05 -17.9 AnIvSur 2.75 +1.58 -17.4 Andrew 11.26 +.16 -17.7 AndrxGp 17.96 -.04 -22.1 Angiotchg 14.34 +.16 +39.6 AngloAm u33.21 +.75 -50.9 Anligncs 4.97 +.14 +23.4 ApogeeE 16.55 +.04 -15.1 ApolloG 68.50 -2.16 +25.0 Apollolnv 18.88 -.20 +130.1 AoleC s 74.08 +.13 -13.7 Applebees 22.83 +.14 -59.7 AppldDigi 2.72 -.12 +8.5 Apldinov 3.77 +.21 +9.5 ApldMaI u18.73 -.26 -35.9 AMCC 2.70 ... +202.6 aQuantive 27.05 +.29 +64.2 ArenaPhm 11.00 +.20 -15.5 AriadP 6.28 -.07 -49.8 Ariba Inc 8.34 +.08 -7.1 ArkBest 41.70 +.17 +4.9 ArmHId 6.48 -.05 -75.3 Arotech ,40 -.02 +50.7 Arid 10.61 +.79 +12.7 ArfTech 1.69 +.04 -8.6 Arteyn 10.33 -.10 +31.7 AspenTo u8.19 +.19 -1.4 AsselAcc 21.00 -.36 -2.0 AssedBanc 32.56 -.02 +21.0 AsysfTch 6.16 -.06 -26.8 AtFoad 5.06 -.11 -57.7 Atari 1.24 +.01 -34.6 AthrGnc 15.41 +.33 -16.6 Arnel 3.27 -.21 -47.2 Audible 13.76 +.12 -37.3 AudCodes 10.42 +.06 -17.4 Audvox 13.04 -.28 +14.3 Autodsks 43.39-1.15 -71.3 Avanex .95 +.09 -29.7 AvoctCp 28.56 -.18 +24.7 Aware 6.05 -.08 -39.6 Axcelis 4.91 -.04 +73.8 BEAero u20.23 +.53 +1.4 BEASys 8.98 -.13 +120.7 BeaconP 2.03 -.06 -23.0 BeasleyB 13.49 +.02 -162 BebeStss 15.08 +.10 +6.2 BedBath 42.30 -.73 +153.3 Biocryst 14.64 +.34 -32.5 Bloqanldc 44.93 +2.15 -14.1 Biomret 37.27 -.93 -75.4 Biopurers .87 -.02 +17.0 Blckbaud 17.13 -.02 +143.6 BluCoat 45.33 +.89 -8.3 BobEvn 23.97 +.12 +6.0 Bookham 5.13 +.20 -46.8 Borland 6.21 +.01 +46.9 BnigExp 13.22 +.21 +120.3 Brightpnts 28.70 -.86 +47.7 Brdcom 47.67 -.41 -25.6 Broadwing 6.78 +.03 -45.2 BrcdeCm 4.19 +.01 -23.6 BrooksAut 13.16 +.06 +106.4 BIdgMat 79.04 -2.41 +59.2 BusnObj 40.35 -40.9 C-COR 5.50 +.02 -13.9 CBRLGrp 36.02 -.36 -29.3 CDCCpA 3.26 +.01 -11.2 CDWCorp 58.93 -.22 439.3 CHRobris 38.66 -.19 -22.0 CKXIncn 14.41 +.42 -36.5 CMGI 1,62 +.04 +40.9 CNET 15.82 +.09 +20.9 CSG Sys 22.60 +.20 46.3 CVThera 24.46 -.19 -24.2 CabotMic 30.38 -.12 +29.3 Cadence u17.86 -.05 +93.6 CalDive 78.89 -.03 +12.9 CalmsAst 30.48 +.94 -86.8 CancarVax 1.43 -.21 +10.7 CapCtyBks 37.02 -.13 +97.8 CpstnTrb 3.62 -.08 +116.4 CaptvaSit 22.03 -11.1 CareerEd 35.55 -.15 +32.5 Caseys 24.05 +.12 +128.7 Celgene 60.66 -.04 -71.3 CeIlThera 2.34 +.04 +2.4 Cephin u52.09 +.67 -2.1 Cepheid 9.73 -.17 +13.8 Ceradynes 43.40 +.25 439.7 ChrmSh u13.09 +.05 -43.8 ChartCm 1.26 -.02 -14.0 ChkPoint 21.17 -.18 +25.0 ChkFree 47.61 +1.06 +9.6 Checkers 14.69 +14.8 Cheesecake37.28 -.12 +38.1 ChildPIc 51.12 +1.02 -468.5 ChlnaESvn 8.02 +.41 -41.0 ChIFnOnI 6.50 +.11 +95.2 ChinaMedn31.63 -.90 -1.5 ChinaTcFn 15.09 -.78 -10.2 ChipMOS 5.72 +.02 +33.5 Chiron 44.51 +.02 +13.2 Chordnt 2.58 -.06 -17.2 ChrchllD 37.00 +.25 -9.0 CienaCp 3.04 -.02 +7.6 CinnFin 45.36 +.26 -3.2 Cintas 42.46 -.44 +27.6 Cirrus 7.03 -.21 -8.7 Cisco 17.64 -.14 +10.6 CitrixSy 27.05 -30 +100.6 CleanH 3027 +1.97 +47.9 ClickCm 23.76 +.24 -31.4 Cogent 22.64 -.21 +14.7 CogTech 48.57 -.50 -25.0 Cognosg 33.03 -.48 458.8 CldwtlCrs 32.69 +.43 43.5 Comarco 8.90 +.26 -19.1 Comcast 26.92 -.18 -19.1 Coomcso 26.56 -.19 +86.7 ComTouch .85 -.05 +1.0 CompsBc 49.15 +.05 +47.7 CompCrd 40.37 +.25 +40.7 Compuwre 9.02 -.01 -34.6 CmstkHmn14.36 +.77 +26.2 Comrntechs 31.63 -1.62 +13.5 Comvers 27.75 -.39 +84.1 Concepts 14.94 -.49 448.0 ConcurTch 13.01 -31.5 ConcCm 1 6 -.02 +30.2 Conexant 2.59 -.06 -16.4 Conmed 23.77 +.12 -41.0 Connetcs 14.34 +.26 -10.9 Copart 23.46 -.38 -41.7 Corillian 2.87 +.05 -32.2 CorinthC 12.78 +.20 +27.6 Cosllnc 7.72 -.42 -43.6 CostPlus 18.12 +.32 -.2 Costco 48.29 -1.06 -66.5 Crayinc 1.56 -.02 -15.1 CredSys 7.77 -.24 -34.3 Cree Inc 26.34 -.31 486.3 CubistPh 22.04 +.41 -13.9 CumMed 12.99 +55 -97.2 CurHilh .19 -.04 +229.0 Cultera 41.12 -.83 +29.5 Cymer 38.24 -.37 -663 CyprsBlo 6.15 +.33 -75.1 Cylogen 2.87 -.10 +5.2 Cytyc u28.99 +.49 -78.0 DDiCorp .70 -.02 -19.0 DOVPh 14.62 +.96 -14.3 DRDGOLD 1.32 +46.1 DadeBehs 40.91 +.13 -54.4 Danka 1.44 +.05 -368.1 DeckOut 30.02 +2.05 -24.9 DeIllnc 31.65 -.13 +10.3 DitaPI 17.29 +.73 -49.6 Dndreon 5.43 +.22 +2.7 Dentsply 57.69 +.28 +14.4 Deponed 6.18 +.07 -56.0 DigGen .55 -.10 +88.9 DgInsght u34.75 +.09 -29.9 DigRiver 29.17 -.57 +28.9 Digitas ul2.31 -.69 +83.8 Diodess 27.73 +.31 +2.7 DiscHIdAn 15.49 +.20 +257.2 DistEnSy 8.93 -.19 -41.1 DitechCo 8.81 -.01 +334.9 DobsonCm 7.48 -.04 -18.6 OlIrTree 23.41 +.04 +99.3 DressBn 35.08 +.10 -16.5 drugstre 2.84 -.03 -38.7 DryShipsndl2.39 -.48 +72.3 DurectCp 5.65 +.23 -31.9 DyaxCp 4.92 +.61 +373.4 DynMaO s 28.74 -.54 -25.3 eBays 43.47 -.86 +27.0 EGL Inc 37.97 -.45 -49.9 ESSTech 3.56 +.11 +76.4 EZEM u25.75 +1.96 +.3 EdthLnk 11.55 -.08 -21.9 EchoSlar 25.98 -.12 -6.7 Eclipsys 19.07 +.21 -93.2 eCost.cm 1.09 -.01 +78.3 EdgePet 25.99 +.14 -19.8 EduDv 8.27 +.02 -70.0 8x8 Inc 1,22 -.08 +27.2 ectSci 25.13 +.12 -32.7 ElctrgIs 3.17 -.03 -9.6 ElectArls 55.75 -.84 +57.0 EFII 27.33 -.03 -15.1 ElizArden 20.16 +.33 +2.0 Emageon n 15.25 +.59 +90.5 Emcore 6.65 -.32 -2,8 Emdeon 7.93 +.20 -75.5 eMrgelnt .39 -.01 +11.7 EncysiveP 11.09 -.14 +43.8 EndoPhrm 30.22 +.07 -26.5 EndWve 12.82 +2.49 +57.9 EngyConv 30.50 +.88 +4.6 EngSups 41.31 -.22 +1.9 Entegris 10.14 +.05 +6.0 Enterrags 20.05 -.05 -44.8 EnzonPhar 7.58 +.15 -1.4 EpiAcrSft 13.89 +.23 -3.2 Equinix 41.38 +.69 +9.8 EicsnTI 34.58 -.08 +170.0 EvgrSir 11.80 +.36 -7.4 Exelixis 8.80 +.29 +2.9 Expedian 24.62 +.04 +24.6 Expdlntl 69.65 -1.26 +129.8 ExpScripts 87.83 +.79 -24.0 ExtNetw 4.98 -.02 +7.7 F5 Netw 52.45 -.82 -27.4 FLIRSyss 23.14 +.64 +28.5 Fastenals 39.56 -.14 -17.5 FiflhThird 39.04 -.38 -19.3 Finiser 1.84 +.04 +5.7 FstNiagara 14.74 +.18 -9.3 FslMent 25.85 -.29 +8.7 Fiserv 43.69 +.04 -23.7 Flextm 10.55 -.08 +139.8 Rowlnt If 7.17 +.28 -49.7 Fonar d.79 -.04 -2.0 FormFac 26.60 +.29 +29.0 ForwrdAs 38.45 +.34 +306.7 Forward 17.00 +.10 -22.3 Fossil Inc 19.93 -.04 +144.0 FosterWh nu36.33 +1.60 +6.1 Foundry 13,96 +.03 -25.2 FrnlrAir 8.53 +.12 -47.1 Firmndia .45 -.02 +81.5 GFIGrpn 47.98 +.25 -1.2 GSIGrp 11.34 -.02 +5.9 GTCBio 1.61 -.19 -3.4 Garmin 58.80 -.59 +48.4 GeacCm g u10.86 +.08 -51.7 Gemstar 2.86 -.02 +8.6 GenProbe 49.09 +.97 +7.3 GeneLgc 3.95 +.14 -62.3 GeneLTc .45 -.01 +22.7 GenBiotc .92 -.01 +5.6 GenesisH 36.98 -.11 435.1 GenesMcr 21.92 -.44 -17.6 Genta 1.45 +.03 +.3 Gentexs 18.57 +.51 +27.4 Genzyme 74.00 +.20 +222.2 Geores 9.86 +.61 +15.1 GeronCp 9.17 +.16 +48.6 GigaMed 2.69 -.07 +50.4 GileadSd 52.62 +.13 -19.3 GIblePnt 4.15 +.03 +54.6 Globllnd 12.82 +.32 +113.0 Google 410.65 +4.43 -79.5 GreenfdOn 4.50 +.01 +74.4 Gymbree 22.36 +.20 -9.8 HMN Fn 29,75 +358.4 Hansen s u83,46 -1.57 +13.5 HarbrFL 39.27 +.24 -40.9 Harmonic 4.93 -.35 -12.1 HarlsHa 14.40 +.95 -64.7 HayesLm 3.12 +.54 +39.8 HithExt 22.79 +.45 -9.3 HitlndE 20.39 -.20 -22.6 Herley d15.74 -.06 +127.7 HITcPhrm u41.99 +3.47 +158.0 Hologics 35.44 -2.46 +90.8 HomeStore u5.78 +.05 -7.5 HotTopic 15.90 -.05 -6.7 HouseValu 14.01 +.02 +4.0 HudsCitys 11.94 +.02 -24.9 HumGen 9.03 -.17 -3.0 HunUB s 21.76 -.28 -3.2 HuntBnk 23.95 +.03 +81.8 Hurco u30.00 +2.67 -17.2 HulchT 28.61 +.31 -41.7 Hydrgcs 2.82 +.06 +10.5 HyperSolu 51.52 +.21 -9.3 IAC Inter s 27.82 -.33 -2.3 ICOInc 3.01 +.21 -2.5 ICOS 27.58 -.35 +102.9 ID Bio 30.34 +.19 -34.2 IPCHold 28.63 +.41 -1.8 ImaxsCp 8.10 -32.8 Imclone 30.97 -.18 -25.7 Imunmd 2.26 +.06 -63.2 InPhonlc 10.10 -.10 437.4 Inamed u86.88 +.53 -41.8 Incyle 5.81 +.02 -6.8 IndpCmly 39.69 +.03 -36.6 IndevusPh 3.78 -.22 +50.5 IndusIntl u3.22 +.04 -44.0 InfoSpce 26.64 -.22 -56.3 InFocus 4.00 +.10 437.9 Informat 11.20 -.08 +7.9 Infosys 74.82 +.17 433.3 InPlay 3.16 -.20 -.2 Insight 20.48 -.14 -35.0 Insmed 1.43 +.08 -69.9 InspPhar 5.04 +.04 -15.6 Instinet 5.09 +.01 +8.0 IntgDv 12.48 +.01 +9.9 Intel 25.70 -.45 +150.5 Intellisync 5.11 +.02 +19.6 InterMune 15.86 +.56 -10.8 IntSpdw d47.10 -5.70 -9.6 InlemlCap 8.14 +.12 +129.8 IntmtlniU 11.19 -.16 -4.1 IntntSec 22.30 -.25 +53.2 Intersil 25.60 -.55 -19.1 InlraLase 18.99 -.32 +19.5 Intuit 52.61 +.16 +179.6 IntSurg 111.90 -1.01 -22.9 InvFnSv 38.54 +.24 .. Invirogn 67.15 +2.13 -11.7 Isis 5.21 +.01 -4.7 IsleCapri 24.45 -.93 -44.0 IvanhoeEn 1.41 +38.3 iVillage 8.55 -.09 -17.1 Ixia 13.93 -.37 +29.2 j2Glob 44.58 +30 -14.8 JDS Uniph 2.70 +.01 +.3 JkksPac 22.17 +.35 +10.3 Jamdat 22.77 +.43 -19.6 JetBlue 18.67 -.69 +51.1 JosphBnk 42.75 +.17 +87.1 JoyGlbls 54.18 -.07 -17.9 JnprNlw 22.31 -.39 +11.0 KLATnc 51.70 -.87 -4.0 KnghlCap 10.51 -.10 +93.8 Komag 36.40 +.41 +72.1 KopinCp 6.66 -.04 +89.2 Kos Phr 71.22 +3.57 -3.9 KosanBlo 6.66 -.52 -8.1 Kronos 46.97 -.07 -.1 Kulicke 8.61 +.12 +70.1 Kyphon 43.82 +.59 +102.6 LCAViss 47.39 -.10 +76.3 LKQCp u35.38 +.44 +64.2 LSIInds 18.80 +.90 -39.8 LTX 4.63 -.11 +26.0 LamRsch 36.43 -.95 +10.5 LamarAdvu47.29 -.40 +18.4 Landstars 43.60 -.41 -32.1 Lasrscp 24.37 +.54 -11.9 Lattice 5.02 -.19 +8.2 LawsnSIt 7.43 -.08 -13.0 Level3 2.95 -.02 +6.1 LexarMd 8.32 +.10 -44.8 LexGntc 4.28 +.07 -4.9 UbGlobA s 22.69 -.24 -12.6 LibGlobCn 21.41 -.30 +5.7 UfePIH 36.79 +.13 +.3 lncare 42.78 -.08 -2.9 LinearTch 37.65 -80 +106.2 LoJack 2493 -.07 -21.3 LodgEnt 13.93 +.03 -66.9 LookSmtrs 3.62 -.24 -76.6 Loudeye 48 -.01 +172.8 Lulkins u5405 +2.15 +59.4 M-SysFD 31.43 -.26 -17.1 MCGCap 14.20 +.13 +26.2 MCIlInc s 19.84 -.01 -366 MGIPhr d17.76 -.45 -36.0 MIPSTech 6.30 -.10 -45.5 MRV Cm 2.00 +.03 +46.4 MTS 35.98 +1.03 -36.2 Macivsn 16.41 -.09 +13.1 OpnwvSy 17.48 +.75 +7.7 Saleco 56.28 -.12 +451.5 MagelPt 2.00 -.01 -9.3 Opsware 6.66 +.07 -7.8 SafeNet 33.89 +.85 +16.6 MagnaEnt 7.02 -.06 +61.5 OplimalAg 19.02 +.57 43.5 SalixPhm 18.20 +.06 +18.8 MarchxB 24.95 +.26 +8.8 OpionCrs 12.47 +.03 -25.9 SanderFm 32.07 +.04 -44.6 Martek 28.35 +.18 +19.4 optXprsn 24.23 -.88 +93.5 SanDisk 48.31 -.79 +62.1 MaivellT 57.50 -.41 -9.3 Oracle 12.44 -,07 -49.9 Sanmina 4.24 -.05 +71.3 Matrlxx 19.80 -2.13 +100.4 OraSure 13.47 +.15 -25.2 Sapient 5.92 -.25 -14.3 Mattson 9.61 -.06 +16.1 Orbotch 24.64 +.70 -1.3 Schnitzer 33.50 -.15 +23.5 MaxReCp 26.31 -.15 -3.8 Orhfx 37.59 +.65 +13.7 SciGames 27.10 -.60 -10.9 Maxim 37.77 -1.47 -44.1 Osdent 2.04 +.09 -53.8 SeaChng 8.05 +.23 444.9 MaxwrlT 14.69 +.13 +16.6 OtterTail 29.77 +.40 +23.1 SearsHkIgsl21.79 +29 -41.7 McDala 3.28 +.03 I__ _; +26.5 SecureCmp12.62 -.68 -39.4 McDataA 3.61 +.04 +24.9 Selcln 55.25 +.14 +220.6 MeadowVlyu12.76 +.63 -45.8 PETCO 21.38 -.45 -11.0 Semtech 19.43 -.47 +25.2 Medlmun 33.95 -.57 -8.8 PFChng 51.40 -136 +49.5 Senomyx 12.38 -.07 -3.3 Medarex 10.42 -.12 -31.0 PMCSra 7.76 -.01 -9.4 Sepracor 53.77 -1.55 -15.7 Mediacm 5.27 +,09 -87.7 PRGSchlz .62 -01 -15.6 Serolog d18.68 -.97 -1.3 MedAct 19.44 +.27 +29.0 PSSWrid 16.14 -.08 -63.5 Shanda d15.52 -.57 -39.8 MentGr 9.20 -.08 -11.4 Paccar 71.33 +.47 -44.4 Shrplm 10.48 -.19 -27.5 MrcCmp 21.52 '+.70 +21.7 Pacerlntl 25.88 +.13 +21.8 Shire 38.90 +.82 -35.3 MercIntrl 29.49 -.05 +11.2 PacSunwr 24.76 +.22 -13.2 ShufflMsts 27.27 -.53 +11.6 MergeTc 24.84 -.43 +14.3 PatmHHm 19.29 +.30 +131.9 SiRFTch 29.50 +.58 +27.8 MesaAir 10.15 +.03 -12.5 PalmInc 27.60 +.17 +.5 SiebelSys .10.54 +.01 +8.6 Micrel 11.97 -.12 +26.2 PanASiv u20.17 -.18 -28.5 SierraWr 12.65 -.42 +23.9 Microchp 32.94 -.43 +17.5 Panacos 7.64 +.26 435.6 Sily 8.07 -.13 +38.4 Mcromse 7.68 -.06 +74.5 PaneraBrdu70.35 +1.09 441.0 SigmDg 14.00 -.02 462.0 MicroSemi 28.13 -.27 +54.4 Pantry 46.47 -.52 +7.3 SigmAl 64.89 -.45 43.6 Microsolt 27.69 -.06 +71.6 PapJohn u59.10 3.35 -61.1 SigmaTel 13.83 +.18 -56.1 Mivisn d3.07 -.07 +243.6 ParPet lq8.52 +.61 -40.2 Silicnimg 9.84 -.15 +3.2 Mikohn 10.52 +.33 -2.7 ParmTc 5.73 -.07 +10.7 SilcnLab 39.10 -.65 -17.8 MillPhar 9.98 -.09 -22.0 Patterson 33.84 +.06 -3.5 SST 5.74 -.12 -19.8 Mindspeed 2.23 +.04 +75.5 PattUTI 34.14 +.94 +50.2 Slcnware 5.70 -.10 -23.3 Misonix 4.99 +.17 +21.3 Paychex 41.35 -.53 +28.6 SilvSldg 15.55 -.10 -8.5 Molex 27.45 -.51 +528.5 PeerIssSys 8.17 +.20 -19.9 Sina 25.66 -.38 -46.2 Monogrm d1.50 -13 156 +5.4 Sinclair 9.71 -.14 +21.0 MnslrWw 40.70 -.29 +5.2 PnnNGms 31.4 -.23 -2.6 SiriusS 7.42 +.12 -68.4 MovieGal 6.02 +.03 -14.5 Peregrine 1.00 +5, 7 SimaThera 3.35 +.06 -43.1 MullimGm 8.97 +.11 +80.0 PalMed 13.70 +' -3,9 SkillSoft l 5.43 +.04 +140.3 Myogen 19.39 -.43 +55.0 Petrohawk 1327 +.08 -.6 SkyFnc 28.50 -.38 -11.3 MydadGn 19.97 +.28 -11.6 PetDvlf 34.09 +.12 +46.3 SkyWest 29.35 -.27 -76.6 NABIBio 343 -.10 326 etsM 2396 04 -39.8 SkywksSol 5.68 +.04 +2.1 NETgear 18.55 +.1 477 PhmPt 60.9 +1781 -32.0 SmurnStne 12.71 -.12 +188.4 NGASRs 13.18 +.33 -18.9 Phmcyc 8.49 +.17 +14.6 Sohu.cm 20.29 +.17 +93.0 Nil HIdgs 45.80 +.21 +27.8 Piar n 54.70 -42.5 SomeraC d.73 -.01 -33.5 NPSPhm 12.16 +.37 49.3 Pxwrks 5.75 -.11 -34.2 SonicSol 14.77 -.28 -14.4 NTLInc 62.44 +66.9 Plexus 2172 +41 +20.7 SncWall u7.63 +.09 -62.0 Napsler 3.56 -.08 -5.9 PlugPower 5.75 +17 -69.2 SontraMd d.66 +.05 +4.1 Nasdl00Tr 41.56 -.30 -32.6 Polycom 1571 +22 -35.4 Sonus 3.70 -.11 +272.3 Nasdaqn 39.54 +.79 -4.0 Polymed 35.0 -35 +24.6 SonusPh 4.40 -.16 +31.2 Nastech 15.88 +.06 24.7 Populae 21370 -.13 -23.9 SouMoBc 14.08 -9.1 NatAtlHn 10.74 +.16 +9.8 FPorPlay 27.10 +1355 -11.6 SouthFncl 28.76 -.71 +2.3 Natlnstru 27.87 +.25 -21.9 Power-One 697 +31 -63.4 Spacehab .78 +.07 -16.8 NektarTh 16.84 +.17 +82.5 Powewav u13.78 +.80 -57.4 SpanBdcst 4.50 +.03 -33.4 NeoPharm 8.33 -.54 -26 Prestek 9.43 +.21 -57.5 SpatiaLt 3.80 +.02 +129.6 Neoware 21.38 -.70 +169 PeT .74 l+.2 -9.8 SpecLink 12.79 +.82 44.0 NetlUEPSn28.02 +2.76 70.8 PrusT .93 -.02 +122.6 Spectra 12.51 -.33 -43.2 Net2Phn 1.93 -.03 +40.6 ProgPh 24.12 -.01 -52.7 SpctSig 1.20 +.23 +8.9 Netease 57.64 +.68 +350 ProlDsg 27.90 +.50 +37.2 Spherx 4.46 -.46 +123.0 Nefflix 27.50 +.12 -61.4 QLT d6.20 -.80 +51.1 Staktek u7.01 +1.00 -12.4 NetwkAp 29.11 +.07 -12.0 QiaoXing 7.52 -.10 -.2 Slapless 22.43 -.25 +27.0 Neurcrine u62.59 +1.07 -110 logic 32.68 -03 -1.1 Slarbuckss 30.85 -.49 434.7 NextiPrt 26.32 +.10 +4.3 Qualcom 44.21 -.79 -6.8 SIDyna 35.31 -.96 -9.2 Nissan 19.90 +.12 -465 QuanFuel 3.22 +27 -4.0 SlemCells 4.06 +.05 -41.2 NltroMed 15.68 +1.67 8.5 OuestSftw 14.59 +07 -27.5 StewEntIl 5.07 +.21 +10.7 NobltyH 26.00 -.30 +157.7 Quidel 13.09 -08 +73.3 StoltOllsh 11.23 +.20 +8.5 NoaTrst 52.71 ... +111 RCNn 22.60 +.60 447.8 Siraox 3.34 -27.2 NvtWrls 14.14 -.14 -10.4 RFMicD 6.13 +.08 +278 StrMbwt 23 -.05 +18.7 Novavax 3.87 -.37 -404 RSASec 1195 -.02 -22.4 SunMicro 4.18 +.16 +23.3 Novell 8.32 -.08 -32.6 ROneD 10.86 +07 -67.6 SupTech .45 -.03 -11.1 Novlus 24.79 -.60 -27.8 Rambus 1661 -14 -14.3 SuperGen 6.04 +.28 -9.5 Noven 15.44 -19 468 Randgold u16.77 +.47 -36.9 SupportSf 4.20 +.13 +24.8 NuHoriz 9.96 -.21 +32.3 Real Nwk 8.76 +01 -.4 SusqBnc 24.85 +.52 +64.4 NuanceCm u6.89 +.03 +89.5 RedHat 2530 -12 -11.0 SwiftTm 19.11 -03 +1381.4NutriSys 42.22 -.10 +157.5 Redback 13.80 ... +21.7 Sycamore u4.94 +.41 -13.9 Nuvelo 8.48 +03 +16.2 Regenm 1070 +26 -30.4 Symantec d17.94 +.01 452.1 Nvidia 35.83 -.29 -27.1 RentACt 19.31 -14 -8.2 Symetic 8.91 +.03 +38.9 OReillyAs 3128 +16 -123 RepBcp 1218 -17 -15.8 Synaptics 2576 -1.04 -69.0 OSIPhrm 2324 -01 i i,;. ,' .- 45.7 Syneron 4157 -11 -30.9 OccuLogix 7.05 -.54 !, i u, ,,, ,. 1 3 Synopsys 2039 -.30 +3.5 Omnicell u11.38 +.70 174 RigelPh 796 -.18 -14.4 Synoas 9.25 +.32 +107 OmniVisn 20.31 -.28 -5.0 RossSIrs 2742 -.27 +14.3 SyntroCp 9.18 +.94 +124.1 OnAssign 11.63 +.53 +66 4 RoyGId u30.35 +85 +556 THO s 23.79 -.26 431.3 OnSmcnd 5.96 + 22 -397 TLC Vision 6.28 +.05 -10.7 1800Flowrs 7.50 +38 -13 TakeTwos 18.96 -23 -13.1 OnyxPh 28.15 +03 -51.0 S Corp 443 +13 -61.0 TaroPh 13.28 +.22 -8.9 OpenSolu 23.65 +.70 +101.4 SBACom 18.69 +.04 -80.6 TASERIIf 6.13 +.11 -34.1 OpenTV 2.53 +.03 -52.4 SFBCInl 18.80 +1.23 -49.1 TayilDv 3.50 +.35 -10.6 TechData 40.60 +.20 -.3 Techinvest 14.97 +.47 -63.2 Tegal .60 -.02 -40.2 Tekelec 12.23 -.37 +29.2 TelwestGI 22.72 -.03 -15.9 Telikinc 16.09 +.02 +25.3 Tellabs 10.76 -.07 -21.4 Terayonlf d2.13 +.10 -27.7 TesseraT 26.91 +.07 -2.6 TetraTc 16.30 +.34 +47.0 TevaPhrm u43.88 +.43 +5.1 TexRdhsAs15.53 -.02 +108.4 Thoratc 21.72 -.02 -15.3 3Com 3.53 -.01 -43.0 TibcoSft 7.61 +.02 +117.7 TWTele 9.49 +.19 -5.6 TiVolnc 5,54 -.14 447.6 TraclSupp 54.94 +.37 +85.9 TrdeStaln 13.07 -.61 -24.5 Tmsmeta 1.23 +11.0 TmSwtc 1.71 +.01 -72.7 Travelzoo 26.05 +.93 +142.9 TridMics 20.31 +.03 +2.5 TrimbleN 33.87 -.26 -15.3 Trimens 12.00 +.23 +11.0 TriQuint u4.94 +.18 +5.5 TrueRelign 15.62 -.73 -8.8 TrsINY 12.57 -.13 -7.3 Trustmk 28.79 +.19 -33.5 TurboChrs 15.22 -.01 +67,4 24/7RealM 7.25 -.07 -21.1 UCBHHds 18.07 -.08 +180.2 USGiobal 11.49 +.15 -63.5 UTStrcm 8.09 +.13 437.9 UbiquiTI 9.82 +.02 -18.4 UtdNtIF d25.37 -1.18 +62.5 US Enr 4.81 -.15 +19.4 UtdSurgs 33.19 -.69 -.3 UnvAmr 15.42 +.44 +30.4 UnivFor 56.61 -.31 438.7 UrbanOuts 30.79 +.51 -10.1 ValVisA 12.50 +.51 +33.9 ValueClick 17.85 -.51 +15.4 VarianS 42.53 -.58 +46.8 VascoDta 9.72 +.11 -59.8 Vasogeng 2.04 -.11 -13.3 Veecolnst 18.26 +.01 -32.6 Verisign 22.66 -.13 +144.7 VertxPh 2586 +.76 -59.6 VerticlNet .65 +.06 -25.5 VisageT 6.71 +.11 -56.9 VionPhm 2.02 +.06 +499.1 ViroPhrm 19.47 +.67 -16.5 VistaCre 13.88 -.15 -49.1 VisualNet 1.77 +.01 -36.5 Vitesse 2.24 -.01 -36.9 Volterra 13.98 +1.47 +12.9 Volvo 44.69 +.63 -45.9 WJCom 1.86 +72.5 WarrenRsn 15.70 +.18 +31.6 WebMDn u32.12 +3.22 -1.6 WebEx 2340 -.22 +5.7 webMeth 7.62 -.05 -12.4 WernerEnt 19.83 -.48 +119.4 WetSeal 4.98 -.10 +59.5 WholeFd 152.13 +2.65 +7.3 WindRvr 14.54 -.04 -41,3 WrIssFac 5.54 +.04 +16.4 WilnSys 20.33 -.02 -768 WHeartg d.60 +.05 -45.2 WorldSpcn 12.25 +.47 -27.6 WnghiM 20.62 -18 -161 Wynn 56.17 +.18 -259 XMSaL 27.86 -75 -317 XOMA 1.77 -.01 -123 Xlihnx 2602 -.46 +7.1 Yahoo 4035 +.24 -21.3 YellowRd 43.84 -.84 -23.4 ZebraT 4311 -.29 -13.5 ZhoneTch 224 +.02 +9.0 ZionBcp 7414 -.01 444.3 Zora, 16.71 -.23 Request stocks or mutual tunds by wriling Ire Chroncle Ann. Stock RequesIs, 1624 N Meaoowcresl Blvd Crystal River FL 34429. or pnoning 563-5660. For stocks include Ihe name of the stock. its market and its licker symbol For mutual funds, list ir.e parent company and the exact name of Ire lund Yesterday Pvs Day Australia 1.3321 1.3378 Brazil 2.1975 2.1935 Britain 1.7530 -1.7344 Canada 1.1586 1.1587 China 8.0775 8.0766 Euro .8465 .8532 Hong Kongq 7.7538 7.7540 Hungary 216.10 216.50. India 46.140 46.170 Indnsia 9770.00 9830.00 Israel 4.6298 4.6360 Japan 120.26 120.93 Jordan .7082 .7082 Malaysia 3.7720 3.7795 Mexico 10.4990 10.4400 Pakistan 59.73 59.79 Poland 3.27 3.28 Russia 28.9301 28.9856 SDR .7019 .7043 Singapore 1.6834 1.6854 Slovak Rep 32.11 32.31 So. Africa 6.3056 6.3021 So. Korea 1034.10 1035.20 Sweden 7.9721 8.0226 Switzerlnd 1.3003 1.3132 Taiwan 33.50 33.48 U.A.E. 3.6718 3.6727 British pound expressed in U.S. dollars. All others show dollar in foreign currency. Yesterday Pvs Day Prime Rate 7.00 7.00 Discount Rate 5.00 5.00 Federal Funds Rate 4.0625 4.00 Treasuries 3-month 3.86 3.88 6-month 4.13 4.17 5-year 4.43 4.45 10-year 4.46 4.52 30-year 4.67 4.72 FUTURES Exch Contract Settle Chg Lt Sweet Crude NYMX Jan 06 60.66 +1.45 Corn CBOT Mar 06 201 +3/4 Wheat CBOT Mar 06 3121/4 -1 Soybeans CBOT Jan 06 5663/ +73/4 Cattle CME Feb06 95.50 -.47 Pork Bellies CME Feb06 86.10 -.17 Sugar (world) NYBT Mar 06 13.61 +.22 Orange Juice NYBT Jan 06 124.20 +.95 SPOT Yesterday Pvs Day Gold (troy oz., spot) $519.30 $502.50 Silver (troy oz., spot) $8.894 $8.499 Copper(pound) $2.1/UU $2.1B80 NMER = New York Mercantile Exchange. CBOT = Chicago Roard of Trade. CMER = Chicago Mercantile Exchange. NCSE = Now York Cotton, Sugar & Cocoa Exchange. NCTN = New York Cotton Exchange. -I.. k-j -, ."-, - CITRUS COUNTY (FL) CHRONICLE BUSINESS FRIDAY. DECEMBEi-R 9 2005 9A 1- MUTAL UNS 5-Yr. Name NAV Chg %Rtn .AARP Invat: CapGrr 47.94 +.03 -20.9 GNMA 14.80 +.04 +26.8 GIobal 3226 +.08 +29.3 Glthnc 2320 -.02 -2.0 Inl 50.05 +.17 +42 PThwyCn 11.95 +.02 +16.4 thwyGr 13.91 +.01 +1.9 ShTnBd 9.96 +.01 +192 SmCoSk 26.45 +.11 +74.9 AIM Investments A: Agrsvp 11.07 +.01 -19.4 BasValAp 33.98 +.05 +22.7 ChartAp 13.45 -.01 -15.5 Consep 25.07 +.01-19.9 HYdAp 4.34 ... +28.3 InlGrow 23,06 +.09 +18.4 MuBp 8.04 +.01 +28.2 PremnEqty 10.44 +.01 -17.2 SelEqy 18.73 +.03 -24.0 Sunil 12.04 +.02 -31.4 WeingAp 14.16 +.02 -36.7 AIM Investments B: CapDvet 18.67 +.05 +18.7 PremEqly 9.61 +.01 -20.3 AIM Investor Cl: Energy 4429 +90+149.0 SCoGp 336 + +.06 -17.5 itiea 13.88 +.14 -8.0 AMF Funds: AdjMfg 9.69 ... +15.7 Advance Capital I: Balancpnl8.46 +.02.+26.8 Retlncn 9.82 +.02 +42.0 Alger Funds B: SmCapGrt 5.13 +.01 -9.8 AIllianceBern A: AmGvincA 7.65 +.01 .50.9 BalanAp 17.70 ... +31.7 GbTchAp60.73 -.31 -40.2 GrincAp 3.90 ... +14.8 SmCpGrA 24.57 +.09 +3.8 AllianceBern Adv: I LgCpGrAd21.89 +.04 -26.9 'AllianceBsem B: p11.87 +.03 +32.3 RGbTchBt 54.67 -29 -42.5 '1GrothB 26.30 +.01 -12.3 SCpGrBt 20.63 +.08 -0.3 .USGovIBp 6.91 +.01 +19.1 ,AlllanceBern C: 'SCpGrCt 20.69 +.08 -0.1 Allianz Funds C: GwlhCt 19.05 +.01 -33.5 .TaglCt 16.96 ... -23.7 ;Amer Century Adv: EqGopn 23.76 +.01 +8.9 Amer Century Inv: Balancedn17.13 +.02 +18.4 "Eqlncn 7.87 ... +57.9 Growthln 20.97 +.02 -18.8 He eln14.47 +,05 -0.9 IncGron 31 9 -.02 +11.4 IntDiscrn 16.46 -.02 +47.7 92Groln 959 +.02 -4.4 U ijeSdcn 5.41 +.02 -0.3 'NewOpprn621 +.03 -27.9 SOneChAgn11.72 +.03 NS RealEstln 25.58 +20+1542 Select n 38.74 -.15 -17.4 Ursn 30.59 -.13 -13,4 l ln 13.57 +.10 +23 AValuelnvn 6893 -.01 +549 jAmerican Funds A: AmcpAp 1937 -.01 +17.0 AMulAp 2738 -.04 +39.4 BalAp 1828 .. +45.3 BondAp 1323 +.02 +39.4 CapWAp 18.80 +.09 +55.9 CaplBAp 53.53 +.13 46233 CapWGAp37.64 +.06 +673 EupacAp 41.96 +.02 +402 FdlnvAp 35.65 +.09 +24.0 'GwthAp 3120 +.04 +11.6 HITrAp 12.13 ... +53.5 IncoAp 18.48 +.01 .53.4 WlnBdAp 13.44 +.02 +22.9 ICAAp 3234 +.01 +21.7 NEcoAp 2331 -.02 +0.8 NPerAp 30.46 +.07 +31.5 N NwWddA 38.77 -.06 +892 SmCpAp 35.75 +.07 +27.7 TxExAp 12.40 +.02 +30.9 WshAp 31.48 -.03 +293 .American Funds B: BaBt 1820 -.01 +39.8 CaplBBt 53.53 +.13 +553 GnIwhBt 30.11 +.03 +7.4 InomBt 1838 +.01 +47.5 ICABt 32.17 +.01 +17.0 WashBt 3127--03 +24.4 Ariel Mutual Fds: Apprec 47.00 -.06 +642 Ariel 50.78 -.15 +82.4 Artisan Funds:; I l 24.56 +.01 +21.0 V.kCap 31.03 +.03 +20.0 MidCapVa! 18.86 +.02 NS Baron Funds: Asset 56.76 15 .336 -G&Uwn ;45.77a" d76 -SmCap-: 2254, .+07'4+802 Bernstein Fds: InlDur 13.13 +.03 +29.5 DivMu 13.97 +.01 +22.5 TxMgrltV 23.58 +.01 +47.1 ItVal2 2356 +.01 +48.3 BlackRock A: AuroraAe3431 -737 +73.7 C-YlAe 736 -.15 +62.4 Legacy 14.64 +.04 -92 Bramwell Funds: Growth 19.40 +.02 -1Z.7 Brandywine Fds: BLdywnn31.73 +.12 +6.0 Brnson Funds Y: HIi .Yrn 685 ... +48.0 CGM Funds: CapDvn 3524 +.49 +492 Mudon 2891 +.25 +343 Calamos Funds: Gr&lrncAp3l.16 +.11 +422 GrwwhAp 55.37 +22 +39.5 GVronWC 52.89 +21 +34.4 Calvert Group: cope 16.73 -.18 +48.9 InrEqAnp 20.72 +.04 +73 MBCAI 1027 ... +172 Munlate 10.67 -.07 +24.4 SociaAp 28.75 +.02 +8.4 SocBdpe 15.82 -26 +443 SocEqApe 35.82 -.66 +16.5 TaFLt .10.57 +.01 +13.0 TxFLgpe 16.47 -.08 +29.6 TxFVre 15.59 -.08 +24.8 Causeway IntI: lr ulrn1721 +.04 NS Clipper 88.47 -.18+35.6 Cohen & Steers: FRtySE 7823 +.52+147.8 Columbia Class A: Acom t 28.99 +.07 4+88.0 Columbia Class Z: AcomZ 29.67 +.07 +92.5 AcomlnrZ 33.75 +.09 +47.9 Columbia Funds: ReEsEqZ 28.00 +21+114.8 Davis Funds A: NYVenA 33.74 ... +23.8 Davis Funds B: NYVenB 3238 ... +182 Davis Funds C & Y: NYVenY 34.10 -.01 +25.8 NYVenC 32.59 ... +19.1 Delaware Invest A: TrendAp 22.42 ... -23 CTxUSAp 11.45 +.02 +3.0 Delaware Invest B: D.ehtB 324 ... +39.7 TSelGdt 2425 -.06 -25.6 Dimensional Fds: I lntSmVan17.6 +.02+170.1 nUSLgVa n22.11 ... +63.7 USMlcron16.15 +.7+113.4 USSmallsn21.03 +.07 +765 I USSmVa 29.17 +.06+1502 InaSraCon16.55 +.02+120.9 SEmgMOtMn 20.40 -.06+120.7 InlVan 18.08 +.01 +73.6 TMUSSV 2568 +.08+113.3 DFARIEn 25.79 +.19+147.6 Dodge&Cox: Balaced 82.35 +.05 .66.1 Income 12.63 +.03 +382 InOStk 35.06 +.05 NS Stock 138.93 +.01 +76.6 '.Dreyfus: :' Aprec 40.74 -.01 -1.7 Dioc 34.04 +.01 -8.8 Dreyf 10.76 -21 -33 D Dr5001nt 37.03 -.04 -2.7 i EmgLd 4157 +.06 +31.6 I FLlar 13.09 +.01 +23.4 InsMutn 17.73 +.03 +26.0 SWalAr 2837 -.03 +33.6 Dreyfus Founders: GrowhBnI10.57 -.04 -31.7 GrwtFpn11.12 -.05 -283 1 Dreyfus Premier: |CoreEqAI14.96-.01 -7.5 CorVlvp 31.68 ... +122 ULdHYdAp 7.21 ... +24.3 rTxMgGCCt 16.00 -21 -9.0 Eaton Vance CI A ChineAp 1427 -.09 +27.0 GE tVhA 7.59 +.06 +2.4 InBosA 6.32 +.01 +50.2 -SpEqtA 11.57 +.02 -27.3 MunBdl 10.63 +.03 +38.9 TradGvA 7.33 ... +22.7 Eaton Vance Cl B: FLMBt 10.88 +.03 +28.1 HIhSBt 11.87 +.04 -1.2 NalMBt 11.24 +.02 +41.2 Eaton Vance CI C: GovICp 732 ... +18.1 SNaMCt 11.24 +.02 +39.6 Evergreen A: AslAlIp 1433 ... +58.7 , Evergreen B: DvrBdBl 14.54 +.03 NS : MuBdBt 7.44 +.01 +25.8 SEvergreen C: AstAlICI 13.88 +.01 NS Evergreen I: CorBdl 10.4A3 +.03 +34.1 SSIMunil 923 +.01 +20.7 Excelsior Funds: i Energy 30.38 +.67+139.9 HMeldp 4.50 ... +36.,2 VRsalRe 46.27 +.11 +42.1 FPA Funds: NwInc 10.99 +.01 33.1 Federated A: AmIdA 23.56 -.03 +11.7 MidGiStA 34.11 +.14 -0.8 MuSecA 10.62 +.01 +29.0 Federated B: SirncB 8.57 +.02 +50.2 Federated Instl: Kauiimn 5.55 ... +54.0 Fidelity Adv Foc T: HItCarT 23.73 +.18 3.4 NaiResT 44.65 +.82+106.7 Fidelity Advisor A: DivilAr 21.44 -.03 +54.2 Fidelity Advisor I: EqGrdn 51.25 -.03 -20.3 EqlnIn 30.38 -.01 +32.8 IntBdn 10.91 +.02 +32.6 Fidelity Advisor T: BalancT 16.86 +.07 +13.5 DivGrTp 12.07 -.01 -0.1 DynCATp 16.35 +.10 -11.1 EqGrTp 48.52 -.03 -22.6 EqInT 30.01 -.01 +29.3 GovInT 9.95 +.03 +27.6 GrOppT 33.49 +.15 -4.5 HiInAdTp 9.78 ... +69.5 IntBdT 10.89 +.02 +30.8 MidCpTp 26.91 +.09 +30.2 MulncTp 12.87 +.02 +32.8 OwseaT 19.24 +.02 +11.2 STFir 9.41 +.01 +22.1 Fidelity Freedom: FF2010n 14.28 +.02 +16.3 FF2020n 14.91 +.02 +12.3 FF2030n 15.20 +.01 +8.8 FF2040n 895 +.01 +6.7 Fidelity Invest: AggrGrrn 17.93 +.06 -56.4 AMgrn 16.47 +.01 +11.5 AMgrGrn 15.33 -.01 +4.5 AMgrinn 12.77 +.02 +30.0 Balancn 18.85 +.07 +48.0 BlueChGrn43.61 +.05 -18.7 CAMunn 12.42 +.02 +30.6 Canadan 42.68 +.07+102.3 CapApn 27.69 +.07 +28.0 Cplncrn 8.34 +.01 +59.6 ChinaRgn18.70 -.15 +35.9 CngSn 408.04 +.06 +4.2 CTMunrn11.46 +.01 +29.3 Contran 66.43 +.26 +34.7 CnvSn 22.55 +.05 +28.9 Desl n 14.47 +.02 -7.7 Destlln 12.28 +.03 -3.9 DisEqn 27.99 +.05 +7.8 Divln8n 32.69 +.07 +56.2 DivGthn 29.20 -.02 +1.6 EmrMrkn 17.87 -.08+119.9 Eq lncn 54.63 ... +22.4 EQIIn 24.64 -.03 +23.8 ECapAp 24.37 +.13 +39.4 Europe 39.25 +.25 +38.4 Exchn 281.81 +.09 +12.7 Expor n 22.18 +.09 +40.6 Fiden 31.95 +07 -2.3 F%nrn 22.95 +.09 +36.2 l.Mun 11.54 +.01 +30.4 FrinOne n26.76 +01 +13.0 GNMAn 10.86 +.03 +27.7 Gosvtlincn 10.11 +.03 +29.2 GroCon 6327 +.02 -16.3 Grolncn 38.10 +.02 -1.7 Grolrncln 10.43 +.01 +4.2 Kihlncrn 8.78 ... +43.1 Indepnn 19.78 +.09 -12.6 IntBdn 1028 +.02 +31.9 IntGovn 10.04 +.02 +27.0 InUDiscn 30.59 -.05 +44.5 IntSCprn 28.53 +.03 NS *IrnGBn 7.36 +.02 +33.9 Japann 16.41 -.30 +52 JpnSmn 15.33 -.11 +73.5 LatAmn 32.84 -.44+169.7 LesCoSkrn26.49 +.19" NS LowPrn 41.87 +.05+127.1 Mageinnl06.26 +.15 -8.2 MDMurn 10.80 +.02 +28.5 MAMunn11.97 +.01 +31.8 MIMunn 11.87 +.01 +31.0 MidCapn 26.65 +.08 +8.9 MNMunn11.41 +.02 +28.6 MtgSecn 11.03 +.03 +30.6 Munilncn 12.91 +.02 +34.7 NJMunrn11.57 +.02 +30.5 NwMktrn 14.58 -.01 +98.1 NwMin 35.08 +28 -4.7 NYMunn 12.86 +.03 +33.0 OTCn 38.20 -.02 -22.0 OhMunn 11.77 +.02 +31.7 Ovrsean 40.10 ... +17.6 PcBasn 24.42 -.17 +36.4 PAMunrn10.83 +.02 +30.1 Puriltn 18.96 +.02 +29.2 RealEn 32.37 +.33+147.1 StInMun 10.18 ... +19.7 STBFn 8.86 +.01 +24.4 SmnCaplndn20.64+.04 +49.0 SmICpSrn18.40 ... +65.4 SEAsian 20.94 -.0 +82.7 SOS&cn 24.98 +.04 +0.5 Stratincn 10.46 +.03 +58.7 Trnaidn 57.85 +.07 +1.6 USBIn 10.87 +.03 +34.0 Ullityn 14.92 +.07 -1.4 VaStra In 38.35 +.07 +57.1 Vaue'n 75.63 +21+1012 Wddwn 20.35 ... +29.5 Fidelity Selects: Airn 40.34 +.11 +19.7 Autonn 33.29 +.01 +74.1 Buanng n 38.78 -.11 +45.6 Biotchn 61.55 +.43 -32.8 Briokn 72.43 -.14 +503 Chean 67.33 +.08 +97.6 Conpn 37.10 -.29 -43.3 Conldn 25.53 -.02 +16.0 CsfHIon 47.18 +.28+136.2 DRAern 75.05 +.02 +80.7 DC nn 20D00 +.01 -48.3 Elecn 44.42 .42 -.49 -33.1 Enrgyn 50.24 +1.04+116.8 EngSvn 6858 +2.05+118.6 Envin 15.68 +.07 +27.0 FinSvn 117.73 -.18 +28.7 Foodn 53.42 +.07 +37.6 Goldrn 34.65 +27+237.9 Healthn 151.22 +1.14 +6.2 HomFn 58.00 -.23 +49.3 IndlMtl 44.05 -.08+117.3 Insm n 69.60 +.06 +48.3 Leis n 80.11 -.07 +38.8 MedDlIn 55.81 +.54+128.2 MdEqSysn25.88 +.11 +66.5 Muldna 49.01 -.01 +36.3 NtGasn 42.24 +.97+114.8 Paper 29.93 +.03 +27.2 Pharmn 9.90 +.06 NS Retail n 53.82 ... +21.6 Softwn 52.60 +.01 -14.1 Techn 64.17 -.36 -41.7 Telcmn 39.41 +.23 -28.3 Transn 47.06 -.26 +77.8 USlGrn 43.82 +.18 -8.1 Wieless n 6.90 -.01 -26.7 Fidelity Spartan: EqIdIlnv 44.60 -.05 -1.1 5001rxlnvr n87.38-.10 -1.0 Govin n 10.89 +.03 +31.0 InvGrBdn 10.49 +.02 +35.6 First Eagle: GIdA 43.93 +.06+130.0 OverseasA24.96 +.05+136.7 First Investors A BIChpAp 21.12 -.04 -17.8 GIolFAp 7.12 +.01 +3.3 GovtAp 10.80 +.03 +24.2 GrolnAp 14.09 +.02 +1.4 IncoAp 3.00 ... +37.3 InvGrAp 9.63 +.03 +32.6 MATFAp 11.87 +.02 +27.9 MITFAp 12.52 +.02 +26.0 MidCpAp 27.098 +.09 +22.0 NJTFAp 12.87 +.02 +26.0 NYTFAp 14.30 +.02 +25.9 PATFAp 13.05 +.01 +27.4 SpSiAp 20.43 +.07 -9.0 TxExAp 9.97 +.081 +25.6 TolRtAp 14.19 +.02 +6.9 ValueBp 6.70 ... -3.0 Firsthand Funds: GIbTech 3.86 -.01 -61.9 TechVal 33.35 -.07 -63.5 Frank/Temp Fmk A: AGEAp 2.08 +.01 +58.2 *AdUSp 8.93 +.01 +16.6 ALTFAp 11.43 +.02 +31.3 AZTFAp 10.98 +.02 +29.6 Ba~lnvp 64.99 +.03+105.6 CallnsAp 12.61 +.01 +30.4 CAInIAp 11.47 +.02 +25.1 CaTrFAp 7.25 +.01 +31.2 C3pGrA 11.26 -.01 -24.0 COTFAp 11.94 +.02 +31.9 CTrFAp 11.03 +.02 +31.9 CvtScAp 16.81 +.04 .44.9 D06TFA 11.83 +.02 +30.5 DynTchA 26.70 -.02 +5.3 EqlncAp 21.04 -.01 +22.5 Fedlntp 11.34 +.01 +28.4 FedTFAp 12.02 +.02 +31.1 FLTFAp 11.86 +.02 +32.5 FoundAlp 12.77 +.01 NS GATFAp 12.03 +.02 +30.8 GoidPrM A 24.42 +.36+193.7 GrulhAp 36.68 +.08 +5.5 HYTFAp 10.68 +.01 +35.1 IncornAp 2.37 ... +53.7 InsTFAp 12.26 +.02 +30.9 NYITFp 10.87 +.02 +26.5 LATFAp 11.44 +.01 +30.2 LMGvScA 9.92 +.02 +19.8 MDTFAp 11.69 +.02 +31.1 MATFAp 11.85 +.02 +30.6 MIFFAp 12.21 +.01 +30.5 MNInsA 12.04 +.02 +29.0 MOTFAp 12.19 +.02 +32.2 NJTFAp 12.07 +2 32.0 NYInsAp 11.53 +.02 +29.5 NYTFAp 11.78 +.01 +30.6 NOTFAp 12.22 +.02 +32.4 OhtolAp 12.48 +.01 +30.0 ORTFAp 11.79 +.02 +31.5 PATFAp 10.36 +.01 +31.2 ReEScA p29.43 +.22+133.6 RisDvAp 31.99 -.07 +57.9 SMCpGrA 38.05 +.12 -10.4 USGovAp 6.47 +.02 +27.1 UlilsAp 11.79 +.10 +41.4 VATFAp 11.77 +.01 +31.1 Frankrremp Frnk B: IncomBl p 2.37 ... +49.9 IncomeBt 2.36 ... NS Frank/rTemp Frnk C: InomC C 2.3 6 ... +49.6 Frank/Temp Mtl A&B: DiscA 26.99 -.03 +62.5 QualfdAt 20.96 ... +57.4 SharesA 24.91 ... +50.1 Frank/Temp Temp A: DvMklAp 22.83 -.13+128.5 I HO T RADTE UTALFNDTALE Here are the 1.000 biggest mutual funds listed on Nasdaq. Tables show the lund name, sell price or Net Asset Value (NAV) and daily net change, as well as one total return tiguie as follows. a. A 1~ H. Tues: 4-wk total return ('o Wed: 12-mo total return I1L) Thu: 3-yr cumulative total return i%(l FrI: 5-yr cumulative total return ['Q, Name: Name of mutual fund and family. NAV: Net asset value. Chg: Net change in price ot NAV Total return: Percent change in NAV lor the time period shown., with dividends reinvested If period longer than 1 year return is cumula- tive. Data based on NAVs reported to Llpper by 6 p m. Eastern Footnotes: e Ex capital gains distribution I Previous day's quole n No-load fund p Fund assets used to pay dis.rlbjtlon costs. r - Redemption fee or contingent deferred sales load may apply s - Stock dividend or split. I Both p and r > Ex-cash dividend NA - No Information available NE Data In question NN Fund does not wish to be tracked NS Fund did not exist at start date Source: Upper, Inc. and The Associated Press ForgnAp 12.65 ... 44.4 GIBdAp 10.28 +.04 +74.1 GwthAp 23.10 +.04 +553 IntxEMp 15.81 +.03 +36.6 WorldAp 17.83 -.01 +38.1 FrankuTemp Tmp Adv: GrhAv 23.12 +.04 +57.2 Frsnk'Temp Tmp B&C: DevMIdC 2231 -.13+121.0 ForgnCp 12.48 ... +9.2 GE Elfun S&S: S&Slnc 1124 +.02 +33.8 S&SPM 46.90 ... +29 GMO Trust III: EmMkr 21.86 -.08+213.7 For 16.12 +.01 +65.7 InlGrEq 28.88 +.12 NE USCoreEq 14.47 -.02 NS GMO T-ust IV: IntilntVl 31.35 +.07 +83.1 Gabelli Funds: Asset 4335 +.09 +372 Gartmore Fds D: Bond 9.57 +.02 +38.7 GvtBdD 10.19 -+.02 +30.9 GrmwthD 722 -.01 -29.9 NationwD 21.72 +.01 +6.9 TxFrr 10.50 +.02 +292 Gateway'Funds: Gateway 25.46 -.01 +12.8 Goldman Sachs A: GrncA 25.79 -.05 +17.9 MdCVAp ... NA SWCapA NA Goldman Sachs Inst: HYMuni 11.15 +.01 +45.9 Guardian Funds: GBGInGrA 14.85 +.03 +3.5 ParkAA 3228 -.04 -24.3 Harbor Funds: Bond 11.69 +.04 +37.8 CapAplnst33.15 +.03 -11.8 Inr 50.49 +.02 +66.1 Hartford Fds A: AdvrsAp 15.92 ... +6.5 CpAppAp3556 +.05 +363 DivGlhAp 19.09 +.01 +24.5 SmlCoAp 19.1 +.04 +19.8 Hartford HLS IA: Bond 11.74 +.03 +39.6 CapApp 59.74 +.09 +443 Div&Gr 21.82 +.02 +27.7 Advisers 24.40 ... +7.7 Stock 49.92 -.05 -5.4 Hartford HLS IB: CapAppp5937 +.08 +42.6 Hennessy Funds: CorGrow 19.40 +.08+100.5 CoiGroll 29.40 +.20 +64.7 HolBalFdn15.61 +.02 40.4 Hotchkis & Wiley: LgCpVIAp23.83 ... NS MidCpVai 29.96 +.08+1352 ISI Funds: NoAmp 7.44 +.02 +33.1 JPMorgan A Class: MCpValp 23.93 +.03 NS JPMorgan Select: IntEqn 3236 +.08 +23.9 JPMorgan Sel CIs: CoreBdn 10.61 +.03 +34.5 InlrdAmern24.51 +.05 NS Janus: Balanced 22.56 +.03 +16.4 Contradan 14.89 -.05 +44.1 CoreEq 23.64 ... +14.9 Enterprn 42.09 -.05 -29. FedTE n 6.96 +.01 +23.8 FxBnrin 9.43 ,+.02 .33.6 Fundn 25.65 -.01 -30.3 GIULifeSdrn20.14+.11 -4.7 GFfechrn 11.83 -.06 -52.1 Grinc 36.05 +.01 0.0 Mercuoy 2320 +.01 -30.7 MdCpVal 24.40 +.09 +99.0 Olympus 32.59 -.03 -29.6 Orionn 8.36 +.01 +10.8 Onreasr 30.85 -.14 +13.3 ShTrmBd 2.87 ... +19.6 Twenty 5026 +.30 -208 Venturn 59.78 +32 +8.5 WrdWr 43.39 -.01 -27.6 JennlsonDryden A: BlendA 18.16 +.06 +15. FKYIdAp 5.66 ... +43.0 InsuredA 10.73 +.03 +263 ULidyA 15.08 +.18 +42.1 JennlsonDryden B: GrwlhB 15.10 +.01 -17.4 HiYldBI 5.65 ... +39.6 InsuredB 10.74 +.02 +24.7 John Hancock A: BondAp 14.91 +.04 +33.5 OlssicVIp 24.75 +.02 +85.4 SIrnAp 6.97 +.02 +48.0 John Hancock B: SIrncB 6.97 +.02 +43.0 Julius Baer Funds: InlEqlr 36.89 +.19 +57.4 IntEqA 36.17 +.18 +542 Legg Mason: Fd OppornTrt 17.04 -.09 +763 Splrnvpe 45.52 -4.80 +75.2 Varrrp 69.20 +.03 +25.4 Legg Mason Instl: VaffTrInst 76.14 +.04 +31.9 Longleaf Partners: Partners 31.44 -.12 +57.1 Inl 17.22 -.06 +65.0 SmCap 27.43 -.03 +94.3 Loomis Sayles: LSBondl 13.81 +.01 +77.2 Lord Abbett A: AthiAp 14.05 +.01 +17.8 BdDebApx 7.76 -.04 +39.4 GIlncAp 6.92 +.05 +37.7 MidCpAp 24.02 -.02 +79.1 MFS Funds A: MITAp 18.44 +.01 -6.1 MIGAp 12.88 -.03 -27.3 GrOpA p 8.95 -.04 -26.8 HilnAp 3.79 ... +42.1 MFLAp 10.09 +.02 +31.4 ToCRAp 15.40 +.03 +29.5 ValueAp 23.22 +.03 +25.5 MFS Funds B: MIGB 11.77 -.03 -29.6 GvScBI 9.48 +.02 +22.0 HilnB It 3.80 ... +27.4 MulnBt 8.57 +.01 +25.9 TotRBt 15.39 +.02 +25.3 MainStay Funds B: CapApBt 29.42 +.11 -32.2 ConvBt 13.83 +.08 +19.7 GovlBt 8.19 +.02 +19.8 HYIdBBt 6.23 ... +57.5 InOEqB 12.83 -.47 NE SmCGBp 15.00 +.09 -17.4 TolRIB 19.01 -.71 NE MaIrs & Power: Growth 72.55 -.16 +53.1 Managers Funds: SpdEqtn 94.90 +.23 +21.1 Marsilco Funds: Focus p 18.28 +.04 +4.5 Merrill Lynch A: GIAIAp 17.81 +.01 +64.3 HealthAp 7.08 +.06 +19.0 NJMunBd 10.54 +.02 +30.8 Merrill Lynch B: BalCapB 126.74 +.01 +9.3 BaVIBI 30.44 +.02 +21.3 8dHilnc 5.01 ... +41.9 CalnsMB 11.52 +.02 +25.8 CrBPIBI 11.57 +.03 +27.0 CplTBt 11.75 +.03 +282 EqutyDiv 15.93 +.05 +38.9 EuroBt 15.74 +.10 +29.7 FacVall 12.83 +.07 +34.9 FndilGB 17.48 +.08 -18.9 FLMBI 10.32 +.02 +20.8 G0IBt 17.43 +.01 +58.0 HsalthBt 5.29 +.05 +14.5 LatABI 35.80 -.62+171.5 MnlnBt 7.83 +.02 +27.6 ShTUSGI 9.10 +.01 +15.7 MuShtT 9.93 +.01 +11.5 MulnIBI 10.37 +.01 +24.0 MNI0BI 10.45 +.01 +31.2 NJMBI 10.53 +.02 +28.2 NYMBI 10.94 +.02 +25.6 NatRsTB 149.50 +96+168.1 PacBt 21.78 -.28 +24.1 PAMBI 11.19 +.02 +28.2 ValueOpp123.53 +.07 +72.8 USGovt 10.06 +.03 +22.5 U8TIcmt 12.01 +.09 +20.9 WIdlnBI 6.05 +.02 +53.6 Merrill Lynch C: GIAICt 16.93 ... +575 Merrill Lynch I: BalCapl 27.62 +.01 +15.1 BaVII 31.09 +.02 +27.7 BdHilnc 5.01 ... +47.5 CalnsMB 11.51 +.01 +29.0 CrB8RII 11.57 +.03 +31.9 Cpml 11.75 +.03 +21.6 DvCapp 21.79 -.20+108.1 EquityDv 15.90 +.04 +46.1 Eurolt 18.44 +.11 +36.5 FocVall 14.13 +.08 +41.9 FLMI 10.32 +.02 +34.1 GIA011 17.87 ... +66.4 Health 7.70 +.07 +20.6 LaLAI 37.78 -.65+186.0 Mnlnl 7.84 +.02 +32.5 MnShtT 9.93 +.01 +13.5 MulTI 1037 +.01 +25.9 MNaIll 10.46 +.02 +36.3 NatRsTrt 52.59 +1.02+182.1 Paci 23.90 -.31 +30.7 ValueOpp 26.32 +.09 +81.8 USGovt 10.06 +.03 +27.3 Ul4mrnll 12.05 +.09 +25.7 WIdlncI 6.06 +.03 +59.9 Midas Funds: Midas Fd 2.81 +.02+226.7 Monettas Funds: Monetan 12.13 +.03 -3.8 Morgan Stanley A: DivGMhA 36.98 +.02 +13.9 Morgan Stanley B: GibDivB 14.62 +.03 +29.1 GrwthB 14.16 -.03 -13.2 StratB 18.98 ... +8.3 MorganStanley Inst: GIValEqAn18.49 +.03 +22.2 IntEqn 22.11 +.12 4.2.2 Muhlenk 85.13 +.40+84.1 Munder Funds A: InlemtA 21.17 -.06 -51.9 Mutual Series: BeacnZ 17.12 -.01 +54.3 DiscZ 27.28 -.04 +65.4 OualdZ 21.11 ... .02 SharesZ 25.11 ... +52.8 Neuberger&Berm Inv: Focus 37.39 -.08 +4.5 Inr 22.06 +.11 +60.1 Partner 29.96 +.21 +45.8 Neuberger&Berm TI: Genesis 50.53 +.39+110.9 Nicholas Applegate: EmgGroln11.67 +.07 -12.2 Nicholas Group: HInc In 2.13 ... +32.8 Nichn 6227 +.16 +4.0 Northern Funds: SmCpldxn10.88 +.03 447.3 Technlyn 11.80 -.07 -51.3 Nuveen Cl R: InMunR 10.76 +.02 +29.6 Oak Assoc Fds: WhitOkSGn32.51-.33 -552 Oakmark Funds I: Eqlylncrn25.44 +.11 +73.7 Globalln 24.38 +.02+133.1 IntlIrn 23.87 +.06 +702 Oakmarkrn4120 -.15 +45.4 Selectrn 34.53 -.07 +64.7 Oppenheimer A: AMTFMu 10.03 +.02 +40.1 AMTFrNY 12.73 +.02 +35.0 CAMuniAp11.35 +.02 +43.6 CapApAp 43.50 -.02 -9.6 CaplncAp 12.45 -.01 +31.7 ChIncAp 9.31 +.01 +41.0 DvMIdApx34.88 -1.64+173.7 Discp 44.42 +.15 -2.5 EquityA 11.87 +.01 +7.1 GlIbAp 65.77 +.08 +30.9 GbOppA 3528 -.02 +372 Goldpe 2222 -92+226.9 HiYdAp 9.32 +.01 +37.4 IntSBdAp 5.88 ... +90.0 LdTmMu 15.70 +.01 .393 MnSlFdA 37.39 -.03 +2.5 MidCpA 18.61 +.01 -31.7 PAVIMuniAp 12.62 +.01 +50.0 StrlnAp 424 +.01 +52.4 USGv p 9.52 +.03 +29.0 Oppenheimer B: AMTFMu 999' +.01 +34.7 AMTFrNY 12.74 +.02 +29.9 CplncBt 12.31 -.01 +26.4 ChIncB1 930 +.01 +35.9 EquiyB 11.40 ... +2.5 HiYIdBI 9.17 ... +32.1 StrincB I 4.25 ... +46.7 Oppenhelm Quest: QBaIA 18.62 +.05 +252 Oppenheimer Roch: UdNYAp 3.35 +.01 +29.1 RoMuAp 18.11 +.04 +40.4 PBHG Funds: SelGnYlhn23.61 +.02 -552 PIMCO Admin PIMS: ToRiAd 10.54 +.04 +37.0 PIMCO Instl PIMS: AlAsset 13.10 +.06 NS CoanodRR 17.41 +.54 NS HiYld 9.67 +.01 +49.0 LowDu 10.02 +.01 +25.1 RealRtnl 11.13 +.05 +54.0 ToIRI 10.54 +.04 +38.7 PIMCO Funds A: ReaIRtAp 11.13 +.05 +50.7 ToIRIA 10.54 +.04 +35.5 PIMCO Funds C: ReaRtCp 11.13 +.05 +46.9 TotRMCt 10.54 +.04 +30.5 PIMCO Funds D: TRtnp 10.54 +.04 +36.5 PhoenixFunds A: Balan 14.99 +.01 +15.4 CapGrA 15.69 -.07 -39.5 IntA 11.23 ... +8.8 Pioneer Funds A: BalanAp 10.00 +.01 +9.5 BondAp 9.15 +.03 +39.1 EqlncAp 28.99 +.02 +21.5 EurSelEqA3225 +.26 NS GnilhAp 12.60 -.03 -30.1 HiYldAp 10.78 ... +62.8 IntlValA 19.66 +.02. +6.6 MdCpGrA 14.80 ... -10.5 MdCVApx23.24 +.06 +71.0 PionFdA px 44.37 -.09 +3.2 TxFreAp 11.56 +.02 +29.8 ValueAp 17.76 +.06 +24.0 Pioneer Funds B: HiYIdBI 10.83 +.01 +56.8 MdCpVB 20.35 +.07 +63.8 Pioneer Funds C: HiYIldCI 10.93 +.01 +56.,7 Price Funds: Balancen 20.18 +.01 +24.1 BIChipn 33.14 -.06 -5.3 CABond n 10.94 +.01 +28.3 CapAppn 20.83 ... +80.3 DivGromn 23.59 -.05 +15.7 Eqlncn 27.24 -.03 +38.2 Eqlndexn 33.87 -.04 -1.7 Europen 21.44 +.17 +14.3 FLIntmn 10.75 +.02 +23.8 GNMAn 9.43 +.02 +28.3 Growthn 28.67 -.04 +4.0 Gr&lnn 22.72 -.03 +10.7 HlthScin 25.82 +.14 +22.6 HiYieldn 6.90 ... +54.5 ForEqn 17.45 ... +9.6 IntlBondn 9.33 +.08 +47.1 IntDisn 39.90 +.02 +50.5 InSItkn 14.59 ... +7.3 Japann 10.83 -.15 +8.8 LalAmn 25.68 -.34+183.5 MvDShrn 5.12 ... +14.3 MDBondn 10.63 +.01 +29.9 MidCapn 57.20 +.05 +45.4 MCapVal n24.69 +.02 +98.8 NAmern 34.79 -.17 -52 NAsian 12.25 -.04 +71.6 New Era n44.33 +.53+121.4 NHorizn 33.16 +.0 +06 +29.1 N I1c n 8.93 +.03 +33.0 NYBondn 11.27 +.01 +29.7 PSIncn 15.34 +.02 +35.3 RealEstn 19.85 +.16+150.8 SciTecn 19.94 -.16 -53.9 ShIBd n 4.68 .,. +23.3 SmCpSlkn34.88 +.08 +62,0 SmCapVal n39.47 +.17+137.5 SpecGrn 18.48 -.01 +24.9 Speclnn 11.81 +.02 +43.9 TFIanc 9.94 +.02 +30.9 TxFrHn 11.86 +.01 +35.4 TFInlrnn 11.07 +.01 +25.2 TxFrSIn 5.33 +.01 +19.2 USTaInn 5.30 +.02 +27.0 USTLgn 11.72 +.07 +35.9 VABondn 11.58 +.02 +30.8 Valuen 24.33 -.03 .39.1 Putnam Funds A: AmGvAp 8.90 +.02 +22.1 AZTE 9.24 +.01 +28.1 CIscEqAp 13.34 ... +9.7 Convp 17.70 +.06 +302 DiscGr 18.57 +.05 -33.8 DrrlnAp 10.10 +.01 +50.2 EuEq 22.82 +.19 +9.5 FLTxA 9.22 +.01 +275 GeoAp 17.88 +.01 +24.0 GI~vAp 12.03 +.07 +42.1 GIbEqlyp 9.13 ... -1.2 GrInAp 19.68 ... +14.3 HIlhAp 62.30 +.47 -6.0 HrYdAp 7.93 +.01 +51.8 HYAdAp 5.98 +.01 +51.0 IncAp 6.75 +.02 +31.4 InllEqp 26027 +.05 +12.6 InlGrtnp 13.33 .. +30.0 IavAp 13.61 ... -15.0 MITx p 8.98 +.01 +27.0 MNTxp 8.97 +.01 +28.1 NJTxAp 9.19 +.01 +27.4 NwOpAp 45.91 +.12 -31.8 OTCAO 7.98 +.03 -53.1 PATE 9.07 +.01 +30.0 TxExAp 8.76 +.01 +28.6 TFInAp 14.91 +.02 +28.2 TFHYA 12.90 +.01 +28.9 USGvAp 13.08 +.03 +23.9 UtilAp 11.04 +.08 +0.8 VslaAp 10.75 +.03 -23.9 VoyAp 17.61 -.01 -24.9 Putnam Funds B: CapAprt 19.10 -.04 -4.8 CIscEqBt 13.22 ... +5.7 OiscGr 17.11 +.04 -36.2 DvrInBt 10.02 +.01 +44.4 Eqlnci 16.61 -.01 +27.1 EuEq 21.92 +.18 +5.4 FLTxBI 9.22 +.01 +23.9 GeoBt 17.72 +.02 +19.5 GllncBt 11.99 +.07 +36.9 GIbEqt 8.30 +.01 -4.7 GINIRst 30.78 +.37 +97.1 GrInBt 19.40 ... +10.1 HI1t8I 56.18 +.42 -9.4 HiYIdBt 7.89 +.01 .46.3 HYAdBt 5.90 +.01 +44.9 IncmBt 6.70 +.02 +26.3 IntGrint 13.03 ... +25.1 InUNopt 12.58 +.02 -1.6 InvBt 12.53 ... -18.1 NJTxBt 9.18 +.01 +23.4 NwOpBt 41.19 +.11 -34.3 NwValp 17.66 -.04 +40.0 NYTxBt 8.69 +.01 +23.9 OTCBt 7.04 +.02 -54.8 TxExB I 8.76 .. +24.4 TiFHYBtI 12.92 ... +25.3 TFInB t 14.93 +.02 +24.4 USGvBt 13.01 +.04 +19.4 UIBB1 10.97 +.08 -2.9 VisLIaBt 9.37 +.03 -26.7 VoyBI 15.41 -.01 -27.7 RiverSource/AXP A: Discover 9.57 +.04 +29.0 DEI 12.43 +.04 +62.0 DivrBd 4.79 +.01 +26.9 DvOppA 7.52 +.01 -9.3 GUEq 6.54 +.01 -5.1 Growth 28.92 +.07 -34.5 HiYdTEA 4.39 +.01 +26.1 Insr 5.38 +.01 +24.3 Mass 5.32 +.01 +24.7 Mich 5.26 +.01 +27.2 Minn 5.25 +.01 +26.7 NwD 24.43 +.02 -17.4 NY 5.07 +.01 +263 Ohio 5.23 +.01 +23.2 SDGovt 4.73 ... +17.2 RlverSource/AXP B: EqValp 11.31 +.03 +19.4 Royce Funds: LwPrSikr 15.58 +.08 +93.9 MiroCapl 15.96 +.06+114.8 Premied r 16.74 +.02+106.1 TotRellt 12.70 +.02 +93.7 Russell Funds S: DivEqS 46.49 +.01 -1.2 QuantEqS 40.09 +.03 +1.0 Rydex Advisor: OTC 10.84 -.08 -47.8 SEI Portfolios: CoreFxAn10.29 +.03 +32.3 IntlEqAn 12.32 -.01 +11.7 LgCGroAn20.01 -.07 -31.6 LgCValAn21.31 -.01 +31.0 STI Classic: CpAppAp 12.04 -.03 -12.7 CpAppCp 11.35 -.03 -14.7 LCpVEqA12.83 -.03 +24.7 QuGrStkC 123.96 +.01 -23.8 TxSnGrip 25.64 +.01 -19.7 Salomon Brothers: BalancB p 13.05 +.03 +22.9 Opport 52.62 +.26 +22.9 Schwab Funds: 1001Invr 36.90 -.01 +1.5 S&PIrv 19.60 -.02 -1.8 S&PSel 19.69 -.02 -1.0 SmCplnw 23.62 +.07 +38.8 YklPIsSI 9.65 ... +19.1 Scudder Funds A: Dr-iRA 45.03 +.14 +40.6 Com p19.30 -.03 -34.8 USGOvA 8.44 +.03 +25.8 Scudder Funds S: EmMklIn 11.56-.01+111.9 EmMkGrr22.82 -.10+117.6 GhBdS r 9.95 +.04 +36.8 GbDis 39.73 +.09 +27.3 GlobalS 32.27 +.08 +29.6 Gold&Pra 20.21 +.33+301.5 GrEuGr 30.07 +.22 +5.4 GrolncS 23.17 -.02 -2.2 HiYIdTx 12.79 +.01 +36.3 Incomes 12.69 +.03 +29.9 IntTxAMT 11.18 +.01 +25.1 InllFdS 50.22 +.17 +4.9 LgCoGro 25.87 ... -28.5 LatAmr 49.21 -.55+157.6 MgdMuniS9.08 +.1 +30.7 MATFS 14.36 +.02 +30.4 PacOppsr 15.53 -.04 +59.2 ShITmBdS 9.96 +.01 +19.2 SmCoVISr 28.06 +.12 +98.4 Selected Funds: AmShSp 40.29 +.02 +21.2 Seligman Group: FrontrAI 12.64 +.02 +0.1 Fronl D 11.05 +.01 -3.7 GIbSmA 16.51 +.05 +19.8 GIbTchA 13.64 -.05 -28.4 HYdBAp 3.31 ... +6.4 Sentinel Group: CornmSAp31.54 +.03 +18.0 Sequoia n164.26 -.20+45.5 Sit Funds: LrgCpGr 37.55 +.10 -27.8 Smith Barney A: AgGrAp 107.34 +.48 +5.5 ApprAp 15.25 -.02 +13.4 FdValAp 15.69 +.01 +9.6 HilncAt 6.74 ... +35.1 InAICGAp 14.99 +.04 -13.0 LgCpGAp23.31 -.08 -0.7 Smith Barney B&P: FValBil 14.70 ... +5.3 LgCpGBt 21.93 -.07 -4.3 SBCplncs 16.98 +.05 +31.5 Smith Barney 1: DvSirl 17.28 -.01 -22.2 Grinc 1 16.02 +.01 -0.5 St FarmAssoc: Gwlh 50.46 -.07 +5.5 Stratton Funds: Dividend 36.18 +.24+129.8 Growth 45.36 +.20 +80.1 SmCap 45.06 +26+128.3 SunAmerlca Funds: USGvBt 9.29 +.03 +26.2 SunAmerlca Focus: FLgCpAp 19.99 -.02 -4.4 TCW Galileo Fds: SelEqty 20.91 -.13-7.4 TD Waterhouse Fds: Dow30 ...O 0.0 TIAA-CREF Funds: BdPlus 10.09 +.03 +34.0 Eqlndex 9.15 ... +3.7 Gronc 12.94 .. -6.4 GroEq 9.81 -.02 -30.3 HiYlBdd 9.07 +.01 +47.1 InlIEq 11.82 +.01 +15.9 MgdAlc 11.51 ... +10.9 ShITrBd 10.34 +.01 +26.8 SocChEq 9.88 -.01 +6.1 TxExBd 10.73 +.02 +32.3 Tamarack Funds: EnlSmCp 3355 +.05 +64.2 Value 46.53 -.13 +28.6 Templeton Instit: EmMSp 18.62 -.11+133.0 ForEqS 22.19 +.04 +45.8 Third Avenue Fds: aIr 2128 +.05 NS RIEslVIr 30.45 +.11+148.4 Value 59.55 -.06 +75.5 Thrivent Fds A: HiYId 5.04 ... +32.5 Income 8.57 +.02 +29.8 LgCpSIk 27.05 +.01 -7.6 TA INDEX A: FdTEA p ... ... NA JanGrow 26.19 +.01 -30.4 GCGIobp 25.70 +.03 -28.6 TrCHYBp 9.04 +.01 +36.6 TAFIxInp 9.39 +.02 +32.5 Turner Funds: SmICpGrn2595 +.14 +2.5 Tweedy Browne: GlobVal 26.31 +.02 +44.3 US Global Investors: AIlAmn 27.34 +.16 -10.3 GIbRs 15.73 +20+328.1 GIdShr 10.28 +.16+300.4 USChina 7.56 -.05 +56.7 WldPrcMn 20.32 +.265372.0 USAA Group: AgvGI 31.53 +.12 -332 CABd 11.12 +.02 +29.4 CrnslStr 27.99 +.07 +28.2 GNMA 9.55 +.03 +272 GrTxSIr 15.37 +.02 +10.8 Gnvth 15.36 +.05 -27.1 GrSInc 19.77 +.04 +14.8 IncSlk 17.39 .. +20.3 1/"0 ^*l-C .. ....l . ..-.. . .. *'" a Inco 12.18 +.04 +33.0 Inil 24.19 +.12 +34.7 NYBd 11.91 +.02 +33.0 PrecMM 20.14 +.28+344.2 Scifech 10.60 -.02 -41.5 ShITBnd 8.84 ... +14.7 SmCpSIk 14.85 +.07 430.0 TxEII 13.13 +.02 +29.2 TxELT 14.01 +.03 +35.7 TxESh 10.62 +.01 +17.9 VABd 11.56 +.02 +31.0 WIdGr 19.12 +.05 +9.4 Value Line Fd: LevGtn 28.62 +.13 -14.6 Van Kamp Funds A: .CATFAp 18.67 +.04 +28.6 CmstAp 18.98 -.02 +33.1 CpBdAp 6.59 +.02 +34.6 EGAp 42.33 +.17 -39.1 EqlncAp 9.03 +.02 +34.1 Exch 368.58 +.74 +1.1 GrInAp 21.88 +.02 +30.2 HarbAp 14.65 +.04 -0.1 HiYldA 3.52 ... +23.1 HYMuAp 10.85 +.02 +38.1 InTFAp 18.74 +.03 +29.8 MunlAp 14.58 +.02 +29.3 PATFAp 17.30 +.02 +27.4 StrMunlnc 13.17 +.03 +3323 US MlgeA 13.63 +.03 +26.6 UtJlAp 18.98 +.15 +9.9 Van Kamp Funds B: CmstBl 18.96 -.02 +28.1 EG8t 36,10 +.15 -41.4 EntlepBt 12.11 +.01 -28.5 EqlncBt 8.88 +.02 +29.1 HYMuBI 10.85 +.02 +33.0 MulB 14.54 +.02 +24.3 PATFBI 1724 +.02 +22.6 StMunlnc 13.16 +.03 +283 USMtge 13.58 +.03 +21.8 UilB 1892 +.15 +5.8 Vanguard Admiral: CpOpAdln7691 -.01 NS 500Admln116.14 -.13 -0.6 GNMAAdn1024 +.03 NS HlIhCrn 6025 +28 NS HiYldCpn 6.14 ... NS HiYldAdmn10.74 +.02 NS ITBdAdmln10.32 +.04 NS ITAdmin 1328 +.02 NS ITGrAdmn 9.75 +.03 NS UdTrAdn 10.70 +.01 NS MCpAdmln80.77 +.25 NS PrmCaprn70.02 -.12 NS STsyAdmlnlO.33 +.01 NS ShlTrAd n 15.52 NS STIGrAdn 10.51 +.01 NS TOBAdmlnlO0.02 +.03 NS TSOAdm n30.33 .,. +7.1 WelslAdm n52.50+.13 NS WellnAdm n54.57 +.09 NS Windsorn 6328 -.08 N$ WdsdilAdn57.80 +.10 NS Vanguard Fds: AsselAn 25.72 -.02 +17.3 CALTn 11.66 +.02 +29.6 CapOppn 33.27 -.01 +26.6 Conrtrn 13.80 +.04 +32.3 DhdGron 12.58 +.01 -3.3 Energy 58.97 +.86+188.3 Eqlncn 24.05 -.01 +25.9 Expirn 82.22 +26 +38.6 FLLTn 11.62 +.02 +32.1 GNMAn 10.24 +.03 +30.3 Grolncn 32.37 +.03 +3.1 GrthEqn 10.54 ... -322 HYCorpn 6.14 ... +38.4 HlhCeon 142.68 +.66 +36.2 InllaPon 12.35 +.05 +50.1 InlUlExp)Orn 18.87 +.03 +59.6 InllGrn 21.12 +.02 +21.4 InTlValn 35.60 +.03 +47.9 iGraden 9.75 +.03 +38.1 ITTsryn 10.95 +.04 +4.2 ulfeConn 15.64 +.02 +23.6 LIUfeGron 21.24 ... +16.1 Lifelncn 13.62 +.02 +26.4 LifeModn 18.71 +.01 +20.8 LTIGraden 9.39 +.05 +50.6 LTsynA 11.48 +.06 +42.4 Morgn 17.85 +.03 -1.2 MuHYn 10.74 +.02 +32.5 MulnsLgn 12.59 +.02 +31.7 Mulntn 13.28 +.02 +25.7 MuLldn 10.70 +.01 +19.1 MuLongn 11.25 +.02 +31.2 MuShrln 15.52 .. +13.6 NJLT n 11.82 +:02 +30.2 NYLTn 11.28 +.02 +30.8 OHLTrEnl2.00 +.0 ++21.8 PALTn 11.33 +.02 +31.1 PrecMtls r n23.56 +.09+287.4 Prmcprn 67.41 -.12 +13.6 SelValurn 19.79 +.02 +90.6 STARn 19.82 +.03 +34.1 STIGradenlO.51 +.01 +24.6 STFedn 1024 +.01 +23.7 StratEqn 23.74 +.09 +78.4 USGron 18.19 ... -41.8 USValuen14.55 -.01 +41.2 Wellslyn 21.66 +.05 +40.3 Wellin n 31.59 +.06 +42.2 Wndsrn 18.74 -.03 +39.9 Wndslln 32.54 +.06 +37.5 Vanguard Idx Fds: 500n 116.12 -.13 -1.0 Balancedn19.99 +.03 +18.4 EMkin 18.78 -.09+123.7 Europen 28,16 +.23 +22,1 Extendn 34.82 +.12 +33.7 Growth n 27.94 ... -13.8 ITBndn 10.32 +.04 +38.4 LgCaplxn 22.59 -.01 NS MidCapn 17.79 +.05 +53.0 Pacific 10.86 -.13 +22.4 REITrn 20.37 +.15+140.6 SmCapn 29.13 +.09 +58.1 SmICpVIn 14.98 +.05 +89.6 STBndn 9.92 +.02 +24.0 TotBndn 10.02 +.03 +30.8 Totllnln 14.19 .01 +30.2 TolSIkn 30.32 ... +6.7 Valuen 22.41 -.02 +16.2 Vanguard Insl Fds: Inslldxn 115.19 -.13 -0.4 InsPIna 11520 -.13 -0.3 TBIsln 10.02 +.03 +31.6 TSInstn 30.33 -.01 +7.3 Vantagepoint Fds: Growth 8.78 -.01 -14.3 Victory Funds: DvsStA 16.93 +.02 +26.6 Waddell & Reed Adv: CorelnvA 6.20 +.04 -7.4 Wasatch: SmCpGr 41.98 -.09 +57.6 Waltz Funds: Value 36.23 -.04 +28.1 Wells Fargo Adv: Opplylnv 50.06 +.12 +24.5 Western Asset: CorePlus 10.37 +.04 +45.0 Core 11.17 +.04 +38.5 William Blair N: GrowthN 11.88 -.05 -8.9 InllGthN 26.04 -.05 +45.5 Yacktman Funds: Fundp 15.12 +.01 +92.6 Stock U' Bromhwsresuft - 4 0 "Copyrighted Material Syndicated Content Available from Commercial News Providers" 1 - 4 : . ' ( ' . Renaissance Collection , GANDOLA Collec ors Curio Cabinet Portofino Magnificent Architectural Cornice and Bse Hand-Rubbed and Polished Portofino Finish Museum Collection > CEZANNE Two-Wav Sliding Door Fine Art Picture Finme Com'ier Cabinet Hand Decorated Antique Cold and Ebony Offer not valid on pr6viouS purchases or orders and excludes all other discounts. Phone: 245-8400 Toll Free 1-800-433-2198 Located on Hwy. 441 south of Belleview just north of The Villages Monday through Friday, 9 am to 6 pm, Saturday 9 am to 5 pm. DECORATING CONSULTANT SERVICE 90 DAYS SAME AS CASH Ask us for details! 64W00 Look to FURNITURE AND ACCESSORIES for Beautiful and Unique [ :u o Cabinets. ; Si. 'These are just a few of our beautil collection! I -i,-..- '~- F FURNITURE AND ACCESSORIES Our only focus is on you. SERVING CENTRAL FLORIDA SINCE 19571 own* I .; .. "... .. .. 1. 10A FRIDAY DECEMBER 9, 2005 *h* cnrr-cli ri.n :,, S "Charity begins at home, but should not end there." .; *. -.'. FR In. r L i . "---( -- }.- C TRUS COUNTY CHRONICLE EDITTORIAL BOARD Gerry M ulligan ................................ publisher Charlie Brennan .................................editor Neale Brennan ...... promotions/community affairs Kathle Stewart .................circulation director Mike Arnold ........................managing editor Andy Marks .............................sports editor M CARE ENOUGH TO SHARE Reality check on sugarplum visions Clement Clarke Moore (1779-1863) wrote the poem "Twas the Night Before Christmas," which was also called "A Visit from St. Nicholas," in 1822. It is now the tradition in many American households to read the poem .every Christmas Eve. The line that is most striking is, "The children were nestled all snug in their beds, while visions of sugarplums danced in their heads." For many children this holiday season, their dreams are much simpler. Dreams of sugarplums are eclipsed by dreams of just one new toy, a hot meal or even a clean bed to sleep in. The holidays are THE I especially difficult Holida' for the needy, and we all need to do OUR O or'part to help. - "Citrus County has "Give Inany organizations feels :hat do great work ,all year, but particu- larly at this time of year. ( Citrus United Basket is a 27- rear-old agency that has helped thousands of Citrus County resi- lents by providing food, clothes jand money to the needy. As .Christmas approaches, CUB will nove into high gear, collecting rood and toys for those families that would otherwise not have a Phristmas without CUB's assis- )ance. $ In December 2004, CUB assist- Aed more then 3,973 people's food needs and distributed toys to ore then 2,200 children. In 2005, the need is expected to be even greater than 2004. To help %CUB in its efforts, please call $344-2242 between 10 a.m. and 3 p.m. Monday through Friday. SCUB is not the only agency doing great things this holiday season. The Family Resource Center's Santa Workshop in Hernando is abuzz with activity. Last year, nearly 1,800 children in our a 1 Is op county had gifts to open through the efforts of the Family Resource Center. Currently, there are 1,576 children in the system to receive help from the resource center and that num- ber will grow over the next few days. Most of these children have sponsors to purchase their gifts and necessities, but that is only one piece of the puzzle. The gifts still need to be wrapped and distributed. Volunteers will work day and night to ensure that these children do not go without this year. To support this effort, call the Family Resource Center at 344-1001. Even simpler than the gift of toys, clothes or even food SSUE: is the gift of life. giving. Judson "Buddy" Garvin is a 3 1/2- 'INION: year-old with a unique allergy to 'til it every form of food good. except an expen- sive formula that Blue Cross Blue Shield of Florida will no longer reimburse his family for. This is a sad situation when bureaucra- cy gets in the way of feeding a lit- tle boy to keep him alive. Some attempts have been made by local politicians to help, but, as yet, to no avail. Let us work to keep a child with a terri- ble condition fed. The Garvin family plans to open a trust account at Regions Bank. Consider helping. Many other organizations do great and wonderful things; con- sider being an individual who helps make these wonderful things happen. Make it a family event or an individual effort. Give of your time, give of your money and just give to keep Citrus County a wonderful place to live. "But I heard him exclaim, ere he drove out of sight, Happy Christmas to all, and to all a good-night!" 'United Way needs your help If every Citrus County family donated $25 to United Way this holiday season, the fundraising agency would meet its goal of L -support for the 23 nonprofit m agencies in our community. We urge residents to get involved and send in a check. Your contribution Dental care S To the person looking for reasonable dental care in this area ... Go to the Florida University Dental School in Gainesville like I did seven years ago. People working are entitled to make a profit on their caILL professions. A lot of busi- 563 nesspeople in this area, 563- including dentists, think everyone that came from the North brought with them a bushel basket full of $50 bills. Feeding veterans Thank Golden Corral for the feed they put on for the veterans Monday night. It was well appreciated and I .(. j think they did one excel- lent job the waitresses, hostess, everything. It was very nice. Thank you again. Medicare plan This is helping me how? The new Medicare RX plan is going to cost a total of $64 out of our Social 0579 Security check. We must ) 579 choose and pay for RX cov- erage with an insurance company. We must then pay a deductible and a percentage of our medicine. We now receive our RXs free from a pharmaceutical compa- ny because we can't afford them. We barely pay our bills now. Is any- one else in this bad spot? Like I said, this is helping me how? ing in the line of duty "Copyrighted Material Syndicated Content .Available from Commercial News Providers", ' fe"^ x ^. C . O l LETTERS to the Check the tanks A community and river are in the southwest part of the county. I don't know how many people live there a few hundred but it is a "land that commissioners forgot." Oh, the county has a boat ramp there, but there are a couple of things wrong: the drinking water and the river pollution. This river is an attraction bringing fishermen, boaters and sightseers to the county, but there are not enough people to influence the voting at elec- tion time, so commissioners don't worry much about Chassahowitzka. The projected price per home seems to be around $14,000 yes, $14,000! Roll that around in your head for a few seconds. Incredible! After reading the article Nov. 30 and Mickey Newberger's acute obser- vations, I decided to add a little of my wit to the situation. I was a resident of Chassahowitzka for 30 years. I had a couple of homes down there. Well water drinking water was no problem for years. Then Bill Brittle moved in, had the canals dug and sold lots. Then, the people came in and pollution started. Of course, logic will tell you that septic tanks being holes in the ground with rocks in them and inadequate, non-functional drainfields pose most of the problem. Now comes part of the solution. You're not going to solve it completely Send a plumber who knows his busi- ness, a list of the people and where they live. Check the tanks, check the drainfields, pull the tanks if needed, rebuild the drainfields if needed. A small Bobcat tractor would do the job. Work this situation until the plumber is satisfied then charge the owner for the work. It won't come to $14,000! When this is completed, the pollicleonlne.com. tion could drop 60 to 70 percent. You know all the rivers are polluted - Homosassa, Hall, Crystal, outlet of Rousseau, Wacasassa, Suwannee, Steinhatchee but to what percent? As to drinking water, the county can bring it over or the residents can go on as they are chlorine boiling - whatever! Mike Zoellner Lecanto Composting toilets The beautiful Chassahowitzka River in southern Citrus County needs help. A cost of $10,000 per home for central sewer shouldn't have to be done. Central sewer should not be in there, period. The Chassahowitzka area has had salt water intrusion in most wells for years and drawing groundwater to Editor flush toilets and then pumping to an inland system doesn't make sense. Sen. Nancy Argenziano is suggest- ing an upgraded septic tank system for homes that don't have a properly functioning one, and she estimated the cost at $6,000 per home. That would put the homeowner and county in "low-cost loan debt" for years. I remember talking to some Chassa- howitzka residents and county com- missioners a number of years back about composting toilets. Cost would be about $600 to $1,000 a home, and would require a small amount of learning. But it is well worth the sav- ings. You probably could get grants from SWFWMD to pay for them. They weren't inclined. "They will smell," I was told. Well, not if properly fed. "It's yucky!" I was told. Not as yucky as $10,000 a home. They are in some fine facilities, even condos in downtown Toronto. For those who can afford the state- of-the-art septic system, that's fine. The water you draw from the ground to flush will go back into the ground after being treated. A composting toilet doesn't use water, though it can be adapted to use some. Properly fed with peat moss or something similar allow it to build a high temperature in a separate chamber The high temp digests everything, and, at the end of a year's operation you have a shovel full of compost for your flower garden. No pipes in the floor, no water, no overhaul and repair. Go online and do a search for composting toilets and find pros, cons, cost, maintenance and be prepared when the governments look at your cost Hopefully, the Chassahowitzka homeowners can make the choice on their own. Helen L. Spivey Homosassa THE CHRONICLE invites you to call "Sound Off" with your opinions on any subject. You do not need to leave your name and have up to 30 seconds to tecord. COMMENTS will be edited for length, personal attacks and good taste. This does not prohibit criticism of public figures. Editors will cut libelous material. OPINIONS expressed are purely those of the callers. Job a v i 9 i + p CITRUS C0UN~IY (FL) CHRONICLE OPINJc'N FRIDAY, DIiCIiMBhR 9, 2005 hA Hot Corner HOLIDAYS Stating beliefs Merry Christmas. That's what we as Christians celebrate in December. Why is that consid- ered a bad statement in recent months with the "big boxes"? They do not seem to mind a big profit in this month. Many retailers, as we know, can't wait for Christmas. Why are they conforming to secularism when most people believe in Jesus or God? Meaning of Christmas Education is very important and so is telling the truth. The truth is, Christmas is a (two- part) word; the first word meaning "spread," the second word meaning "to celebrate." Christmas means to spread celebration. It was used by the pagans (more than) 6,000 years ago 4,000 years before Christ was ever born. It's the truth. Now you are edu- cated. Editor's note: "Christ" is from the Greek word for "anointed." "Mas" evolved from an Old Eng- lish word meaning "festival." Pagans celebrated winter solstice using different names, such as Saturnalia or Yule.. Just not nice I'm watching Jerry Falwell live on Fox News now and he's talking about Christmas versus the holiday season and should Christmas be taken out of the holidays. I feel Christians have a right to celebrate a holiday whenever they want, but not a legal holiday with taxpayers' dollars being used for certain ceremonies, like Christmas tree lightings. Not when public em- ployees get days off from work with pay for a religious holiday. There's many other religions. That's why the Mayflower pil- grims came here: to have their own religion. I'm a white per- son born in the United States in New Jersey, raised up in the Baptist Church. But Christian people, they argue over them- selves, the different denomina- tions. They kind of boss the world what to do. They get wars started. So I'm more for calling it the holiday thing, the holiday season. Some reports say Christ wasn't even born in December. Shepherds are still in their fields or something like that ... It's time to get political- ly correct and get rid of some of the Christmas public-funded public celebrations. Let's start calling them holidays, especial- ly if you're going to let in ille- gal immigrants. If other people from other cultures come to our country, they shouldn't force them to be Christian. That's what I've got against Christianity. They kind of force people to be that. If you don't agree with them, you're wrong, a heathen going to hell. That's Is your restaurant starving for customers? Call your soles representative to make reservations 1.352.563.5592 CUIKpN ICLE not nice. Many faiths To the person who said that they wouldn't shop at stores where they weren't greeted with "Merry Christmas": It would be very ignorant and rude for the merchants and employees to assume that every customer is a Christian. We are a country of many faiths. This is why the United States broke away from England, for religious freedom. Chasing windmills Twice now someone has called in carrying on about not patronizing stores that don't have Christmas in the stores ... They used to call it "Xmas." Seventy years ago, they were using "Xmas." There's no attack on anybody using the word "Christmas" for their holi- day. I would think you wouldn't want Christ associated with all that greed, anyway. You people are out there chasing at wind- mills and fighting fights that do not exist. If you think anybody wants to take your Christmas away from you, you have some very paranoid ideas. Sick of war A certain letter writer stated that he was sick of the Bush bashing in the media. He said nothing of the dead and maim- ed Americans or the innocent people of Iraq. Evidently that doesn't make him sick. We thinking Americans Demo- crats and Republicans are sick of this useless war...A president gets treated by the way he acts. Evasive action I'm just calling about all the articles that I've been reading in the paper the past few weeks about President Bush and (Dick) Cheney. Where were these reporters two and three years ago when all this stuff was happening? Now they're coming out with all this draft evasion and war evasion by the president and the vice presi- dent. They're sending these poor, young kids over to Iraq and Afghanistan and they're getting killed and maimed while they sit behind their desk and think nothing of it. And they're not going to get out until they're out of office. It's a at 'ort Cooper State Parka December 16 and 17 6 to 8:30 p.m. Special guest Santa Claus! d mission- Donations of nonperishable foods or new unwrapped toys. ) support. Ciw6Nta -- Hot Corner shame that the people were so "bullwinkled" into voting for these two men. It's a shame. Public appearances The commander in chief is so brave. We're not going to leave Iraq until the job is done. He's so chicken that he will not speak in front of a crowd who is not Annapolis or servicepeo- ple or sworn, registered Republicans, because he's afraid anyone will question what he says. That is by far the biggest phony we have ever had in the White House. Changing minds In the '60s, Lyndon Johnson (was) president. The Democrats controlled the House and the Senate. They voted for the Tonkin Gulf reso- lution that put us in full war in Vietnam. Once the troops are there, the Democrats change their minds and then pulled their support of the troops in conflict. Now fast-forward to Iraq; the Democrats voted 100 percent to send our troops again into a war and now that the troops are there, look who's pulling their support of the troops again and not giving them the means to win the war. This is an atrocity. This is sad, but it's true. Three generals How can we promote Iraqi democracy if, as Newsweek reports, we planned on bomb- ing the head office of their major TV news channel? If the war is going so great, as (President) Bush claims, why are we now on our third chair- man of the Joints Chiefs of Staff, Gen. Peter Pace, since the invasion in March 2003? Three generals in two-and-a- half years? SOUND OFF Call the anonymous Sound Off line at 563-0579. Be prepared to leave a brief message write it out before calling to make sure you remember everything you want to say. The Chronicle reserves the right to edit Sound Off messages. J EWLEWWWFWS OPINION FRIDAY, DECEMBER 9, 2005 11A OTRUS COUNTY (FL) CHRONICLE % 0-, D t 1 FRID AY DECEMBER 9, 2005 www chronicleonline cdm 'I. I.., I,:, .;.~' Jt LU~. \ '\ \" /, / , \ ,* i -- ' \ ,' ., , ( ( V, \ ._ . ecomony growing, but... 0le Saamfli 4 aff *'d -n e :" PatnoA Art krnwwal kxxmnir - S III Residents flee' volcano ftm0 *,. a, 1 "- "Copyrighted Material Syndicated Content Available from Commercial News Providers" e S aK a nm i ma mll SdL 1 eANO Poll: lawmaker tandling fall, aom,. mmmmlt a al*MIN4we e-qqp :'I sw e a r -qW~l 4 -ii .1 i ;1^ ,....-,, Gates. Saban reunite Dolphins prep 1or Chargers. PAGE 4B *Mae fl= S* 411111 i -,e A e.,... Sll mm a o O.40luu 40 *. Now *- -eet - p~b~m .*4 fS. - we lbr 44 o ~ .alof *a e. *. 4m 0) I S - 0 C 0 .c *05) 5' *- -j E 6 cOE a aoa : -g* | wNR >. cc o o un a. o lsiige I= 0) 0-. - C * e.*...ae a cc o 0b ... 4 . S m. 4m .-0 O -t mab e i an ^ ^T a. *.. CW -0 *^^k* *W 11 4 ah- -Alm e m em 40b - e -- s-n a. e o. 4w .1 .. ...I- .p.. .0 .* a .a A*. ,d a W I, a .m -e . ..:. , ww 1 w * 2?> '1W '' 9. I K) ,. 'N I I "I, I -4 - FR'I DAY DECFMBER 9, 2005 Stars out for Hampton Day C.J. RISAK cjrisak@chronicleonline.com Chronicle' Hyperbole is an expected commodi- ty when dealing with someone charged with promoting something. It's like lis- tening to Muhammad Ali talk about any of his fights, which he always seemed to label "the greatest of all time." , So when listening to Brent Hall as he described the Mike and Kautia Hampton Family Fun Day, which. he organizes, it would only be natural to doubt the espoused enormity of it all. Unless you examine just what the day includes. Then it becomes clear that when Hall says, "This is one of the biggest events in Citrus County histo- ry," he needs no hype to make his point A mere examination of the cast included is proof enough. "This is a very exciting day for the community," Hall added. He's right. The Family Fun Day, which will begin at' 10 a.m. Saturday at. Lecanto High School, starts with a free carnival. A few familiar faces will be with those wandering through the crowd talking to ,,the kids. Joining Mike Hampton, a 1990 graduate of Crystal River who currently pitches for the . Atlanta Braves, will be Tim . Hudson, Jeff Fassero, Adam i LaRoche, Jeff LaRoche, Doug Johnson and Casey Weldon. All MI of them are, or were, athletes of Han renown, the first four in base- coming ball, the last two in football. Citrus The players are expected to arrive at about 11:30 a.m. An hour after that, they'll take part in a Home Run Derby, in which prize money will be earned for local youth and non-profit S. iC organizations. That's not the end of the Day, howev- er not by a long shot. Hampton, who is hosting his fourth Family Fun Day, has arranged to bring in country music Adkins for a Clash at the Canyon Concert. The concert is scheduled to begin at 3:30 p.m. V06 ,at Rock Crusher Canyon, with a fireworks display afterwards. - ;. Seating is provided; a few gen- . eral admission tickets were still available at Fancy's Pets in ke Crystal River, the Key pton Foundation Center in Lecanto home to and on ticketmaster.com. County. One thing Hall did want to make clear: This is not a fundraiser for the Mike Hampton Pitching-In Foundation. "This is a day for the community," he said, adding that local organizations "will raise the money" to help offset expenses. Other features of the weekend include the Circle of Friends, which will present four $10,000 scholarships to graduating seniors from area high schools. Also, a team of search dogs trained in the Czech Republic will be presented to the Citrus County Sheriffs Department in memory of the Jessica Marie Lunsford tragedy. The main objective of the weekend is to have a lot of fun. "They do a lot of great things for the county," said Hall. of the Hamptons. "And it's so exciting to add the con- cert." It certainly is shaping up as one of the biggest star-studded days in county history. Which leaves just a single question: What can they possibly do to top this next year? Pirates remain undefeated CR outscores Leopards 29-5 after halftime C.J. RISAK ;jrisak@chronicleonline.com Chronicle Jere DeFoor, the Crystal River girls basketball coach, insisted there was no inspira- tional halftime speech, no magic potion to get his team to turn Thursday's game against Hernando around. All that was required was a dry-erase board and a few adjustments. Sure worked well. The Pirates, humbled by 2-of-11 floor .shooting in the second quarter that allowed the Leopards to take a 21-141ead at the break, got it going big- time in the third, outscoring Hernando 18-4 on their way to a 43-26 triumph. Crystal River improved to 7-0 with the non-district win. Hernando is 3-6. "I wanted them to be more aggressive," said DeFoor of his halftime lecture. "I want- ed them to get into the offense. In the first half, I tI hough we settled for perime- ter shots. . "I thought we got better shots in the second half." Part -of the reason was a different offensive approach. "We changed (our offense) in the third quarter and ran two post players," DeFoor explained. 'And I thought we played better man-to-man defense, then switched into a zone." The effect was impressive. After allowing 9-of-25 shoot- ing by Hernando in the first half, they limited the Leopards to 1-of-18 in the second. "I thought our kids played a really good first half," said Hernando coach William Cermak. "But one of the Please see PIRATES/Page 3B BRIAN LaPETER/Chronicle Crystal River's Lacey Lyons, No. 13, tries to grab a rebound Thursday night during second quar- ter play against Hemando. The Pirates went on an 18-4 run in the third quarter to pull away for a 43-26 win. Lyons finished with 13 points in her third game back from knee surgery. The Pirates' Meghan Hirsch also scored 13. C.J. Risak TO THE POINT Ups, downs on Lyons' road to recovery The brace Was gone, now that the game was over. Lacpy, Lyons,,seated in. ie, first row of the bleachers.,. pulled up her shorts a bit to show what all the trouble had been about A scar stretched from two inches above her knee to about two inches below it, a reminder of the surgery that put the county's best female basketball player on the sideline for six months. Last. night's game against Hernando was her third since she injured her knee last spring. She devoted most of her time working feverish- ly at rehabilitating it That phase of her return is now, officially, over. However, it doesn't make what lies ahead any less painful. Now Lyons must regain her game. On Tuesday in Crystal River's game against North Marion, it looked like she had taken considerable strides in that pursuit After a mediocre first half (3-of-11 shooting from the floor), Lyons got into the flow of the game, connecting on 5-of-8 in the second to score 13 points to post a game-high 19. Afterward, as one might Please see RISAK/Page 3B Delguidice leads Canes past Leopards ANDY MARKS Howard still made his pres- amarks@chronicleonline.com ence felt, even though he was Chronicle rarely left alone. He finished with 10 points and 15 rebounds Citrus point guard Nick for the Canes, but it was his Delguidice will tell you passing passing and movement without is his strength, but he didn't shy the ball that impressed Citrus away from the repeated open coach Tom Densmore. looks Hernando offered him "Walt's presence opened up Thursday night a lot of people," Densmore Delguidice knocked down said. "Nick was the beneficiary five 3s and finished --- on the perimeter, but I with 21 points to lead . thought it opened up Citrus to a 64-53 win the middle, too, when over the visiting Walt was out on the Leopards, who chose to wing." focus most of their defensive The win was a relief for attention on the Hurricanes' Densmore in that it came only center and top returning scor- two days after he watched his er, Walt Howard. team collapse in overtime dur- "They were double-teaming ing a 82-70 loss at Wildwood. Walt so it was our job to make "We weren't happy with that the shots or it was going to be a long night," said Delguidice. Please see CANES/Page 3B FHum (n4 drab ah (.M% head Iwan "Copyrighted Material Syndicated Content Available from Commercial News Providers" 6a. . a a4 aw e a -qp CITRUS COUNTY (FL) CHRONICLE Bowden, Paterno face off 'b~ ~t awed "Copyrighted Material Syndicated Content Available from Commercial News Providers" Late goal not JON-MICHAEL SoRAccHI jmsoracchi@chronideohline.com Chronicle Missing most of his team, Mark Travis couldn't help but be impressed with the effort of his Dunnellon girls soccer team. "Thafs the proudest I've ever been," said Travis, whose team faced West Port Thursday night "They finally showed some heart." The Tigers, for all of their heart, couldn't overcome missing seven starters and dropped a 3-1 decision to the Wolf Pack at Ned Love Field. Kaila Fincher score Dunnellon's only goal. Dunnellon fell to 2-7 over- all and 1-7 in District 4A-6 while West Port improved to 3-7 and 3-4. The Wolf Pack's Mackenzie Hallahan led her team with a great all-around game from her stopper position, helping stymie the Tigers' attack while contributing a goal and an assist "We're putting some things together finally," said West Port coach Rebecca Smith. "This is a young team and we've been playing better recently." Dunnellon got a goal from Fincher off of a flick from Sarahi Cortez to cut the Wolf Pack lead to two. Cortez received the ball in front of the goal about 15 yards out and drew the entire West Port defense, including the keeper towards her. Cortez then tried to kick the ball and it deflected- off of the S pack of defenders .* and onto the feet / of Fincher, who ' only had to drib- ble the ball in and shoot into an empty net. Yet before then, the ' Tigers hadn't been very effi- cient on offense. To say that the Wolf Pack controlled the ball and the tempo from the very start would be an understatement West Port kept the ball in Dunnellon's defensive third of the field for the majority of the game and uncorked 19 shots, 11 of which were on target. Hallahan wasn't the entire enough fo: I I r Tigers Wolf Pack attack but the first half. great West Port chance came Dunnellon could only off of the junior's foot in the muster a single shot in the 17th minute when her long- first half and really couldn't range shot from directly in mount anything offensively front of the goal skipped over because they weren't able to the fingers of Rachael possess the ball. Wilkinson and off of the The injuries that Travis crossbar referenced partially account- Dunnellon cleared the ball ed for the play; Wilkinson is to keep the game scoreless. generally the Tigers' top Three minutes defender and had to play in later, however, goal. S Hallahan lined up According to Travis, for a corner kick Kourtney Stone, a defender The ball was who usually joins the attack, struck perfectly was forced to sit back and j and grazed the concentrate specifically on far post on its way defending the goal. into the net for a 1- In the second half, "O lead. Dunnellon had two great "That was one of the chances early on: the first best corner kicks I've ever when the Tigers drew West seen," Travis said. Port's Chani Kinsler out of goal West Port kept the pres- in the 50th minute and again sure on against a stretched on a free kick in the 60th. Tigers defense and Natalie But in the first instance, Martin struck next Dunnellon couldn't get off a Martin picked up a loose shot and Kinsler made a good ball, spun and put a shot on punch save on a Melissa goal from about 25-yards out Douyard free kick to stop the that caught everyone, most second. importantly Wilkinson, off- Dunnellon returns to guard to score for a 2-0 action 6 p.m. Wednesday at advantage, which held at the Lake Weir. 4 V % F , \4 NH;(1rtnhamn t o club nori in irM -. P ~d *#~& 2BFRMDAY, DECEMBER 9, 2005 SPORTS xAb; :Mrili' Nu Cimus Coui'm' (FL) CHRONICLE SPORTS FRIDAY, DECEMBER 9, 2005 3B BASKETBALL EASTERN CONFERENCE Atlantic Division W L Pct GB New Jersey 8 9 .471 - Boston 8 10 .444 %' Philadelphia 8 11 .421 1 New-York 6 12 .333 2% Toronto 3 17 .150 6% Southeast Division, W L Pct GB Miami 10 9 .526 - Washington 8 9 .471 1 Orlando 7 11 .389 2Y% Charlotte 5 14 .263 5 Atlanta 2 16 .111 7Y% Central Division 'W L Pct GB Detroit 13 2 .867 - Cleveland 11 6 .647 3 Indiana 11 7 .611 3% Milwaukee 10 7 .588 4 Chicago 9 8 .529 5 WESTERN CONFERENCE Southwest Division W L Pct GB San Antonio 15 3 .833 - Dallas 13 5 .722 2 Memphis 13 5 .722 2 New Orleans 8 10 .444 7 Houston 5 12 .294 9% Northwest Division W L Pct GB Minnesota 11 6 .647 - Denver 10 9 .526 2 Seattle 8 9 .471 3 Utah 8 11 .421 4 Portland 5 13 .278 6% Pacific Division W L Pct GB L.A. Clippers 13 5 .722 - Phoenix 12 5 .706 1% Golden State 12 7 .632 1% L.A. Lakers 9 9 .500 4 Sacramento 7 11 .389 6 Wednesday's Games's Games Indiana 111, Washington 87 Houston at Sacramento, 10:30 p.m. Friday's Games Charlotte at Philadelphia, 7 p.m. Denver at Miami, 7:30 p.m. New Jersey at Cleveland, 7:30 p.m. Dallas at Memphis, 8 p.m. Boston at San Antonio, 8:30 p.m. 'L.A. Lakers at Chicago, 8:30 p.m. Seattle at Utah, 9 p.m. New York at Phoenix, 10 p.m. New Orleans at Portland, 10 p.m. Detroit at Golden State, 10:30 p.m. Saturday. LA.. Packers 111, Wizards 87 WASHINGTON (87) Jamison 7-17 1-2 16, Jeffries 3-4 0-0 6, Haywood 4-9 2-4 10, Arenas 5-18 5-6 17, Hayes 3-11 3-4 10, Butler 4-15 6-6 14, E.Thomas 2-3 6-6 10, Daniels 0-4 0-0 0, Blatche 1-3,0-1 2, Booth 1-1 0-0 2, Taylor 0-3 0-0 0. Totals 30-88 23-29 87. INDIANA (111) . Jackson 13-18 1-3 30, Granger 3-8 2-2 8, O'Neal 12-18 1-2 25, Jasikevicius 4-9 2- 3 12, Johnson 4-10 2-2 10, Foster 2-2 0-0 4, Jones 7-7 1-3 17, Pollard 0-0 0-0 0, Croshere 1-3 2-2.5, Gill 0-1 0-0 0, Harrison 0-2 0-0 0, Walker 0-0 0-0 0. Totals 46-78 11-17 111. Washington 30 21 2016- 87 Indiana 18 32 3724- 111 3-Point Goals-Washington 4-20 (Arenas 2-7, Hayes 1-4; Jamison 1-6, Taylor 0-1, Butler 0-2), Indiana 8-16 (Jackson 3-4, Jones 2-2, Jasikevicius 2-6, Croshere 1-1, Granger 0-1, Johnson 0-2). Fouled Out-None. Rebounds- Washington 50 (Jamison 12), Indiana 52 (O'Neal 10). Assists-Washington 15 (Arenas 7), Indiana 27 (Johnson 9). Total Fouls-Washington 16, Indiana 22. A- 14,273. (18,345). NBA Leaders Through Dec. 7 Scoring G FG FT PTSAVG Iverson, Phil. 19 217 184 63833.6 Bryant, LAL 18210 124 55831.0 James, Clev. 17 169 129 49128.9 Arenas, Wash. 16 147 103 44327.7 Pierce, Bos. 18 155 145 48026.7 Wade, Mia. 19 173 148 49626.1 Nowitzki, Dall. 18 161 103 46125.6 Redd, Mil. 16 132 102 40225.1 Brand, LAC 18172 103 44724.8 Allen, Sea. 17 141 76 40824.0 Richardson, G.S.19 159 72 42222.2 O'Neal, Ind. 17 137 100 37522.1 Lewis, Sea. 17 129 76 37321.9 Hamilton, Det. 15 130 55 32621,7 Bosh, Tor. 20 149 136 43421.7 Garnett, Minn. 17 146 73 36621.5 Davis, Bos. 18 150 67 38321.3 Duncan, S.A. 18 149 82 38121.2 Jamison, Wash. 16 131 54 33721.1 Anthony, Den. 18 132 106 37520.8 FG Percentage FG FGA PCT Mourning, Mia. 84 145 .579 Brand, LAC 172 306 .562 Parker, S.A. 153 277 .552 Battier, Mem. 86 156 .551 Garnett, Minn. 146 265 .551 Haywood, Wash. 60 109 .550 Gooden, Clev. 80 147 .544 Camby, Den. 131 243 .539 Brezec, Char. 76 142 .535 Diaw. Phoe. 76 142 .535 Camby, Den. Howard, Orl. Duncan, S.A. Marion, Phoe. B. Wallace, Di Jamison, Was Brand, LAC O'Neal, Ind. Garnett, Minn. Okafor, Char. Webber, Phil. Nash, Phoe. Davis, G.S. Billups, Det. Knight, Char. Cassell, LAC Miller, Den. Iverson, Phil. Ridnour, Sea. Kidd, N.J. Re rebounds G OFFDEF TOTAVG 18 54 197 251 13.9 18 62 176 23813.2 18 52 166 21812.1 17 59 142 201 11.8 st. 15 51 122 17311.5 h. 16 45 139 18411.5 18 59 133 19210.7 17 51 130 181 10.6 17 28 149 17710.4 19 69 123 19210.1 19 52 140 19210.1 Assists G AST AVG 17 182 10.7 18 168 9.3 15 128 8.5 18 145 8.1 18 140 7.8 19 145 7.6 19 144 7.6 17 120 7.1 17 117 69 = ....= On the AIRWAVES TODAY'S SPORTS BASKETBALL 6 p.m. (FSNFL) Women's College Basketball Illinois at Florida. (Live) 7:30 p.m. (ESPN) NBA Basketball New Jersey Nets at Cleveland Cavaliers. From Quicken Loans Arena in Cleveland. (Live) (CC) 10 p.m. (ESPN) NBA Basketball New York Knicks at Phoenix Suns. From America West Arena in Phoenix. (Live) (CC) FOOTBALL 7:30 p.m. (SUN) High School Football Florida Class 5A Championship Teams TBA. From Gainesville (Live) 8 p.m. (ESPN2) College Football NCAA Division I-AA Semifinal - Northern Iowa at Texas State. (Live) (CC) GOLF 9 a.m. (GOLF) European PGA Golf Dunhill championship - Second Round. From Malelane, South Africa. (Taped) 3 p.m. (USA) PGA Golf Target World Challenge Second Round. From Sherwood Country Club in Thousand Oaks, Calif. (Live) SOCCER 3 p.m. (ESPN2) Final Draw for the 2006 FIFA World Cup Soccer World Cup draw, including analysis and interviews. (Live) 4 p.m. (ESPN2) College Soccer NCAA Cup Semifinal - Maryland vs. Southern Methodist. From Cary, N.C. (Live) (CC) Prep CALENDAR TODAY'S PREP SPORTS BOYS BASKETBALL 7 p.m. Citrus at Crystal River 7:30 p.m. Belleview at Lecanto 8 p.m. St. John Lutheran at Seven Rivers Dunnellon at North Marion Tournament GIRLS BASKETBALL 6:30 p.m. St. John Lutheran at Seven Rivers 7 p.m. Crystal River at Citrus 7:30 p.m. Lecanto at Belleview BOYS SOCCER 7:30 p.m. Crystal River at Citrus 7:30 p.m. West Port at Lecanto GIRLS SOCCER 5:30 p.m. Lecanto at West Port 7:30 p.m. Citrus at Crystal River WRESTLING 12:30 p.m. Citrus, Crystal River, Dunnellon at Hernando Kiwanis Tournament Wade, Mia. 19. 130 6.8 Top 25 Fared Thursday 1. Duke (8-0) did not play. Next: vs. No. 2 Texas, Saturday. 2. Texas (8-0) did not play. Next: vs. No. 1 Duke, Saturday. 3. Connecticut (6-0) vs. Massachusetts. Next: vs. New Hampshire, Sunday, Dec. 18. 4. Villanova (5-0) did not play. Next: vs. Longwood, Saturday. 5. Louisville (4-0) did not play. Next: vs. Akron, Saturday. 6. Boston College (6-1) did not play. Next: at No. 21 Maryland, Sunday. 7. Memphis (6-1) did not play. Next: at Providence, Saturday. 8. Oklahoma (4-1) did not play. Next: vs. Coppin State, Saturday. 9. Gonzaga (4-2) vs. Washington State. Next: vs. Oklahoma State, Saturday. 10. Florida (8-0) did not play. Next: vs.' Bethune-Cookman, Friday. 11. Illinois (8-0) vs. Georgetown. Next: vs. Oregon, Saturday. 12. Iowa (7-2) did not play. Next: at Iowa State, Friday. 13. Washington (7-0) did not play. Next: vs. New Mexico, Saturday. 14. Michigan State (6-2) did not play. Next: vs. Wichita State, Saturday. 15. Kentucky (6-2) did not play. Next: vs. No. 18 Indiana, Saturday. 16. UCLA (6-1) did not play. Next: vs. No. 17 Nevada, Saturday. 17. Nevada (6-0) did not play. Next: vs. No. 16 UCLA, Saturday. 18. Indiana (4-2) did not play. Next: vs. No. 15 Kentucky, Saturday. 19. George Washington (6-0) beat Florida International 70-45. Next: at Morgan State, Saturday. 20. Wake Forest (7-1) did not play. Next: vs. DePaul, Tuesday, Dec. 13. 21. Maryland (6-2) did not play. Next: vs. No. 6 Boston College. 22. Alabama (4-2) did not play. Next: at Temple, Saturday. 23. North Carolina (5-1) did not play. Next: vs. Santa Clara, Saturday, Dec. 17. 24. Arizona (2-3) vs. Northern Arizona. Next: vs. Saint Mary's, Calif., Saturday. 25. N.C. State (5-1) did not play. Next: vs. Appalachian State, Saturday. HOCKEY EASTERN CONFERENCE Atlantic Division W LOTPts GF GA N.Y. Rangers 18 8 4 40 93 74 Philadelphia 16 7 4 36 103 89 N.Y. Islanders 1412 2 30 90 96 New Jersey 1312 2 28 84 90 Pittsburgh 7 15 6 20 77 115 Northeast Division W LOTNPts GF GA Ottawa 21 4 0 42 115 .52 Buffalo 18 10 1 37 95 93 Montreal 15 7 5 35 77 82 Toronto 15 11 3 33 98 93 Boston 10 15 5 25 92 105 Southeast Division W LOT Pts GF GA Carolina 17 8 2 36 99 89 Tampa Bay 16 10 3 35 92 87 Atlanta 1016 3 23 97 110 Florida 9 16 4 22 72 96 Washington 9 16 2 20 77 109 WESTERN CONFERENCE Central Division W LOT Pts GF GA Detroit 19 8 2 40 108 75 Nashville 18 4 3 39 76 63 Chicago 11 14 2 24 73 93 Columbus 8 19 0 16 52 96 St. Louis 5N17 3 13 69 101 Northwest Division W LOTPts GF GA Calgary 17 9 4 38 73 72 Vancouver 17 9 2 36 92 81 Edmonton 16 11 2 34 92 86 Colorado 15 10 3 33 108 91 Minnesota 11 12 4 26 73 65 Pacific Division W LOTPts GF GA Dallas 18 7 1 37 92 75 Los Angeles 17 11 1 35 100 86 Phoenix 1512 2 32 85 75 Anaheim 12 12 5 29 76 78 San Jose 11 12 4 26 78 91 Two points for a win, one point for over- time loss or shootout loss. Wednesday's Games Nashville 5, Washington 2 Calgary 4, New.Jersey 1 Chicago 2, N.Y. Rangers 1, OT Dallas 4, Florida 3 Colorado 4, Boston 1 Thursday's Games Buffalo 3, Anaheim 2, OT Edmonton 3, Philadelphia 2 Columbus 4, N.Y. Islanders 3, SO Minnesota 5, Pittsburgh 0 Tampa Bay 5, St. Louis 4 N.Y. Rangers at Nashville, 8 p.m. Florida at San JoI, 10:30 p.m. Carolina at Los Angeles, 10:30 p.m. Friday's Games Detroit at Washington, 7 p.m. Columbus at Atlanta, 7 p.m. Colorado at New Jersey, 7:30 p.m. Ottawa at Vancouver, 10 p.m. Saturday's Games Minnesota at Philadelphia, 2 p.m. Florida at Los Angeles, 4 p.m. Dallas at Toronto, 7 p.m. Anaheim at-Montreal, 7 p.m. Edmonton atN. Lightning 5, Blues 4 St. Louis 1 2 1 4 Tampa Bay 1 1 3 5 First Period-1, Tampa Bay, Modin 14 (Richards, Boyle), 12:13 (pp):.2, St. Louis, Sillinger 7 (Wideman, Weinrich), 13:19. Penalties-Ranger, TB (delay of game), 6:39; Salvador, StL (boarding), 10:47; Hoggan, StL (hooking), 13:33. Second Period-3, St. Louis, Sillinger 8 (Tkachuk, Weight), 10:49. 4, St. Louis, Tkachuk 4 (Weight,.Sillinger), 14:35 (pp). 5, Tampa Bay, Fedotenko 7 (Prospal, Ranger), 16:39. Penalties-Hoggan, StL (hooking), 4:23; Grahame, TB, served by Richards (roughing), 7:16; Sillinger, StL (interference), 8:09; Ranger, TB (tripping), 14:28; St. Louis, TB (goalid interference), .18:06. Third Period-6, Tampa Bay, Taylor 4 (Artyukhin, DiMaio), 6:15. 7, Tampa Bay, St. Louis 11 (Boyle, Modin), 13:30. 8, Tampa Bay, Fedotenko 8 (Lecavalier, Prospal), 19:26 (en). 9, St. Louis, Tkachuk 5 (Boguniecki, Weinrich), 19:42. Penalty- Lecavalier, TB (holding stick), 1:26. Shots on goal-St. Louis 8-9-5-22. Tampa Bay 12-13-8-33. Power-play Opportunities-St. Louis 1 of 5; Tampa Bay 1 of 4. Goalies-St. Louis, Lalime 3-11-3 (33 shots-28 saves). Tampa Bay, Grahame 13- 8-1 (22-18). A-19,812 (19,758). T-2:13. Referees-Dave Jackson, Rob Martell. Linesmen-Brian Murphy, Jonny Murray. NHL Scoring Leaders Through Dec. 7 GP G A PTS Jagr, NYR 30 21 22 43 Spezza, Ott 25 11 32 43 Alfredsson, Ott 25 21 20 41 Heatley, Ott 25 19 22 41 Staal, Car 27 20 20 40 Thornton, SJ 26 10 29 39. Forsberg, Phi 21 8 31 39 SavardAtI 29 11 27 38 Gagne, Phi 26 23 14 37 Kovalchuk, Atl 26 17 19 36 Demitra, LA 29 14 22 36 McCabe, Tor 29 10 26 36 Naslund, Van 28 15 18 33 Prospal, TB 28 13 20 33 Hossa, All 29 14 18 32 Frolov, LA 29 13 19 32 Marleau, SJ 27 11 21 32 Tanguay, Col 28 11 21 32 Nagy, Pho 27 11 20 31 Williams, Det 29 9 22 31 TRANSACTIONS BASEBALL American League BOSTON RED SOX-Traded SS Edgar Renteria and cash to Atlanta for 3B Andv Marte. DETROIT TIGERS-Agreed to terms with RHP Todd Jones on a two-year con- tract. KANSAS CITY ROYALS-Agreed to terms with RHP Elmer Dessens on a two- year contract. Traded INF Fabio Castro to Texas for INF Esteban German. Named Jeff Davenport senior director of team trav- el and assistant to baseball operations. NEW YORK YANKEES-Traded INF-OF Tony Womack and cash to Cincinnati for INF Kevin Howard and OF Ben Himes. SEATTLE MARINERS-Acquired RHP Marcos Carvajal from Colorado as the player to be named in an earlier trade. Designated RHP Jeff Harris for assign- ment. TORONTO BLUE JAYS-Acquired RHP Ty Taubenheim from Milwaukee and sent LHP Zach Jackson to Milwaukee to com- plete Wednesday's trade. Acquired OF Dustin Majewski from Oakland to complete an earlier trade. National League ARIZONA DIAMONDBACKS-Named Ken Crenshaw athletic trainer. CINCINNATI REDS-Traded 1B Sean Casey to Pittsburgh for LHP Dave Williams. COLORADO ROCKIES-Agreed to terms with RHP Jose Mesa on a one-year contract. HOUSTON ASTROS-Agreed to terms with OF Orlando Palmeiro on a two-year contract. NEW YORK METS-Agreed to terms with INF Jose Valentin on a one-year con- tract. PHILADELPHIA PHILLIES-Acquired LHP Gio Gonzalez from the Chicago White Sox as the player to be named in an earli- er trade. Assigned Gonzalez to Clearwater of the Florida State League. Acquired RHP Chris Booker from Detroit for cash. PITTSBURGH PIRATES-Released INF Ty Wigginton. Acquired RHP Chad Blackwell from Kansas City and RHP Clayton Hamilton from San Diego to com- plete earlier trades. SAN FANCISCO GIANTS-Agreed to terms with INF-OF Mark Sweeney on a two-year contract. American Association EL PASO DIABLOS-Agreed to terms with C Matt Eichel, INF-OF Jorge Alvarez and RHP Justin Craker. FORT WORTH CATS-Agreed to terms with RHP Dan Grybash, INF David Keesee and INF John Allen. SIOUX FALLS CANARIES-Released LHP Jacoby Marshall. Agreed to terms with INF Chris Hall. Can-Am League BROCKTON ROX-Traded LHP Kevin Beavers to Fort Worth of the American Association for C Jason Radwan. NEW JERSEY JACKALS-Traded INF Chris Rowan to North Shore for RHP John Kelly. BASKETBALL National Basketball Association PHILADELPHIA 76ERS-Waived F Deng Gai and F James Thomas. NBA Development League ALBUQUERQUE THUNDERBIRDS- Signed C-F Marcus Douthit. Waived G Marcus Taylor. FOOTBALL National Football League BALTIMORE RAVENS-Placed LB Ray Lewis on injured reserve. Signed QB Brian St. Pierre from the practice squad and LB Zac Woodfin to the practice squad. BUFFALO BILLS-Suspended WR Eric Moulds for Sunday's game against New England. DENVER BRONCOS-Signed CB Antwaun Rogers to the practice squad. MINNESOTA VIKINGS-Placed CB Laroni Gallishaw on injured reserve. Signed CB Ukee Dozier from the practice squad and DB Marvin Ward to practice squad. Canadian Football League MONTREAL ALOUETTES-Signed QB Ryah Dinwiddie and QB Scott McBrien. HOCKEY National Hockey League COLUMBUS BLUE JACKETS- Activated D Adam Foote and C Manny Malhotra from injured reserve. LOS ANGELES KINGS-Assigned LW Jeff Giuliano to Manchester of the AHL. American Hockey League BINGHAMTON SENATORS-Assigned G Jeff Glass to Charlotte of the ECHL. CLEVELAND BARONS-Announced G Nolan Schaefer has been assigned to the team by the San Jose Sharks. Loaned G Jamie Holden to Fresno of the ECHL. GRAND RAPIDS GRIFFINS-Assigned LW Michael Hackert to Frankfurt of the German Hockey League. HAMILTON BULLDOGS-Announced the Montreal Canadiens signed F Francis Lemieux to a three-year contract. HARTFORD WOLF PACK-Announced G Ty Conklin has been assigned to the team on a conditioning loan from the Edmonton Oilers. Assigned G Al Montoya to Charlotte of the ECHL. IOWA STARS-Recalled C David Bararuk from Idaho of the ECHL. ECHL ECHL-Suspended Stockton LW Derek Campbell for one game and fined him an undisclosed amount for his actions in a Dec. 3 game. LAS VEGAS WRANGLERS-Traded LW Adam Huxley to Victoria for future con- siderations. PHOENIX ROADRUNNERS- Announced F Garrett Burnett has been assigned to the team by the Dallas Stars. Central Hockey League LAREDO BUCKS-Announced RW Frantisek Lukes has been assigned to the team by San Antonio of the AHL. ODESSA JACKALOPES-Signed RW Caleb Mofi t. OLMPICS USA WATER POLO-Named Dr. Terry Schroeder assistant coach for the men's national team. SOCCER Major League Soccer CHICAGO FIRE-Agreed to terms with Dave Sarachan, coach, on a new contract. COLLEGE ALBANY, N.Y-Named Carl Anderson assistant athletic director for student-ath- lete enrichment and Jennifer Svatik direc- tor of student-athlete support services. BETHANY, W.Va.-Named Tim Weaver football coach. CENTRAL MICHIGAN-Named Dave Heeke athletic director, effective Jan. 16. EAST STROUDSBURG-Announced the resignation of Angelo Borzio, wrestling coach, effective at the end of the season. KANSAS STATE-Named Mo Latimore defensive line coach, Tim McCarty assis- tant head football coach and offensive line coach, Tim Tibesar special teams coach, Pat Washington wide receivers coach and Abby Boustead director of football opera- tions. N.C. WESLEYAN-Named Jacy Swartz men's and women's tennis coach. NORTHERN MICHIGAN-Named Bernie Anderson football coach. TEXAS A&M INTERNATIONAL- Named Mark Jackson h wbf b1 coach ' PIRATES Continued from Page 1B things mentally we don't seem to understand yet, we haven't grasped how important the first three minutes of the sec- ond half are yet. "They put some pressure on us (in the second half), and we're not adept at handling man-to-man defense yet. And I though they did a much better job reacting to what we were trying to do (in the second half)." True, the first three minutes of the third quarter were piv- otal. In that span,, Crystal River had eliminated the Leopards' 7-point lead; the Pirates put 11 points on the CANES Continued from Page 1B at all," he said. "(Wednesday's) practice was an hour-and-a- half of defense. The offense will come, but we've got to learn to play good defense." Densmore was pleased to see his Hurricanes (3- 1)_outscore and outrebound Hernando (2-5) in each of the four quarters. Citrus never led by less than five points after the first half, which ended with an 8-0 Hurricane run during which Delguidice and Antoin Scriven each hit a 3. The lead was stretched to 12 after a Mark Xenophon 3-point play early in the third, but Hernando chipped away, final- ly closing to within 5, 48-43, on Brandon Vanderford's two free throws with 4 minutes left in the game. That's when Howard nailed a baseline 3 and Delguidice followed it up with his fifth and final 3 to close the deal. "It was a surprise," Delguidice laughed when asked about his outburst from beyond the arc. "I've been shooting bricks all season, but RISK Continued from Page 1B anticipate, Lyons was pleased. Yes, an obstacle had been cleared. An expectation of further improvement would be understandable. But that's not the way it works, a lesson Lyons learned against Hernando. She played well, tying team-' mate Meghan Hirsch for top point honors with 13, and she had a dozen rebounds. And yet, it still wasn't Lyons-esque. Her standards are set higher than others, which is what happens when you reach her status as the county's best and an NCAA Division I recruit. By her own account, Lyons was perhaps at 75 percent against Hernando. Her knee is fine, although the brace is cumbersome; however, she didn't play for six months, perhaps the longest stretch The elem she's gone - without the made Lyo game since her thing extt pre-elemen- tary school are still days. Now she's Her knov trying to play her way into the gaI shape, not an how it sl easy thing to do. And played, remember, she's doing it takes with a differ- ent team two remain. years ago she shoot. He played at Crystal River, is except last year she was at Seven hands ai Rivers. That, too, is an adjustment. The elements that made Lyons something extra special are still evident. Her knowl- edge of the game, and how it should be played, what it takes to win, remain. She can shoot. Her passing is excep- tional. Her hands are quick. But the step is still lacking. Watch her play and one can sense her frustration: She knows what to do, but the reaction is a half-beat slow. "Defense," Lyons answered when asked what part of her game needs to improve. "I have to get better defensively to play at the next level." Worrying about the next level now she signed with Coastal Carolina last month, which relieved some of' the pressure she was laboring board before Hernando's Debra Williams scored what would be her team's only bas- ket of the second half. The Pirates, who led 10-8 after one quarter thanks to 8 Lacey Lyons' points (she fin- ished with 13), had problems in the second, scoring just 4 points as the Leopards put 13 on the board. But 18 second-half turnovers doomed Hernando, aiding Crystal River's 29-5 run. Meghan Hirsch also had 13 points for the Pirates, with Ashley Clark contributing 8. Nakita Washington's 8 points was best for the Leopards; Charleha Williams added 7. Crystal River plays at Citrus in a District 4A-6 game at 7 p.m. tonight. they fell tonight" Xenophon added 9 points and 7 rebounds for the Canes, while Scriven scored 8 off the bench. Hernando was led by Blake Vanderford's 14 points and Brandon Vanderford's 13. Citrus resumes its district schedule tonight at archrival Crystal River. The last time the two teams met- in last year's district tournament-- a miracle 3 at the buzzer from then-senior J.D. Hoglund saved a one-point win for Citrus, which went on to win the district and advance two rounds into the playoffs. But Citrus suffered heavy losses to graduation since then. This year's team bears little resemblance to last's, with only Howard and Xenophon back from the rota- tion of regular players. "We don't have much expe- rience," Densmore said. "They know it's Crystal River, but I don't know if they'll even think about it Our guys are so new, we've just got to worry about getting better every day and finding some cohesive- ness." Tonight's game tips off at 7 p.m. in the Crystal River gym- nasium. with ("It meant I could con- centrate on my game," she said) is common enough, but as she's discovering, first things need to come first. And that means getting back to her dominant level, while playing with a team loaded with talented players. Adjustments need to be made, not just by Lyons but by all the Pirates. How long will this take? It's a question without an immediate answer. Patience is the key; expecting too much too soon could ruin what is developing into a very promising season (the Pirates are 7-0). As Lyons gets stronger - "It's a matter of getting my confidence back," she said after the North Marion game, adding, "I have to get my lungs back, and I don't have that explosion yet. It's a work in progress" the Pirates should get better. Remember, this was a good team without ents that Lyons; with ns some- her, it could be something spe- a special cial. No, she's not evident. there yet. And id of it may take lege of awhile before le, and she's at 100 percent, a cou- lould be ple of weeks of one strong out- what it ing (like North Marion) fol- 0 win, .. lowed by She can another that's not quite as r passing g o o d (Hernando). onal. Her Tuesday's game with e quick. North Marion did provide some insight, something to look forward. The Colts had trimmed a 19- point halftime deficit to 12 with two minutes left in the third quarter. In those final two minutes, Lyons dished a pass under- neath the basket to Setera Lockley for a basket, then nailed two jumpers in a 35- second span to make it an 18- point game. Lyons will be a difference- maker for the Pirates. As she regains her game, the scar on her knee won't disappear But it will be far less noticeable. CJ. Risak, Chronicle sports writer can be reached at ejrisakcruohnicleonline.conm. r h Ni t i r< FRIDAY, DECEMBER 9, 2005 3B CITRUS COUNTY (FL) CHRONICLE " SPORTS H ) SPORTS SGates reunite ' 4B FRIDAY, DECEMBER 9, 2005 "- "- "Copyrighted Material Syndicated Content Available from Commercial News Providers" Jags rookie ready for Colts LECANTO HIGH SCHOOL CREW TEAM CHRISTMAS TREES SALES FOREST RIDGE ELEMENTARY 2927 N. Forest Ridge Blvd., off C.R. 486 Wreaths & 5ft 12ft Trees Drinks and Music l4PM l- 8PM FOR MORE INFORMATION CALL 352-637-6610 Get A $600 n a warranties* in the business. f. . And, right now, you can get a $600 Rebate when you call Senica your Factory Authorized Dealer and replace your old air conditioner with a new, two-speed Florida Five Star InfinityTM System with Puron@. Smart air conditioner. Smart deal. * 10-Year Lightning Protection Guarantee * 10-Year Factory Parts & Labor Guarantee * 100% Satisfaction Guarantee * 10-Year Rust Through Guarantee * 25% Minimum Cooling & Heating Cost Savings 30 Times More Moisture Removal Visit us at: 1803 US 19 S, Crystal River 1-352-795-9685 1-352-621-0707 Toll Free: 1-877-489-9686 or visit i< Sz] ! wu__1-,,_JS-l Purchase a subscription to Gator Bait for the sports fan on your Christmas list and save BIG this holiday season. THE MORE YOU BUY, THE MORE YOU SAVE. Buy one gift subscription and get $5 off. Buy two and get $10 off your second gift subscription. Help make the season bright for your Gator fans this year. T _HE #1, SOURCE FOR >GATOR "SPORTS,. MEYER DAZZLES '. '- AS NEW BERA BEGINS FOOTBALL STAFF STARTS TO TAKE SHAPE RECRUITING PICKING UP STEAM . A. , Call 1-800-782-3216 to Subscribe NOW! Hurry! Special Offer Expires December 24, 2005! (Limited to New Subscribers Only.) For more great gift ideas, visit us online at ,' ." 1 :! 6i ....t '" + + i :: ,' r.. '. : .. .. "" t:' ..,-Wi,!. 41m kois :M ORMii 4 * 'Mm*iij i 'p. Air Conditioning, Inc. LP11ron is a regMered t,.demaik of Carrier Corporation & Infinity is a trademork of Carrier Corporation, Florida Five Star System is optional -x pires 12/31/05 Call Senica Air Conditioning your Carrier Factory Authorized Dealer for details as restrictions apply to limited warranties Models 33YDB. 38TDB with-FE4 or 56CVA with branded indoor coil and Infinity Control. Homeowners/occupants only "I Crruns CouNm (Fl.) CHRONICLE 1 l" it(\+ .* 4, . ** *I :tt, DECEMBER 9, 2005 Tis the season to get funky Tuneful people and one singing tree make December musical month NANCY KENNEDY nkennedy@ chronicleonline.com Chronicle From secular to sacred, the holiday season is a time for music, beginning with a "singing Christmas tree" con- cert and drama today, Saturday and Sunday at First Baptist Church in Crystal River. Modeled after the popular singing tree of First Baptist in Orlando, this tree is covered with thousands of lights and filled with the voices of 60 choir members from three area churches. "Our goal with the tree is to present a Broadway-style musical with singing and danc- ing that ultimately presents the audience with the greatest Christmas gift of all, Jesus Christ," said Chuck Cooley, music director at First Baptist Church in Crystal River. "This is First Baptist Orlando's final year to do their singing tree, so we hope in years to come that we can fill some of the void that will leave," he said. The program will be at 7 p.m. today and Saturday and at 2:30 and 7 p.m. Sunday. Tickets are no longer available. However, those interested may arrive 10 minutes prior to performance time and will be seated if seats are available. Admission is free. The singing Christmas tree will also be part of First Baptist Church's Christmas Eve servic- es at 5 and 7 p.m. Saturday, Dec. 24. For information, call 795-3367. Now in its 27th year, the Sugarmill Chorale will have its annual Winter Concert at 3 p.m. Saturday at Curtis Peterson Auditorium in Lecanto. This popular concert will include some old favorites, such as "We Need A Little Christmas," "Noel" and "Still, Still Still," which leads into the beautiful "0 Holy Night." John Mau, president of the Sugarmill Chorale, said this year will also include a Christmas Calypso number with bongo accompaniment and a few other changes that promise to add variety and interest. The Mike & Kautia Hampton Family Fun Day event will be going on earlier at the Lecanto Please see FUNKY/Page 8C --.0 Christmas German-themed play comes to Art Center Theatre NANCY KENNEDY ',".nkennedy@chronicleonline.com -"' ~ Chronicle ute kids, old folks, I Christmas carolers, a heart- 'warming story and a pag- Seant what more can you ask for in a children's theater pro- duction? From Dec. 16-18, the Art Center's Hrdnalavan Children's Theatre will p resent "Christmas with Tante Hilde," written by Mac and Sharon Harris. The lead role, Tante Hilde, is played.by 82-year-old Terry Blakely. Her husband, Ralph, plays Grandpa. The couple came to Citrus County about 10 years ago. "Before that, we lived in the Pocono Mountains and did commu- nity theater there," Mrs. Blakely said. "We're regulars in community theater, at the Art League, and 'Ralph has played Playhouse 19. But roles are limited at our age." The rest of the cast ranges in age from 5 to 16, which the Blakelys said they find interesting and enjoyable. "They keep you on your toes," Mrs. Blakely said. The story revolves around Tante Hilde, the oldest of a family of sis- ters who lives in Germany. Thinking she's about to die, she spends all she has and even WALTER CARLSONChronicle The Halavan Children's Theatre presents "Christmas with Tante Hilde," with the lead role played by Terry Blakely. Ralph Blakely plays Grandpa. The rest of the cast Is comprised of children age 5 to 16. They keep you on your toes. Terry Blakely star of "Christmas with Tante Hilde," about the young members of the cast. gives away her precious cat to come to America to visit her youngest sister and her family of seven typical American children. Tante Hilde brings her German customs and traditions and a stuffed cat named Noodle that she carries with her and talks to con- stantly. At first, the children think she's weird and embarrassing. "When she grew up in Germany, she played with sticks and things that she found," said Sharon Harris, who wrote and directed the play. "So she gives the children found things, like a Kentucky Fried Chicken bucket. Of course, they make total fun of her. But as the play goes on, the kids realize that the gift is in the giving." Veteran actor Jack Kelly, 10, plays Clint, the youngest son. "I like playing Clint because he's wild and imaginative like I am, so I can be myself," he said. "Clint thinks (Tante Hilde) is crazy. 'What is she doing here?' and 'I can't believe she's related to me.' "But at the end, he learns a very important lesson to never judge people," he said. Harris said the Halavan Children's Theatre, named after the late Bill Halavan, had done "The Best Christmas Pageant Ever" for many years and some of the older kids in this year's play had been in it since they were little and were getting tired of it "We have a whole new crop of kids coming up, and it was time to do something new," Harris said. "We had 25 at auditions, and my intent was to put everyone in the play regardless of how many showed. So, I added the caroling scene, 11 kids that are carolers, with their own little play going on among themselves. And then the family has a play within the play as the youngest ones put on a pageant. "This is as much a learning expe- rience as anything," she said. Thew (war ( f Kong. ( "ap e, a nd (- aeh "Copyrighted Material Syndicated Content Available from Commercial News Providers" Brecken Baggs CRE" f Buying for teen girls: A primer t is natural for a teenage girl to frequently change her tastes and opinions. For example, I admit that I have changed my mind about at least a dozen things just during the process of writing this article. This type of adolescent rou- tine clearly explains why those shopping for teenage girls during the holiday sea- son could become frustrated. In order to successfully conquer their ever-changing wish lists, one should keep a few imperative pointers in mind. Novelty gifts are over- rated. .Though you might think you have accurately pinpointed the most specific tastes and desires of the demographic group in ques- tion, you must recognize that as frequently as styles change, so does the mind of the average teenage girl. Attempting to buy a specific "novel" gift is more work than it's worth and assumes a great amount of risk The perfect solution for a risk-free Christmas gilt is simple gift cards. Girls love to shop, and everyone knows that shopping for yourself is always more fun than having somebody else (who may be unsure of your personal taste) shop for you. Gift cards provide a girl with money while also giving her the excuse to go out, have fun, and buy something for herself that she really likes. If gift cards seem too impersonal, and the shopper is feeling ambitious, simple and classic gifts are always great For example, if you know that a girl in your fam- ily likes jewelry, instead of buying her some funky ear- rings that you hope will suit her taste, buy something understated, such as a classy strand of pearls. Teenage girls never turn down classic jewelry like this. Basic gifts, such as pajamas, bathrobes, or slip- pers are also good ideas. Make sure to be conscious of a girl's style maybe even try to isolate one of her close friends for an opinion. In fact, getting a second opinion from another teenage girl is a great idea. Just a few weekends ago, I was shopping and a middle- aged man buying pajamas for his daughter for Christmas stopped me. He told me I resembled her and asked me what size I would wear. I not only gave him my size, but I also gave him an opinion on what pajamas I would choose for myself. This brief interaction helped him find the right gift for his daughter. After getting multiple opinions on popular Christmas gifts from girls at my school, I've been hearing an echo of similar items. Electronics seem to be on the wish list of most of the girls I've spoken to. The new Apple iPod Nano (starting at $199) is a popular gift for teens. This new breed of iPod and can hold pictures and music videos. It can hold 500 songs or 1,000 songs (depend- ing on the type) and is even smaller than the iPod Mini. Please see 8 * WHAT: "Christmas with Tante Hilde." * WHEN: 7:30 p.m. Friday, Dec. 16, and Saturday, Dec. 17; and 2 p.m. Sunday, Dec. 18. * WHERE: Art Center Theatre, 2644 N Annapolis Avenue, Citrus Hills. * COST: $8 for adults, $5 for students, children younger than 6 are free. Tickets are on sale at the ACT box office from 1 to 4 p.m. Tuesday through Saturday. * GET INFO: Call 746-9372 or 746-7606. J "" * /Page SC 2C FRiDAY, DECEMBER 9, 2005 qfl;i ~1 *BB, ~4 Cs.. I-I. I; ~ ~ FyI ~ I -~ MANATEE LANES/HOT SHOTZ SPORTS BAR & GRILL, located at 7715 Gulf to Lake Hwy. in Crystal River, is a true "Family Fun Center." Manatee Lanes features 30 lanes with Brunswick synthetic lane surface and ball returns. You have to see the cool graphics on their Qubica automatic scorers. If you're interested in billiards or games, visit their game room which contains 3 professional, full-sized billiard tables. Manatee Lanes has leagues every day/night of the week. The Fall schedule is out... and they would be happy to sign you or your children up for a Fall League. A Star Wars Strike Force League for Adult/Youth bowlers starts on October 9th. Every youth bowler will receive a free Star Wars Episode bowling ball and Star Wars bowling bag! Phone them at 352-795-4546 to sign up for more information or to sign up for a league. Looking for some night-time fun? Visit Hot Shotz where you can catch all your favorite games on their many monitors and two large-screen TV's. Randy Rice will provide live entertainment every Friday and Saturday night starting August 12th. Hot Shotz serves the best Hot Wings in town... plus a full menu of sandwiches, burgers, chicken, and snack items. Watch all you favorite football games every week. Hot Shotz has the NFL Sunday Ticket and a free prize pool ,f during Monday Night Football. "' 'p . Manatee Lanes/Hot Shotz Sports Bar & Grill is the place for fun in I" ' Citrus County... stop by and see for yourself. Manatee Lanes is open until 11 PM during the week, 1 PM on Fridays, and 2 PM on Saturday. They accept Master Card and Visa, and have an ATM for your convenience. Phone them at 352-795-4546 for information on any of their programs or to book a birthday party. I f 0 / ~r 14 .~ I. -- BU :S & 2 [ S~1 I I to Mon. Sat. 11:00am 3:30 pm Children Under 10 - Under 3 FREE Sunday 12 noon 3:30 pm Children Under 10 Under 3 FREE Fri. Sun. Dinner Buffet Only Mon. Thurs. 3:30 pm 9:00 pm Children Under 10 Under 3 FREE Fri. Sat. 3:30 pm 9:30 pm Children Under 10 * Under 3 FREE Sunday 3:30 pm 9:00 pm Children Under 10 Under 3 FREE OPEN HOURS: Mon. to Thurs. 11:00am 10:00pm Fri. & Sat. ilr USHwy. 19 I.Fc II Bankof China Fij, .l8uff t Wa hoviJ ) S AerI Ic ank I CRYSTAL RIVER 618 S.E. Hwy. 19 ALL YOU CAN EAT 11:00am 11:00pm Sunday 12:00 noon 10:00pm Wed'mesd3y. Acutisby Mark & Randy Spm-12aCHm^B^ $2^ long nec^ks all7 night ^^^^hursdgy.^^^^^ P.O.R.r.S. araok CALL FOR DETAILS ABOUT OUR SPECIAL FEATURED ON DEC. 25 & 26 Now Taking Reservations For Our New Year's Eve Party Call For Details We are 0| . a Week Breakast Served Tuesday through Saturday V A N C e .Live Afvt ' L K apply our7 eer e d y/, Q ,, norMts A sIAURANtS FullLiquorBar 7p,"./p10,y Fine dining 6 / ; and Located on the 18th hole of Lakeside Golf Course, Hwvy. 41 between Infverness and Hernando a ;i~u-~i.;..: ~ : Join Us After A Game Of GolfAt Lakeside LIVE BANDS All Bikes & Golfers Welcome 795-9963 Open 11A.M. Daily Big Orange Bar On 44 & 486 ALL DAY EVERY DAY PANHEAD GRILL MON-WED: 11:00 AM 8:00 PM THUR-SAT: 11:00 AM 10:00 PM JUMBO WINGS BURGERS RIB EYE STEAK SANDWICHES Boys & Girls Club LAST YEAR $4,000 was raised. Let's make this year even better. Deadline for toys Dec. 19th. Bring in new, unwrapped toy & receive a free drink. domestic BUCKet Specials FRIDAY & SATURDAY SUNDAY 16 oz. 4 for $8 9:00 PM TO 1:00 AM 3:00 PM TO 7:00 PM $150 8for$14 THE PLAN NIGHTSHIFT Jz~ ~ ___. ~^~~^( nfl.- y0- I.-I ....0- 0 A I December,' Turner's Fish Camp Reserve Your Space in ENTERiMTAINING NOTIONS S5636S 363 ^563-6363^ laS lpasI iI 0 -s EERACOE CAG I I 'low. 0O- Q !C M RN I CrIais CouNTY (FL) CH omcT. h;[. '-TEE L -IE -: *,J FCTIHDAY, DI)C(MBI|NR 9, 2005 3C ENJOY A NIGHT OUT ON THE TOWN! Stumpknocker8 ri, 1^i -- : - HOUSE SPECIALTIES . FLORIDA GATOR FROG LEGS SHRIMP OYSTERS AII You Can Eat., _CATFISH ,^P oP r,. F 8 L Co His HOLIDAY JAZZ SESSION Featuring Janice Marie Saturday, Dec. 17 9:00pm Tickets $8 For dining & performance reservations call 726-2212 726-2212 Also Thick Juicy Steaks ork Chops & Tender Chicken Breasts... All Grilled On An Open Flame. Plus Much More. Large Portions At A Reasonable Price. ome & Enjoy An Authentic Florida Restaumrant toric Downtown Inverness I * l IV -l*, II THURSDAY Jim & Barb from Westsid Ceafe Have Relocated to 1314 Hwy. 41 Inverness (Close to post office) Monday-Saturday 7am-9pm Sunday 7am-3pm Our new location is larger and nicely remodeled with a banquet room. TO MAINTAIN LOWER PRICES, WE ARE UNABLE TO ACCEPT CREDIT CARDS I ii RESIAURAINT SHwY. 41 & 44 W INVERNESS Includes Salad & garlic bread Expires 12/21/05 | OPEN 7 DAYS. fSTA 637PO-13 5 LUNCH & DINNER \BfT 'I --- f\fZ ^J~.X 1MI Lunch Dec. 10th 2pm-4pm Kids Meal & A Photo With Santa Only $5.991 653812 emes 860195 RISTORANTE Casual Fine Dining S - 6 439 US Hwy. 41 S.. Inverness * I "M WIT =11, IA H Hours: Mon .-Thurs. 6:30-8:00, Fri. 6:30-9:00, Sat. 6:30-8:00, Sunday 6:30-6:00 pm 564-1116 1239 S. Suncoast Blvd. *1, (Nottingham Square Next to Eagle Buick) ~APPLIANCES *PARTS *DISHES GLASSWARE FLATWARE Schools Restaurants S* Bars Day Cares Churches S Nursing Homes Clubs, -f ^r Are You Looking For A Local Supplier? CALL US! 621-3712 5415 W. Homosassa Tr. Lecanto located Across From Anson Nursery ,n F' 7 30 a m -.1 00 p m at Twisted Oak Golf Club Open For Dinner Fridays Only 3pm 7pm Open Daily For Breakfast & Lunch LIN THE DAYS INN ON HY. 19 CRYSTAL RIVER, FL 564-1191 \' "'-I - ".r"' ',' i *-'" .... .' .'. :*-.. .* -. ,.j- PICK A PARTY FOR YOUR BUSINESS OR CLUB..., HOLIDAY PARTIES INCLUDE: s, 2-1/2 HRS. OF BOWLING FREE USE OF RENTAL SHOES " RED PIN FUN WITH PRIZES CHIPS, PRETZELS & DIP...... PLUS: 2 SLICES OF PIZZA PER PERSON AND A DRINK TICKET FOR A SODA, COFFEE, DRAFT, HOUSE WINE OR WELL DRINK $10.00 PER PERSON for parties ending by 5pm $12.00 PER PERSON for parties after 5pm $13.00 PER PERSON for parties during Fri. or Sat. pm VERTIGLOW (ADD OUR FAMOUS HOT WINGS FOR ONLY .50 PER WING EXTRA) (ALL PARTIES 16 PERSON MINIMUM... with at least 4 people per lane required) S7 LMAATE 7715 W.ME Gulf to Lake S1LANES MILE E -. Hwy. p L N CRYSTAL RIVER F *,~.f I-. I 1. Whole Maine Lobster............ 2. Surf & Turf Steak w/Shrimp.. or w/Lobster Tail................... 3. Catfish Dinner....................... 4. Crab Legs 1 Ib. ............... 2 lbs................ On Hwy. 491 in the Beverly Hills Plaza SUN. 12 NOON. 9 P.M. MON. THURS. 11 A.M. 9 P.M. FRI. & SAT. 11 A.M. TO 10 P.M. 746-1770 15 LARGE SHRIMP & FRIES S$10.99 20 XLARGE SHRIMP & FRIES $12.99 I LB. SNOW CRAB & FRIES <$9.99 Closed Sunday 7364 Grover Cleveland Blvd., Homosassa 352-628-9588 Highway 44, Crystal River 352-795-9081 650103 PRIME RIB TUNASALAD DINNER PLATE KID'S MEALS LL-YOU-CAN-EAT 'DS E SFish Fry only (12 And Under) 8. 9,5p ,,,, Pollack ^495 'oltuoT II WJ,,T TGrouper DATES AVAILABLE FOR PRIVATE PARTIES 7 46 6 8 2 4801 N. Forest Ridge Blvd., Beverly Hills S ( Shat Shapping Makin# 'j Mu"Jwf? Don't fast-food it ... treat yourself to an affordable, delicious breakfast, lunch or dinner. SCancller Hill Restaurant Open to the Public-8:00 a.m. to 8:00 p.m. Early Bird Dinner Specials Sat. Prime Rib Dinner Special Gift Certificates Available Circle Square Ranch' -l 'On Top of the World Cohmmunities From-75 Take SR 200 West 8& Turn Right on SW 80th Avenu . S8139 SW 90th Terrace Rd. Ocala, FL 34431 -. .(352) 861-9720 CITRus CouoNn (FL) CHRONICLE 4CFiy DEEME .205SNECTU ONI(F)CnocL rts &9- AFT S Arts festival The city of Inverness is proud to announce the return of the Annual Holiday Arts and Crafts Festival, to be held in Historic Downtown Inverness from 9 a.m. to 3 p.m., Saturday. The festival is held in conjunction with the Inverness Christmas Parade, which begins at noon. Call the Department of Parks and Recreation at (352) 726-3913 or e-mail parks@cityofinverness online.com. Holiday gallery The Citrus County Art Center A & E Building Main Gallery is now showcasing a "Holiday Exhibit" of member works. Viewing hours from 1 to 4 p.m. Tuesday through Saturday and dur- ing special events scheduled at the art center. The Art Center, (Citrus County Art League cultural center), is at 2644 N. Annapolis Ave. and County Road 486, (Norvell Bryant), in Citrus Hills (Hemando). Watercolors display The Watercolor paintings of Sally Jones Rodgers, Homosassa resi- dent, will be the East Wall Gallery exhibit for the holidays Saturday through Jan. 3. The East Wall Gallery is part of the Citrus County Art League Cultural Center complex, located at the junction of County Road 486 and Annapolis Avenue, Citrus Hills, (Hernando). The gallery hours are 1 to 4 pm, Tuesday through Saturday and during the center's special events. Rodgers, along with her hus- band, Joe, will host an evening reception from 5 to 7 p.m. Friday at the Art Center. The public is cor- dially invited. Artists exhibit works The Nature Coast Decorative Artists currently have a display of their artwork at the Brooksville City Hall Art Gallery, 201 Howell Ave., Brooksville. The display will contin- ue through Monday Jan. 9. Call Pat at 746-0907 or Andi at (352) 666-9091. Art Center schedule The Art Center, (Citrus County Art League Cultural Center), announces the next regular six- week session of art and writing classes, to begin in January. All classes are $60 for members; $70 for non-members. For registration, and required supplies, contact the individual instructors.. All sessions take place in the AEC (Art Education Center) Building, located at 2644 N. Annapolis Ave., at the corner of County Road 486 (Norvell Bryant), in Citrus Hills, (Hernando). Monday mornings, 9:30 to 11:30, begins Jan. 9: New Art Center class. One Stroke Painting with Diane Brown, certified one-stroke instructor. Simple to learn decora- tive painting: loading your brush to blend, shade and highlight, to paint on any surface, wood, glass, tin, etc. Register with Diane Brown at 746-4497. Monday afternoons, 2 to 4 p.m., begins Jan. 9: Intermediate Watercolor with Barbara Kerr, for painters with some watercolor experience. Register with Barbara Kerr at 341-3822. Tuesday mornings, 9:30 to 11:30 a.m., begins Jan. 17: Sharpen Your Drawing Skills with Ellen Hines. All levels; pencil work with light and shade. Register with Ellen Hines at 527-0901. Tuesday afternoons, 1 to 3 p.m., begins Jan. 17: Beginning Watercolor with Anne Weaver, emphasis on fundamentals; plus, pointers for those with watercolor experience. Register with Anne Weaver at 746-0031. Saturday afternoons: 1 to 3 p.m., begins Jan. 14: Creative Writing, "Muse to Manuscript," with Elissa ' Malcohn. From plot & character '. development, to publication & mar( keting. All levels. Register with Elissa Malcohn at 746-4573. : For information about art class- es, workshops, demonstrations, gallery exhibits and more, visit ou& Web site:. Meeting canceled The Beverly Hills Art Group monthly membership meeting for December is cancelled due to thee holidays. The holiday luncheon will be held on Dec. 14 at the Citrus Hills Golf and Country Club. A Family Fish Camp & Bar I, ,; ; :- , RV. Sites & Cabin Rentals North 581-End of Turner Camp Road "Enjoy the Panoramic View of the Withlacoochee" .... . Waterfront I The "H.S.T Enjoy lur.:h Cor ;i ,J our len. Ne me u Ar s You'll board our bran relaxing cruise on th to our dock and be 9 choice on the H.S. T dining room with a fa . SteS4 '~ P~uae ~6 Now Open 7 Days A Week Lunch 11-3 Dinner 5-10 Horse & Carriage Rides A .5.u!L .r J -. Coldest Beer In Lecanto -PLk-yNascar 3782 West Gulf to Lake Hwy. Rte. 44 ' THE HIGHLANDER SERVING DAILY DELICHTS.... HOMEMADE SOUPS, SCONES, CAKES & SANDWICHES ESPRESSO CAPPUCINO CAFE LATTE' SPECIALTY TEAS N. CITRUSAVE7 1 (NEXT TO POTTER'S PLACE) - I *. *'** I --vat T -M #N Holiday Gift Certificate This Dining On Year From igertail!" eagrass Pub bay O Er"ft & Grill A.Ahrre',ert -. t ) '. 7. Choose from our entire J / I r r dinner menu including: Steaks, Prime Rib, S_ J .- Lobster, Gulf Groupert S. J and variety of other selections. -..-- - '- Reservations Required nd new sightseeing boat and enjoy a e scenic Homosassa River. Return - served the delicious dinner of your - Igertall, our non-smoking floating fabulous view of the river. ,i EVRY MONDAY i* -u '" GROUPER Ai Y .) EvTlRY iESDAI' EVERY WED4NEBAY EVWIERY FIDA EVE Y5ATWRS STEAK NIGHT All Yu Ca. Eati CWY MARW5 TWIN LOBSTER i' rr FRIED OR SEAFOOD FL.RTTER TA5 1 i,.. BOILED HRIMP Co- f .A L .16. T.Boee tI or "is ,ce ,fts r. sp^p.5 d marrd. f' .. "' *-. ''" . ... .. ... . . .. .. .. . . .. . .. . . . . I ".' ^*! '*" '*' 11 *l We know mermaids! You can too, with a season pass for 4Weeki Wachfee Springs Purchase Your Season Pass at Weeki Wachee or Online for just $3 95 Senior Pass Rate (55+) 72195 (+,tax) ,, Offer good 'til Dec. 31 u get for your annual fee: * Admission to Weeki Wachee and Buccaneer Bay all season during regular daytime operating hours through December 31, 2006. * SAVE! 10% on select fooxxd items. * SAVE! 15% on select retail items. * SAVE! 15% on daily admission tickets (limit 6 per visit.) * Admission to all special events I, li, l i .rl I ILI i 1 * Free & discounted admission to numerous reciprocal parks throughout the year. F Iree Parking at Weeki Wachec & Buccaneer Bay ii U.S. 19 North To Citrus Avenue Turn West on Citrus (toward the River), Left on N.E. 5th 352-795-4046 114 N.E. 5th Street Crystal River, FL 34429 lpipE SE ACCOMMODAIONS " AVAILABLE Daily - ; Weekly ll. / I , S Monthly ,, Stone Crabs Are Here $17.95 LB (Not Floaters) Wednesday & Friday Noon 4 PM All U Can Eat Fish & Chips $6.95 EARLY BIRD FEATURES 3pm.6pm Tues. Fri. $8.95 Fresh Catch Snow Crabs Country Fr. Steak Salad & Potato & Dessert Coffee or Tea 5 PM W 8 PM Every Wednesday Viitou %esie o urh se orps niea: w.ekwce- ^^ SunCruz / PORT RICHEY C; A S I NO NEW YEARS CRUISE SATURDAY,DECEMBER 31 70 PM Dinner Buffet, SJ0Hors O'oeuvres, Open Bar, OJ Entertainment, SMidnight Champagne Toast, 0 ^Party Favors and morel S 50.00 Per Person, Reservations Required The ONLY TRUE Las Vegas Action on the Gulf Coast' Paying Out With REAL CASH Instead of "Points"I' 727-848-DICE 800-464-DICE $5.00 N SLOT TOKENS FREE I (WHEN YOU PURCHASE $10.00 IN SLOT TOKENS) OR A FREE $10.00 TABLE MATCH PLAY! FOOD AND DRINKS Limit One Coupon Per Person Per Cruiste. ILE GAB G Coupon Required. Expires 12131105 CCC LOCATED IN PORT RICHEY, NEXT TO HOOTERS Casino reserves the right to cancel, change, or revise this promotion at any time without notice. Vo,-I~i- Reop eaurig-Btc E FRIDAYDECEMBER 9 20 5 SCENE -1- CITRUS COUNTY (FL) CHRONICLE FRIDAY, I)ICliMBIEl 9, 2005 5C Springs celebration Musical entertainment is an inte- gral part of "Santa Over the Rainbow" special event. Santa and Mrs. Claus enjoy and appreciate these fine folks who entertain while they are visiting the .park each night from 6 to 8:30 p.m. On Friday, George "Kelly" Koper (a park volunteer and professional musician) plays all your favorite dhristmas selections. On Saturday, the Gulf Coast Community Handbell Choir takes center stage. The members are: James Andrews, Emily Barker, Liz Bobo, Nancy Curry, Darlene Hedin, Jean lHilger, Janice Holmes, Ray, Jill Jackson, Beth Johns, Diane Kahler, Wendy Knack, Adrian Kotik, Bill Nee, Theresa Nuzum, Faye Parker, Pat Purcell, Ruth Fittgers, Joy Stewart, Lynn Wolf and director Pattie Williams. This group is made up of experi- enced ringers from the Crystal River, Inglis-Yankeetown, Hlomosassa and Dunnellon areas. They play English handbells cast of *onze to each pitch of the musical scale and are available as a choir or smaller ensembles for private parties and community events. On Sunday, Dunnellon's own '"Shade Tree Pickers" return with their special down-home Christmas magic. Herb and Sue Ann Reichelt will be joined by Les Eagle on gui- tar and mandolin, Kathy Baines on Bass and Captain Jon Semmes on Guitar. Wonderful music, a bazillion lights and decorations, hot apple cider, unusual gifts and of course, Santa Claus, make "Santa Over ,the Rainbow" the grandest place to 'tIi this holiday season. Entry into ~he park is still only $1 and all pro- coeds are used by the Friends of ,Rainbow Springs for educational ,and beautification purposes. ,'Rainbow Springs State Park is 4 miles north of Dunnellon on U.S. :41. Call (352) 465-8555 if you ,need additional information. Open mic night Citrus High School's new literary ;magazine, Zephyrus, is presenting fA Night of Literary Phenomenon." : Students and teachers will be ,reading their original[ writings and !creatively interpreting other preex- sting.works of literature. Artwork will be displayed and refreshments will be offered. The event is from 6 i to 8 p.r.Tuesday in Citrus High Schools libraiy.-. For mre' information call 726- :224.1, Ext. 269. SHoliday at park Under the glow of thousands of little white lights, several of '"Santa's Elves" will collect letters to santa Claus and you will be able to p eet Mrs. Claus in the Ginger- bread House. The sounds of holi- Sdlay music will echo over the river ias the 20-member Gulf Coast 'Community Hand Bell Choir per- forms holiday songs. ; Celebrate the holidays by bring- irig the family to the "Kick-Off of the Holiday Season" on Friday, Dec. :16, at the Homosassa Springs 'Wildlife State Park and while you're there, be sure to enter the drawing Sfor free bicycles. One girl's and one boy's 17-inch Huffy bicycle will be given away to the lucky winners of 'the drawing. The entire family will be amazed at "Magic By Donald," featuring 'young magician, Donald Pierson, on stage. Also adding to the festivi- Sties will be the harmonious sounds of the Barbershop Chorus. Clowns gill be strolling through the crowd. i Under the canopy of holiday rights you can enjoy holiday songs by Miss Donna's Homosassa Elementary School children. SOn Friday, Dec. 16, the -lomosassa Springs Wildlife State Park will be the scene of the first Kick-Off of the Holiday Season" sponsoredd by the Crystal River hWoman's Club and the Friends of ,he Homosassa Springs Wildlife SState Park. The event begins at 5:30 and ^nds at 8 p.m. Donations are $2 ,er adult and $1 for children. ,, Monster trucks ,! Love Honda-Nissan has con- acted with Southern Monster ruck Showdown to bring a profes- ional monster truck show to Citrus county The event, scheduled for pec. 16, 17 and 18, will host mon- Ster truck racing and freestyle per- P6rmances, professional racing lawnmowers and much more. monsterer trucks scheduled to :appear are: Gunslinger, Traxxas T- ,vaxx, Clydesdale, Wild Hair, 1onkey'n Around, Iron Horse and morer. A portion of the proceeds of ;his event benefits Citrus United :;Basket. * Gates will open at 6 p.m. for the , Friday and Saturday night shows nhd competition begins at 8. Dec. ;17, registration opens at noon, fudging at 2 p.m. (early arrival wel- p:ome and may begin as early as e, 10 a.m.). Entry is $20, spectators admitted at no charge, but will be asked to bring a non-perishable food donation for CUB. On Sunday, gates will open at noon with com- petition at 2. When gates open at all shows, ticketholders can take advantage of a free "Pit Party" for the first hour, where they can meet the stars of the show, get auto- graphs and see the massive machines up close. Monster truck rides will be available before and after the show and during intermis- sion. Admission will be $12 for adults, children ages 6-12 $10 and those age 5 and younger admitted free of charge. Advance tickets are on sale at the Citrus County Fairgrounds office, Affordable ATVs in Inverness, Kane's Ace Hardware in Homosassa Springs, American Farm & Feed in Crystal River, Ye Olde Sub & Pizza Pub in Dunnellon and at Wishful Thinking Western World's Ocala and Fruitland Park locations. Advance tickets are only $10 for adults and $8 for children age 6-12. In addition to Love Honda- Nissan, this event is sponsored by Taylor-Made Homes, Affordable ATVs, Citrus County Chronicle, Domino's Pizza, Advance Auto Parts, Ring Power, Enter-Gard Tint & Truck Accessories, Citrus 95, Carter's Auto Recycling, Citrus Equipment Repair & Dixie Choppers, AAA Roofing, Citrus Hydraulics, El Diablo Golf & Country Club, Meguiar's Car Care Products and Coca-Cola. Southern Monster Truck Showdown is a family-oriented pro- duction company, promoting mon- ster truck shows throughout the Southeastern United States. Only nationally ranked professional monster trucks compete at Southern Monster Truck Showdown events to ensure a top caliber performance for.the audi- ence. For further information, visit southernmonstertrucksshowdown. corn or call (352) 489-2662. Businesses wishing to be involved with this event are urged to contact show management as soon as possible. Corvette show Mark your calendar for Saturday, March 25, 2006. That's the day when more than 400 Corvettes will converge on Citrus County for the "Corvettes in the Sunshine IIl' Corvette show. Trophies, thou- sands of dollars in door prizes, thousands of dollars that go to the top three Corvettes in each class ... money and trophy to the two clubs with the most participation - $500 to Best of Show and so much more. Vendors will be on hand with chrome items, "go faster" goodies, food and much more. Log onto. corn for full information and an application form that you can download. Need to speak with someone? Contact Harry Cooper by e-mail at citruscorvettes@hot- mail.com or call at (352) 637-2917. On STAGE Nature Coast Ballet Florida Nature Coast Ballet pres- ents its fifth annual production of "The Nutcracker" at 2 and 7 p.m. Saturday, Dec. 17, and at 3 p.m. Sunday, Dec. 18, at the Curtis Peterson Auditorium in Lecanto. Tickets are $15 for adults and $10 for children 17 and younger and may be purchased by sending a check or money order to: Florida Nature Coast Ballet, P.O. Box 2015, Lecanto, FL 34460-2015. Tickets will also be sold at Ronnie's Academy of Dance at 1598 N. Meadowcrest Blvd. in Crystal River and at the box office at Curtis Peterson Auditorium one hour prior to each performance. All seats are reserved. All sales are final. Call (352) 422-4059. CCAL auditions Auditions will be held for "The Miracle Worker," by William Gibson, directed by Jeff Collom at 7 p.m. Jan. 9 and 10. This drama calls for three men ages 25 to 60, four women ages 20 to 60, two boys ages 8 to 12 (one afro- American) and eight girls ages 7 to 14 (one afro-American and one to play Helen Keller, who does not speak). The auditions will be at the Art League Cultural Center at the intersection of Annapolis Avenue and County Road 486. This drama- tization of the story of Helen Keller is one of the most warmly admired play of the modern stage. All are welcome to participate and there are many technical slots to fill as well as performers. The Art Center welcomes volunteers. Call Jeff Collom at 628-9987 or the Art Center box office at 746-7606. You may also visit our Web site. Music Country concert Country Rocks the Canyon on Saturday at Rock Crusher Canyon in Crystal River will feature Travis Tritt and Trace Adkins. General admission tickets only can be purchased online at ticket- master.com. This concert is hosted by the Mike Hampton Pitching In Foundation to benefit 20 local non- profit organizations in this commu- nity. Call 527-3297. Kline to entertain The December "Sunday in the Hills" event, hosted by the Beverly Hills Recreation Association fea- tures the ever-popular, delightful and talented Carol Kline. Her 90- minute Christmas Cabaret show will begin at 2 p.m. Sunday. The cost of $5, plus tax, includes coffee and cake. Come join your friends and neighbors and get in the Christmas Spirit. Citrus Swing Band, The Citrus Swing Band will host its "Swing in the Holidays" concert on Friday, Dec. 16, at the Citrus High School Cafetorium. Music begins at 7 p.m. The band will per- form a mix of Swing classics, along with some "Sounds of the Season." Baked goods and refreshments will be available throughout the evening, and there's a whisper of a "Chinese Auction." The program promises to showcase the talents of high school students from the Citrus School District. The dance floor will be open, so come, enjoy the music, "cut a rug" if you wish, and be prepared for an evening of pure entertainment. Ticket dona- tion is $5, and may be obtained from any band member, at the door, or by calling Becky/Gary Saslo at 344-9758. All proceeds to benefit the Citrus Swing Band. Holiday jazz session The Still Waters Quartet will per- form the final Fall Jazz Series at Stumpknockers on the Square at 9 p.m. Saturday, Dec. 17. This per- formance will feature jazz vocalist Janice Marie singing traditional hol- iday songs supported by the Still Waters Quartet. Call 726-2212 for dining and performance reserva- tions. Tickets $8. Jazz session The Citrus Jazz Society's next session has been set for 1:30 p.m. Sunday, Dec. 18, in the Hampton Room of the clubhouse at Citrus Hills Golf and Country Club (for- merly Andre's). The session will feature jazz and Dixieland music provided by the society's local musicians according to Tony Caruso, president and music director. The public is invited to join members in an entertaining afternoon of good music by this tal- ented group of musicians, many of whom have played with well-known big bands. A donation of $5 per person for non-members will be collected at the door. Annual memberships and renewals are available for $30 per person and are always available at the door at sessions. The society can always use additional musicians for its jam sessions and any accomplished players should contact Tony Caruso at the December session or by calling him at 795-9936. Check out the-Citrus Jazz Web site at www/Citrusjazzsociety.net. Florida song contest Entries for the Best New Florida Song Contest may be submitted anytime through the end of the year. They must be postmarked on or before Dec. 31. The lyrics of the songs must be about some aspect of Florida: its history, heritage, land, sky, water, critter, including human. Songs arrive from all over the country, although most are by Florida composers. Each person may submit up to three songs. Cash prizes are awarded the top three entries. Winners are invited to perform at the annual Will McLean Music Festival, March 10-12 at the beau- tiful Sertoma Ranch near Brooksville just off 1-75 Exit 293 (old 60). All who enter will have an opportunity to share their songs. For information and entry forms, visit or call (352) 465-7208. Dances. Highlands group dance The Inverness Highlands Civic Association will host its Christmas Dinner Dance on Saturday, Dec. 10, at Highlands Civic Center with music by Bon Tempo. Open to the public. Chicken cordon bleu dinner will be served at 6 p.m. with danc- ing from 7 to 11. Cost for members is $11, non-members $13 also includes coffee, cake, beer and soda (BYOB). Make reservations before Dec. 7 by calling Flo at 344- 1563, Joyce at 637-3371 or Joy at 726-7476. Snow flake dance The Illinois Club of Citrus County invites all former Illinois residents and friends who have every lived in or visited the Land of Lincoln, Illinois to attend its Snow Flake Dinner .Dance on Saturday at the American Legion Hall on 6585 Gulf-to-Lake Highway (State Road 44) in Crystal River. Cocktails will start at 5 p.m. (cash bar) with din- ner at 6 followed by music by Paul Stevio for listening or dancing. Reservations required, $15 per person. Call Marge Baron at 382- 4215 for further information. There will be the usual $5 Grab Bag (optional) be sure to mark gen- der on gift. Please join us for an evening of good food, good music and dancing and a good time for all. For further information go to our web site at hhp:/homelink.net/ ~redram4l/. Come as a former Illinois resident and leave as a friend. Sunday night dances Knights of Columbus Council 6168 hosts dances Sundays night at their hall County Road 486, one mile east of County Road 491. Live music will be furnished by MIKE HAMPTON PITCHING IN FOUNDATION PRESENTS MIKE & KAUTIA HAMPTON . FAMILY FUN DAY saturday, December 10, 2005 P,,H Lecanto High School ROM IOAM 2PM 3 Bay.Ara ArCodtonn C &S Re~sidentialooingm~s^ Cetr 1- C rl .Walc Citrs Pst Managem'Kment^ CrytalChvroet- Cryle Dodge- Jeep Dr a u & Conie* elster EaleBuck- IVC ruk Insuance ~fK~Agency ^^^ kouy C irprati Clni Fancys Pet Grbb Eereny*erics LLC^ ** coat S in IntittePA 12:30 PM CELEBRITY HOME RUN CHALLENGE Invited celebrity hitters are: Tim Hudson, Adam LaRoche, Jeff LaRoche, Larry Walker, Jeff Fassero, Kevin Gryboski, Scott Eyre, Doug Johnson, Chris Mohr, Monty Grow, Tom Martin ( and Casey Weldon. A FUN FREE DAY WITH CARNIVAL RIDES AND I r:, ACTIVITIES FOR THE WHOLE FAMILY: Rock Climbing Wall Lazer tag -Train rides -Carousels Face Painting and Cake walks and much, much more A * o" THERE WILL BE... FOOD DRINKS SNOW CONES COTTON CANDY BENEFITING ALL LOCAL LITTLE LEAGUES IFOOTRAIL & SOCCER KIDS For more information call 527 3297 the Bon Tempo Band. Price of admission is $5 per person. All are welcome. You need not be a mem- ber to attend. Doors open at 6:30 p.m. and dancing is from 7:30 to 10:30. Five tables are set aside for singles. Soft drinks available; coffee, tea and ice are free, bring your own snacks. Call Chet at 344-2603 or Paul at 527-0124. plan dinner dance On Friday, Dec. 16, the West Citrus Elks of Homosassa will host a dinner dance featuring the very popular Gil Allen from 6:30 to 9:30 playing songs from the '40s to the' present. Dinner is served from 5 to: 7:30, and the menu offers a choice- of chicken marsala, fried/baked fish, or fried shrimp. | The price to members and guests is $9 per person. If you wish to dance only, the cover is $3- per person. Spirit of Citrus Dances The public is invited to attend dance parties hosted by the Spirit of Citrus Dancers. The dances are' held on Saturday nights at the Kellner Auditorium, in Beverly Hills" The dance schedule is as follows: Dec. 17 "Grand Holiday Ball"! Goodies and Punch will be served. There will be Dance Exhibitions. Dress is Semi-Formal to as dressy as you like. Music by Butch Phillips Jan. 14 "Birthday Dance Party" Complimentary cake will be served. Music by Butch Phillips Doors open at 6:45 p.m. Open dancing is from 7:30 to 10. There is a get-acquainted table for dancers: without dance partners Pay at the door; $7 per person. Coffee and ice will be provided. Call Lloyd or Kathy at 726-1495. Ho 0eas- Th0 At- f ai Ja e NalJ., A Jef Sears il, I 0c. A A ON . 0. . ~ *. *0 * 0. 0 0 K- 93F 0e C l00 0ing BayF 0mly ar Natue 00st 0nt 00nta PlantaionR alt Pr Ln TleCmpn See4ivr-egoa Medial 0nte Sevie 0ate o 0itru Precious Peaches celebrate RUTH LEVINS/Special to the Chronicle The Red Hatters Precious Peaches group recently celebrated their 3rd birthday in the Plantation Inn's Magnolia Room with a luncheon fashion show and singer Paul Stevio. Above, Stevio serenades Pat Schussler. CIrrRUS COUNTY (FL) CHRONICLE SCENE 6C FRIDAY, DECEMBER 9, 2005 FRIDAY EVENING DECEMBER 9, 2005 A: Adelphia,Citrus B: Bright House D: Adelphia,Dunnellon I: Adelphia, Inglis A B D I 6:00 6:30 7:00 7:30 8:00 8:30 9:00 9:30 10:00110:30 11:00 11:30 ,19 19 19 News 118 NBC News Ent. Tonight Access Dateline NBC (In Stereo) Three Wishes "I Wish to Law & Order: Criminal News Tonight 9 19 19 _Hollywood 'PG' N 7539 Be Bill Gates" 'PG' 3373 Intent "No Exit" '14' 6460 1533712 Show lW6DUI BBC World Business The NewsHour With Jim Washington Florida This The Perricone Weight Loss Diet (In Stereo) 'G' BE Roy Orbison & Friends: PsW 3 3 News'G' Rpt. Lehrer B3 1915 Week Week 2462 Black & White Night WU BBC News Business The NewsHour With Jim Daniel O'Donnell: Songs of Faith (In Stereo) 'G' 9B Washington NOW 34286 Being Tavis Smiley PBS 5 5 5 1335 Rpt. Lehrer (N) 99625 19489 Week Served 87915 IWFLAJ News 7373 NBC News Ent. Tonight Extra N) Dateline NBC (In Stereo) Three Wishes "I Wish to Law & Order: Criminal News Tonight NBC 8 8 8 8 'PG' 'PG' 1 91083 Be Bill Gates" 'PG' 11847 Intent "No Exit" '14' 81606 7635880 Show WFV News 0 ABC Wid Jeopardyl Wheel of I Want a Dog-Charlie Hope & Hot 20/20 'PG' 9] 27422 News Nightline ABC 20 20 20 20 8460 News 'G' 1B 9644 Fortune (N) Brown Faith (N) Properties 3183444 94946880 ,W 1 i)1 News 6002 CBS Wheel of Jeopardyl Ghost Whisperer Close to Home "Meth NUMB3RS "Bones of News Late Show CBS 10 10 10 10 Evening Fortune (N) 'G' M 3538 "Shadow Boxer"'PG' Murders" [] 22977 Contention" (N) '14' 25064 5614644 News [] 17606 Geraldo at The Bernie Dear Santa (N) (In The Bernie Malcolm in News 9] 70538 M*A*S*H The Bernie OX I 13 13 Large 'PG' Mac Show Stereo) 'PG' 1 80915 Mac Show the Middle 'PG' 32880 Mac Show News 36199 ABC Wid Ent. Tonight Inside I Want a Dog-Charlie Hope & Hot 20/20 'PG' cc 61422 News Nightline 11 11 News Edition Brown Faith (N) Properties 7540064 48801002 WCLFRichard and Lindsay In His Ted In Touch Promises of Good Life 1505460 Live From Liberty The 700 Club 'PG' cB IND 2 2 2 2 Roberts 'G' 8375712 Image 'G' Shuttleswort God. 'PG' 9 1592996 1515847 2704557 w n News 92793 ABC WId Inside The Insider I Want a Dog-Charlie Hope & Hot 20/20 'PG' 5R 69002 News Nightline ABC 1 11 News Edition 12557 Brown Faith (N) Properties 3667064 83531335 lWMOR Will & Grace Just Shoot Will & Grace Access Movie: * "The Kid Who Loved Christmas" Fear Factor Six celebri- Access Cheaters IND 12 12 12 12 'PG' Me '14' '14' Hollywood (1990, Drama) Cicely Tyson. 'PG' 86793 ties compete. 'PG' 79688 Hollywood 'PG' 62809 WrFA n Seinfeld Every- Every- Sex and the What I Like Reba 'PG' Reba (N) Twins (N) News Yes, Dear Seinfeld Sex and the INDi 6 6 6 PG D' Raymond Raymond City '14, 2762052 PG '14, D' 3415129 'PG, L' 'PG' City '14, WTOG A A A The Malcolm in The Friends 'PG' WWE Friday Night SmackDownl (N) (In Stereo) 'PG, The King of The King of South Park South Park IND 4 4 4' 4 Simpsons the Middle Simpsons X 4083 D,L,V' [ 82373 Queens' Queens'G' '14' 30422 '14'68489 WYKE ANN News Art TV County To Be Florida Ocala on Air Inside Connect Janet Parshall's Americal Circuit Court ANN News F 16 16 16 '16 55847 46199 Court Announced Angler 19557 Business Zone 12118 79199 WOGX Friends 'PG' Friends 'PG' King of the The Dear Santa (N) (In The Bernie Malcolm in News Football Geraldo at Home FOX 13 13 B 4688 [9 4880 Hill 'PG' Simpsons Stereo) 'PG' c] 39267 Mac Show the Middle 2746985 Fever Large (N) Improvemen WACX) Variety 9731 The 700 Club 'PG' [B Now Abiding Right Jump This Is Your Mike Praise the Lord cc 57151 IND 21 21 21 380460 Faith Connection Ministries Day 'G' Murdock c9 WVEA Noticias 62 Noticiero Piel de Otofio Mujeres Contra Viento y Marea La Esposa Virgen 849426 Gilberto Los Noticias 62 Noticiero 15 15 15 1 5 712712 Univisi6n valientes. 249462 944070 Gless Perleos 325335 Univision wX- Animal Tails (In Stereo) Rory and Wendy Show America's Most Talented Movie: ** "Mary Higgins Clark's All Around Time Life Paid PAX 17 El 'G' 7900 65985 Kids 'G' 19083 eTo "(2002Kim Sc iraner '4' 2170 94286 Program S 54 48 54 54 City Confidential 'PG' [ American Justice: George Biography: James Dean Biography Sean Penn" Bography Angelina American Justice "The 241373 Trepal 'PG' B 978880 Jolie" (N) 'PG' c 988267 Cult Murders" 'PG' 55 64 55 55 Movie: ** "Chain Reaction" (1996) Movie: *** "Scream 2" (1997, Horror) David Arquette, Neve Movies Movies 101 "Halloween 4: The __ 55 64 55 55_ Keanu Reeves. 73848354 Campbell, Courteney Cox. 787967 Shook (N) Return of Michael ) 52 35 52 52 The Crocodile Hunter The Most Extreme Animal Icons "Christmas Animal Animal Animal Precinct "Poodle Animal Icons "Christmas Close calls. 'G' 8377170 Animals reek. 'G' 1585606 Animals" 'G' 1594354 Report Rescue Problem" 'PG' 1584977 Animals" 'G' 2706915 AVO 77 Project Runway "Road to Project Runway First Movie: ** "Vanilla Sky" (2001) Tom Cruise, Penelope Cruz. A callow play- Movie: * "Vanilla 1 Runway" '14' 249441 assignment. '14' 873422 boy is disfigured and charged with murder. cc 720373 Sky" 711625 (r 27 61 27 27 Mad TV TATU. (In Stereo) Com.- Reno 911! Daily Show Comedy Central Presents Louis CK Com.- Com.- Comedians Premium S 1 1 '14, DV [] 42996 Presents '14' 20151 'PG D' 9 143712 '14, L,S' Presents Presents of Comedy Blend (N) i 98 45 98 98 Top 20 Countdown Dukes of Hazzard Lulu is Greatest Men of the Year Greatest Women of the 20 Sexiest Videos of Dukes of Hazzard "Officer 776199 kidnapped. 11489 (N) 97809 Year (N) 29183 2005 79660 Daisy Duke" 'G' 27227 EW1-> N) 96 65 96 96 Catholic EWTN Daily Mass: Our Lady of The World Over 8192731 Worth Living The Holy Defending Carpenter Rome Good or IN 9 a 9 Teach Gallery'G' the Angels 'G' 8183083 Rosary Life 'G' Shop 'G' Reports Evil? 'G' ) 29 52 29 29 7th Heaven (In Stereo) Drummer Drummer Movie: *, "Prancer" (1989, Fantasy) Sam Whose Whose The 700 Club 'PG' 9 'G' c[ 407977 Boy Boy Elliott, Rebecca Harrell. BB 626642 Line? Line? 776644 (ci 30 60 30 30 King of the King of the That '70s That '70s That '70s That '70s That '70s That '70s Nip/Tuck "Tommy Bolton" Nip/Tuck "Hannah 30 60 3030 Hill 'PG V Hill 'PG, L,V Show 'PG, Show 'PG Show 'PG, Show '14, Show '14, Show 'PG, 'MA' 8199644 Tedesco" 'MA' 3925593 fG1V 23 57 23 2 Weekend Landscaper Curb Appeal House Get Color Design Double Take FreeStyle Designer House Debbie Travis' Facelift (In 23 57 23 23 Warriors sJ 'G' Hunters 7536606 Remix (N) 5939248 Finals (N) Hunters Stereo) 2809793 fiT)i 51 25 51 51 History's Mysteries Modern Marvels 'Cranes' Boys' Toys 'PG' B[ Boys' Toys 'PG' B[ Heroes Under Fire Cuban The Worst Jobs in History 51__ 25 51 51 Enigmas. 'PG' [ 'G' 8198915 8174335 8194199 prisoners. 'PG' 8197286 'PG' B9 5725575 ti 24 38 24 24 Golden Giris Will & Grace Movie: ** "I'l Be Home for Christmas" (1997) Movie: "Eve's Christmas" (2004) Elisa Donovan, Will & Grace How Clean 'PG' Ann Jillian, Jack Palance. 'G' 9 750606 Cheryl Ladd. 9 171737 '14' ICr 28 36 28 28 All Grown Danny SpongeBob Catscratch Avatar-Last The X's (N) Danny Nicktoons Full House Fresh Fresh The Cosby Up 'Y' Phantom 'Y' 'Y 646644 Air 1920118 Phantom 'Y' TV 226064 'G' 507441 Prince Prince Show 'G' (Eii) 311 o59 31 31 Stargate SG-1 Firefly "The Train Job" Stargate SG-1 "Prototype" Stargate Atlantis "Aurora" Ghost Hunters (In Stereo) Stargate SG-1 "Prototype 31 59 31 31 "Ascension"'PG V' 9 'PQ L,V' [ 5058460 'PG' [95034880 '14' 5054644 'PG' B 5057731 'PG' c 8428441 PikE 37 43 37 37 World's Wildest Police CSI: Crime Scene CSI: Crime Scene CSI: Crime Scene World's Most Amazing World's Most Amazing 3_ 43 37 37 Videos 'PG' [ 698793 Investigation 'P L' Investigation '14, LV' Investigation 'PG' 365828 Videos '14' 9 368915 Videos '14' B9 950170 49 23 49 49 Seinfeld Seinfeld Every- Every- Friends 'PG' Friends '14' Movie: ** "Snow Day" (2000) Chris Elliott, Mark Movie: ** "Snow 9 'PG' 176460 PG D' Raymond Raymond 444373 423880 Webber. Premiere. 09 544847 Day" (2000) 571267 (7 ) c53 Movie: * "Two Weeks in Another Town" Movie: **' "Dawn at Socorro" Movie: * "Three Godfathers" Movie: *** "The 1__ 962) Kirk Douglas. B9 9982151 (1954) Piper Laurie 3654847 (1936) Lewis Stone 3435460 Citadel"9113847 5(3rni 53 A Cash Cab Cash Cab To Be Announced 596460 I Shouldn't Be Alive 'PG' A Haunting Springfield, Ill. A Haunting Haunted LL J (N) 'G' (N) 'G' [ 983712 (N) 'PG' 993199 townhouse. 'PG' 592644 TC 50 46 50 50 Martha (N) cc 623489 That Yin Yang Thing (N) What Not to Wear What Not to Wear TV Ballroom Bootcamp (N) What Not to Wear I I 'G' 354712 "Naima" 'PG' 9 363460 executive. (N) 'PG' 'PG' 353083 "Naima" 'PG' 1R 952538 f 48 33 48 48 Charmed "Astral Monkey" Law & Order "Bitch '14' Movie: ** "The Lord of the Rings: The Two Towers" (2002, Fantasy) Elijah Wood. "Librarian: _3 'PQ L,V [9 614731 09 (DVS) 352354 Members of a fellowship battle evil Sauron and his pawns. 9] 38659538 Quest" FTRAV] 9 54 9 9 aLost City of Atlantis 'G' Most Haunted Journeys America's Most Haunted Most Haunted "Tamworth Weird Travels "Signs" America's Most Haunted 1V c9 5969489 'PG' 9 7432101 Places Castle" 'PG' 1032165 'PG' BB 8882642 Places S 32 75 32 32Sanford and Sanford and Sanford and Sanford and Little House on the Andy Griffith Sanford and 100 Most Unexpected TV 100 Most Unexpected TV Son 'PG Son 'PG' Son 'PG' Son 'PG' Prairie'G' 1589422 Son 'PG' Moments 1502373 Moments 2791083 47 32 47 47 Law & Order: Criminal Law & Order: Special Law & Order: Criminal Law & Order: Special Monk "Mr. Monk Goes to Law & Order: Criminal Intent '14' 9 885731 Victims Unit '14' 523354 Intent '14' 9 532002 Victims Unit '14' 529538 a Wedding" 'PG' 522625 Intent '14' 9 121170 (W ) 1 18 18 18 Home Home America's Funniest Home Movie: **' "Mars Attacks!" (1996, Comedy) Feed the Children'G' Sex and the Becker 'PG S1 mprovemen Improvemen Videos 'PG' 877248 Jack Nicholson. 11 880712 809847 City '14, L' 872828 FRIDAY EVENING DECEMBER 9, 2005 A: Adelphia,Citrus B: Bright House D: Adelphia,Dunnellon 1: Adelphia, Inglis ABDI O 6:00 6:30 7:00 7:30 8:00 8:30 9:00. 9:30 10:00 10:30 11:0 11:30 (ii^ 46 40 46 46 SiSister, Sister Phil of the Zack & Cody That's So Movie: *s "Seventeen Again" (2000, Fantasy) Tia Zack & Cody Sister, Sister That's So That's So 'G 523880 Future 'G' Raven 'G' Mowry, Tamera Mowry. 'G 95644 'G' 510441 Raven 'G' Raven 'G' HALL 68 M*A*S*H M*A*S*H Celebrate! Christmas With C.S. Lewis: Beyond Movie: "Angel in the Family"(2004, Drama) Ronny M'A'S*H M*A*S*H 68 i'___ 'PG' 1841996 'PG' 1832248 Maya Angelou (N) 'G' Namia 'PG' C9 1587064 Cox, Tracey Needham. 'PG m[ 1580151 'PG' 5227002 'PG' 2254606 : "The DayAfter Inside the NFL (In Stereo) Real Sports (In Stereo) Costas NOW(N) (In Robert Klein: Amorous Curb- 12 Years- Tomorrow" 64883286 'PG' 9 358002 'PG' [5 334422 Stereo) 'PG' [c 354286 Busboy Enthsm Sex MAX Movie: *** "Scream" (1996) Neve Campbell, Movie: ** "Stuck on You" (2003, Comedy) Matt Movie: *** "Independence Day"(1996) Will Smith, David Arquette. (In Stereo) [ 971719 Damon, Eva Mendes. 09 226426 Bill Pullman. (In Stereo) 11 606064 Iri 97 66 97 97 Real World Austin: Should Made "Central Idor (In ETonMTV Punk'd'PG Punk'd'PG' P Punk'd 'PGPunk'd'PG R.Wrid Kicked in the Have Shown Stereo) 'PG' 826480 (N) 'PG' L' 175688 326538 L'400064 L' 798731 L 774151 Chal. N 71 Owls: Silent Hunters 'G' Packs on the Prowl The Dog The Dog Elephants: The Dark Side Big Cats: The Dark Side The Dog The Dog 3126731 7697002 Whisperer Whisperer 'PG'7693286 'G'7696373 Whisperer Whisperer PLEX 62 Movie: "Hart to Hart Old Friends Movie: *** "Out of the Darkness" Movie: ** "The Gun in Betty Lou's Movie: "The Advocate's Devil" (1997) Never Die" (1994) 'PG' 47563083 (1985, Drama) 'PG' 64614538 Handbag"(1992) 5578286 Ken Olin. '14, D,V 0] 3783286 (C i 43 42 43 43 Mad Money 9790977 On the Money 6621557 The Apprentice (N) (In Mad Money 6610441 The Big Idea With Donny The Apprentice (In Stereo) 43 42 43 43 1Madoney9909Stereo) 'G' 0M 6607977 Deutsch 'G' 03808712 [ 40 29 40 40 Lou Dobbs Tonight RE The Situation Room Paula Zahn Now 09 Larry King Live 9 527170 Anderson Cooper 360 [c 892996 867335 538286 5146065 h__I M M y1 1_IWh n h p ten r CR T 25 55 25 25 Hollywood Masterminds Cops '14, V Cops '14, D' Law & Order: Trial by Jury Law & Order: Trial by Jury Law & Order: Trial by Jury The Investigators '14' Heat'PG' 3272880 9143460 '14' 0 6625373 '14' 9 6612809 '14' 0 6615996 3893880 (CPA 39 50 39 39 House of Washington Close-Up on C-SPAN Tonight From Washington 261977 Capital News Today ___ 5Rep. 13809 285557 [ ) 44 37 44 44 Special Report (Live) c9 The Fox Report With The O'Reilly Factor (Live) Hannity & Colmes (Live) On the Record With Greta The O'Reilly Factor 9788731 Shepard Smith 9 90 5036248 0 5049712 Van Susteren 8420809 1 42 41 42 42 The Abrams Report Hardball- 5056002 Countdown With Keith Rita Cosby Live & Direct Scarborough Country The Situation With Tucker 9768977 Olbermann 5032422 5052286 5055373 Carlson EMSPN 33 27 33 33 SportsCenter (Live) cc NBA NBA Basketball New Jersey Nets at Cleveland Cavaliers. From NBA Basketball New York Knicks at Phoenix Suns. (In 601731 Shootaround Quicken Loans Arena in Cleveland. 93 387921 Stereo Live) 9 733557 i 34 28 34 3 ESPN Quite NF's NFL College Football NCAA Division I-AA Semifinal Teams TBA. (Live) c 1824557 SportsCenter (Live) 9 34_8_3 3 34 Hollywood Frankly Greatest Matchup (N) 2834489 L 35 39 35 35 Women's College Basketball Illinois at Florida. (Live) Totally College Basketball Bethune-Cookman at Florida. FSN Pro Football Preview Best-Sports S35_ 343853373 __Football (Live) 452625 611199 U~i 36 31 To Be Announced 549267 To Be Announced 693267 Inside the To Be Announced 433731 36 31 To Be Anounced 54267rHEATop bring paa, about daulbht'r *0 " t r- "Copyrighted Material Syndicated Content T Available from Commercial News Providers" I" Pwa ,O I I CITRus COUNTY (FL) CHRONICui ENTERTAINMENT Local ...... ...... L... ... .... "'1 n - 4b CITRUS COUNTY (FL) CHRONICLE CO I hiI)Y _F__9_05 00R -W ) I 9 'I ~'4 ~. - *. ~ * 4- S .4!J. , "Copyrighted MaterialA e Syndicated Content - 0 . V op * so Available from Commercial News Providers" h ,."...," . -.b -mo. dlm w a . 9., * S I-" 4% S.-. S . v _- rToday's MOVIES Citrus Cinemas 6 Inverness Box Office 637-3377 "Chronicles of Namia" (PG) 1,4:10, 7:20,10:30 p.m. "Just Friends" (PG-13) 1:20, 4:20, 7:45, 10:10 p.m. "The Ice Harvest" (R) 7:50, 10:05 p.m. "Yours, Mine & Ours" (PG) 1:10, 4, 7:30, 10:25 p.m. "Walk the Line" (PG-13) 12:45, 3:45, 7:10,arnia" (PG) 1 p.m., 4:10 p.m., 7:20 p.m., 10:30 p.m. "Aeon Flux" (PG-13) 12:25 p.m., 2:45 p.m., 5 p.m., 7:50 p.m., 10:10 p.m. Digital. "In the Mix" (PG-13) 7 p.m., 9:55 p.m. "Just Friends" (PG-13) 12:20 p.m., 2:35 p.m., 4:55 p.m., 8 p.m., 10:25 p.m. "Yours, Mine & Ours" (PG) 12:15 p.m., 2:30 p.m., 4:45 p.m., 7:25 p.m., 9:50 p.m. "Walk the Line" (PG-13) 12:40 p.m., 4:15 p.m., 7:30 p.m., 10:35 p.m. Digital. "Harry Potter & the Goblet of Fire" (PG-13) 12:30 p.m., 3:50 p.m., 7:10 p.m., 10:25 p.m. "Pride and Prejudice" (PG) 12:50 p.m., 4:20 p.m., 7:30 p.m., 10:20 p.m. Digital. "Syriana" (R) 12:45 p.m., 4:25 p.m., 7:40 p.m., 10:40 p.m. Digital. "Chicken Little" (G) 12:35 p.m., 2:40 p.m., 4:50 p.m. Times subject to change; call ahead. 1 4 I /1( // \~I w*o a 0w A - do .-dm Today's Your Birthday: Your past experiences, both the bit- ter and the sweet, will aid you tremendously in the year ahead. Because you haven't ignored your lessons, but learned from them, you are now ready to put your expertise to the test Sagittarius (Nov. 23-Dec. 21) You won't desire to associate with anyone today who does not honor your high standards or philosophy and, because of this, you'll draw only quality people to you. Capricorn (Dec. 22-Jan. 19)-Along-standing per- sonal matter may finally be put to rest today, but a num- ber of hard lessons will have been learned in the process. Aquarius (Jan. 20-Feb. 19) if you ask for some honest advice today, you might have to be prepared to swallow some bittersweet counsel. Heed it. Pisces (Feb. 20-March 20) There are no free rides being offered today, but that does not mean you can't get to where you would like to go. If you will work toward these ends, you'll receive that ticket to success. Aries (March 21-April 19) Being around some old friends will give you a big lift today in ways signifi- cant to only you. Taurus (April 20-May 20) -Although you can be a highly sociable person, you also need some time for yourself. This may be one of those days when you will just want to be alone to relax and let it all hang out. Gemini (May 21-June 20)- Success is highly like- ly today, even when working on a new project you've never tackled before. Cancer (June 21-July 22) That payoff you're hoping for (on something which you've worked quite hard and long) is here. Materially it may be big, but your greatest reward will be pride of accomplishment. Leo (July 23-Aug. 22) Seeing life for what it is, warts and all, is really what will be of great aid to you today. Virgo (Aug. 23-Sept. 22) If you are in need of someone to confide in today, you'll feel comfortable seeking out a reliable friend who you know can be trust- ed with secrets without any fear of betrayal. Libra (Sept. 23-Oct. 23) Because you are willing to compromise and make hard concessions today, so will those with whom you have dealings. Scorpio (Oct. 24-Nov. 22) Your amazing dedica- tion to your work today will be the reason why you'll be able to accomplish what others may find impossible to do. Rewards will definitely be in the offing for you. If ' * 4 FRIIDAY, )I.CEM:BHIR 9, 2005 7C COMICS 14 1 -oo4 9"Wr I or 1 0, I SC FiuDAY, DECEMBER 9, 2005 SCENE Supporting actress BUYING :Ih 1l "Copyrighted Material Al foSyndicated Content Available from Commercial News Providers" The category is crowded with past Oscar winners: Diane Keaton as matriarch of a tightknit clan in "The Family Stone," Frances McDormand as a woman coping with debili- tating disease and Sissy Spacek as a troubled mother in "North Country," Jessica Lange as an "animal communicator" in "Broken Flowers," and Shirley MacLaine as a woman who takes in her wayward granddaughter in "In Her Shoes." Other possibilities: Catherine Keener as author Harper Lee in "Capote," Maria Bello as a wife coping with her husband's dark past in 'A History of Violence," Uma Thurman as a bouncy Swedish bimbo in "The Producers," Tilda Swinton as an evil witch in "The Chronicles of Narnia: The Lion, the Witch and the Wardrobe," Brenda Blethyn as a mom seeking rich sons-in- law in "Pride & Prejudice," Gong Li as a devious geisha and Michelle Yeoh as the heroine's mentor in "Memoirs of a Geisha," Rachel Weisz as a slain humanitarian crusader in "The Constant Gardener," Emily Mortimer as a society bride and Scarlett Johansson as the other woman in her husband's life in "Match Point," Michelle Williams and Anne Hathaway as women whose husbands carry on a homosexual affair in "Brokeback Mountain," Than- die Newton as a black woman humiliated by a racist white cop in "Crash," and Sharon Stone as a flighty closet organizer in "Broken Flowers." Director Past winners Steven Spielberg for "Munich," Ron Howard for "Cinderella Man," Woody Allen for "Match Point" and Peter Jackson for "King Kong" are in the running. Other prospects: Ang Lee, "Brokeback Mountain," Terrence Malick, "The New World," Stephen Gaghan, "Syriana," James Mangold, "Walk the Line," Joe Wright, "Pride & Prejudice," Rob Marshall, "Memoirs of a Geisha," Susan Stroman, "The Producers," David Cronenberg, "A History of Violence," Fernando Mereilles, "The Constant Gardener," Stephen Frears, "Mrs. Henderson Presents," Bennett Miller, "Capote," Tommy Lee Jones, "The Three Burials of Melquiades Estrada," and Paul Haggis, "Crash." Continued from Page 1C Although the most recent technology and electronics are certainly "in," some teen girls aren't as interested in these types of gifts. For example, my trendy friend Stephanie was telling me this past weekend that she would never want an iPod (or anything remotely similar) for Christmas. She would rather receive jewelry, accessories, and even just plain cash. This brings about another important pointer. Because clothes shopping can be a risky endeavor, keep an eye out for popular accessories. Colorful and unique scarves have become fashionable among girls in high school. Beaded jewelry and sequined purses are also in style. Embroidered belts, sashes, and purses have quickly become the trend as FUNKY Continued from Page 1C Education complex, and Mau said concert-goers should not be wary of the number of cars that may be in the parking lot. "Despite the traffic, the con- cert will go on," he said, and advised planning accordingly Tickets for the concert are $7 and are available from any chorale member or by calling 382-4555. If you miss hearing your favorite music over the week- end (or if you want to hear more), the Citrus Springs Chorus will present its Holiday Concert at 6:30 p.m. Monday at the Citrus Springs Community Center, 1570 W Citrus Springs Blvd., Citrus Springs. Directed by Nancy Gordon, this small but enthusiastic group will perform such favorites as "You're A Mean One, Mr. Grinch" and the tradi- tional, "The Christmas Song." Admission is free. Come for the music, stay for refresh- ments. Because Christmas cele- brates the birth of Christ, it is [8C 'ofRIDAY DEEBR fofa now %l qualilTy I Inverness Winter Holiday Celebration .- Historic Downtown Inverness Holiday Arts & Crafts Festival Saturday December 10 9 3 p.m. Arts and crafts showcase a variety of handcrafted items perfect for holiday Gift giving. FREE photo with Santa it -) 'I I p.n1 . JNl L ..: For 1more inli rmiion cl 1cl 726-3,I 3 199 e a Supreme Comfort Sofa Sleepers. Many Fabric Selections Available! OCa la ;':. / /I .lF I ,'.f ,l,'-tl FL b..;, ':1 'l llt rAll ll., i ,".'*.- 1;O ^ * Mon. Frd. 10 lam 7 pin, Sat. loam 6p m, Sun. Noon 5pm ., .a :l~~ [ i ,," , t3',..,:- l, SO YOU KNOW * News notes tend to run one week prior to the date of an event. * Submit material at Chronicle offices in Inverness or Crystal River; by fax at 563-3280; or by e-mail to newsdesk@ chronicleonline.com. (4 CITRUS COUNTY (FL) CHRONICLE I admit that I have changed my mind about at least a dozen things just during the process of writing this article. well. The best advice I can give is this: begin to steer away from Christmas gift norms and myths. Remember these essen- tial particulars: teen girls appreciate classiness and timeless taste, they like trendy and sophisticated electronics, they certainly love to acces- sorize, and most of all every teen girl likes to be unique and noticed. If all of this rhetoric seems a bit daunting play it safe, and go with the trusty gift card. fitting that the music of the sea- son focus on him. That's the spirit of the Citrus Community Concert Choir as they present Handel's "Messiah" at three performances, beginning at 7:30 p.m. Tuesday at Playhouse 19, 817 N. Suncoast Blvd., Crystal River. The other two performances will be at 7:30 p.m. Friday, Dec.. 16, at Faith Lutheran Church, 935 S. Crystal Glen Drive, Lecanto, and at 2 p.m. Sunday, Dec. 18, at St. Timothy Lutheran Church, 1070 N. Suncoast Blvd., Crystal River "Every Christmas we do more and more of the. " 'Messiah'," said choir mem- ber Bob Morris. "And every year the crowd gets bigger." He said it's an extremely dif- ficult piece of music to per- form, but also extremely rewarding and inspiring. Morris said the audience favorite by far is the "Hallelujah Chorus," which traditionally brings the audi- ence to its feet General admission is $6 at the door; children 12 and younger admitted free. For information, call 628-6452. CrrITRUS COUNTY (FL) CHRONICLE QUAIL RUN 3/2/2 on 1/3 acre. Carpet & tile floors. newer roof. large rooms w/ lots of closets and storage. Community pool clubhouse. $199,900 #RPF595B FORESTlMA C " NORTH Pna]5ll) renced i Aboe ground pool .ia beaumaul de. L 'Ate Uichen. fcrmIl I5' raml ne a .i.ryn. " w/2 replaces. Master bedroom w tub & walking shower. $164,00 SPECALIST MULTI.MILWON DOLLAR PRODUCER 527-1820 and 634-0886 Cathi Schenck, A B R' Prudential 1n Florida Showcase arden Properties I 5OPPORN o.um O a n 1139 Take a look at this gorgeous home . with upgraded features throughout. Corian counters, deluxe cabinets, and kitchen with beautiful center island. ' Party-sized family room overlooks screened lanai. 3 bedrooms, 25 baths, and separate den/office. Tray ceilings, columns and niches are jun some of the interesting architectural -- features this home offers. Offered at $372,000. This new home sits on a 1 acre treed lot. Over 2600 sq. ft. of living area Master bedroom with private sitting room. Deluxe kitchen with upgraded wood cabinets and corian counters. Breakfast nook overlooks large family room. Forial living and dining. This home also features a separate den/office and screened - lanai. A place for everyone! Offered at $359,900. Your New Home SpRealty, Inc. "Your New Home Specialist" Lenora Lupari REALTOR Office 746-9572 Home 746-7330 Cell 634-2640 4067 N. Lecanto Hwy. Beverly Hills, FL Teresa SPrudential ReBorz r Realtor5 S Direct Florida Showcase 634--0213 Properties O" Office r5 7-1 PINE RIDGE E - 3/2/2 home situated on a corner lot. Stained glass front door & transom in master . suite. Kitchen . offers glass cook top, wall oven, pantry w/pull outs. Brand new A/C unit. 2 ref, washer & dryer. $319,000 #RPF604B PINE RIDGE Underwood, 3/2/2 home on 1 acre. The utmost in privacy surrounded by natural growth on all 4 sides. This lovely home also offers gas heat, gas range & gas hot water heater. $289,000 #RPF593B S^'p EXIT REALTY LEADERS Bus: (352) 794-0888 |f |Toll Free: (866) 795-3396 Alison MMarkha 7 Fax: (352) 795-0282 Steven McClory Realtor" 730 N. Suncoast Blvd. Crystal River, FL 34429 Realtor Cell: info@naturecoastliving.corm cell: 9 352-697-0761 Independently Owned & Operated 352-422-3998 Brand New $269,900 t Beautiful home featuring 2234 sq. ft. of living space Investor's Dream $66,900 n desirable Oak Village of Sugarmill Woods. Formal HOMES OF MERIT Large 1400 Sq. Ft. 3 living and dining room, spacious family room and bedroom 2 bath in beauti ul wooded area of breakfast area, rear lanai and morel Crystal River. VACANT LOTS. 114 to 1 acre parcels 4245 S. Culver St. Inverness $27,000 3535 N. Kemp Ave. Crystal River $24,000 8551 N. Quarry Dr. C.S. $40,000 6227 N. Wolfton Ter. C.S. $38,000 6335 N. Wolfton Ter. C.&. $34,000 6617 N. Bedstrow Blvd. $37,900 1464 & 1486 W. Hialeah Dr. C.S. $36,900 each 3837 & 3849 W. Hampshire Blvd. C.S. $40,000 each Call Steve #352-422-3998 Direct Anytime Thinking of Selling or just wondering what its worth? We offer friendly hassle free assistance. Receive a free Comparative Market Analysis of your homes value. Get a free home warranty just for listing your home with us. We have may buyers looking for homes and land. Visit us on the web:naturecoastliving.com * P ir a i ..I Ri c o I I In SNEW LIS DETACHED GARAGES IT CUSTOM CABINETS 8& Tr v S3D SOFTWARE TO CREATE PHOTO CITRUS HILLS $379,500 PINE RIDGE $319,000 the 10th green on the Meadows Golf I Stained glass front door & transom in All new tile, Ig. breakfast nook, sum- master suite. Kitchen offers glass cook mer kitchen on oversized lanai. top, wall oven, pantry w/pull outs. Brand Membership Available. new A/C unit. 2 ref, washer & dryer. I PHONE: (352) 527-4200 ,mesiAvble : .J]' |:CELL: (352) 212-9918 MEMBER CCBA CUST 2Locations Open 7 Days A Week! LIC # RR0067283 - Citrus Hills Office Pine Ridee Office k Prudential 20 W. Norvell Bryant Hwy. 1411 Pine Ridge Blvd. v Hernando, FL 34442 Beverly Hills, FL 34465 352-746-0744 352-527-1820 Florida Showcase Toll Free 888-222-0856 Toll Free 888-553-2223 Properties 122 EXIT REALTY LEADI Anrindependentlyiowned andoperatedinemberor'rhe'udentialiReal EstateAfilies,Inc. | Million Dollar Produce A GAIL COOPER NmO Multi-Million Dollar Realtor I Cell: 634-4346 OFFICE # 382-1700 - Email: homes4u3@mindspring.com w| .y .- s . *s?"' L - 312/2 CUL-DE-SAC LOCATION! Great room BRAND NEW AND READY FOR YOUI & master bedroom have French doors leading to Open & spacious, 4BR/2BA home with living 32' lanail. Home is wired for pool hook-up. room, family room & dining room. Eat-in kitchen Kitchen open to great room. Bay window in w/wood cabinets & breakfast bar. Over 2,225fl nook. Screen on garage door. Underground sq. ft. of living area! Plenty of room to add a utilities. One year warranty provided. To see is to pool fo your choice One year warranty until lovel #0982637 $250,000. Nov. 2006. #0982682 $269,000. - A- . EXIT REALTY LEADERS EXIT REALTY LEADERS - --- MAOS Marlene Kaiser Ca llMe... ffice: 79 8or' CRYSTAL OAKS POOL HOME Fabulous Monte Carlo 3/2/2 model in prestigious Hunters Ridge. Beautifully decorated, wood cabinets, tile floor in kitchen, open to lovely family room, overlooking the pool. Very well maintained, shows pride of ownership. MUST SEE. $295,000. EX3563R SUGARMILL WOODS, FLAT, WOODED LOT IN DESIRABLE OAK VILLAGE! WON'T LAST! BRAND NEW 4 BEDROOM 2 BATH 2 CAR GARAGE HOME. Cathedral Ceilings, Tray ceiling, beautiful cabinets, Tile floors Berber Carpet, and much more all on 1/2 acre lot. MLS#3140207 Ask for Jeff 613-1161 7 =7 !EW M HOMES, CHEH & BATH REMODELING II1fN HOUSE DESIGN USIHG REALISTIC MODEL OF YOUR HEW HOM .^ REALTY, INC. E., KR A 8015 South Suncoast Blvd., Homosassa, FL 34446 JOAN R. GRABER Multi-Million Dollar Realtor5 Office: (352) 382-1700 Cell: (352) 422-2125 GREAT NEW LISTINGI Everything in tip-top shape in this lovely 3/2/2 pool home. Large lanai with summer kitchen incl. Jennaire, sink & cupboards. Heated pool. Kitchen breakfast bar & morning room. Walk-in closets in all bedrooms. Well for yard. Workbench in side entry garage. Newer tile roof & A/C. $265,000. #098679 IFarms Inverness r Realty Group, Inc. Specializing in Residential Homes with Acreage ftii Richard (Rick) Couch c. Real Estate Broker 1045 E, Norvell Bryant Hwy. Hernando, FL 34442 Office: 352 344-8018 Pager: 352 628-8020 Fax: 352 344-8727 Gorgeous, brand new 3/2/2 Citrus Springs home with lot included!! Front porch, great room, kitchen, dining room, 2 CG, open Florida floor plan. Architectural stucco bands, stone and accents. 30 yr. architectural shingles, screened-in rear porch!! Builder pays closing costs! READY FOR IMMEDIATE OCCUPANCY!! LIC NBR RB0033452 THIS BRAND NEW HOME IN OAK RIDGE Commnun.lV wiiln upgrades ihroughoul Tre lichenn ras iOi of he line Fng.da.re sia.nlr-l aSleel app iac es corian i -3u.els Sd dec.rl.r ihighlinq AOO. S . ar, arda Ir.m Master :t..- -n. 1V'.- wl',, ib i,-ir, 2 i_ 3 i ;, i, :1 l ," ii" ln11 iN -naS m ore v'-.,r. i la;l ,.,"'.:*10 .: ll l o d i .,' E 1',Bl' CITRUS HILLS: Well- maintained 3/2/2. Large, heated, self-cleaning pool. Open floor plan. Master BA has large handicap accessible shower. This home is a must see. EX922RB THIS MORRISON BERKSHIRE MODEL is experni, decora3led & s. ure to please your buers 2 -BR s & den w lp ,_, el d ,ocr (could be usEd as 3rd BR Caged pool. w,1er nce lanai & private tree l ,nerd i .kyarJ. This home is lcoaje'd extras E v94-0RB GREAT VILLA LOT, This lot is located in beautiful Laurel Ridge, This lot is a must see! $34,900 EX330LB Happy Holidays to You & Yours! IU.,FO HWIG1 S i CALL TODAY TO EXPERIENCE THE CURB APPEAL ADVANTAGE 2619 EAST GULF TO LAKE HWY., INVERNESS, FL Call: 352-637-CURB (2872) GEORGE L'HEUREUX, BROKER 3895 N. SAGAMON PT., CRYSTAL RIVER Great 3/2 Waterfront home that shows like new This home has a new roof, A/C & a workshop shed This home is located across the street from the state park. On a deep water canal Just minutes to the Gulf CURB114 $410,000. Directions. Take Rt 19 to State Park Rd to left on Sagamon. Sat & Sun 9-4 Unique Homes, Custom Home Builder 2661 Ventura, Citrus Springs Comer of Elkcam & Ventura Agent on Duty to Find Your Vacant Land Happy Holidays!! I., Call 352-794-7653 to inquire COLDWmL BANKeR o lM CITRUS BUILDER (352) 527-8764 Call For Info!! 4c^mzz IF-7 -I.. 4cam o FRIDAY, DECEMBER 9, 2005 1D r Choice Realty . I I No F Lic 2D FRIDAY, DECEMBER 9, 2005 / 2005 SENTRA r 2005 ALTIMA V 2005 MAXIMA Automatic, A/C, Power Windows & Locks Automatic, A/C, Power Windows & Locks Automatic, A/C, Power Windows & Locks $9,999 '14,999 21,999 11, ," .... .w - THE 2005's I All Makes. CHESTERFIELD Atlantic Infiniti 0 DODGEI DENBIGH LOCAL @TOYOTA NISSA ACCORD ALTIMA CAMRY GALANT SONATA CAVALIER TAURUS SEBRING SENTRA LANCER F-150 TITAN DAKOTA RAM QUAD CAB SILVERADO- 116,999 $14,999 S15,999 114,999 *10,950 18,950 $10,995 $13,999 $9,999 $9,950 $16,950 $17,950 $16,950 $18,950 $17,950 0 S S 2005 ARMADA - Automatic NC Power Windows & Locks S26,999 IAN All CAPITOL A eLINCOLN kN Mercury e 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 IWHUGGINS HYUNDAII F-150 TITAN SEBRING LANCER TAURUS RAM QUAD CAB GALANT ALTIMA DAKOTA SONATA CAMRY SILVERADO ACCORD SENTRA. CAVALIER OCALA MITSUBISHI *16,950 117,950 113,999 19,950 510,995 518,950 514,999 *14,999 *16,950 $10,950 $15,999 $17,950 $16,999 $9,999 $8,950 NEW CAR TRADE-INS! 2001 SENTRA 5,999 99MONTH 2002 ALTIMA 111,999 $199PER 2004 MURANO /22,999 $359 MONTH 17,999 2002 F 17,999 2005 118,999 w SI Z9 PER 12MONTH* RONTIER I 29 .PER QUESMONTH QUEST 299 MONTH 2001 FRONTIER 16,999 1109EMONTH MEORN TH" 2002 MAXIMA 13999 219ONTH 2003 ALTIMA 2,999 09PERMONTH 2003 PATHFINDER 114,999 5239"" MONTH 2003 350 Z 522,999 $3S9o.P. 2 J MONTH 2004 SENTRA 8,999 39PERMONTH I MONTH* 2003 MAXIMA 16,999 1269 PMONTH 2003 XTERRA 12,999MONTH 2004 TITAN 15,999 49PERMONTH 2200 SR 200 OCALA 622-4111 800-342-3008 ALL PRICES PLUS TAX, TAG & '195 DEALER FEE WITH $1,000 CASH OR TRADE EQUITY. ALL INVENTORY IS PRE-TITLED AND SUBJECT TO CHANGE. FE TO G011 Models. 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2005 2001 ALTIMA mmlmlmmm - ,OpQWI CITRus CouNTY (FL) CHRONICLE:" AI CITRUS COUNTY (FL) CHRONICLE FRIDAY, DECEMBER 9, 2005 3D NEW INCOME PRODUCER 99 Unit mini storage complex + 30 R.V. / Boat Storage sites. All situated on 3.6 acres. Room for additional buildings. $1,800,000 BUILDING OPPORTUNITY Nicely treed Duplex lot in Citrus Springs. 85x 132. Great opportunity. $32,000 NEW COMMERCIAL LISTING Former ACLF in Homosassa. 3000 sq ft plus building Includes extra GNC & MDR lots. Central Water Available. Don't miss this great development opportunity. $385,000. NEW RESIDENTIAL LISTING 3/2/2, situated on 5 treed acres. Includes pole barn and hay bam. Partially fenced. Room for horses and plenty of privacy. $345,000 FOR LEASE 2nd & 3rd Floor now available in Downtown Inverness's Masonic Building. 100 sq ft to 4000 s ft. NEW.....ES.....N.T................ 3//2 itatdon5tredare.Incue ol-anan a an.Prill ecd WANT 2 HOMES ON SAME PROPERTY?? FLORAL CITY HOUSE UNDER $100K- Bring the in-laws or parents, property features DW Manuf. 2/2 built in House features the Park at back door & frontage on US 41. 2000 & 16 wide 2/2 built in 2000, both shows like NEW! Plus 5 acres Offers 2BR w/updated Kitchen & bath, in-grd. POOL. of improved land fenced & 'X' fenced. Horses allowed. ONLY Property needs a little TLC-good investment ONLY $240,000 for all. Call Skip 464-1515 for info. on #CRM048. $98,500. Call Kathie 212-1069 for info on #CRR0052. HThinking of selling? Have questions? Our professional REALTORS are "Full-Time" & have been serving clients since 1987 So.a 4 in marketing & selling property. Call CRAVEN REALTY, INC. at CraenRty .^". 352-726-1515 or e-mail us at cravenrealty@tampabay.rr.com. II IIB-: f I .E.E 'Aa [ 352'- SB ti] . $103,900 ON YOUR LOT Other packages available. 3/2/1 + laundry. Atkinson Construction, Inc. (352) 637-4138 CBC059685 5 Building A Home .I1fe l etji ,t ih E Ere"c-..'I r,,[rrhe i- .l ,E' r, H .', 4ms 1 40 N Prqp,.j [e 3L -lolae1 352.527 9400 Toll Free 800 853 2363 MEMBER CCBA CUSTOM HOMES, ONoL SP DETACHED GARAGES ITCHE& 1 BATH REMODELING CUSTOM CABINET & RR006728TRI3 I HOUSE DESIG US PHONE4 (352)527-4200 SEE OUR MODEL MEMBER CC 00ONCITRUS SPRINGS LIC N RR0067283 GOLF COURSE Allen Gage Builders SPECIALIZING IN 1, 8 2 STORY COUNTRY HOMES, 13ifST c Plan H-2 5023 Sq. Ft. under roof, 2 s ory This is an example of one we have buill M Large selection of Floor Plans Available. i We also custom design. FOR INFORMATION 726-4652 - -. - allengagebuilders corn The fastest growing newspaper in Citrus County... again! More Citrus Countians than ever before are Discovering / the Chronicle "A4 i I Award-Winning Local news, Sports and Photography * Effective, Award-Winning Advertising Local Customer Service Representatives Comprehensive Local Classifieds that cannot be found anywhere else! 5 5 En tE S -PI? ~-~*7y-7:t., ~ I; ,4> C. 0 E www.<. h to n c Icon I ne.c om Florida 'R est Commi'nity Newspaper SW'rving Flarida 's Best Community F" or convenient home delivery, call 352-563-5655 2!.. AM& AMERICAN REALTY ERA & INVESTMENTS -L REAL ESTATE (352) 697-168500 ......Offell 4007 N. Lecanto Hwy., (800) 843-4391...... Toll Free Beverly Hills, FL 34465 Mike Bennett .. . ; ,....f 4 BR BEAUTIFULLY DECORATED HOME. Warm colors throughout w/an abundance of ceramic tile inside & out. Formal living & family room w/a surround sound system. Split open floor plan w/a huge master suite. Large lanai w/a solar-heated pool protected w/child safety fence. All of this located on a canal w/access to the Inverness Chain of Lakes. $299,000. LM5020. Directions: 41S to L on Eden R Old Floral City Road L Sandpiper bear L on Canal L Woodemere R on Cygnet house on L. ELLEN ARONEO PAT WADSWORTH REALTOR' REAL OR' '" 634-2345 634-2209 Tn? ilJedc;. Gr up ellen aroneo@yahoo.com pat2 di.rpweb net . I www pariadsworth corn ... . 5 William Tell Lane Beverly Hills, FL 34465 221 S. JEFFERSON ST. NICE BEVERLY MODEL. 2/1/1. all neutral colors Screened porch. Cabinets in laundry area -$109,900. 429375 r .. , THIS FLORAL CITY HOME offers four bedrooms and two bath, split floor plan, family room with fireplace and wet bar. Huge open kitchen with island. Right out the back door is the Rails to Trails. Property has three lots. This is a new home with 2300 sq. ft. of living, $152,900. (19446MH) Call Deb Thompson for your showing. Cell' 352- 634-2656. 9 S. MONROE ST. UNUSUAL BEVERLY MODEL l/212 family room. Master suite has inple closets & own BA w/large alk-;in sho..er. rne', rani, & siri, & ri6e.'. :ommode 2 storage neds fenced pard Brand new carpels This won'l last $114.900. 429372 2504 W. Pine Ridge Blvd. Custo, built homo f-.t3ijr f- b'"r--m? 3 3530 E SQUAW VALLEY DR Investors dream come truc a lt ra : ,r 111 :. EI -r r,.:. I, 1 1I, no. -. |:a i .-.l :.: J i Ir . 1 r .:. .r, i. 1 l r, r1, i, s ri. r. .l,. ,. .. .. .. .r. .:I:., r ." '., r.-i . "II ne st it. r r .- I. .ir S .:. : i: .a r, ,5 H .e, ,G 'n; .e :I -',, 0 , ' . 1 NEW LISTING: A great part-time or full-time This mobile offers two bedrooms and two baths, nice deck and shed. Very clean and ready to move right into. Don't miss this wonderful but at only $79,900. (19445MH) Call Deb Thompson for your showing. Cell: 352-634-2656 SANDERSON BAY .. REALTY, LLC. 1724 E. RIDGELINE PATH,INVERNESS,FL 34453 PHONE/FAX 352.637.2822 CELL 352302.1419 EMAIL: TMCMURRAY@SANDERSONBAY.COM ss70 This home features a large master bedroom designed with a sitting room | ----- .t opening onto the lanai/pool area. Home nas a living room and family room, 2Y2 S baths. 2 guest bedrooms, den, formal dining room and breakfast bar nook off the family room which features a remote controlled gas fireplace. Kitchen has an island with a sink/garbage disposal. Solar heated 14x28 pool with a gas heated spa. Gazebo in back yard. 2800 plus living area, located in Fairview Estates, Citrus Hills Membership available. $415,900. MLS# SBRS03. Shenandoah Estates lots available. 678 Lake Shenandoah Loop.... .......................... .............$187,900 260 N. Lake Shenandoah Loop, LOT #3.............JUST REDUCED ...$195,900 588 N. Rockingham Point LOT #4....... .... ....$250,000 Sugarmill Woods Lots 77 O ak Village Blvd..............................................................................$90,000 7 Phlox C ourt ........................................................................................ $60,000 Just Listed Waterfront Lot Ready to Build 11306 W. Coral Court, Crystal River................................................ $259,900 Almost brand new WATERFRONT. This 3 bedroom, 2 bath home features a formal living room, dining room, huge upgraded kitchen. family room, 2 car garage, vaulted ceilings, fenced yard, and much, much more. Don't miss this chance to live the wonderful Florida Waterfront lifestyle. Directions: From Old Court House in Inverness, take N. Apopka to right ont Gospel Island Rd. to Right on Allen Dr. to home and sign on right. iNVtE-NESO IG-InLArNDU j,' -UUL home w/an xtra LOT making it 160x120! This home has ceramic tile throughout, newly updated kit. & apple. FL room has sliders opening to pool area & a wonderful wood burning FP. Newly painted inside & out. Tile roof. Fenced yard & much -nore. Call Maxine Hellmers or Kimberly Miner to see listing (19503HN) for $179,900. I I I WATERFRONT!! .2 lot ,.ir. 31,' furnished mobile home on main canal that leads to river and lakes. Move in ready, just bring your fishing pole. Perfect for that weekend get away or a winter residence. Don't miss this one for $124,900. Contact Sara Anne Merritt at (352) 726-6668, 1-800-543-9163 or (352) 212-1668. MLS# 19156VL .Lu'E P4"IJSOFFCEC ..r 'i ; small price? Take a look at this 2 bedroom ? bath spotless doublewide mobile with a enced inground pool, 2 Florida rooms vwth lew remote ac units, new kitchen, updated baths, workshop with ac. mature landscaping, carport, city watel, dock and only a stones throw to the open lake come relax and enjoy this partially furnished home or only $149,900. Call Ruth Fiedenrk 1-352-563-6866 I i i F I II 4D FRIDAY, DECEMBER 9, 2005 t-RPS COUNTY Serving all of Citrus County, including Crystal River, Inverness, Beverly Hills, Homosassa Springs, Sugarmill Woods, SFloralpm Monday Wednesday Issue.......... 1 pm Tuesday Thursday Issue........ 1 pm Wednesday Friday Issue................1 pm Thursday Saturday Issue................. pm Friday 6 Lines for 10 Days! 2 items totaling '1 150550................... 50 $151 $400........... 1050 '401 -'800.............1550 $801 -$1,500... ......$2050 Restrictions apply. Offer applies Io private parties only. VISA .. SPECIAL NOTICES 001-065HE LP WANTED 05160FINANCALA 4180-191tA SAAERVICE S20IMAL SMS FL0' LRAL SATEFRRN 5560RAL SATEFO ALE71-5 ACANT ROPRT 81-89 TANSOTTO 0 3 "Copyrighted Material I Syndicated Content a Available from Commercial News Providers" Fe SOMEWHERE OUT THERE must be a lady 65+ that Is looking for an honest, truthful man. Send a note with name and number and I will call Reply Blind Box 919-P, c/o Citrus County Chronicle, 106 W. Main St., Inverness, FL 34450 wornotve ou worldd first. Every Day l*NiCLE Classfied5 Visitor * Inverness Pioneer * Sumter County Times * South Marion Citizen * Riverland Shopper * Tri-County Bulletin The best way to reach the growing Nature Coast market is through our award-winning, growing newspapers. 1 624 North Meadowcrest Boulevard Crystal River, FL 34429 (352) 563-6363 www. chronicleonline.com SWM, Semi Retired seeks female 21 60, Color, Race, Weight unimportant as a friend or companion. (352) 746-6159 WIWF, 60, new to area, likes crafts, theater, . books, oldies, movies and travel. Wants to learn 1-310-989-1473 -* FREE SERVICE** Cars/Trucks/Metal Removed FREE. No title OK 352-476-4392 Andy Tax Deductible Recept 2 Free Cats I bik. & white, 1 all bik. Lifter trained. Indoor. (352) 302-2920 3 1/2 ton Central air only, for a mobile home. Works great. (352) 563-9830 4 Kittens, tiger calico, 11 weeks old Entertainment Center (352) 628-3829 CAT ADOPT COMMUNITY SERVICE AVAILABLE Our goal is to help you get it done. Animal Care & maintenance. ALSO VOLUNTEERS WELCOME Possible room & board. Drug Free (352) 795-2959 COMMUNITY SERVICE The Path Shelter is available for people who need to serve their community service. (352) 527-6500 or (352) 746-9084 Leave Message Flame Point white Siamese mix kitten. Sev- en months old neutered. A loving boy 352-621-8086 FREE ACRYLIC BASKETBALL Backboard & pole, inground, you remove (352) 382-5262 FREE Border Collie w/ papers. 6mo old. (352) 861-0329 FREE ENGLISH & BOXER MIX, 1 yr old puppy, good with kids, house broken, to good home (863) 528-7043 (Inverness) FREE GROUP COUNSELING Depression/ Anxiety (352) 637-3196 or 628-3831 FREE JACK RUSSELL approx. 9-mo. old, male, trl-color, to great home only (352) 860-0064 FREE KITTEN to good home (352) 341-4646 call after 9am FREE KITTENS Young adults & Adults Call after 4pm 628-5767 rescued pot.ecom Requested donations are tax deductible Pet Adoption Friday, Dec.9 - 10am-2pm AmSouth Bank, Rt 44 & 486 Crystal River Cats Young Calico mom & 2 kittens 628-4200 Variety of ages and colors 746-6186 Persian Cream M 2yrs; Siamese 8yrs F declawed 527-9050 Long Fur Litter mates M&F lyr 586-6380 Catahoula leopard Mix young adult F; Jack Russell M lyr; ShlhTzu M 527-9050 Husky F young adult 249-1029 Catahoula leopard Kerr F 21/2 yrs only pet fenced yard 795-1957 Chihuahua F 8yrs 341-2436 Adoptive homes available for small dogs & puppies. Wanted poodles & small dogs suitable for seniors 527-9050 or 341-2436 All pets are spayed / neutered, cats tested for leukemia/aids, dogs are tested for heart worm and all shots are current. Requested donations are tax deductible Pet Adoption Monday, Dec.12 10am-2pm Regions Bank Rt. 491, Beverly Hills Cats Young Calico mom & 2 kittens 628-4200 Variety of ages and colors 746-6186 Persian Cream M 2yrs; Siamese 8yrs F declawed 527-9050 Long Furred Litter mates M&F lyr 586-6380 Dogs Catahoula leopard Mix young adult F; Jack Russell M lyr; ShlhTzu M 527-9050 Catahoula leopard Kerr F 21/2 yrs -only pet fenced yard 795-1957 Chihuahua F 8yrs; Husky F young adult 341-2436 Adoptive homes available for small dogs & puppies. Wanted poodles & small dogs suitable for seniors 527-9050 or 341-2436 All pets ore spayed / neutered, cats tested for leukemia/aids, dogs are tested for heart worm and all shots are current. FREE Organ, Hammond (352) 560-0370 FREE REMOVAL OF Mowers, motorcycles, Cars. ATV's, jet ski's, 3 wheelers, 628-2084 FREE TO GOOD HOME 4 mo. old kittens.. Cute & Healthy Bil Cannon (352) 344-0798 Free to Good Home. 4 kittens approx. 8 wks. old.(352) 563-6626 KITTENS PURRFECT PETS spayed, neutered, ready for permanent loving homes. Available at Elleen's Foster Care (352) 341-4125 Maine Coon Cat, neutered, 9 mos. old. Playful purebred. Shots current. (352) 621-8086 Male Boxer Mix neutered, free to good home. Friendly & Good with children, not cats. (352) 465-1182 0 HOLIDAY SPECIAL S KEYWEST Jumbo Shrlmo 13-15ct. $51b; 16-20ct 94. 5nlh bO.-795-.770 Black Male Cat w/ red collar" Max" Citrus Spgs. Area (352) 361-9078 CHOCOLATE LAB/ WIEMARINER Lost area of S. Pineridge Ave. Homosassa. REWARD, 352-302-0267 GROUP OF KEYS In the area Hernando Park, Dec. 5 (352) 344-5891 LOST OLD AFRICAN GREY PARROT, male, 1 foot missing. Grandma's companion. Inverness area. Reward (305) 812-2506 cell LOST SELF DEFENSE PRODUCT, Myotron Check mate, blk, wrist strap. Oct. 20, near or around Homosassa tire Reward $50, no ques- tions asked for return. (352)601-3152/628-7689 LOST Shelly, Blk. & Wht. (Sm. Collie) In Equestri- an Area of PIneridge answers to name of Tara, large reward (352) 586-8589, Cell (352) 746-0024 FOUND Gray Cat, In Floral City, only has 1 eye. (352) 860-2159 PUPPY Found Vicinity Inverness Highlands, please call to identify. (352) 21'2-6192 "MR CITRUSCOUNT' ALAN NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 *CHRONICLE* INV. OFFICE 106 W MAIN ST. Courthouse Sq. next to Angelo's Pizzeria Mon-Fri 8:30a-5p Closed for Lunch i YmLS I 0'ST DIORCE REAL ESTATE CAREER Sales Lic. Class $249. Start 1/10/06 CITRUS REAL ESTATE SCHOOL, INC. (352)795-0060 Tutoring Avail. Exp. Retired Educator. Current FL Teacher Certif. Inv. 201-0792 ATTRACTIVE SWF seeking male companion. Candi, 352-628-1036 Dying Man needs help with loose ends in his life. Need volunteers to help me with paper work, property, etc. (352) 795-9337 Grapefruit, Navels Tangelos, Hamlins, $3 /2 bushel/up Harrison Grove (352) 726-1154 -U * HOLIDAY SPECIAL S KEYWEST Jumbo Shrimp 13-15ct. $Sb; 16-20ct $4.501b. 352-795-4770 PRE-SCHOOL TEACHER POSITIONS F/T & P/T. Exp. req. Today's Child. 352-344-9444.. com a How To Make Your Dining Room Set Disappear... Simply advertise in the Classifieds and get results quickly! Iff' - (352) 563-5966 P/T ACCOUNTS RECEIVABLE COLLECTIONS SPECIALIST Good phone & communication skills. Excel Spreadsheet & MicroSoft Word a must. Flexible hrs. 20 hrs per week Need team player willing to work at specified job plus other menial to extensive tasks as needed. Please fax resume to: D. Selvaggio (352) 795-0134 F/T OFFICE ASSISTANT $8/Hour Looking for energetic assistant for general office duties: ULight packing, phones, customer service. good attitude and organizational skills a must. Fax resume to 564 0662 4 S C= Every day hundreds of people like you turn to the Classifieds to find the items they need at prices they can afford. If you've got something to sell, go to and place your classified ad with usI C oN. ... - Slf -M s V s . . a co ' C.O I F What is ez? Its the 24-hour, do-t-yoursef website for creating ads that.Mwl appear i t.e Chroane S. usi1iedj sw-ion" I,". "",'.,-. : .-.. How To Make Your Washer Disappear... Simply advertise in the Classifieds and get results quickly! (352) 563-5966 C IT R U onicleonline.com Y www~chronicleonline.con .......... i . -. I All ads require prepayment. cmb CLASSIFIES CITRUS COUNTY (FL) CHRONICLE FRIDAY, DECEMBER 9. 2005 SD RECEPTIONIST For busy office, phone, computer skills, knowledge of auto Insurance a plus. 8-12p (352) 795-5129 RECEPTIONIST Automotive, General duties Male or female. Call for appt. (352)341-0067 EXP. BEAUTICIAN With Following (352) 726-8600 F/T HAIRDRESSER Call (352) 628-1824 JOIN THE TEAM* Family Barber Shop Barber/Cosmetologist (352) 628-2040 a Skilled Facility has openings for: Full-time Floor Tech. Must be exp. In all phases of Floor Care. Apply In person Woodland Terrace 124 Norvell Bryant Hwy. Hernando (352) 249-3100 [C]NF-Ts ALLSHIFTSt vntlfm'at1inverness exelen pylo years of experinceii~i shB5mift d iffer ntial, B weekend ifferenitialTn^ lcnMeia House Cleaning, Prep Meals & Run Errands for Elderly couple. P/T to start, may lead to full time. Drivers license & References necessary. Pay negotiable. (352) 628-2167 CC- *MENTAL HEALTH COUNSELOR *DENTIST Call for Into at: (352) 527-3332 ext. 1317 M-F 8:30 AM -4:30 PM DENTAL FRONT DESK experienced team player to join quality dental practice in Dunellon. Excellent pay & benefit package. Fax Resumes to: (352) 489-8462 F/T LICENSED PHYSICAL THERAPY ASSISTANT Busy orthopedic outpatient clinic. Mon-Frl. Please Fax Resume: Attent: Manager (352) 726-7582 MAINTENANCE ASSISTANT Avante at Inverness is currently accepting applications for a Full time Maintenance Assistant. Must be flexible with hours. Excellent benefits package. Please apply In person at: 304 S. Citrus Ave., Inverness. or Fax Resume to: (352) 637-0333 Email To: tcvpret@avante Your World CHCRNdICLE ClaSS(fieds A + --'., . I e di *F/T FRONT DESK RECEPTIONIST/ FILE CLERK Busy OBGYN office. Ex- perience preferred. Fax resume to 352-726-8193 FULL TIME MEDICAL ASSISTANT & FULL TIME RN OR LPN Busy office Phlebotomy, Vitals. Needs to be a Team Player. Send resume to 800 Medical Court East, Inverness, Fl. 34452 or Fax 352-726-8193 -TMC Medical Billing Specialist A leader in Rehabilitative services. Our billing dept. has a FT Immediate position available for a Medical Billing Specialist at our Homosassa/Sugarmlli location. Candidate should have 2+ yrs. medical billing exp., strong data entry and good communication skills. Medicare billling,@ therapymgmt.com GROUP OFFICE SEEKS INDIVIDUAL FOR FRONT OFFICE A/R, Dally Deposits & Appointments. Minimum 3 years medical office experience. Send Fax to Human Resources (352) 795-4879 Nurse-s AM ll Shift curetlmccptn aplic tosfrfl Fmu diferentlal / Weekend premium pay / Plus sign on bonus RN SUPERVISOR FT 11-7 All Interested candidates please apply In person to Surrey Place 2730 W Marc Knighton Ct. Lecanto or Fax resume to 352-746-9666 w 40- q -j 41W 4 -.m 41k% -qm A TREE SURGEON Uc.&lns. Exp'd friendly serve. Lowest rats Free estimates,352-860-1452 A WHOLE HAULING & TREE SERVICE 352-697-1421 V/MC/D r AFFORDABLE, I DEPENDABLE, HAULING CLEANUPS, I PROMPT SERVICE I I Trash, Trees, Brush, | Appl. Furn, Const. , SDebris & Garages | 352-697-1126 All Tractor & Truck Work, Deliver/Spread. Clean Ups, Lot & Tree Clearing Bush Hog. 302-6955 REAL TREE SURGEOwNS Quality work, Low rates, Lic&Ins. 7830257748 (352) 476-8813 COLEMAN TREE SERVICE Removal & trim. Lic. Ins. FREE EST. Lowest rates guaranteed! 344-1102 DAVID'S ECONOMY TREE SERVICE, Removal, & trim. Ins. AC 24006. 352-637-0681 220-8621 DOUBLE J STUMP GRINDING, Mowing, Haullng,Cleanup, Mulch, Dirt. 302-8852 D's Landscape & Expert Tree Svce Personalized design. Cleanups & Bobcat work. Fill/rock & Sod: 352-563-0272. Dwayne Parlier's Tree Removal. Free estimate Satisfaction guaranteed Uc. (352) 628-6420 JOHN MILL'S TREE SERV., Trim, top, remove Uc Acct 13732 (352) 341-5936 or 302-4942, Ins.& Lic #0256879 352-341-6827 STUMP GRINDING Uc. & Ins. Free Est. Billy (BJ) McLaughlin 352-212-6067 STUMPS FOR LE$$ "Quote so cheap you won't believe itl" COMPUTER TECH MEDIC ON SITE REPAIRS Software & Hardware issues resolved. Internet Specialists (352) 628-6688 Cooter Computers, Inc. Professional Services Free Consultation 24/7 (352) 476-8954 VChrls Satchell Painting & Wallcovering.All work 2 full coats.25 yrs. Exp. Exc. Ref. Llc#001721/ Ins. (352) 795-6533 All Phase Construction Quality painting & re- pairs. Faux fin. #0255709 352-586-1026 637-3632 CHEAP/CHEAP/CHEAP DP Pressure Cleaning & Painting. Licensed & Insured. 637-3765 George Swedlige Painting- Int./Ext. Pressure Cleaning- Free est. 794-0400 /628-2245 Git' Er' Done Holiday Special Pressure Washing/Painting. Free est. (352) 637-5171 INTERIOR & EXTERIOR PAINTING 25 yrs. exp. Home main- tenance, 2 Lic. & Ins Jimmy 352-212-9067 POOL BOY SERVICES I Total Pool Care I I crylic Decking Unique Effects-Painting, In Bus, since 2000, Interior/Exterior 17210224487 One Call ,To Coat It All 352-344-9053 Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 344-1952 CBC058263 Wal & Celn Repairs. Drwal Tetrig Installations by Brian CC2303 Ve'u 9&4 aewaed 352-628-7519 , Siding, Soffit & Fascia, Skirting, Roofovers, Carports, Screen Rooms, Decks, Windows, Doors, Additions Affordable Boat Maint. & Repair, Mechanical, Electrical, Custom Rig. John (352) 746-4521 QUALITY OUTBOARD REPAIRS, Full & dock side service. Morrill Marine (352) 628-3331 CHRISTMAS SPECIAl. 16 ft. Smokercraft 90hp. Yamaha 4 stroke with trailer $9,995 1976 S. Suncoast Blvd. Homosassa, FL 34448 DJ SPECIAL EVENTS Private parties ONLY. "Theme" shows. CALL. Lights, Camera, Actionl Let the Good Times (Rock) & Rolll 352.427.6069 AT YOUR HOME Res. mower & small engine repair. Lic#99990001273 Bob, 352-220-4244 BATHTUB REGLAZING Old tubs & ugly ceramic tile is restored to new cond. All colors avail. 6o97.-TUB (8o27 CUSTOM UPHOLSTERY Modern & antique. Denny, 628-5595 or 464-2738 VChris Satchell Painting & Wallcovering.All work 2 full coats.25 yrs. Exp. Exc. Ref. Llc#001721/ Ins. (352) 795-6533 *No Job too Big or too Small. Housecleaning to yardwork, anything In between. Lic QUALITY CLEANING no harmful chemicals, Reasonable Rates (352) 795-3989 The Window Man Free Est., Com./residential, new construction Lic. & Ins. (352) 228-7295 COUNTER TOP Resurfacing & repair. All types of Handyman Work. Lic. 28417 (352) 212-7110 LINGS PLUS Trim & Finish Contractor. Lic/Ins. 99990003893 (352) 344-1982 (352) 361-7714 ROGERS Construction Additions, remodels, new homes. Most home repairs. 637-4373 CRC 1326872 Screen rms,Carports, vinyl & acrylic windows, roof overs & gutters Llc#2708 (352) 628-0562 Mike Anderson Painting Interior and Exterior Painting & Staining Power Washing 25 Yrs Exp. Call A Professional! Lic/n28-7277 Lic./Ins. -a. AUGIE'S PRESSURE Cleaning Quality Work, Low Prices. FREE Estimates: 220-2913 C & F Services Spray Cleaning Prof. Roofs, driveways, decks Free Est. (352) 726-8502 GIl'. LUc. #999900022251 422-4308/344-1466 AAA HOME REPAIRS Maint & repair prob- lems Swimming Pool Rescreen99990000162 352-746-7395 I DEPENDABLE I HAULING CLEANUP. I PROMPT SERVICE I I Trash, Trees, Brush, | Appl. Furn, Const. , Debris & Garages | 352-697-1126 L-----ml Andrew Joehl Handyman. General Maintenance/Repairs Pressure & cleaning. Lawns, gutters. No Job too small Reliable. Ins 0256271 352-465-9201 CLOCK REPAIR Cuckoo, mantle, wall, antique. Elec. & battery Free est. (352) 726-9983 COUNTER TOP Resurfacing & repair. All types of Handyman Work. Llc. 28417 (352) 212-7110 EXP'D HANDYMAN All phases of home repair. Exc work Honest, relia- ble, good prices. Ins/Lic #73490255092, 860-0085 Dan Hensley Home Maintenance Service Friendly-Fast Service 10% disc to all Senior citizens, lic.99990003899 Call (352) 628-6635 GOT STUFF? You Call We Haul CONSIDER IT DONE Movlng,Cleanquts, & Handyman Service Uc.99990000665 (352) 302-2902 GOT STUFF? You Call We Haul CONSIDER IT DONEI/lns. (352) 628-4282 Visa/MC No Job too Big or too Small. Housecleaning to yardwork, anything In between. Llc#4074 352-257-2096 Richle's Pressure Cleaning Service LiUc #. Lowman I Ir.onm AO1 A225onnn All of Citrus Hauling/ Moving items delivered, clean ups.Everything from A to Z 628-6790 AFFORDABLE, DEPENDABLE, I HAULING CLEANUP, PROMPT SERVICE I Trash, Trees, Brush, Appl. Furn, Const, I Debris & Garages | 352-697-1126 ON SIGHT CLEANUP M.H. demolition, struc- ture fire & Const. debris cleanup (352) 634-0329 564-0000 YOU CALL... I'll HAUL Trash, Furniture & Appl. Removal. Call Larry, 795-5512 or 726-7022 WORK. SIDEWALKS, patios, driveways, slabs. Free estimates. Lic. #2000. Ins. 795-4798. SPOOL BOY SERVICES I Total Pool Care I I Acrylic Deckng S 352-464-3967 ----mm em m RIP RAP SEAWALLS & (NMDcETE WODIV DUKt & UUKE, INC. Remodeling additions Lic. # CGC058923 insured. 341-2675 Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 344-1952 CBC058263 AFFORDABLE, S DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE I STrash, Trees, Brush, Apple. Furn, Const, | Debris & Garages | 352-697-1126 CERAMIC TILE INSTALLER Bathroom remodeling, handicap bathrooms. Lic/Ins. #2441 795-7241 CUTTING EDGE Ceramic Tile. Uc. #2713. insured. Free Estimates. f3) Ao4-.onio LINGS PLUS Trim & Finish Contractor Lic/Ins. 99990003893 (352) 344-1982 (352) 361-7714 REPAIRS, Wall & ceiling sprays. Int/Ext Painting Lic/Ins 73490247757 220-4845 Wall & Ceiling Repairs Drywall, Texturing, Painting, Vinyl. Tile work. 30 yrs. exp. 344-1952 CBC058263 All Tractor & Truck Work, Deliver/Spread. Clean Ups, Lot & Tree Clearing Bush Hog. 302-6955 tvoes of Dirt Service Call Mike 352-564-1411 Mobile 239-470-0572 HAULING All Aspects, Fill Dirt, Rock. Mulch, etc. Lic. Ins. (352) 341-0747 LARRY'S TRACTOR SERVICE Finish grading & bush hogging (352) 302-3523 (352) 628-3924 AFFORDABLE, DEPENDABLE, HAULING CLEANUP, PROMPT SERVICE I Trash, Trees. Brush, Appl. Furn, Const, I Debris & Garages | 352-697-1126 IL -m-m- - iS. CITIZEN DISCOUNT1 'g;SAVE$10; .^ -' Wilh ThisAd Free Estimates Sinks Tubs Showers Toilets Sewer & Drain Cleaning ALL. CoLEAR Plumbing & Drain Cleaning CFC14267T6, 352-586-2210 All Tractor & Truck Work, Deliver/Spread. Clean Ups, Lot & Tree Clearing Bush Hog. 302-6955 CITRUS BOBCAT LTD Bushhog/Debris removal Uc.#3081 464-2701/563-1049 DAN'S BUSHHOGGING Pastures, Vacant Lots. Garden Roto Tilling Lic. & Ins. 352- 303-4679 HAMM'S BUSHHOG SERVICE. Pasture Mowing, lots, acreage. Licensed & Insured (352) 400-5233 D's Landscape & Expert Tree Svce Personalized design. Cleanups & Bobcat work. Fill/rock & Sod: 352-563-0272 McBEE LANDSCAPING Installation of Shrubs & Trees, Landscape packages Avail. Lic. #24715 (352) 628-0690 PRO-SCAPES Complete lawn service. Spend time with your Family, not your lawn. Lic./Ins. (352) 613-0528 r AFFORDABLE, DEPENDABLE, I HAULING CLEANUP, I PROMPT SERVICE I Trash, Trees, Brush, Appl. Furn, Const, SDebris &ullng,Cleanup, Mulch, Dirt. 302-8852 YARD & VACANT LOT CLEAN. Mulch, Beds, Hauling, Pressure Wash John Hall Lawn Moint. Lis/Ins (352) 344-2429 EML POOLS Pool cleaning & repair, Serving Citrus County 32 yrs. Lisc & Ins. (352) 637-1904 MAVEN Pool Maint. NEW LOWER WINTER RATESI Wkly. chemical & full service avail. Lic. (352) 726-1674 Poo --^ SPOOL BOYSERVICES. I Total Pool Care I SAcrylic Decking I S352-464-3967 Seasoned UQK Fire Wood. Split, $70,4x7. RKYSIAL ruMPvr KEtAI Filters, Jets, Subs, Tanks, w/ 3yr Warr. Free Est. (352) 563-1911 WATER PUMP SERVICE & Repairs on all makes & models. Uc. Anytime, 344-2556, Richard WHOLE HOUSE PURIFICATION Starting at $999. (352) 228-2200 DEP. Lic #0010008 + YUCKY WATER?+ We Will Fix Iti 90 Yr Exp. Affordable Solutions to all your water problems. 866-314-YUCK (9825) MRMEcaOUrl ALAN NUSSO BROKER Associate Real Estate Sales Exit Realty Leaders (352) 422-6956 RAINDANCER Seamless Gutters, Soffit Fascia, Siding, Free Est. Lic. & Ins. 352-860-0714 Your World I i )NKp.NLl An.Bnroniofanlna..orn COCRT Renew Any Existing Concrete! DESIGNS COLORS* PATTERNS Lic./lns. 352-527-9247 _i They're Looking For Your Business!! 563-3209 For Information About Advertising MEDICAL BILLING/ FRONT OFFICE New Primary Medical Care Practice seeks a self motivated energetic person for medical billing and front office. Experience Required. Fax Resume to: (352) 564-4222 Or call (352) 564-0444 Vour' ,rlI I IrSL i ("l I1 )NI. :ll FRONT & BACK OFFICE STAFF NEEDED Fax: (352) 746-2236 RN's/LPN's NEW VISIT RATES BEST RATES IN TOWN Looking for extra $ for The Holidays? A+ Healthcare Home Health (352) 564-2700 CITRUS COUNTY (FL) CHRONICLE i CILASS11IF1117-IDIS .41 "Copyrighted Material Syndicated Content Available from Commercial News Providers" a 4 1 P Phlebotomist PT., 8-2, M-TH Fax resume to: (352) 795-9205. RN's & LPN's, NEW competitive pay rates. Fax resume to (352) 637-1176 or apply in person Interim Health Care 320 S. Kensington Ave. Lecanto FIl 34461 CnITRUS COUNTY (FL) CHRONICLE EARN AS YOU LEARN CNA Test Prep/CPR Continuing Education 341-2311/ Cell 422-3656 -4 INCOME TAX PREPARER Wanted for corning tax season. Tax exper- ience required. 30-40 hours per week. Write Calabro Financial Management, PO Box 6401301 Beverly Hills, FL 34464-1301 Sales Uc. Class $249. CIRUS REL EATE SCHOOL, INC. REAL ESTATE CAREERNT Here we GROWA Aaron's ewest store, Sales Uc. Class $249Springs! Start 1/a 1006areer, CITRUS REAL ESTATE SCHOOL, INC. (352)795-0060 RETAIL MANAGEMENT Here we GROW again! Aaron's Newest store, Homosassa Springs! Start a Career, not a jobi Manager Trainees, Delivery Drivers Paid training, bonus, benefits, NO Sundays! INTERVIEW IN PERSON 1850 Highway 44 West. Inverness Join out Team as we GROWl Over 21, clean MVR, Drug Free -SITE MANAGER For 85 Unit Family Rental Complex In Crystal River. Mgr must have good office skills, computer literacy and light bookkeeping needed. Must be bondable. Send resume to: Pelican Bay Apts. PO Box 10293 Clearwater, FI 33757 Fax (727) 447-2252 Equal Employment Opportunity -U High volume environment. Exp. preferred. Positions available in Inverness COACH'S Pub&Eaten/ 114 W. Main St., Inv, EOE COOKS NEEDED Scampl's Restaurant (352) 564-2030 Exp. Cook & Prep Cook Exc. wages. Apply at: CRACKERS BAR & GRILL Crystal River EXP. SERVERS & P/T COOK Apply 9;30am-11am 1164La Luna Italian Rest. 859 U.S. Hwy. 41-S, Inverness dm6 KITCHEN HELP FT/PT, varied positions. Upscale Rest. located in Crystal River (352) 795-4046 Sous Chef Exp. req, Vandervalk Restaurant 352-400-2138 $$$ SELL AVON $$$. FREE gift. Earn up to 50% Your own hrs, be your own boss. Call Jackle I/S/R 1-866-405-AVON AGENTS NEEDED New real estate firm now hiring agents, no franchise fees Crystal Realty (352) 563-5757 LOOKING FOR ENTHUSIASTIC PERSON Who has Experience In 586-0745.. coam SALES PEOPLE NEEDED FOR Lawn & Pest Control Prefer exp. In the pest control industry. 2 wks paid training, .benefits, company vehicle. Apply in Person Bray's Pest Control 3447 E Gulf to Lk. Hwy. Inverness SALES POSITION & LAWN SPRAY Exp. Required J.D. Smith Pest Control (352) 726-3921 TELEMARKETING immediate opening for exp. Telemarketer. Approx. 30/hrs per week. Hourly + commissions. Scheduling appts for our water Technicians Please call Mr. Bob at Florida Water Works. .$$$$$$$$$$$$4$$ $$$$$$$$$$$$$$$$$ Immediate teams, CDLA/Haz. required Great benefits 800-362-0159 24 hours FRAMERS Local-Steady 352-302-3362 ALUMINUM INSTALLER SOFFIT, GUTTERS SCREEN ROOM Looking for experienced but willing to train motivated person. Construction experience helpful Driver's License A Musti CMD INDUSTRIES 352-795-0089 ALUMINUM INSTALLERS/ GUTTERS MUST HAVE CLEAN DRIVER'S LICENSE Call:(352) 563-2977 AN EXP. FRAMER & LABORERS NEEDED (352) 637-3496 BOX BLADE OPERATOR Experienced Only, Good Pay. (352) 400-2793 BOXBLADE OPERATOR Exp'd, clean driving record, CDL not req, Call 352-621-3478 dfwp cnMedical 92 z Full-time position requires working knowledge of Multi-Ad Creator or QuarkXPress & Adobe Photoshop. Produce advertising and editorial pages for newspapers, special products and special sections. Macintosh and PC formats. Application deadline: Dec. 11, 2005 C ., EOE, drug screen required for final applicant. C1([ )N i Send resume & cover letter to: HR@chronicleonline.com CARPET INSTALLER Experienced w/ trans. West Coast Flooring 352-564-2772 CDL DRIVER Accepting applications for experienced Class A or B Driver to operate dumps. Full Time employment w/ benefit package. PAVE- RITE 3411 W. Crigger Ct., Lecanto. 352-621-1600 DFWP/EOE CERAMIC TILE INSTALLERS Experience Required. Steady work, new construction. Apply In person to The Floor Shoppe, 4070 County Road 124A, Wildwood Ask for Mike or call 352-748-4811 and make an appointment Commercial Carrier Corporation is now hiring Drivers for Tank & Flat Bed. Also Hiring Drivers to work on weekends. Must have CDL-A ULicence. $1000 Sign on Bonus For experienced full time drivers. We offer 6 paid holidays, medical, dental, vision & retirement. For more Information call 1-800-342-4019 Mon-Fri 8am-4pm EOE, DFWP COMPANY DRIVERS & OWNER OPERATORS HOME EVERY NIGHT Coleman, Belleview, Brooksville, Tampa, Orlando. Class A CDL + 2 yrs exp. SignOn and Other Bonuses Truck Purchase Program 1993-2000 Macks Call HR at 1-800-725-3482 COMPUTER OPERATOR For Land Surveying Office. 352-563-0315 DRIVER/ HANDYMAN Class B Lic, Air brakes exp., experience with plumbing electrical & welding driving 2-3 days wk. local, Handyman 2-3 days wk. 352-628-2688 DRIVERS Class A & B. Required, Full time & Part Time. Local/ Long Distance. Home most weekends. Contact Dicks Moving Inc. (352) 621-1220 ELECTRICAL Maronda Systems is seeking Residential Electricians, In the Ocala and Marion County area. Opportunity to make up to $30.00 an hr. Must have own truck and tools. Please contact Dave at 352-266-1551 ELEVATOR CONST. HELPER transportation Weekday travel required. EOE+ DRUG FREE. 352-589-5500 or 800-411-4449 x 298 EXP. CARPENTER & FRAMERS Pay depending on exp. (352) 422-2708 EXP. DUMPTRUCK DRIVER (352) 563-1873 EXPERIENCED FLOOR MAN For Manufactured Home set up crew. Acme Homes II Inc Benefits, bonuses and overtime. Call(352) 382-1076 with qualifications for Interview. EXPERIENCED MANUFACTURED HOME SET UP PERSON Acme Homes II Inc Benefits, bonuses and overtime. Call (352) 382-1076 with qualifications for Interview. EXP. FRAMERS 352-726-4652 FLOOR CARE/ CUSTODIAN P/T, Shift Varies, 23/hrs per week Experience required. Multi function Job. Energetic, organized & caring individual w/ good customer service skills. Apply at: Barrington Place 2341 W. Norvell Bryant Lecanto, Fl FRAMER & HELPER For Inverness Area, (352) 418-2014 FULL TIME ASSEMBLY LINE PAINTER To Paint Telephones using automotive type paint equipment.. No exp. necessary. 352-465-0503, Iv. msg. (800) 868-9410 HVAC DUCT MECH. & LEAD INSTALLERS Will Train Call 352-564-8822 HVAC Service Tech Min. 5 yrs exp with valid D/L Exc. pay & benefits Send resume to: Attn: Personnel PO Box 1127 Homosassa Springs, FL 34447 IMMEDIATE OPENING QUALIFIED RESIDENTIAL ELECTRICIAN Minlgger Ct., Lecanto. 352-621-1600 DFWP/EOE Maintenance PT Apply in person: Mon, Wed, Fri. Inglis Villas 33 Tronou Dr. Ingls FI 34449 Ph: 352-447-0106 Fax: 352-447-1410 MASONS & MASON TENDERS TOP PAY (352) 400-0290 I ( w j How To Make Your Pet Disappear... Simply advertise in the Classifieds and get results quickly! M-el c= Heflp FRAMERS (352) 812-2007 MECHANIC Accepting applications for experienced Truck and Construction Equipment Mechanic. The position requires supervisory skills to coordinate & manage maintenance facility. Full Time employment, Including benefit package. PAVE- RITE 3411 W. Crigger Cl., Lecanto. 352-621-1600 DFWP/EOE MECHANICS & TIRE/LUBE TECHS Trucking Company Coleman, Belleview, Brooksville Call HR at 1-800-725-3482 MILL HAND 2nd shift machinist w/exp. with conventional horiz. milling machines. Call Tim at 795-1163 NEEDED EXPERIENCED SAW MAN" FOR TABLE SAW Must have cabinet shop background. Verifiable previous employment. Apply In person DCI Countertops, Shamrock Ind. Park 6843 N. Citrus Ave. (Rt 495) Crystal River, FL No Phone Calls, R. or Fax resume to 352-637-3870 PLASTERERS & LABORERS Must have transportation. 352-344-1748 EXP PLUMBER a & SERVICE S PLUMBERS Starting Wage between $16-18/hr. Benefits, Health, Holidays & Paid Vacation. 621-7705 PLUMBERS & HELPERS For Commercial Work. DFWP/Benefits Call 1-800-728-6053 PLUMBERS HELPER Needed, will train. Must have good driver's license. Apply in person. Grant Plumbing 4424 E Arlington St. Inverness, 726-0816 PLUMBERS' HELPERS Exp'd only. Full time. 621-7705 PRODUCTION/ MECHANIC Great Southern Wood Preserving Inc., is seeking a goal oriented, dependable, safety conscious person to become part O Dell (352) 793-9410 Drug Free Work Place EOE PROFESSIONAL PEST CONTROL Needs Technician * Hourly pay * Commlsion * Company Vehicle * Paid Training * Paid Vacation * Paid Sick Days * $30,000 Depending on Ability, (352)344-3444 Trad cm /3DkIl Plywood Sheeters & Laborers Needed In Dunnellon area. (352) 266-6940 TAFFLINGER PAINTING Seeking experienced painters for local work. Please leave message (352) 341-3553 WANTED INDEPENDENT CARRIERS State of FI, GA, SC, Al. Steady runs. Contact Terry at Greenbush Logistics 1-800-868-9410 -EL CDL-DRIVER Class A, B or C w/ passenger endorsement. P/T 20hrs week. Nursing exp. helpful Apply at: Barrington Place 2341 W. Norvell Bryant Lecanto FI COOK Full time. Good organizational Skills a must. Apply at: Barringlon Place 2341 W. Norvell Bryant Lecanto, FI Defl 3927 N. Lecanto Hwy. Beverly Hills, FL (352) 746-3354 DELIVERY DRIVER CDL, clean record. Heavy lifting required. Good benefits. F/T. DFWP 352-860-0079 34429 EOE Qualified Applicants must under go drug screening. Driver & Laborer Both positions are Part time or Full Time. Driver needs Class A CDL with clean license. DFWP Apply In person: Inter-County Recycling St. Rd. 44 Lecanto Exp. Seamstress (352) 302-5707 FULLTIME POSITIONS In a challenging career of roofing. Must be 18 and drug free. No exp needed, Apply in person, Boulerice Roofing & Supply, 4551 W. Cardinal St., Suite #4, Homosassa. Immediate Openings Available for: *SERVERS ABUSERS 352-382-5994 Ask for Zach. INSTALLATION MANAGER & INSTALLERS All aspects of flooring (352) 794-0009 IRRIGATION HELP WANTED. 352-422-7559 JOBS GALORE!!! EMPLOYMENT.NET LABORERS NEEDED No exp. necessary Benefits offered. Valid Drivers Lic. & Heavy Lifting Required Gardners Concrete 8030 Homosassa Tr. LAND SURVEYING CADD TECH Benefits, include Ins. & Retirement Plan. Inverness area Reply Blind Box 916-P c/o Citrus County Chronicle, 106 W. Main St., Inverness, FL 34450 Maintenance Person Various maintenance work & roofing. Must have own tools & transportation. Please call (352) 795-1101 OFFICE ASSISTANT For Home Builder Must be take charge Individual- 40 hour work week. Construction experience helpful. Organizational & Customer Service skills a must. Fax Resume 352-637-4141 P/T F/T CASHIERS/ STICKERS Apply Webb's 99, Inv. 465 E. Highland Blvd. Pianist For Fundamental Baptist Church, Also need Music Directorl Song Leader. (352) 628-4793 S* LABOeRERS* | NEEDED* 746-5951 RAINEY CONSTRUCTION in Wlidwood is looking for Class A & B CD exp. Dump Truck Drivers. Good benefits. $10.00/hour. Call 352-748-0955. *inGLIS ---- *YANKEETOWN 3-TON CENTRAL HEAT & AIR $400 Suitable for Mobile Home. We are looking for (352) 564-0578 people interested in working a few hours A/C & HEAT PUMP (early morning hours) SYSTEMS New in box A day delivering The 5 &10 year Factory Citrus County Warranties at Chronicle on an Wholesale Prices On-Call/Substitute 2 Ton $827.00 basis. Work a few 3 ton $927.00 days a week or just 4 ton $1,034.00 weekends and earn Install kits available extra money before or professional the sun comes up. Installation also avail. 352-563-3282 Free Deliverv *ALSO POOL HEAT PUMPS AVAILABLE Lic#CAC 057914 Call 352-746-4394 ADVERTISING ALL APPLIANCES. New ADVERTISING & Used, Scratch Dent- NOTICE: warr. Washers, dryers, This newspaper stoves, refr g. etc. Serv does Buy/Sell 352-220-6047 not knowlingly APPLIANCE CENTER accept Used Refrigerators, ads that are not Stoves, Washers, Dryers. NEW AND USED PARTS bonafide Dryer Vent Cleaning employment Visa, M/C., A/E. Checks offerings. Please 352-795-8882 use Bunn Ice Tea Maker caution when Restaurant size, $50. responding to Patio Chaise Beige & respondingto coral pillow, like new employment ads. $40. obo (35.2) 382-3648 REAL ESTATE CAREER DISHWASHER, Maytag, Sales Lic. Class $249. brand new in box, Start 1/10/06 Retails, $397, CITRUS REAL ESTATE Sell for $235 firm. SCHOOL, INC.(352) 637-3996 (352795-060Electric Clothes *dryer, reduced to $50. Elec. Stove, reduced to $50. (352) 637-5171 BUSIEST CAR SALE FRIGIDAIRE WASHER & OPERATION DRYER, white, excellent For Sale or Lease, CR cond., heavy duty, XL 249-9176 212-3041 capacity, can deliver, $350/both (352) 726-7891 KENMORE STOVE Harvest Gold Electric 50' Restaurant Stove works fine Turn key operation -$35.00 Call (352) 249-6966 352-795-0999 Laundrymat Turnkey Large Capacity Dryer. operation. Well estab- Like new. $150.00 lished. Located in CR (352) 286-9742 for over 30 yrs. Wash/ Maytag, Washer Dry/Fold service. No Brookers.(352) 795-0979 & Dryer Washer rebuilt, $400. Vending Machines in (352) 270-3274 local area. Great extra cash. $12,000.00 REFRIGERATOR (352) 628-0844 Side by Side White _Kenmore, 1 yr. old. C4Fla Paid $1200. asking $500 C i m (352) 527-4171 aM arREMODELING SALE GE Over Stove Micro- INVERNESS wave; Tappan Built-in FLEA MARKET Dishwasher; Good FLEA MAKEI cond. $75 each. Invites The Public (352) 746-2571 $4.00 Outside STACKABLE WASHER/ 6.00 Inside DRYER,. $150 t r Inoi d FEDDERS 12,000 BTU AIR 7am til ? For Infos CONDITIONER, 110 volt, Call 726-2993 $75 All In exc. cond. (727) 418-9193 PAI Washer & Dryer. $150. for pair. Will separate P-111!Sig ~Works good. 1OX12 WOOD COOKS (352) 628-6481 SHED, work bench & WHIRLPOOL ELEC. shelves, $1,800 STOVE, $200 KENMORE (352) 586-1259 cell MICROWAVE. $50. All 8' x 40' Meal Cargo like new. $225 for both Storage Unit. $1200. (352) 726-9811 (352) 628-0036 White Whirlpool Dryer, WE MOVE SHEDS Works great. 8 yis, old. $70. F ree delivery. After 564-0000 10am(352)341-3543 Light Oak Desk Ensemble with IBM computer, excel. cond. $125. "BENCHTOP" 117 pc. TOOL SET, (Lifetime Warranty) 1/4.3/8 & 1/2 rachets + SAE/Metrlc, standard & deep sock- ets, $55. Plus new misc. handtools, $5-$10 per set (352), 341-0791 32' Alum. Ext. Ladder $75: 044 Steel Chain saw w/case, $300; (352) 527-4619 Contractors Wheel Barrow, 4 cu. ft., metal tub, $50. (352) 621-7593 CRAFTSMAN 10" TABLE SAW. Rip fence both sides blade, $150 (352) 860-2015 after 3pm RIGID 12" Slide Miter Saw, w/Roll stand. New $815; Asking $500 RIGID 12" Cut off Saw, New $200, Asking $100 Both still under warranty (352) 465-1074 57" Hitachi TV w/Magic focus, console, $1600 new, $800, used 7 mos; (352) 465-2759 65" QVC HD TV 4 yrs left on Warranty Bought $2200, sell $750 (352) 489-1537 BIG SCREEN T.V., 50", Curtis Mathes, $400 OBO. (352) 341-3650 PHILLIPS MAGNAVOX 50" Big Screen TV $900. (352)563-1928 SHARP 39" TV plus low cabinet/stand $400. Excellent Condition 352-564-4202 -eSI SALES POSITION & LAWN SPRAY TECHNICIANS Exp. Required J.D. Smith Pest Control (352) 726-3921 Seeking Honest Dependable Career orientated Person for FT Position. Heavy lifting, Driving, Cash Handling & Sales. Please call (352) 564-0700 TELEMARKETING Phone sales (352) 794-0009 WE BUY HOUSES Ca$h........Fast I 352-637-2973 1homesold.com P/T GROUNDSMAN for tree surgeon. (352) 344-0547 PT Secretary Call for interview (352) 795-5758 Substitute Part-time *INVERNESS *FLORAL CITY *BEVERLY HILLS *PINE RIDGE *DUNNELLON *CITRUS SPRINGS *CRYSTAL RIVER *HOMOSASSA *LECANTO *HERNANDO IeI l4'.lIQ WOW! FLORIDA PEST \ o\ CONTROL WO CHEMICAL CO I -^ sincesse W v w Building Careers for 55 Years MANAGER / SALES * Training/Career Development * Great Starting Pay * Full Benefit Package * Drug Free Workplace Apply In Person or 2020 SE Hwy 19 Crystal River (352) 795-3614 or fax resume to (352) 795-1611 e-mail to Hrdirector@flapest.com . 2.1581 16 Rollsof R-13 Insulation, 5 Rolls 151b. Roof felt. $150 firm. (352) 795-6650 SEARS FLOOR KIT for 8x8, 8xi0 or 9x10 metal shed, never used, $25 (352) 465-6619 WIFE REMODELING 2 pair glass Patio Sliding Doors, alum, 943/"x79V2" $200 each (352) 564-2545/ MCard 637-5469 HP PRINTER (Ink Jet) 840, extra black cartridge, $25 (352) 860-2015 after 3pm IBM T-23 Notebook. $435. (352) 637-4868 PENTIUM 3 COMPUTER Monitor, keypad & mouse, Internet ready, WIN 98, $100 (352) 726-3856 Printer, Lexmark X125, multi function, $75. (352) 465-8702 Ford 8N W/ Freeman Loader, Excel, cond. New tires & paint. $4500. (352) 382-1956 International Cub Tractor, 1958, Exc. cond, 1 owner, w/ Deli Mower. $1700. (727) 224-7384 LINCOLN ELECTRIC WELDING MACHINE Arc & tig w/gos, 275amp, lots of extras. $995. (352) 527-0223 Patio Furniture 5'6" glass table, 6 cushioned chairs. Like new, $350, (352) 746-6140 Porch turn. Couch, 2 armchairs & Cushions, $125; Gd. cond. (352)637-1161 2 Antique Dressers $200. obo 5275 W. Caraway Place Cinnamon Ridoe oft Rt. 44 on Southern St, Trades cn/Skills I nupam "Copyrighted Material Syndicated Content Available from Commercial News Providers" 6D FRIDAY DECEMBER 9 M %PM-F rkUVAY, "ECEMI (352) 563-5966 Cl I )NI .E. -4 HYDRO PRINCESS SEA SPRAY SPA Uke CLASSIFIED r--l 1651624 CITRUS COUNTY (FL) CHRONICLE 2 Drawer Padded Entertain Sewing machine seat, $75 obo $20. Wood Luver Doors, coast $50 for all. OBO. (352) (352) 637-2153 Floral Soft 2 END TABLES, cocktail sz., 68", Ill table, ornamental Iron Gate leg & glass top, beautiful, excel $150 for all 3 (352) (352) 746-3763 FORMAl 2 Ethan Allen maple sofa & to end tables, like new Ends w/ $250. pair. Lg. square 352-: coffee table w/ pull-out Formal I slate tray & drws. Excel. Tables, cond. Orig. $799. Priced Queen Ar $250. (352) 746-4496 7 piece formal Dining (352) Room Set w/china GIRLS cabinet. Thomasvllle, 6 p c, can Excell, cond. $850. offwhite, (352) 726-2641 twin mattre 10 gun cabinet case, $150o 3 Oak computer Desk, Great lo 26x62, Curio Cabinet color 55x78, Table & chairs, 4 design sides, 2 captains & perfect hutch. Call after 6pm Solid pine (352) 527-6866 4FT L, 2- 48" Round table w/15" Perfe leaf, dark wood Inlay (352) 637 w/4 armchairs w/ LARGE TI castors, padded seats. seats 6-8 $1300 new, sell 7 mos. $20001 old. $700. (352) Beautiful daybed w/trundle, makes into LEGC king bed, used 1 time, table-top New $700, sell $450. chrs & bo (352) 465-2759 $25. 35 4X6' Armoire 1910 LIGHTI Made into Entertain- CA ment center, dbi. door, (2) $ $500. Bar w/2 swivel (352) stools, $75: Good cond Loveseat, (352) 637-1161 $50. Rec 5-PC. WICKER fair cC SECTIONAL, 2 comer/3 (352) middle sections, 12FT LR Set. Sof long end to end, very Tan Floyal good cond., $400 Coffee t< (352) 465-6619 tables v inserts. (352) CM1fUSSN1 King, 4mo $2,000. V OBO. (35 NEWI N 6 pc. WIc set w/2 ne nite table Ig. mirr (352) OAK ENT ARMOIR wood, Ilke 56h5&x58x2 LANAI F ALAN NUSSO (352)1 BROKER PAUL'S Associate New Inv Real Estate Sales Store Full Exit Realty Leaders Tues-Frl (352) 422-6956 Homosass ALMOST NEW, comer Preowned computer desk with. from Twin hutch, exc. cond. $50 Qn $5 Call for details 624 (352) 344-9890 Quality U Bed Rm. Set, blond w/ Prices to F yellow trim, 6 drawer NU 2 U dresser w/ mirror, Homosas 2 drawer night stand.' Queen be Twin head & foot board night st $125. (352) 794-0267 Wooden BED, FULLSIZE SET table, se Mattress, boxspring (352) & frame, very clean, Recliner ( exc. cond.. $85 tone c( (352) 628-2340 shap Bed, Trundle, (352) Teak Vanere, w/ REC mattress's$50. Lane, b Sofa, 3 cushions. Early car American plaid, $75 (352)' (352) 222-2244 Rockel BED: $170, New Queen. mauve No Flipped Pillow Top Uv. Rm. LSe?.6 yis wan King Set, wing cha -215 Dellv.err -Tc:,3to p 352-597-3112 (352) BED: $559 Nassa ROLLT Memory Foam Set, 48" long, Seen on T.V. 20yr Warr. wide, pre Never Used. Retail exc. con Cost $1459. Can Deliver (352) 352-398-7202 Rug, woo BEDROOM SET, County 11. Very thi Style, green, queen size pearl gr headboard w/ light & edge. Hc mirror, 2 night stands, 1 stains. N( dresser w. mirror, $300. $150. (35 Firm. (352) 563-1506 Scandir BEDS BEDS BEDS Dining Roc Beautiful fact closeouts. chairs. Nat. Advertised Brands lighted C 50% off Local Sale Excel. Coar Prices.Twin $78 Double 527-0837 $98-Queen $139 King SECTIONA $199. (352)795-6006 Contemp Bed-twin sz. pillowtop beige w/. Mattress, box spring, glass cc frame $50. Sofa-recllner tables, on ea. end neutral col- Corner Cc ors pastel blues & Ivory, $50 oab (3 $100. (352) 795-2706 Sing BOOKCASE, with lower Incl. Seali doors, $65 BRASS HEAD- box spr BOARD with frame & bedding boxspring. queensize, perfect c $85 (352) 527-8276 (352) Bunk Beds SM. CHERF w/ mattresses, Excellent condition LR OCC $250. $ 352-564-4202 (352) CHILD'S BUNK BED Sofa & Red w/matt $150 Tradition desk/chr $50 floral p 352-302-0419 cond. China Cabinet, (352) bleached oak, Sofa, e 52"Wx76"H w/glass color shelves, $200 Like Set of 6 chairs, (352) bleached oak w/ cane Table & 4 backs.$150, table, 2 lal (352) 726-8204 chair, $18' CHROMECRAFT (352) Dinette set w/4 chairs Table, Do new $1500. Asking $350 w/leaf & Like new. Moving casters, 5 (352) 726-0040 (352) COUCH & LOVESEAT Tan/Whit Off White paint brush Soft pastel pattern, asking (352) $425. (352) 382-3878 TPt Couch (Queen Slpr.), SIngle loveseat & chair. Needs y Evergreen w/ tan & Dining tal maroon stripes. Excel. & beds Cond. Orig. $2000. Ask- Call (35 Ing $400.(352) 286-9742 TV Stand, Couch, door nice country blue, $]0 good cond., $65. (352) Currier & Ives Dishes, U. blue & white, all $40. Upri (352)447-4368 Blk. King Craftmatic Bed, $45 Queen (2 Joined twin (352) matt.) Very Good White Pa cond. $700/OBO House S (352) 628-0147 best areas CURIO CABINET, oak, (352) 32x15x36 high, $110 TRIPLE BEVELLED MIRROR 36x24, 8 sided, $50 (352) 344-8720 Dinette Set w/3 matching bar stools, Dayto Glass top, floral pattern, Genen excel. cond. $350. Crc (352) 726-2641 Ridin Dining Rm. Table w/ 6 (3 high back chairs. $125. - Lg. comfortable Sofa, EX- floral print. $75. COMMER (352) 425-4522 5x10 TRAIl Dining Room Table, ma- own bu hogany, 6 chairs, nice Call (35 cond. FREE RE $195. Mowers, (352) 489-2492 Cars. AT DR TRESTLE TABLE W/6 3 wheel Upholstered chairs, HEDGI $600 on pole, LG. LIBRARY TABLE, co: $120. Sell (352) 382-2086 (352) Electric Adjustable Bed, HUSTLE twin Maxwell III, zero tur asking $300. hours, (352) 795-7086 (352) ment center 4 chairs with rs, $75 obo 726-8991 a Sleeper, full ke new $275. I Table $300. el. cond. 527-1453 L LIVING RM veseat $425. coffee $250 302-0419 Uving Room solid cherry nne, from NC. $325 344-4508 BED. SET opy, fair cond.. with 4 mo old ess, box spring 52-489-8633 oking camel d sofa with ler pillows, cond. $425. coffee table /ft W, $165 ct cond. -9524 Iv.msg WRESTLE TABLE, comfortably, r best offer 860-2182 Q TABLE p reverse w/2 x large legos. 2-302-0419 ED CURIO BINETS, 50 & $75 341-3000 , good cond. liner, brown, and, $15. 795-6693 a & Loveseat, pattern, Oak able & 2 end / glass top $225. OBO 746-7372 Set. Restonic, new, Original Will Take $650 52) 527-1656 JEWI NEWI ker Bedroom w dbl. matt. 2 es, 2 dressers, or. $1,300. 746-6140 ERTAINMENT RE, beautiful e new cond., 1, $375 7-pc. URN., $125 726-7239 FURNITURE entory daily I of Bargains 9-5 Sat 9-1 a 628-2306 Mattress Sets $30; Full $40 0; Kg $75. 98-0808 Fit any Budget FURNITURE isa 621-7788 Td, dresser & fand. $250. Dining room eats 8, $100. 422-6812 Couch, earth colors, good pe. $125. 637-4868 CUNER, elge, good id, $85. 489-9041 r, Recliner, fabric $50. High Back. Irs, cloth fab- lcw/cfrom $30;' 563-5244 TOP DESK 41" high, 19' essed board, d., $150 abo 726-8991 I, Chinese 8 x hick nap. Solid ey w/ floral as two small ew $900. Sell 52) 726-0365 navlan Teak am Set, Incl. 4 Matching hina Cabinet. id. $850. (352) leave mess. AL SOFA 3 pc. orary, ivory & 3-pc. brass & >ffee & end $350 obo imputer Desk, 352) 746-7654 le bed, y Ortho Matt, gg frame, & p. Like new - cond. $150. 344-4508 RY BOOKCASE $90; CAS. TABLES $200; 382-2086 Loveseat al, pink/grn. pattern, exc. $500 set. 527-8090 xcel cond. is brown. new. $75 746-6406 chairs, 2 end mps, 1 lounge 0 OBO for all. 628-7983 uglas Country S4 chairs on mo old, $550. 344-9225 e 3pc. Sect. a, $135. 637-5171 s Graduates, Mothers, our furniture,. bles, dressers are needed. 2) 527-6500 oak, w/ glass s & shelf, o0 OBQ. 613-2172 1920 Piano 10. aba Bedroom Set 0. oboa 586-8580 ennsylvanla ofa, $200. or onable offer 746-1054 on 5000W )ator $250. iftsman g Mower old $400. 746-7357 -MARK !CIAL MOWER LER, Start your siness. $6,800 2) 400-2860 MOVAL OF motorcycles, V's, jet ski's, ers. 628-2084 E TRIMMER used 3 times, st $500., for $200 621-0537 R 5FT DECK n radius, low $5,000 obo 621-0537 Riding Mower, 30" Murray, runs good, $125. (352) 746-4724 BEVERLY HILLS Fri & Sat. 9am-3pm 199 W. Staggerbush Path BEVERLY HILLS Hugh Multi-Family, Sat., 8-3, 14k gold dia. ring, & steri. sliver Jewl., furn., vacuum, leather , cloth. & much more. 3 N. Desoto St. off Beverly Hills Blvd, BEVERLY HILLS Sat. 8am-2pm 9 S. Wadsworth Ave No Early Birds BEVERLY HILLS Sat. Dec. 10, 8 am Everything must gol 9 S. Fillmore Street BEVERLY HILLS Wood crafts & yard sale. Fri. & Sat. 9am-? 6 S. Adams St CITRUS SPRINGS Estate Sale Fri 10am-1pm 2393 W. Nautilus Dr 352-266-3765 CITRUS SPRINGS Fri. & Sat. 8:30a-3p Many Christmas decor, gift Ideas & misc. 9752 N. Sandree Dr.le Purinton 489-6622 or 344- 2244 All booth rentals should be prepaid through Irene Vogel. Vendors must set up between 6:45 and 7:45. Traffic in this area will be closed at 7:45. CITRUS SPRINGS Sat. Dec. 10, 8-2 8750 N. Tempest Dr. CRYSTAL RIVER Fri & Sat 8am-2pm Tools (contr table saw), fishing equip (rods, reels & lures), Slash Cam. Clothes, electronics, video cam, computer acc, art, collectibles, books, bikes,11615 Dixie Shores CRYSTAL RIVER Frl., Sat. &Sun., 10-5pm 11271 Coral Ct.. Ft. Is. Tr. to Rigotta Pt., turn Right CRYSTAL RIVER Sat. 12/ 10, 8am-? Misc, Items & Furn., 100N. Pompeo Ave. CRYSTAL RIVER Sat. 9am-2pm Couch, recliner, 2 dressers, play station, nintendo 64, both w/ tons of games. full size mattress set, guitar, tons of toys for Christmas 6951 W. Kelly Court Off Dunkenfleld (352) 795-5974 CRYSTAL RIVER Sat. 9am-3pm Huge Moving Sale, Toys lke new, exercise equipt, Furn, household, etc. 230 N. Country Club Dr CRYSTAL RIVER Thurs & Fri. 10am-3pm Moving Sale. Furn & outside tools. All furniture must go.- 2565 N. Crede Ave CRYSTAL RIVER TODAY 9am-4pm Connell Heights 5847 W. Pine Circle Off Rock Crusher Rd. Racks of clothing, woman & means up to extra Lrg, Bar Stools, Oriental runners, braided rugs, table & 4 chairs, Moving Boxes & lots more. FREE ICE TEA . DUNNELLON Behind SunTrust Bank Friday & Saturday December 9 & 10 8-? MULTI FAMILY Glassware, Household, Furniture, Antiques, Beanies Galorel FLORAL CITY 10077 S Appaloosa Ave Sat. & Sun. 8-2 FLORAL CITY Fri & Sat 8am 5200 S CASTLE LAKE AVE FLORAL CITY Neighborhood yard sale, S. Lakeshore Dr on Lake Bradley, Fri. & Sat. 8 am-? Collectibles, electronics, tools, misc. FLORAL CITY Sat. 8:30am-5:00pm Tools weedwacker, lawn mower, Christmas* things, wheel barrel, etc. 8270 S. Lake Consuella Dr FLORAL CITY Thurs. Fri. Sat. 9a-3p Boxed, old Christmas Barbie's, Cherubs & much more, 9447 S. Spoonbill Ave. (Pine Lake) FLORAL CITY Yard Sale, Fri. & Sat. 7408 E, April Ct (352) 637-5250 GRAND OPENING Consignment Furniture & Much Morel Blue Moon Resale At Kingsbay Plaza (Behind Little Caesar's) (352) 795-2218 HERNANDO Garage Sale, Fri. 8am-5pm & Sat. 8am-2pm Misc. house- hold, games, tools, electrical & yard, etc. 3891 E. Orange Dr HERNANDO Moving yard sale, Fri. Sat. &Sun. 10am-3pm 1345 N. Cherry Pop Dr HOMOSASSA Moving Sale, Sugarmill Woods, Dec. 10 & 11, 9 -5,3 N Mangrove Ct. Homosassa Multi-Family, Sasser Oaks off Sasser & Vern St. Fri. & Sat, 9-? Asking $250 SUPER NINTENDO (352) 382-2315 & 21 Games, $70. American Flag 3 Wheel Bike, w/basket, 15 x 25 feet, Nylon, $70/obo Retail $750. (352) 637-2735 asking $350. Texas BBQ, 30"x20". (352) 228-1650 Wheels, side & bottom BEAUTIFUL ARTIFICIAL racks, vinyl cover, used 8 FT CHRISTMAS TREE only 2 times, $120.new. Blue & Silver, with lights, Good Deal at $60. $50. (352) 527-0460 Call Joe Beer Keg Box (352) 382-0866 Portable $250. WEIGHT BENCH, $20. 5' x 6' Lighted display Recllner w/ heat & Case $200. vibrating, $50 (352) 586-8580 (352) 465-5083 CARPET White China, 8 place 1000's of Yards/In setting, trimmed In Stock. Many colors, gold, Sacrifice352-527-1528 IcLing 8 piece set of gold hardwec, also gold runner, CARPET FACTORY Direct gold Restretch Clean core center piece, gold & Repair Vinyl Tile white table clothe, $50. Wood (352) 341-0909 (352) 527-1493 after SHOP AT HOME 6pm CERAMIC PANDA White Vertal Blind COLLECTION, approx. 95" W x 80" H 27 pcs., $100 Like new, $40. WHEELBARREL, used one Schwinn Tricycle Pink & day, $20 White w/ basket $100. (352) 344-8720 (352) 382-3648 Homosassa CHILD'S SWING SET Estate Sale. Sat. Only. You remove 8-4pm 5535 S. Jeffrey $50 HOMOSASSA (352) 341-2929 Riverhaven follow signs Christmas 7v2 ft. artificial Fri/Sat. Pre Moving Sale pre lit tree, 775 triple HOMOSASSA cluster clear lights, 1500 HM OSA"SS tips, used once paid Stone gate Lane, (off ps, used once pai$00.obo Stonebrook) carnival ($50 g 00obo & cut glass, dolls, old (352) 270-3180 tools, household, etc. CHRISTMAS TREES Thurs. Sat., 12/8-12/10 7-'2FT, $20 9am -? Rain or Shine 12FT, $35 INVERNESS (352) 341-3000 8822 E. CRESCO LN Cockatiel Cages (3) Thurs. Fri. 8:30-3pm, (352) 637-9521 Mower, outdoor playset, much more, COMMERCIAL FLOOR INVERNE Buffer, used very little. INVERNESS Ln excellent, $300 9184 E. Alvada Ln, (352) 341-3000 8-2I Saturday, Dec. 10 COMPUTER DESK, $35. INVERNESS Electric Blower, $25. Garage sale, Fri. Sat, & (352) 465-1262 Sun. 3815 E. Beck St., off Independence David Bramblett INVERNESS (352) 302-0448 Hwy. 44 Church of God. (4 ml. East) will have 1/2 price tag sale. Fri. Dec. 9, 8am-3pm Fill a bag of clothes for $1 INVERNESS Moving Out of State Sale, Everything GoesI Fri. & Sat 8am 5363 E. Live Oak Lane Moving Sat. 8-1 Patio & No Transaction Fee turn., oak desk & chair, (352) 302-0448 tools, misc. 1113 W. Bloomfield Dr, off Turner Camp Rd a" , INVERNESS, * Sat. 8am-? Like new Nature Coast clothing & shoes, like new country table & DRESSER w/ Mirror, $30. hutch, household misc. EXERCISE BIKE, $45. 9916 E. Regency Row, (352) 465-5083 (7 Lakes) EUROPEAN HEALTH INVERNESS CONCEPTS magnetic Sat. Dec. 10 8am-2pm mattress pad, No Early Birds, Xmas queensize, like new Items, bikes, quality cond. $60 clothing, lawn mower (352) 465-6619 605 Bell Avenue HOLIDAY SPECIAL S LECANTO KEYWEST Jumbo Shrimo Fri. & Sat. 8-4 13-15ct. $51b; 16-20ct 1588 S. LECANTO HWY $4.501b. 352-795-4770 LECANTO Ferret Cage, Ig. Tues. Sat. 9-5 on wheels. 1729 W Gulf to Lake $75.OBO Dressers, Bunkbeds, etc. (352) 628-5694 All proceeds to benefit GE Electric Range, The Path Rescue Shelter white, clean & all works. (352) 527-6500 $100. 16" scroll saw on PINE RIDGE metal stand. $50. Fri. & Sat. 8-1 BARN SALE (352) 628-1813 4709 W. Bonanza, Lawn Generator B & S, 8000 Equip. 11 1h ft. slide In Wt. elec. start, as new truck camper, lots of $1,250. Swimming Pool, good things Inflatable, 18 x 4, pump PINE RIDGE filter, cover, still in box Sat. Dec. 10, 8am- 2pm $250. (352) 447-6120 Something for Everyone Glass Display Case 4.5' 5081 N. Coralwood Terr. long,, lighted $100. PINERIDGE Marquis Board, free i .& Sn 8am-2pm standing/ dbl. sided Fri. & Sat. 8am-2pm $250. (352) 302-8673 2 Family Sale, 250 (352) 302 8673 Household Items. Just in time for XmasI collectibles, formal KX60 Dirt Bike. Too wedding dress, much to list. $1300. Christmas & Jr. 5 piece CB Drum Set, much Misc. Instructional video $200. Off Elkcam, Comer of (352) 628-2947 Lantana & Larkspur Kirby Ultimate Diamond PINERIDGE G60, Vacuum/ Sham- Sat & Sun 8am-2pm poor w/ all attach- Moving Sale ments, great cond. 4621 W. Maverick Ct will sell for $600. -(352) 465-7521 4 'KIRBY VACUUM & SHAMPOOER, ," lohn g purchased June '05, cost $1,366.34 sell for NiceLady's Clothing, $900 (352) 637-1026 dresses, suits, shoes, purses, Jeans. All very Kirby vacuum cleaner nice, no Junk. Call (352) w/attach. & shampoo- 795-4405, for directions. er, new &1500. sell $295. Women's Clothing plus Hoover self prop. sizes (16-26). New& upright 50. used, dress & casual. (352) 860-0048 By appt. only. Large 8it. Artificial (352) 746-6954 Christmas Tree Excellent condition $90. (352) 637-2258 LAWN CHAIRS, 2 quality, upholstered recliners, BURN BARRELS r* like new, $60 ea $ 10 Each AUTOMOTIVE JACK Call Mon-Fri 8-5 STANDS, (2), $20 ea. SV860-2W O (352) 341-1857 860-25 LIONEL POLAR EXPRESS BURN BARRELS train set, used, $150 $10 Each (352) 465-0749 Call Mon-Fri 8-5 Marble Top Lab Table 860-2545 for perfect work bench $75. firm 2 ELECTRIC FANS Brother Word Processor Holmes, 6, $10 each $35. (352) 563-0022 SKILL SAW, 7", $20 (352)341-1857 NEW HEAVY DUTY ATTIC rtnmnt LADDER, 25-x54x10ft 3 piece entertainment $60. 7FT COUCH. center, $150. Washer & goodshape $90 dryer, 3 yrs. old $400. Aood shape $90 (352) 422-6812 (352) 726-8961 3 wheel motor scooter. PATIO SET PVC, 49ch, ga,$ 2 c cle, rectangular table, 6 auto., $950. cha chaise lounge (312) 637-4868 $300 MICROWAVE, $25 4 VINYL WINDOWS, (352)341-1857 never used, 61-1/8 high Peavey silver 5-drum set and 50-/4 wide $200 w/seat, cymbals and all (352) 344-4640 hardware, Mini "Harley" cell 346-5626 Chopper, blk & chro- me, 49cc, disc break's, accessories, $250 ea. (352) 527-4552 35)a. 4a7 Pool solar blanket & (352)422-5707 reel, 16 x 3 Almost a A l new, $75.00 2005 (352) 341-5020 PECIALS Q j. iBed $200. 6 lines 10e days Magnum paint sprayer, 6 lines 10 days used once. $100. Items totalling (352) 563-0202 $I-$S0iS .. $,.50 ROUND MIRROR, 24", $151-$400.$10.50 hanging, $20. $401-$800....... 15.50 (a3i5,) 6 017. $801 -$1, 500....$20.50 (352)613-2172 CALL CHRONICLE SALES & DELI HELP CUSTOMER SERVICE FT & PT. Call John at 352-464-0731 7263-141 SEWING MACHINE Two general ROCKER RECLINER, merchandise Items Nice. $30. per ad, (352) 628-5472 private party only. (Non-Refundable) SHED, Some Restrictions Wood built, treated May Apply with metal roof new 8 x 8- skids $800. '85 NISSAN PICKUP. (352) 563-5736 Trencher, Chipper, SINGLE CRYPT Older Jubilee Tractor, Fero Memorial Gardens (352) 726-0145 1st Level Incl. 0/C. Re- AIR FILTER, Friedrick tall $8,700. Will Sell For electronic, new $500. $5,500 (352)489-0285 Gas Scooter, 49cc, Air tires, elec. start w/ re- movable seat. Runs great. New $375. Sell 200. (352) 746-2536 Golf Cart, club car, 1997, gas powered, jacked up w/ ATV mud tires, excel. cond, $2500. (352) 860-0176 Golf Cart-EZ Go Electric $1,900. (352) 382-5814 586-0277 GOLF CLUBS Set of right handed ladies golf clubs, w/ brand new dozen balls $50. Also Ladies right handed clubs, $50. (352) 726-2644 KID'S POLARIS SPORTSMAN 700 2 batteries, excellent condition, $275 (352) 637-6588, eves SOD. ALL TYPES Installed and delivery avallable.352-302-3363 GMC 1984, S15, Sierra Classic, Rebuilt motor, Fiber- glass topper bed liner $3,200. (352) 228-1650 2-SPEED HANDICAP SCOOTER, good cond. $500 obo LIFT CRANE for scooter or chair, like new, $700 obo (352) 344-2757 ELECTRIC HOSPI- TAL BED Electric hospital bed $400 OBO 228-7730 INVACARE WHEELCHAIR & FOOT REST Excellent, $100 (352) 563-1370 LARGE HEAVY DUTY INVACARE ELEC. WHEELCHAIR, used very little, 2 batt. seat belt & horn, asking $5,000 obo (352) 726-6536 Power Scooter JAZZY 1104 Orlg. $3000, Sell $800 (352) 726-7405 BALDWIN DUET ORGAN double keyboard, foot pedal, sell for $500/obo (352) 344-2712 Beginner Guitar Lessons. Affordable/ Flex. hrs.Call Ben (352) 302-0883 ELECTRIC ORGANS wanted. Working or not (352) 697-3071 or (352) 795-2857 Kimball E Series Organ, $325. obo (352) 212-1162 Lowery GXI Console Organ with bench fully loaded, great Christmas gift $500. (352) 563-0121 OmnI 6000 Wurlitzer Organ, keyboard computer, $3000 (352) 382-4539, Organ, Yamaha Electratone F45, Exc Cond.'bench & books, $700. Student Xylophone, w/ sharps & fiats, case mallets, $20. (352) 447-4368 PIANO Grunell Brothers, console, exc. cond. $1,200 abo (352) 527-3509 PIANO Kawal, upright, cherrywood $900. OBO.(352) 382-0707 PORTABLE CASIO Keyboard Model LK90 TV. 1 Year old. Played twice, TV & Kareoke compatible, cost $300+ sell $150. (352) 527-0422 Vintage Weyman 5 String Banjo, reworked, 1976 Yamaha 6 string Guitar, mid size, Ideal for youth or lady. (352) 447-2775 YAMAHA DGX505 PORTABLE GRAND 88 keys, 135 styles, stand & bench, ROK SAK Gig Bag, like new, $660 344-8777 after 10am -U BOWFLEX PRO $500; (352) 628-1951 HEALTH RIDER, Total body aerobic fitness rider w/ manual, New $500 Sell $275 OBO. (352) 613-2172 NORDIC TRACK EXP 1000, training zones/pulse monitor, $250. 352-613-2527 Pro Welder 9625 Complete gym w/2 seats, $150. (352) 344-0253 TOTAL GYM Total Gym brand new $250 Call Michelle at 637-0556 or 586-1740 TREADMILL Weslo 920 $200 (352) 465-2695 Treadmill, Preform XL 550, power Incline, pulse, time, speed, distance, circuit track, 2.25 hp, 3yrs old, $275. (352) 382-0372 2 like new Schwinn bikes (men's & Women's) orlg. $550. both asking $150 ea. (352) 302-8673 BIKE, ladles Jeep Comanche Classic, 10-spd., like new, never used, $70 (239) 839-2900 cell Inverness Calloway X/14 Irons, 3-pw Graphite Shafts,great shape $275. Cobra SZ440 Driver 10.5 loft, $125. (352) 860-0048 9 HOLIDAY SPECIAL KEYWEST Jumbo Shrimp 13-15ct. $5ib; 16-20ct $4.501b. 352-795-4770 Fishing EquipmentI Various Penn, Salt Wat- er Rod/Reel Combos $500. for all or will part (352) 795-9801 Full Set of Ladies rlght handed Golf Club (14) almost new bag, $150 Call after 5 p.m. (352) 382-0312 STROLLER Venezia, excellent condi- tion, no rips. $50 352-489-8633 Fender, Strat, or Gibson Les Paul, (352) 257-3261 Railroad keys, locks, etc., Cash Paid (352) 382-4786 WANTED: WHEELCHAIR ACCESSIBLE VAN FOR HANDICAPPED MAN (352) 860-2182. AKC PUGS $450. (352) 795-1069 AKC Yellow Lab Pups OFA Cert., champion blood line, 4F, $850 ea. 1M, $800. taking depos- its, ready 01/11/06 (352) 302-3866 Christmas Puppies, avail., to approved homes. Amstaf Puppies 12 wks old, 1M & 1 F Boxer/Dal. mix puppies 8 wks on Dec. 22, 3 Males, 4 Females All Puppies, spay or neutered and vaccine current $75. ea (352) 527-2478 341-0615 FEMALE QUAKER Parrot, with cage $100 obo (352) 726-3375 Ferret Cage, Ig. on wheels. $75.OBO (352) 628-5694 Humanitarians of Florida Low Cost Spay & Neuter by Appt. Cat Neutered $20 Cat Savyed $25 Dog Neutered & Spayed start at $35 (352) 563-2370 Jack Russell 7 mos, old, male with papers $150. (352) 341-1718 Lab Puppies, healthy CCK reg. avail. 12/23 choice of color, M & F $300, will have health cert. & wormed (352) 637-3249 Papillon ong & short term. 8 yrs. exp. Also need partial boarding. 352-746-6207 -% Golf Clubs, bag & pull cart, $75. (352) 489-9041 KNIFE & GUN SWAP MEET & FLEA MARKET Saturday, Dec. 10 8-1. Free Admission. Stokes Flea Makef, Highway 44, Lecanto (352)746-7200 Lady's "Bike" Huffy, Lt. Blue, & chrome many extras $50. (352) 563-5244 MEN'S RIGHT HAND CLUBS Adams driver GT 363 Titanium, $100 POWER BILT steel shaft Irons, 3 thru PW with golf bag, $75 352-746-6180 MIAMI SUN 3 wheel bicycle, good cond., $175 (352)-597-341-0626 Mountain Bikes 2 women's 21 speed, Helmets Inc. GT $125 & Giant $75. Both Excel Condition (352) 746-6583 POOL TABLE, Gorgeousund 8' 1" Slate, new/hn crater, $1350. 352-597-3519 Rifle 243 Composite/SS bushnell scope $425. (352) 860-2408 S & W Mod. 915 9mm, (352) 1-2929round clips Rubber combat grips, adj. front & rear sites, custom trigger work w/holter. $450; (352) 400-26695 UNDERWATER CAMERA Nlerdiamkonos, w/ attachments & pelican case, $500. (352) 726-0251 5x8 OPEN UTILITY TRAILER, $500 (352) 341-2929 5'X8' Utility Trailer Great Shape. 2 years old. $400. (352) 465-2695 6X12 FLATBED utility trailer, diamond plate bed, tandem axle, $225 obo 4x8 2ft sides, $125 (352) 628-0950 BUY, SELL, TRADE, PARTS, REPAIRS, CUST. BUILD. Financing Available. Call (352) 302-3126/1/2 on '/ac. completely furn, crprt, scrn rm, picnic deck, shed, septic, well, new roof in '04, was $67,900 reduced to $62,900 neg. (352) 637-0851 FRIDAY 13ECEMBER 9 2005 7D UL.ASjH CRYSTAL RIVER & FLORAL CITY 2/1-1/2, $475; 1/1, $350 Floral City 2/1 $475 CH/A, no pets 1st, last, sec. (352) 564-0578 1 BR unfur. $400. up. 1BR furn w/carport $450 up. No smoking, no pets. (352) 628-4441 Hernando/Apache Shrs Rent/sale. 2/2, First, last, & deposit. No pets. 352-795-5410 HOMOSASSA 2/1 $450/mo. 1st, Ist. sec. (352) 628-4121 HOMOSASSA 2/1, clean, large lot, $450 (352) 628-0913 HOMOSASSA 3/2 Cent H/A, 1/2 ac. $525 (352) 795-1865 HOMOSASSA/LECANTO IBed Rm., scm. rm. $380 mo. Sec. No Pef Don Crigger Real Estate (352) 746-4056 INVERNESS Lakefront 55+ Park, Fish- ing piers, affordable living 1 or 2 BR. Screen porches, appliances. Leeson's 352-637-4170 REPOS AVAILABLE In your area. Call today. Ready to move into. 352-795-2618 1, 2 & 3 BDRMS. Quiet family park, w/pool, From $400. Inglls. (352) 447-2759 2/1 Mobile w/ large LR addition w/ fireplace, Scr. patio, deck on canal, $90,000. Floral City (352) 212-0066 Over 3,000 Homes and Properties listed at homefront.com eon, Lecanto, upgraded DW, 3/2 in desirable Cinnamon Ridge on oversized corner lot, fenced yard, Ig shed. Screened front porch, dbl. carport; fireplace newer roof, apple , carpet, paint. Ask $94,600. (352) 270-3080 Mini Farms, 2'/2 AC. 2/1 MH, Pool, Jacuzzi, New 10X16 shed, 2 car garage (352) 563-2328 MOBILE HOME ON LAND WON'T LAST Zero down, $739 mo. 4/2, 2170 sq.ft. on 1-1/4 acres. Fire- place, new kitchen, new hardwood floors, new carpet, 2 big beautiful decks. Call Jeff, (352) 400-3349 or 814-573-2232 New Land Home Packages Available. Many to Chose from. Call today for approval. Low down and low monthly payments. 1-877-578-5729 OWNER MUST SELL! Land & Home-3 bedroom, 2 both full appliance pkg. Quite lot with nice oak trees. 5 yr. warranty. Owner will assist with down payments! Only $736.43 per mo. W.A.C. Call for more details 352-621-0119 Raolluzi. Paved road & upgrades. $196,000. (561)262-0947 2001 In WALDEN WOODS, Gated 55+ Community in Homosassa. 3/2 1550 sq. ft. Includes some turn. Exc. lot location, $74,000. (352) 382-5514 2003 JACOBSON, DW, 2/2, 55+ park, Stone- brook Park glassed & screened in Florida Rm., excel. location on pond, mostly furn., ceiling fans, sprinkler sys., all apple's incl. W/D $77,777. (352) 628-7778 or 628-9660 appl.'s, new trane heat pump, bock cement porch w/ roofover. sell or trade for motor home. (352) 270-3253 FOREST VIEW Just listed, 2000 Jacob- son in excel. condition, 2 brs. 2bths., enclosed porch with ceramic tile Floors, t/t walls, pergo flooring in dining area. fully equipped kitchen, many upgrades, Car- port, screen room and utility shed. You can be the proud owner of this lovely home for only $79,000. Call Jim (352) 422-2187 F.M.H.S. IT'S ALL HERE -EI Doublewide, 3/2 plus 2 extra rooms. Cent. A/C, carport, $47,000 7991 E. Brooks Lane (352) 560-0019 HERNANDO 1998, 4/2, DW, split plan, on 2 acre, new well, appliances, tile, carpet, paint & decks, enclosed scrn. pool, $119,900. 352-302-1466 HOMOSASSA Nice 2/2 SW, scrn prch, crprt. strg. shed, '2ac fenced, $65,000 10%dw Ownr. fin. 352-628-3270 Just what you've been looking for. New 4/2 on 5 acres. Zoned for agriculture. Horses Welcome. $6,000 Down $750 mo. (352) 795-8822 ,AND/HOME 1/2 acre homeslein Specialist in Property Mngmnt/ Rentals. beverlv.king@ centurv2 /2 Mi. West of Wal-mart 1760sq.ft. Retail Space, (2) 5,000 sq.ft. out par- cels Will Build to Suit! Assurance Group Realty, 352-726-0662 -U CRYSTAL RIVER I/I, completely furnish- ed waterfront condo on springfed canal w/boat slip. Seasonal rental, $1200 mo. (352) 795-3740 CRYSTAL RIVER The Islands condo's 2/2 fully turn., end of canal, entrance to Gulf. Dock, privacy with active Association. Pool/tennis courts, seasonal $2,000 mo, Annual $1,200 mo (203) 948-7407 Your World Ci 1pNicJ.E l 'oi. tieds . . . F--, ON LAKE- FULL FURN. scrn. prch. $24,000,OBO Lot rent incl. wtr, garb. sewer, lawn & boat docking, by owner, Pets ok. 352-447-4093 Waldenwoods, Gated 55+ comm., 3/2, up- grades, & some furn., corner lot. MUST SELL! $68k (352) 382-4076 WESTERN SUMTER CO. 3/2 DW, covered parking, scr porch. Yearly rental. 50+ park, $800mo,1st & 1mo Sec. WynnHaven Riverside Park. (352) 793-4744 Nice Family Pk w/Pool $205/mo. 6 mo Free rent, Inglis (352) 447-2759 Over 3,000 Homes and Properties listed at homefront.com -U BEVERLY HLLS CLEAN 50 CRYSTAL RIVER 3/121 Fenced yard...............$850 3/2 carport 1/2 acre........... $750 3/22 screen rm, story. $1,100 HOMOSASSA 2/2/2 1/2 acre-CLEAN$......$50 4/2 1/2acre........................$750 2/1 1/2 bath........................$750 INGLIS 3BR/2BA1 comrner.............$750 We HAVE SEASOAL RFE .S CAU*FOR L --- Maore E. Hager Broker-Ieatto.-Pioperty Manager 3279 S. S -ncoost Bd,. HomoHss FL (352) 621-4780 1-800-795-6855 Crystal Palms Apts 1& 2 Bdrm Easy Terms. Crystal River. 564-0882 INVERNESS 2/1 Clean, quiet area $375 & $450+ 1st, last, spr. 352-A22-2393 8D FRIDAY, DECEMBER 9, 2005 LINOL ML LINCOLN ' KEEP IT 2006 Grand Marquis GS YOUR PRICE... l19 642 IT'S THAT SIMPLE! Inlcudes: $3,000 Rebate and $1,000 Owner Loyalty Stk.#8626 New 2005 Signature Town Car j - #8466 YOUR PRICE... $33 809 IT'S THAT SIMPLE! 033 8O9 New 2005 Mountaineer V8, Leather Player. Third . Seat, Rear Air, Loaded. #8325 YOUR PRICE... $ 2 51 I ITS THAT SIMPLE! 5,515 mm1 r ammmmm' YOUR PRICE... IT'S THAT SIMPLE! MERCURY SIMPLE 2006 Mercury Mariner YOUR PRICE... IT'S THAT SIMPLE! ",605 29 mpg highway 1-4 engine Stk.#8722 New 2005 Navigator Moon Roof, Navigation System. $45,197 New 2005 MontereyVan CD Player, . Leather, many more options.#8168 #8168 101 - YOUR PRICE... $ IT'S THAT SIMPLE! New 2005 Aviator Leather, CD Player. #8232 YOUR PRICE... IT'S THAT SIMPLE! New 2005 Sable Leather, Premium. -Z4P --'z R YOUR PRICE... IT'S THAT SIMPLE! 1986 MERCURY COLONY PARK WAGON Leather interior. 49 only 62k miles $ l4 I 1 WE 2001 SABLE LS 2002 SABLE LS 2003 TAURUS SE 2002 GRAND 2002 GRAND 2004 TAURUS SES : I Red Gold 39 000 miles Green cloth MARQUIS GS MARQUIS LS Green. leather 18 000 miles moon root leather 36 000 miles Gold. leather 23k mi Blue leather 17 000 miles #R2993 #82228 #R3019 #/830 #/823 #R3017 II,995 11,9951 11,995$ 12,9951 12,9951 13,995 2002 COUGAR 2003 GRAND 2004 FORD 2002 RANGER XLT 2005 FORD 2005 FORD 2003 GRAND 2003 SABLE LS 2003 TAURUS Gold V6 auto MARQUIS GS FOCUS Red 6 cyl FOCUS ZX4 FOCUS ZX4 MARQUIS GS Gold. leather WAGON 27k mi Silver 25 000 miles 9 000 miles CD auto Gold CD 15k mi Lt Green CD Gold 17 000 miles 19 000 miles Gold 20.000 miles #R2981 #8562A Player #R3005 #P2982 #P3007 18k mi #P3010 one onner #R3020 #R3024 #R3025 S13,995 13,995 13,995 14,995 14,995 $ 14,995 14,995 14,995 14,995 2005 SABLE LS 2002 FORD F150 2005 FREESTAR 2005 FREESTAR 2003 GRAND 2005 GRAND 2002 LINCOLN 2005 GRAND 2003 LINCOLN LS Gold. moon roof SUPER CAB XLT SEL SEL MARQUIS LS MARQUIS LS TOWN CAR MARQUIS LS Gold. V6 leather, 24,000 miles White 39 000 miles Silver. quad seating White. dual air. 20 000 Ultimate blue. only Gold 14 000 miles Silt er 27 000 mi Silver 17 000 miles one o iner #R3022 #R3026 14 000 miles #R3018 mules #R3021 29 000 miles #8356A.4 leather int #R3011 #/8117 leather int #R3012 #8176A 16,999595 1617995 17 1995 1795 $ 17,995 18,995 *18,995$ 18,995 18,995 2005 GRAND 2005 GRAND 2005 FORD 2003 2003 FORD F150 2002 LINCOLN LS 2003 TOWN CAR 2005 FORD 2005 FORD MARQUIS LS MARQUIS LS MUSTANG MOUNTAINEER SUPER CAB XLT LIMITED SIGNATURE ESCAPE XLT FREESTYLE Leather interior Gold 17 000 miles Lime green 3k mi Ithr All heel drive leather 29 000 miles siler Burgand\ moon roof Sit ei one- oinet Mloor roof Ithr 13.: SPORTS WAGON Premier Edition #R3013 6 CD player #R2999 interior #P2984 #R3023 #/836 85'84 F#P3002 Li" iri, 1 *l 4 i 5i 4 $ 18995 18,995 19,995 19,995 *19,995 20,995 21,995 '21,995 *22,995 2005 MONTERY 2004 MERCURY 2004 PRESIDENTIAL 2004 TOWN CAR 2003 AVIATOR 2005 LINCOLN 2005 LINCOLN TOWN 2005 LINCOLN 2003 LINCOLN VAN PREMIUM MOUNTAINEER TOWN CAR SEDAN ULTIMATE Green leather TOWN CAR LIMITED CAR LIMITED TOWN CAR NAVIGATOR Litr pti 5l,.,ng arc ?00rruimei 17k mi leather \16 18 000 miles leather Burgand\ one onner loaded Cream n ,. i.ot C n k mi on f.,o Limited pearl ithite \thite loaded 853.94 #8442A PR2962 chrome heels. #/837 M2504 plater8 k, i P015 #P3009 C player #P3016 #P2983 22,995 $22,995 $24,995 24,995 25,995 28,995$28,995 $28,995 29,995 d d 09=4 8 SERICEPATS:1-8 0-24-37 L CNn .:E SAT.8-1:00 121NW wy 1, CYSTL RVR ;mV 42 mwa $33,901 I i i -11 Crinws COUNTY (FL) CHRONICLE I r I F I F F I F I F I I I I F I i I CFRIuDAY, DECEMBER 9, 2005 9D CM S~frRn FULL TIME PAY FOR PART TIME WORKill PRITCHARD ISLAND 3/2% wtrfrnt Twnhs. W/D pool, tennis, fishing. maint. free $950. mo 352-237-7436/812-3213 CITRUS SPRINGS New, 2/2, all appl., $700 mo (954) 557-6211 CRYS RIVER/HOM. 2/1. with W/D hookup, CHA, wtr/garbage Incl. $500mo., 1st, Last & sec. No pets. 352-465-2797 CRYSTAL RIVER Remodeled 2/1. W/D hookup. Water & trash ncl. $580/mo. + sec. No pets (352) 228-0525 INVERNESS 2/1 Newly redec. 1st, last, sec. $550 352-425-8871 INVERNESS Neat & clean, 1/1, cent H/A, SR 44-E $495 mo (352) 726-1909 Daily/Weekly o rMonthly or" Efficiency ! Seasonal $725-$1800/mo. Maintenance Services Available Assurance Property Management 352-726-0662 HERNANDO 2/1/CP, CH/A, W&D, pond, no smok/pets, S$685;,746-3944 Hemando 3/1.5 $800. per mo. No pets (352) 628-0164 HOME FROM $199/MO 4% down, 30 yrs. @5.5% 1-3 bdrm. HUDI Ustings 800-749-8124 Ext F012 i 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 Janice Holmes-Ray Property Mgmnt. 352-795-0021 WenA IUu uni it fumished & unfurnished 352-795-0021 21. NATURE COAST SUGARMILL WOODS New, 2/2/2 Avail Feb 1 $925. (352) 592-9811 CRYSTAL RIVER 2/1 Loaded $1000 mo+ elec. 352-795-6282. ARBOR LAKES 3/2/2, 4 yrs new, enclosed patio, comm pool, dock ,club house, ect. $975mo +F.L.S. or Furn, 6mo mln, $2100mo (352) 228-3599 BEVERLY HILLS 2 bed/Ibath, Fla. room w/air, new carpet, newly renovated, VERY clean 750/month. No PETS. Please call Mike at (646)773-6844, caged pool, W/D, $1100mo. (352) 746-4821, $675 mo. 1st, last. Sec. (352) 634-4030 CITRUS SPRINGS 2/1i/2, carport, very clean, 2050 Howard St. $800. mo 352-746-5969 C nimi5 - 3/11A, Unfurn House w/ shop. HOMOSASSA $975 mo River Links Realty 628-1616/800-488-5184 CRYSTAL RIVER 1/1 turn., w/dock, $700 mo+ utfil. 1st & Sec. No smoklngl129 Paradise Pt 352-422-6883 INVERNESS 3/2 Lakefront Townhouse, Washer/Dryer, Pool, Scm rm. Boat Dock, New carpet/ paint $850mo.352-726-4062 LAKE ROUSSEAU 3/2, 1800 sq ft, $900.mo 1st, last & Sec. Realtor Owner (352) 563-2928 On River House, Travel Trailers & RV spots avail. Short or long term. Excel. cond. on River w/ boat access. Big Oaks River Resort (352) 447-5333 PELICAN COVE 2/2/2 beautifully deco.Flsh off your dock, canoe down beautiful CR, boat to gulf, golfing within mln., bike though preserve. Full amenities. Long term or short term. Avail. 1/1/2006. $2,200. joannirwin@msn.cori (352) 875-4427 The Islands of Crystal River 2/2 Newly remodeled condo. Clubhouse, Dock, pool, tennis, cable Inc. $750. (414) 690-6337 WITHLACOOCHEE River, 3/2 home. $1200/mo 904-334-1738 CRYSTAL RIVER 1/1 furn., w/dock. $700 mo+ util. 1st & Sec. No smokingl129 Paradise Pt 352-422-6883 CRYSTAL RIVER 1/1, completely furnish- ed waterfront condo on springfed canal w/boat slip. Seasonal rental, $1200 mo. (352) 795-3740 FLORAL CITY, 3/1.5, turn. If you like the, Carolinas you will like this home. On a hillside w/ 6 acres. Week or Month. Avail .Jan.1 $400 week or $1200.mo. 352-212-2264 HOMOSASSA Nice 2/2, D/W on canal. fully furnished with all utilities, N/S, No Pets, First, Last and Security, $1200/mo. 352-746-7582 PELICAN COVE 2/2/2 beautifully deco.Fish off your dock, canoe down beautiful CR, boat to gulf, golfing within min., bike though preserve. Full amenities. Long term or short term. Avail. 1/1/2006. $2,200. loannlrwln@msn.com (352) 875-4427 250 sq ft Warehouse storage Available, $200mo. Naber Kids Doll Factory (352) 382-1001 3/2 WITH POOL 625 Champlain Ave. INV., DEC 10th, 1-3PM, Nature Coast ULighthouse Rlty., LLC. 697-0435 * CITRUS SPRINGS Sat Dec 10th 10am-2pm 3/2/2, newer home. $169,900. 9758 N. Country Club Way. Waybright Real Estate (352) 795-1600 SNeed a mortgage & banks won't help? Self-employed, all credit Issues bankruptcy Ok. Associate Mortgage Call M-F 352-344-0571 Welding Shop/ Residence w/Turn Key Welding Business, Industrial zon- ing, many uses, Irnverness City Limits, $118,000. 352-637-9630 WOMAN'S CIRCUIT TRAINING BUSINESS FOR SALE $35,000 (352) 220-9218 BEAUTIFUL 13 ACRE Mobile Home & RV Park, /2-mi. to public boat ramp and Gulf access. $2 million cash. No Realtors please. Offers considered. (352) 628-4441 2/2/2 w/ extra lots. Beautiful Citrus Springs Homes. Visit this home w/ Virtual Tours & Video. $179,000 "Low Taxes" (352) 208-0714 By owner. 3/1, 1050 sq ft. living ,New tile & carp. Sep. room w/ hot tub. Spotless! $115,00. 9340 N. Santos Dr. (352) 489-358. C" Sto rage C"E~^ call Cindy Bixler REALTOR 352-613-6136 cblxler15@tamoa Craven Realty, Inc. 352-726-1515 ai, Hurricane proof con- struction, prIv. 1.4 ac. corner lot, energy efflc. home. $339K. Internet; cftrusswanshoo.com Click on buy then Real Estate then Homes Lastly click on Pine Ridge & Coralwood Call for appointment (352) 746-3330 Beautiful 3/2/2 Pool Home on I nicely landscaped acre, 3200 sq ft under roof. 2000 sq ft under AC. cath. ceiling, sky light in kit. To many extras to mention, $299,900. (352) 527-1096. I Don't Horse Aroundl I Craven Realty, Inc. 352-726-1515 FREE Home Warranty Policy when listing your house with "The Max" R. Max Simms, LLC, GRI, Broker Associate. (352) 527-1655 Need a mortgage & banks won't help? Self-employed, all credit Issues bankruptcy Ok. Associate Mortgage Call M-F 352-344-0571 RUSS LINSTROM HAMPTON SQUARE REALTY, INC. rllnstrom@ digitalusa.net 800-522-1882 (352) 746-1888 53 BEVERLY HILLS BLVD. Corner Lot Neat 2/1/1 Sunroom, newer appliances & Berber carpet, $97,500 (352) 527-7833. F-I. Beautiful 4yr old Maintenance free home In Citrus Hills. 1900 sq ft of living space, 2 bedrooms, den, 2 baths, 2 car garage. Corlan kitchen, many upgrades, on beautiful homesite, Golf/tennis member- ship avail. In Skyvlew Gated community. No Agents Please$337,500 352-527-6995 for appt. CANTERBURY LAKES 3/2/2 Nice home In great area. Updated kitch- enlarge lanalinew car- pets lots of tile and more. $220,000. (352)637-4844. CITRUS HILLS TERRA VISTA Stunning 4 bed. pool home in gated, golf comm. MUST SEE I $618,900. Citrus Realty Group (352) 795-0060 CITRUS REALTY GROUP 3.9% Listing Full Service/MLS Why Pay More??? No Hidden Fees 20+Yrs. Experience Call & Compare $150+Mllillon SOLDII! Please Call for Details, Listings & Home Market Analysis RON & KARNA NEITZ BROKERS/REALTORS CITRUS REALTY GROUP (352)795-0060. -nvne Homesj^B c= fo-j= Real Estate cr Sale CITRUS COoNTm (FL) CHRONICLE FOR SALE BY OWNER FREE WEBSITE Homeslte.com Priced Reduced, 3/2/2, corner lot, appliances, shed, patio, lanal, C/A/H, built 1996, 1689 W. Datura & N. Ocean $176,000. 352-442-2386 'Your Neighborhood R AITORD' I 2/1/1, newer carpet, Int. paint, appliances, & bath, C/H/A, Liv. Rm., plus Fam. Rm./3rd Bd. 318 S. Harrison St. $119,900. (352) 746-6624 For Sale By Owner Lakeside Village Villa $99,900. Lovely one Ig, bedroom, dining rm., livi m., Den or 2nd guest bedroom. Cert. 55+ Community. Community pool. 3637 N. Longpine Pt. (352) 746-9999 (205) 936-4204 FOR SALE BY OWNER Oak Ridge, 4/2, Sweet- water Tradewlnds III 2156 under air, heated pool & spa, granite counters, custom decorating, many extras, Immaculate, $299,900 (352) 746-0025 Oakwood Village 3/2/2 pool home, enjoy the trees as green belt Is your back yard. Absolute move In cond. $196,000. (352) 465-9201 OAKWOOD VILLAGE Airy 2/2/1-1/2, oversized lot with level front yard, Fla. rm, leading to 8x16 deck, upgraded apple , & fixtures, new Weather tite windows & window treatment, Partially turn. (352) 746-5307 RENT TO OWN - NO CREDIT CK. 2-3BR's 321-206-9473 visit Jademlsslon.com WHY RENT Zero down only $548 mo. Hard to find, 1/1, great neighborhood, (352) 400-3349 or 814-573-2232 Widow Must Selll 2 master suites, Fm. Rm. Fire Place, solar heated pool, 2 car gar, on /2 acre, Asking$189,500. obo.Don Crigger Real Estate (352) 746-4056 4 Bed. House + Mobile 5 acres, Hugh oak trees, downtown Lecanto $320,000. owner relo- cated bring all offers. Don Crlgger Real Estate (352) 746-4056 2/2/2 FOR SALE BY OWNER Nice, private CBS home 1.2-acre lot near 44/491. New roof well system and boat storage shed. $169K. 954-235-0892 I a" I I LINDA WOLFERTZ Spotted Dog Broker/Owner Real Estate al 4w- LOVE THE TRAIL? '* 411 So do II Let me help i.. .you find the perfect home or lot on or near the trail Call Cynthia Smith, Realtor Direct (352) 601-2862 DolngWhatllove@ '," tampabay.rr.com HAMPTON SQUARE Gospel Island, Ig. 2/2/2, REALTY, INC. w/ family rm., across llndaw@ from lake in Lockshire tampabay.rr.com Park. by appt. only 800-522-1882 $149,900. broker/owner (352) 746-1888 (352) 726-8318 eve. HIGHLANDS SOUTH Spac. Priv. Imac. 5/3/2 Immac. remodeled, FP, Htd. Pool, 1 +ac. 3/2/2, Ins. Indry, Lg. lot. Mature landscape. Ready to move In tol Sec. Sys. Well. $449,900. Call (352) 746-0592 Wakeman Realty 418 Hiawatha Ave (352) 596-9563 HOME FOR SALE -- --On Your Lot, $103,900. 3/2/1 w/ Laundry Atkinson Construction 352-637-4138 Uc.# CBCO59685 18 Yrs. In Citrus Inverness Golf & Country Club former Builders Home, unique floor plan. 3/2/2 Great rm, den/poss. 4th bdrm. eat-in kit, all appliances Incl. micro over glass top stove, wrap-around screen porch, recent heat & air, quiet cul-de-sac, new ext. paint. $239,900. (352) 860-0444 Call Me WATSON ERIC HURWITZ 352-212-5718 ehurwitz@ tampabay.rr.com l Exit Realty Leaders 3/2, ALL STONE EXTERIOR and stone fireplace on 1/2 acre, 18x40 caged pool on mile long pond, $275,000 Call Wendy Hampton Square to view the home Realty, Inc. (352) 476-7631 Let us give you a (352) 400-5054 helping hand Call Ann for more Info 352-746 1888 (434) 335-5425 1-800-522-1882 3/2.5/2, Highlands, Ig. rms., 2 lots, excel. Marilyn Booth, location $174,500. GRI (352) 860-2408 26 years of 3/2/2 HOME experience COMPLETELY REPAINTED, "1.E M CBH BUILT IN 1995, HOUSE-CALLS" VINLY TILE IN LIVING, DINING, KITCHEN GREAT FOR PETS. $160,000. CALL TROY 352-560-0163 3/2/2 Newly Decorated ' Lots of upgrades, too many to list. Asking $170,000/obo (352) 302-0937 0 21 11 Costly J.W. Morton,R.E., Inc Home 726-6668 637-4904 MUST 3ELL, Lrg. 3/2/2, Inspection many upgrades, $195,900 neg. Pitfalls (352) 860-1919 Need a mortgage Fre & banks won't help? Free Self-employed, all credit Issues bankruptcy Ok. Associate Mortgage ____ *t Call M-F 352-344-0571 reveals what SELL YOUR HOME Place a Chronicle yOu need to Classified ad 6 lines, 30 days know before $49.50 you list your Call 726-1441 home for 563-5966 sale. Non-Refundable Sale. Private Party Only (Some Restrlllorm May apply) Free recorded message. 1-800-208-9258 =1H m 2/1 POOL HOME ID # 1003 dbl lot, fenced back- yard, Inground caged V pool, huge florida ERA American Really & investments a room, city water, central A/C. $99.999 352-344-5206 4/2 MH, Derby Oaks 11 COSily Home 2300 sq. ft., 1.25 acres, reduced to $135k. Inspection Pitfalls 352-341-0696, 302-8870 Free Report reveals what you need 2005 BUILT, 3/2 encl 2car grg. on 3 acres, to know before you list $299,000 All new apple. C/H/A. Out bldg. your home for sale. Superior wtr. treatment Free recorded message. sys. (352) 212-2448 1.800-208-9258 ID # 1003 3/2, w/pool. 5 acres, 2 story cracker, 1597 sq. ERA AmencanRealy&investments Shamrocft 5552 N. Acres' $289k Brand New 3/2/2 (352) 563-1147 Inv. Highlands. Inside laundry/ screen irm. ' All appliances included. $188,900. I, Atkinson Construction, Inc. 352-637-4138 CBC059685 CHARMING 3/2 on large corner 1/2 acre lot with mature oaks, new kitchen appliances Bonnia Peterson & carpet throughout. Realtoro Quiet neighborhood. "PEACE OF MIND" Great Starter Home "PEACE OF MIND" Don't wait, call Today is what I offer Won't last long. Offered "YOU" by Southern Homes & (352) 586-6921 Properties Paradise Realty & (877) 809-9329 or Investments, Inc. (321) 443-1240 (352) 795-9335 1925 Recently renovat- 3 walk in closets, many ed, 3/1,5, cottage w/ 2 extras. No brokers $150+Mlllion SOLDIII porches, located on $289,000. (352)382-7383 corner w/ 2 lots near US Please Call for Details, 19 & shopping district. CITRUS REALTY GROUP Listings & Home $185,000, 352-628-2695 Market Analysis Capt Linda 3.9% Listing RON & KARNA NEITZ Capt Ld BROKERS/REALTORS Thompson Full Service/MLS CITRUS REALTY GROUP (352) 628-5500 Why Pay More??? (352)795-0060. No Hidden Fees 20+Yrs. Experience Call & Compare S $150+Mllllon SOLDIII Your World 4 f Please Call for Details, Listings & Home 94 wge Jai Market Analysis RON & KARNA NEITZ BROKERS/REALTORS CITRUS REALTY GROUP (352)795-0060. Custom 3/2/3,w/ Den C(llOnCil htd. pool, well, all appl. neutral colors, too ('"" ,n ,' much to list. Immediate Need Listings Occupancy. REDUCEDI xmlsanc gnktl 183 Pine St. $279,500 ww cnnrn'teonel ne.om c(352) 382-3312 I>' FREE Home Warranty Policy when listing your house with "The Max" R. Max Simms, LLC, GRI, Broker Associate. (352) 527-1655 6GMAC nd GMllfiAl stt CLASSIFIED 4/2/2 Near Plantation 2/2/1 New Carpet/Paint Glenn Quirk Golf, Fam. Rm., Lg. Inside. C/H/A scrn prch. 352-228-0232 Kitchen, Dining Rm., Part Priv, fence Kristine Quirk Scrn. Rm., 2667 Sq. Ft. Only $129.500, Call 352-228-0878 under roof, $196,900. Chuck (352) 344-4793 MAMABUNHEE@Yahoo. 3/2/2 Riverhaven coam (352) 795-5410 Village, Pool home, open fl. plan, must seel C. Lynn Wallace $279,500. Call for more 352-302-2675 Info. (352) 628-9896 3/1/Carport, CB, new tile in kitchen, bath, shower, $99,900 Leave msg. 352-860-1189 or 352-212-2737 PUT THE QUIRKS Donna Raynes TO WORK! (352) 476-1668 List with me and get a " Free Home Warranty & no transaction fees Nature Coast 352-302-2675 IMPRESSIVE, ELEGANT, If FORMAL, ONE OF A KIND --- Outstanding custom, S' contemp. pool home. Nature Coast V, 5/3/3, 4200sq.ft. on priv. S_/_ %ac. Lg, state of the art For Sale By Owner .. Vpr '; kit. Huge master & fam. 4/2 + Den/office, on rm,.20' ceilings, almost 1 acre, scr 8' -- columns, 2 FP's granite, pool, new everything, marble, all upgraded Reduced. Poss. Owner util. House has it all! For Fin. (407) 797-4846 "Here to help you demanding buyer it through the Process" offers quality & value. KATHY TOLLE Asking $379,000. Must (352) 302-9572 homesandland.com see to appreciate donna@silverkina (352) 746-7033 orooerties.com Need a mortgage - & banks won't help? SSelf-employed, all credit Issues bankruptcy Ok. Associate Mortgage Call M-F 352-344-0571 List with me and get a HOMOSASSA SPRINGS Reduced by Owner Free Home Warranty & Country living on your 3/2/2/2, Updated, 1915 No transaction fees own, High & Dry /2Ac sq. ft., Ig. kit, w/ cathe- (352) 302-9572 1800sq.' home. 2001 dral ceiling, Ig. solar Top of the line, Palm heated pool $252,900. Bay 3bd. 2bath with in (352) 586-6696 _____ ~ 45 min of TIA, Fire Place, Vlaeql sunroom double drive- S. Oak Village, quality Nature Coa way, w/ elect, double built, smaller, near new, NatureCoast decks & too many 3/2/2 great upscale options to list. $127,400. appearance. avail. for LAURIE B. LAUTER, P.A. (352) 621-3418 quick close.$269,000. Cell 352-422-2667 view (352) 382-4008 at chronicleonline.com WAYNE CORMIER For Personalized I t V Service U st with meand..elocation Free Home Warranty &. Crao n No Transaction Fee rnnd (352) 302-6602 Calffre- all IHere To Helpi DavcOk Schitt Visit:. C-elo .lowayn ecormier.com 7(352) 382-4500 Nature Coast -(352) 422-0751 "Here to He yoRealty NEW HOMES ONLY 4 LEFT 3/2/2 BLK. CONST. Deed restrict $136,900 L -BBest value anywhere 3 BED 2 BATH BANK Move-in read l FORECLOSURES Im V100% fin WAC, pymnts. Ony $25000 For listings at $717/mo. HURRY! 800-749-8124 Ext H796 727-271-0196, Realtor iNeed a mortgage & banks won't help? Self-employed, A S all co freedit I ssues bankruptcy Ok, Spotted Associate Mortgage Call M-F 352-344-0571 Dog ALANNUSSO CAPE COD -2,900 sqft (352) 628-9191 Real Estate Sales of Uving/260 sq. Zf Exit Reaity Leaders Porch. on 1/2 tile (352)s many2-6956___ "acre. os 230, 00. Call (352) 746-5912 - OWNER FINANCE "it's All About YOU r" 2/2/2 w/deeded 80' dock kingsbay. Fireplace, pool, newly renovated, 10% down, $299K agent owned, Mary 697-0435 Pauline Davis - 352-220-1401 Bonnie Peterson Realtor Buyers & Sellers are is what I offer smarter thoan ever. Let "YOU" me work WH35234you (352) 586-6921 for the best deal! Paradise Realty & Investments, Inc. Meredith Mancini (352) 795-9335 St with me and get a Exit Realty Leaders B-E lG R Free Home Warranty & Crystal River no transaction fee 352-220-1401 2003 3/2/2.5 plus den pdavis.c21-nc.com 2,162 sq. ft. pool home. Open floor plan. Zodiac counter - tops, tile floors, many ' NatureCoast extras. $339,000. Callu(32)76Co9t (352) 382-7084 - --.. Call Me "It's All About C" IPHYLLIS STRICKLAND EXIT REALTY LEADERS r*.l ] .~ I TERRA VISTA Stunning 4 bed. In'.Felcp pool home In ne. leoagated, golf comm. SBuyers & Sellers are MUST SEE! $618,900.o smarter than ever. Let t Citrus Realty Group me work WIIITyou (352) 795-0060 tar the best deal! 2/2, 2000 sq. ft under a Meredith Mancini root on1 1/2 lots. New (352) 464-4411 roof, cathedral ceilings, CITRUS REALTY GROUP Exit Realty Leaders rm., laundry rm., lots of 39%L Exytal Ler closets, turn., avail. Listing yCrystal River mmed. $185,000. (352) 3 Rental Homes 382-8282 or 422-1007 Full Service/MLS on about 2.5 acres for 3/2/2, 2434 sq. ft. + 408 No Hidden Fees S$125,000.(352) 347-6096 sq. ft. lanai, spit plan, 20Yrs. Experience or (352) 454-1 139 pool. wetbar, weli, Call & Compare ILOD FRIDAY, DECEMBER 9 2005 FOR SALE BY OWNER SEEN THE REST? 2004 Custom Built pool WORKwNiTHERT home on 21h acres. WORK with the 4/3/2 has mother-in-law BESTI apt. So many extras, I can not list them alllI Private deadend road, horses allowed., $329,000 Call (352) 746-2458/422-1059 c) FREE REPORT What Repairs Should You Make Before You Sell?? Deborah Infantine Online Email Top Sales Agent 2004 debble@debble & 2005. (Inv. Office) rector.Cm1 EXIT REALTY LEADERS Or Over The Phone (352) 302-8046 352-795-2441 DEBBIE RECTOR W e're We're ROiWOt Selling Realty One Citrus!! homesnow.com HOME FOR SALE NO Transaction On Your Lot, $103,900. ransac 3/2/1, w/Laundry fees to the Atklnson Construction Buyer or Seller. 352-637-4138 Call Today NEAR LAKE ROUSSEAU BY OWNER 2/1 dbl. lot 2 sheds, trailer H.U. $95,000 (352) 795-6515 Need a mortgage & banks won't help? Self-employed, all credit Issues bankruptcy Ok. Associate Mortgage Call M-F 352-344-0571 NEW HOME Citrus Springsl Beautiful 3/2/2. Front & Rear Porches. Builder pays all closing cost. Move in today. $159,900. (352) 527-8764 Syww..itrusbullderonllne Over 3,000 Homes and Properties listed at, homefr6nt.com Vic McDonald (352) 637-6200 Realtor My Goal is Satisfied Customers REALTY ONE * Otstdng Agents0 ' gOu d Re"Its (352) 637-6200 FOR SALE BY OWNER S2/2,off Gospel Island Rd., Inverness. Laguna Palms, $112,000 (352)461-6973, Cell SUGARMILL WOODS Beautiful turn. 2/2, screened lanai, carport. immediate occupancy, $150,000 (352) 628-3899 CITRUS HILLS TERRA VISTA Stunning 4 bed. pool home in gated, golf comm. MUST SEEI $618,900. Citrus Realty Group (352) 795-0060 CITRUS SPRINGS GOLF COURSE 3/2/2 + encld. lanai, overlooking 8th tee. Tile/carpet floors, neutral colors, apple's , garden shed. huge oak trees. $230,000. 8272 N. Golfvlew Dr. (352) 527-9616 -S*ilIGo Here To Help! Visit: waynecormler.com (352) 382-4500 (352) 422-0751 Gate House Realty BIG CANOE, GEORGIA North Georgia's premier gated, mountain, golf, tennis, lake, swim, fitness center community. Established 1973. Terrell Griffin REALTORS (resident) (706> 579-2259 SPECTACULAR YEAR ROUND MOUNTAIN VIEWS. 4,000+ sq.ft. home on 60+ acres Call or e-mail for information (800) 627-1073 ext. 350 or TammyWood @remax.net RE/MAX Advantage Realty Western NC Mountain Gated Golf Community New Phase Opening ULimited Home Sites Starting at $99,000 2 Hrs. North of Atlanta Toll Free (866) 997-0700 WHITEWATER LIVING IN THE TENNESSEE SMOKIES Gated waterfront community. Fall Foliage Sale starting at $46,900 Riverfront & Mountain Views, Final Phasel (800) 559-3095, ext. 401 CEDAR KEY 1 wk + bonus wk. Primetime. $1700 obo,. (352) 212-5277 140 ft lake front w/ concrete bulkhead, dock, CB2/2, 1570sq ft, double garage, scr porch & patio. 1 3/4 ml from town. Sink hole grouted & repaired. Sold by bid for cash. As Is. (352) 341-7716 or (864) 554-4904 CITRUS REALTY GROUP 3.9% Listing Full Service/MLS Why Pay More??? No Hidden Fees 20+Yrs. Experience Call & Compare $150+Mllllon SOLDIII Please Call for Details, Listings & Home Market Analysis RON & KARNA NEIIZ mln. to gulf, excel. cond. appt. only (352) 795-1571 CITRus COUNTY (FL) CHRONICLE Pb* Wt f on Homosassa, adjoined to Wildlife Park Preserve. By Owner Gated riverfront/ spacious, 4159 sf; 3BR/3.5bth suites, 180 deg wtr vw. $863,000. 352-628-4928 LAKEFRONT Condo. 2/1. $75k. 407-836-5624 or 407-644-8523. 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 realtvlnc.com Over 3,000 Homes and Properties listed at homefront Sell your house as Is for a fair price on the date of your choice. To hear our FREE 24 hr rec msg call 1-800-935-2016 fastofferlive.com WANTED 3/2 w/ at least 2 acres of land, Owner Finance have down payment Crystal River Schools (352) 212-2055 WE BUY HOUSES Ca$h........Fast I 352-637-2973 1homesold.com 5 Acre Mini Farm Located In Citronelle (352) 666-8826 animals allowed, all closing costs pd by seller (352) 422-5683, after 6pmo 10.3 Acres. High and Dry In Pine Mountain Estates. 491 Beverly Hills Bordered by private roods front & rear, Lot measure 342 x1316, zoned LDRM, HOMOSASSA 3 acres high & dry close to shopping & river ac- cess 15 minutes to gulf REDUCEDIS 120,000 call 352-286-4482 very motivated to sell KENSINGTON ESTATES 495 Cornish, Great area Excel, acre corner lot, Call (954) 629-5516 Looking for Land??? Centrally located near Citrus Hills, Acess to lot from both 491 & 486. Acreage has 6,1 acres (mol), partially fenced, w/ beautiful rolling hills. Close to town but nicely prvt. Come enjoy both For Sale By Owner. (352) 302-7693 PINE RIDGE ESTATES 4563 N. Lena, 1.06 Acre Lg. Oaks. Needs no fill. $86,000. (352) 621-6621 Ocala Park Estates. Dbl. building lot. Call for details. (904) 687-1212 RAINBOW SPRINGS GOLF COMMUNITY Dunnellon. LotA, Fox Trace, $75K. Lot 14,. Country Club South, $70K(214) 402-8009 100' x 250'+ Lot located In Lecanto area, nice development, 10 mln. or less to all surrounding villages, (352) 628-6811 CITRUS SPRINGS 20 LOTS FOR SALE 30K-34K each. 407-617-1005 Derby Oaks, Floral Cty 1 / Acres, zoned for horses, great neighbor- hood. $62,000. (352) 476-9730 HOMOSASSA Last Lot close to everything, first, $18,500. Gets It. Richard (352) 795-3676 HOMOSASSA LOT $12,500. (352) 628-7024 cltruscountvlots.com HOMOSASSA: 1/2 Acres Parcels (2). Zoned MDRM. $29,900 Each. John Carey Re/Max Reality One (352) 795-2441 LOT 100XISO Has beautiful Grandfather oak & lined with azaleas. Tangelo Lane, off Hwy. 41 $37,900 (352) 860-1998 Pine Ridge Estates 1.1 Acre. Located on W. Papoose Lane. Very nice lot. $89,000. (352) 746-0177 Here To Help! Visit: waynecormler Withlacoochee at Trail's End. 8220 S. Klmber Sporty 300 hand-held transrecelver, with holster-Dave Clarke headset w/ boom mike and remote switch all like new $200. (352) 563-0022 2, Danforth Boat Anchor Large, $50 Small $20. (352) 726-9647 4 Elec. Cannon Down Riggers, Magaun 10, comp. $1000. OBO Magellan GPS, colored track, sat. navigator. Never used, $150. (352) 795-6764 OUTBOARD MOTOR 2001, 70hp Yamaha w/ controls, looks & runs exc. $3,200. (352) 212-2055 POLARIS '96, Jet Ski, SL 650, w/ double, trailer, excel. shape, $1,500.obo 352 257-9321 0000 THREE RIVERS. MARINE CLEAN USED BOATS We Need Theml We Sell Theml U. S. Highway 19 Crystal River 563-5510 PINE RIDGE, desirable Interior Mallows Circle, 1-acre, 954-821-3666 or 954-444-5039 PINERIDGE & TIMBERLANE EST. 5 Lots. (352) 422-2293 WAYNE CORM AIRBOAT 14FT, fiberglass hull, Cadillac engine, with trailer, runs good, needs a little TLC, $3,500 obo Possible trade?? (352) 726-6864 BOAT MOTOR 150HP Evinrude $1,000 (352) 793-6896 BOAT SLIP FOR RENT ON CANAL off Homosassa River $125/mo, 352-628-7525 CANOE 16FT Indian River, like new, red color, $350 (352) 341-1183 CAROLINA SKIFF 2001, 19.8, 60hp 4 stroke Suzuki &trailer, Perfect cond, $10,500. (352) 628-5222 HOLIDAY SPECIAL S KEYWEST Jumbo Shrimp 13-15ct. $51b; 16-20ct $4.501b. 352-795-4770 FIBERGLASS BOAT 14', 10hp Outboard motor, trolling motor w/ new battery, new trl, $1,900. (352) 465-8702 GHEENOE 15'6" rated to 25HP $800; JON BOAT 12' Monark $200. (352) 795-9636 GLASSTRON 17' Walk thru w/traller, 90HP mercy. $1300 (352) 563-1928, Min. 551b SW auto pilot, 3 batt, charger, bimini, NEW Keywest Boats *Angler Boats Starting as little as $11,695 Large Selection In Stock Nowl Select 2005 models still avail. at discounted prices. Clean used Boats Riverhaven Marina 5296 S. Riverview CIr Homosassa 352-628-5545 I I1 MARINER 14' Fiberglass, W/9.9 Elec. Start engine 1996, Blm. top, trailer. $1750/obo (352) 563-5688 NEW GALV. & ALUM. BOAT TRAILERS Close-out Prices* Big End of the Year Savings on All Trailers & Parts *MONROE SALES* Mon-Fri. 9am-5pm (352) 527-3555 1974, 24, Exc. sal | $499 l-ra: .lin,:r $ r, 0 0 r, i 4 Ih. Irl hk nc.- $6966 .lumacrtt 199 hrP 4 I r...l.: I irl $~6988 / PLEASURE CRAFT 1974,24', Exc. salt water fishing, runs perfect, trailer $3,000, OBO. (352) 302-8156 PONTOON 1992 40HP Johnson motor, (352) 860-0083 PONTOON 1998, Play Buoy, 20ft., fish n fun model, 40HP Yamaha, full cover, $6,995. (352) 628-1958 PONTOON BOAT '88 Landau, 18FT, 50HP Nissan, Incl. trailer, $6,500 (352) 344-3321 merc. & elec. trolling motor. $2A400. (352) 795-6764 SYLVAN 1990.21', Super Sport, Aluminum, open bow, 1992 200hp Mercury black Hawk (low ml) Easy load Tr, all exc cond, garage kept, Loran flshflnder, 28Y2'. 2000, Path Finder Class C WB 33K ml. Triton V10 Ford, Queen walk around bed, Onan Gen., Microwave Sleeps 6, cable ready extra clean, $26,900. OBO (352) 527-6823 or (352) 476-4559 HOLIDAY RAMBLER 38' 98. 50K, diesi pshr, Allison 6spd, Tile, corian, convec. oven, Ig. slide, diesel gen. new tires, $79,000 (352) 746-9211 HUNTERS SPECIAL 1983 Allegro -27' sips 8 Newer engine. $8500. (352) 344-2500 Search 100's of Local Autos Online at wheels.com C** A,,. NATIONAL 29', Non smoker, banks system, clean, full bath, must sell, Asking $26,000 (352) 746-6607 5th Wheel 32' 1998,3 sides, queen size bed, very nice. No smoking/pets. $13,500, OBO(352) 793-7996, $10,000 obo (352) 341-6821, iv.msg Four Winds 21' 2000,13,400 ml. clean, dual a/c, awning, microwave, sleeps 6. $25,000. (352) 795-6764 HOLIDAY RAMBLER 1978 32' 5th Wheel $2,600 (352) 726-9174 or cell (352) 476-6402 NEWMAR 1998 31ft. Full slide, Extra Clean, Must sell ASAPI $8,950 0O8 (352) 586-6181 POP UP CAMPER 1997, Scamper, good cond, indoor/outdoor kitchen, $2500. (352) 726-0251 Prowler 1993, 26', Real Clean, excel. shape. $6900. (352) 795-2631 ROCKWOOD 1989,16', nice cond. $2500/obo 352- 794-0446 or 352-270-0183wdnch, 70% $250.(352) 212-2055 FORD, '85, E-150 Van, 133k ml., new tires, brakes & more. Perfect work van, looks & runs great $1,500.obo, Won't Last (352) 422-7036 MIDDLE SEAT FOR 2001 Chrysler minivan, grey, exc. cond. $50 Antique kerosene driving lamp pat 1903-1907 $55 (352) 344-9292arts, 12-5pm Dave's USA (352) 628-2084 LUUO LI-IcvY CORVETTE 2005 VET 17500 MILES $46,600 ONE OWNER 4/29/05 MSRP $52,585 6SPD, DUEL TOPS ,XM,ONSTAR, BOSE 6CD CALL 352-949-0094 REASONABLE OFFER I98 Ford Mustang C0nv, r oade,Sun .$88 '0 Lincoln TQwncar, ures, - '98 Ford Mustang Cony, Red, ile Top, Leather.$7,450 2Tori, V6, Loaded, Ssofl$7,880 Blu I INDERWARRANTUS 30 MIN. E-Z CREDIT CARS. TRUCKS. SUVS Clean, Safe Autos CONSIGNMENT USA 909 Rt44&US19Airport 564-1212 or 212-3041 BUICK '02, Century, excellent, 42k miles, Estate Sale $8,795. (352) 795-9872 BUICK '96, Skylark, 43k orig. mi. excellent shape $5,000. obo BUICK SKYLARK '85, 4cyl., seats gd. 4dr, ac, runs gd. 52K, auto, exc. $800. Call 352-464-2172 100 + CLEAN DEPENDABLE CARS OM'350-DOWN 30 MIN. E-Z CREDIT u675.US19-HOMOSASS Cadillac 1987 Sedan Deville, 2 new tires, leather seats, eng, blown. $300. OBO (352) 344-8001 or 220-1924 CADILLAC 1998 Sedan DeVille, 87K, like new. $8,500. (352) 746-4703 CADILLAC '93 Seville, low miles, exc. cond. A must see auto. $5,200 (352) 746-9212 I l CITRUS COUNTY T CHRONICLE General merchandise items only, two items per ad, 3 ads per household per year, private party only. All ads are prepaid and nonrefundable. 563-5966 or 726-1441 CIASSIUFIETEIDS CONSIGNMENT USA Car-Truck-Boat-SUV CASH OR CONSIGN 98% Sales Success. No Fee to Seller,909 44W/ US19-alrport, 212-3041 FREE REMOVAL OF Mowers, motorcycles, Cars. ATV's, jet ski's, 3 wheelers. 628-2084 Mid 90's, Ford Aerostar, Long body, 4.0L eng. (352) 746-4450 VEHICLES WANTED, Dead or Alive. Call Smitty's Auto 628-9118 CITRus CouiNy (FL) CHRONICLE Cadillac '98 Deville, 4 dr., Lt. tan, v-good cond., 74K, Ithr. Int., new a/c, $7,600. (352) 527-9544 CADILLAC DEVILLE 1998,85K mt. Exc. cond. Gold pearl coat, all leather. $8,000 (352) 382-0001 CADILLAC Devllle, 2004, 7K white, $48,000 sticker. $28,900 sell, smells new. Full warr (352) 476-1543 Call Us For More Info. About New Rules for Car Donations Donate your vehicle to THE PATH Men Women & Children) at (352) 527-6500 CHEVROLET 1995. Camoro Z28 Convertible, 35K ml, Exc Cond, $9,900. (352) 726-5469 (352) 220-4259 CHEVY '05, Impala, 13k ml., one owner, power win.. etc., $13,500. warranty (352) 274-0670 CHRYSLER 1988 New Yorker, great for parts or repair, good 3.0 litre, V-6, clear title, $300 obo (352) 344-8678 CHRYSLER 2001, SebrlngLX Convertible, white w/ rtan top. exc cond, 67K, fun to drive, below book price. $7200.OBO. 8. (352) 212-8445 CHRYSLER 2004 Pacifica, White, 21K, under warranty, below book $18,800 S (352) 621-5404 c- CORVETTE 1979, auto., runs good, needs TLC, $4,250 obo Possible Interesting trades? (352) 726-6864 CORVETTE 2000 coupe,35.000 ml silver w/ gray interior, Asking $26.500 (352) 382-4331 DODGE '91 Dynasty with A/C, runs great, $900 obo I' (352) 341-0786 S FORD ' '91 Crown Victoria LX, LTD 128K mi., $1,000 obo r (352) 637-3552 S FORD '92 Mustang GT conv. 45K.act. ml., 1-owner, 5.0 auto., PSi PW, PD, exc. cond. $9,500 obo (352) 795-6353 or (352) 697-2737 FORD'99 Escort ES 4 dr, AC, auto, cass, con- sole/ buckets, clean, $3450.352-382-4541 FORD ESCORT LX 1991,4dr, gd. cond. cold AC, $2000/obo 352- 794-0446 or :352-270-0183 Ford Muttang 5.0 1992, Ltd. edition, LX conv., vibrant red, real creme puff, excel. cond., gar. Sr. Driver, $8,895. (352) 628-0003 FORD, '94 Taurus LX, 4 Sdr..loaded, 68K, V-6, AC, Garaged; clean. S2450. 352-382-7764 HONDA - T988. CRXSI, runs & looks good, low mileage, $4,000. 0o0. (352) 628-3248 HONDA ACCORD 2003, 4dr., sliver EX, bik leather int. loaded, auto., 4cyl., exc cond. $19,800 (352) 400-0042 HONDA PRELUDE Sl 1989, 1 owner, A-1 cond. $1950. Call for info.(352) 628-3969 Cell anytime 205-0291 HYUNDAI 2003, Accent, auto. 32mpg. 4dr, cold air, 32K, good cond,,$7,900 OBO. (352) 795-6364 INFINITY 1990, M30, 2-dr. coupe, 82K, mint, $2,500 (352) 341-5211 LINCOLN '89 Cartier. Eic. running cond. Good tires, clean, Priced for quick sale, won't last, $895 (352) 341-0610 MAZDA 2000 DX, 5-spd., 30-40 mpg, 4-dr., $5,500 (239) 839-2900 cell (Inverness) MERCURY GR MARQUIS LS 2001 77,700 ml. owner, $7800, Exc, cond. Spec ally tuned susp w/ dual exhaust. Electronic In- stru. panelmultl-CD player. 352-446-0006 MERCURY GRAND MARQUIS 2003 Presidential Package, Landau Roof, Beautiful, black/charcoal 21K mi, $13,800 CC, All Pwr, AM/FM Cd/Tape, Gar- age kept. Dealer malnt. 352 527-1208 ' MITSUBISHI 2003 Lancer ES, 66K, exc. cond. $7400/obo (352) 422-4878 NISSAN CENTRA '96 SE, 4 dr. auto, air, runs good, low mi. $3800 (352) 527-0223 Search 100's of Local Autos Online at wheels.com THUNDERBIRD 1993, runs good, needs oil pump. $1 100/obo (352) 464-1133 TOYOTA. '00, Avalon, XLS, orlg. owner, NS, fully loaded, excel, cond. garaged, serv. records, 66k ml,. asking $14,950. (352) 697-1862 or (352) 249-4412 TOYOTA 1989, Camry V6 LE, auto, A/C, ps, pb, pw, cruise, very nice, $2295 (352) 527-6653 Wanted 96' or newer car, good cond./gas mileage. Pay up to $1700. (352) 621-9707. CHEVROLET 1987 EL CAMINO, V8, all power w/ cruise, Arizona car, exc. $9,200 OBO. (352) 527-4599 FORD F-100 1974, mint condition. $5000. (352) 795-3867 or (352) 795-4420 TOYOTA CELICA '85 GTS Cony cust paint Red, showroom. 5spd. loaded 30MPG, $4200/ obo. (352) 621-0484 Triumph TR7 1976, newly painted yellow & restored. $11,000. OBO (I52 \ 79L-A6A 1979 JEEP CJ7 78000, 4 Wheel Drive, $3,500.00 Fiberglass top, full steel doors, halt alu- minum doors 344-5529 mileage, new trans, exc cond, $2,000.OBO (352) 795-6901 Chevy Avalanche '02, Red. Z66. 5.3, auto, all pwr, tinged windows, running brd. Tow pkg. $17,900 (352)527-0223 CHEVY PICKUP 1995,6.5 Turbo diesel, long bed. 4X4,e ton, ext. cab. $4500 (352) 634-1584 Chevy Silverado 1994, Ext. Cab., Auto. All Pwr., 121k, Cap. excel, cond. $6,000. (352)341-0551/220-0886 DODGE 2001 PICKUP 1500 CLUB CAB, V-8 58K $10,500. Tonneau Cvr. Loaded 352-476-3036 DODGE 99, Ram 1500,4-dr., low ml., fully loaded, tow pkg, spray bed,$12,900 abe (352) 613-5563 DODGE DAKOTA '98, Sport, 5spd, AC, 4 cyl. like new, low mile- age. $5500. ob.a ll " after 4pm(352)6210480 FORD F-350 '99 BRW, super cab, Diesel, equipped for 5th wheel towing, high mileage but exc. cond. $11.500. (352) 637-3996 FORD RANGER XLT 1994, p4cy, 5spd, new clutch. Cold AC, $2000/obo" (352) 489-5928 GMC 2001, Sierra, SLE. xcab. all power, V8, color Pewter, 45,818 ml. $14,990. (352) 746-0939 GMC Sonoma 2001, ext. cob., 3rd dr., V-6, A/C, PW & PB, auto., blue metallc, 42k, $7900. (352) 527-4466 ISUZU '91 P/U w/cap, 85K. Standard, great on gas, great A/C, almost new tires, $2,000 637-0560 Search 100's of Local Autos Online at wheels.com Ci TOYOTA '03. Tundra, 33k ml., warranty to 80k ml., fully loaded, camper shell, $21,500. (352) 628-1089 TOYOTA '98, Tacoma, 72k ml., excel, cond., fiberglass topper $7,400. 302-8886. 352-621-5346 1989 PATHFINDER 2DR,4WD,Cold AC,PS,PB, many extras. 127K miles. $2100 OBO.563-1225 or 417-0009. 2002 FORD EXPLORER 67500.XLT, Leather.third row seat and rear a/c,$12,000 746-3003 CHEVROLET 2001 Tracker, LT model, 4-dr., 4x4, loaded, auto, Exc. cond. $7,500 obo (352) 795-6353 or (352) 697-2737 GMC 2005, Envoy, like new, roof, cast wheels, on- star, XM radio, silver, $24,500. 352-563-2025 Search 100's of Local Autos Online at wheels.com Toyota Landcruiser 1977. gd. shape, malnt. records, repair manual $7000. Call to see 795-5510 or 795-1308 JEEP 1990 Cherokee 6-cyl., looks & runs good, needs TLC $1,200 (352) 382-3132 JEEP 1997, Wrangler, 4x4, Exc Cond, 54K. $8,000. Firm (352) 302-6200 Jeep Grand Cherokee ,1996 V-8, 4x4, new tires, looks perfect, runs better. 103k. $5,500. (352)382-7888 Search 100's of Local Autos Online at wheels.com 0l VC IRUSCOUNIr ALAN NUSSO BROKER Associate Real Estate Sales Exit Really FORD '90, Econollne, new point, good air, long bed, runs great $1,700. (352) 746-1371 Ford Econollne 1988, good tires, runs great, good work van. $450. (352) 220-9156 Mercury Villager 2000. Brand new tires, fully loaded, 6 disc CD changer, leather . $11.500.(352) 637-6374 :Sedrbh 100's of Local Autos Online at wheels.comrn ATV + ATC USED PARTS * Buy-Sell-Trade ATV, ATC, Go-carts 12-5pm Dave's USA (352) 628-2084 YAMOTO 2006, 150 cc, auto., elec. start, with reverse, less than 10 hrs ridden $1,800 obo Hernando area (727) 656-7322 2003 HARLEY DAVIDSON SOFTTAIL DEUCE Anniversary Edition, Silver & Black, 7200 miles, some extras, $16,800. Please call 352-527-8601. BMW - '92, K75 Touring Bike, w/ windshields, and hard saddle bags, gar. kept, $3,000.obo 352-621-3980, 228-3153 HARLEY 2003 100TH Anniversary Fat Boy, Thunderhead pipes, saddlebags, windshield 4800 ml. Exc. cond. $14,500. (352) 634-4031 HARLEY DAVIDSON 1990, Heritage Soft Tall, FLSTC, pristine cond, low miles, adult owned, $10,000 Firm. (352) 746-2558 Harley Davidson Ultra Classic Dresser. 2005, Excel. cond. w/ Trailer. $20,000. (352) 621-3636 HONDA '03 XR-100, showroom new, only 4 hrs old, asking $1,700 (352) 464-2217 HONDA 1986 Scooter, model CH80G, 80cc, gas, elec. start, 4,900 ml., new battery, $400 (352) 341-3071 HONDA 1989, Goldwing Trike, 72K, exc cond, new tires & battery, $11,000 FIrm352-302-1549 L/M HONDA 2001, CBR 929, red & black, good cond, $4900. OBO. (352) 621-3124 HONDA '87 Goldwing Aspencade 1200 cc, low mi., super machine, $4,500 (352) 746-9212 MOTORCYCLE TRAILER 3 rail, heavy duty, 14" wheels, $550. (352) 795-7325 Search 100's of Local Autos Online at wheels.com SUZUKI '05, Katana 600, $5,500. obo (352) 489-7268 SUZUKI 2002 Volusia 800, wind- shield, passing lights, saddlebag, mustang seat & backrest, luggage rack, engine guard with highway pegs, floorboards, new front tire & more. 9K ml., Looks & runs great $4,950 obo (352) 382-5269 SUZUKI 2002, SV650S, low mileage, looks/runs great, extras, $3750 - OBO(352) 201-0647 SUZUKI SA50 Motor bike, great gift, street legal, good cond, $350 (352) 726-7239 YAMAHA 1980 Maxim, 4 cyl, only 27K, Exc Cond., $1500. (352) 613-4702 804-1209 FCRN 12/15/05 Regular Meeting PUBLIC NOTICE The Citrus County Special Library Advisory Board will hold their Regular Meet- ing at 4:00 PM on the 15th day of December, at the Central Ridge Library 425 W. Roosevelt Blvd. Beverly Hlls,TY STATUES.) /s/ GARY BARTELL Published one (1) time In the Citrus County Chroni- cle, December 9,2005. 800-1209 FCRN Sale of personal property Holly Lackman/UnIt 61 PUBLIC NOTICE Pursuant to FLA STAT 83.806 Notice Is Hereby Given that on December 17, 2005, at 11:00 a.m., at PACK-N-STACK Mini Stor- age, 7208 W. Grover Cleveland Blvd., .Homosassa, FL 34446, the Miscellaneous Personal Property contents of your storage shall be sold for past due rent and fees owed by the tenant: Unit #71 HOLLY LACKMAN 5321 S. Curtis Pt. Lecanto, FL 34461 Published two (2) times In the Citrus County Chroni- cle, December 2 and 9, 2005. . 801-1209 FCRN Sole of personal property Robert Luscomb/UnIt 56 PUBLIC NOTICE Pursuant to FLA STAT 83.806 Notice Is Hereby Given that on December 17, 2005. at 11:00 am., at PACK-N-STACK Mini Stor- age, 7208 W, Grover Cleveland Blvd., Homosassa, FL 34446, the Miscellaneous Personal Property contents of your storage shall be sold for past due rent and fees owed byt the tenant: Unit #56 ROBERT LUSCOMB P.O. Box 151 Homosassa, FL 34447 Published two (2) times In the Citrus County Chroni- cle, December 2 and 9, 2005. 802-1209 FCRN Sale of personal property Mellssa Mellot/Unit 50 PUBLIC NOTICE Pursuant to FLA STAT 83.806 Notice Is Hereby Given that on December 17, 2005, al 11:00 a.m., at PACK-N-STACK Mini Stor- age, 7208 W. Grover Cleveland Blvd., Homosasso, FL 34446, the Miscellaneous Personal Property contents of your storage shall be sold for past due rent and fees owed by the tenant: Unit #50 MELISSA MELLOT 227 S. Barbour St. Beverly Hills, FL 34465 Published two (2) times In the Citrus County Chroni- cle, December 2 and 9, 2005, 807-1216 FCRN - Notice to Creditors Estate of Helen M. Reldl PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT, IN AND FOR CITRUS COUNTY, FLORIDA FILE NO. 2005-CP-1 166 IN RE: THE ESTATE OF HELEN M. REIDL, Deceased. NOTICE TO CREDITORS The administration of the Estate of HELEN M. REIDL, deceased, File Number 2005-CP-1166 Is pending in the Circuit Court for Cit- rus County, Florida. Pro- bato De- cember 9, 2005. Personal Representative: JAMES WILLIS 800 N. FOX MEADOW TERRACE CRYSTAL RIVER, FL 34429 Attorney for Personal Representative: BRUCE CARNEY, ESQUIRE Camey & Associates, P.A. 7655 W Gulf to Lake Hwy. Suite 2 Crystal River, Florida 34429 352/795-8888 Published two (2) times in the Citrus County Chroni- cle, December 9 and 16, 2005. 895-1209 FCRN Notice to Creditors Estate of Robert F. Burton PUBLIC NOTICE IN THE CIRCUIT COURT FOR THE FIFTH JUDICIAL CIRCUIT, CITRUS COUNTY, FLORIDA PROBATE DIVISION File No. 2005-CP-1493 Division: Probate IN RE: ESTATE OF ROBERT F. BURTON Deceased. NOTICE TO CREDITORS The administration of the estate of Robert F. Burton, deceased, whose date of death was September 16, 2005; Is pending In the Cir- cuit Court for Citrus Coun- ty. Florida, Probate Divi- sion, 2,2005. Personal Representative; /s/ Loree Adklns 7130 W. Autumn St. Homosossa, Florida 34446 Attorney for Personal Representative: Gregory G. Gay, Esquire Florida Bar No. 162024 GAY & EHRHARDT, P.A. 5318 Balsam St. New Port Richey, Florida 34652 Telephone: (727) 849-1122 Published two' (2) times In the Citrus County Chroni- cle, December 2 and 9, 2005. 867-1209 FCRN PUBLIC NOTICE NOTICE OF INTENT TO USE UNIFORM METHOD OF COLLECTING NON-AD VALOREM ASSESSMENTS The Florida Governmental Utility Authority. Florida (the "FGUA') hereby provides notice, pursuant to section 197.3632(3)(a), Florida Statutes, of Its Intent to use the uniform method of collecting non-ad valorem special assessments to be levied within the unincorporated area of Citrus County Including but not limited to Citrus Springs and Pine Ridge Subdivisions, for the cost of pro- viding capital improvements and maintenance servic- es Including but not limited to water and wastewater facilities commencing for the Fiscal Year beginning 16, 2005, at the Gold- en Gate Community Center, Room A & B. 4701 Golden Gate Parkway, Naples, Florida 34116. Such resolution will state the need for the levy and will contain a legal description of the boundaries of the real property sub- ject to the levy. Copies of the proposed form of resolu- tion, which contains the legal description of the real property subject to the levy, are on file at the Office of the Board Clerk, 280 Weklva Springs Road, Protegrity Plaza Ste. 203, Longwood, Florida. All Interested per- sons are Invited to attend. In the event any person decides to appeal any deci- sion by the FGUA with respect to any matter relating to the consideration of the resolution at the above-refer- en Office of FGUA's Board Clerk at 1-407-629-6900, three (3) days prior to the date of the hearing. DATED this 9th day of December, 2005. By Order of: FLORIDA GOVERNMENTAL UTILITY AUTHORITY Published one (1) time in the Citrus County Chronicle,, December 9.,2005. 809-1209 FCRN PUBLIC NOTICE NOTICE OF HEARING ON ORDINANCE The public Is hereby notified that the Board of County Commissioners of Citrus County, Florida, intends to con- duct a public hearing to consider an ordinance enti- tled: AN ORDINANCE OF CITRUS COUNTY, FLORIDA, AMEND- ING CHAPTER 54 OF THE CITRUS COUNTY CODE TO UP- DATE THE CITRUS COUNTY IMPACT FEE ORDINANCE FOR FIRE SERVICES PROVIDING FOR LIBERAL CONSTRUCTION AND SEVERABILITY; PROVIDING FOR INCLUSION IN THE CITRUS COUNTY CODE; PROVIDING FOR PENALTIES; PRO- VIDING FOR EFFECTIVE DATE. in the Board of County Commissioners' Meeting Room, Citrus County Courthouse, 110 North Apopka Avenue, Inverness, Florida on the 20th day of December, 2005, at 3:30 BOARD OF COUNTY COMMISSIONERS OF CITRUS COUNTY, FLORIDA APPROVED AS TO FORM FOR THE RELIANCE OF CITRUS COUNTY ONLY: /s/ COUNTY ATTORNEY Published one (1) time In the Citrus County Chronicle, December 9, 2005. 892-1209 FCRN Notice of Sale Wells Fargo Bank, N.A., etc. v. Beverley M. Andrews, et al. PUBLIC NOTICE IN THE CIRCUIT COURT OF THE FIFTH JUDICIAL CIRCUIT IN AND FOR CITRUS COUNTY, FLORIDA CASE NO. 2005-CA-41 WELLS FARGO BANK, N.A., successor by merger to WELLS FARGO HOME MORTGAGE, INC. f/k/a NORWEST MORTGAGE, INC., Plaintiff, v. BEVERLEY M. ANDREWS; - UNKNOWN SPOUSE OF BEVERLEY M. ANDREWS;; UNITED STATES OF AMERICA, DEPARTMENT OF HOUSING AND URBAN DEVELOPMENT, Defendants. Notice Is hereby given that, pursuant to the Summary Final Judgment of Foreclosure entered on October 20, 2005, and the Order Rescheduling Foreclosure Sale en- tered on November 17, 2005, In this cause, In the Cir- cult Court of CITRUS County, Florida, I will sell the prop- erty situated In CITRUS County, Florida described as: LOT 11, BLOCK B, PARADISE COUNTRY CLUB, ACCORD- ING TO THE MAP OR PLAT THEREOF RECORDED IN PLAT BOOK 2, PAGE 182, PUBLIC RECORDS OF CITRUS COUN- TY, FLORIDA. at public sale, to the highest and best bidder, for cash, at the Jury Assembly Room In the New Addition to the New Citrus County Courthouse, 110 N. Apopka Ave., Inverness, CITRUS County. Florida, at 11:00 o'clock a.m., on December 15, 2005. Dated at Inverness, Florida this 18th day of November, 2005. Betty Strifier Clerk of the Circuit Court (Circuit Court Seal) By: /s/ Judy Ramsey Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 2 and 9, 2005, 806-1209 FCRN. 2005-633 AN ORDINANCE AMENDING THE CITY CHARTER OF THE CITY OF INVERNESS, INVERNESS, FLORIDA, AS PROVIDED BY SECTION 100.3605 (b) FLORIDA STATUTES, AMENDING ARTICLE II, CITY COUNCIL, SECTION 2.02, ELECTION AND TERMS; AND AMENDING ARTICLE IV, ELECTIONS, SEC- TION 4.05, SCHEDULE AND NOTICE OF ELECTIONS, PRO- VIDING FOR CHANGING THE DATES OF CITY ELECTIONS; PROVIDING FOR REPEAL OF INCONSISTENT ORDI- NANCES; PROVIDING FOR SEVERABILITY; PROVIDING FOR INCLUSION INTO THE CODE OF ORDINANCES; AND PROVIDING FOR AN EFFECTIVE DATE. will be considered for final reading and adoption by the City Council. All interested parties may appear at the meeting and be heard with respect to the pro- posed Ordinance at 5:30 PM, December 20th, 2005. Copy of the proposed ordinance will be on file with and available for Inspection by the public in the office of the City Clerk in the City Hall, 212 W. Main Street. In- verness, Florida, between the hours of 8:30 AM and 4:00 December, 2005. Attest: /s/ Deborah J. Davis /s/ Ken Hlnkle City Clerk President of City Council Published one (1) time in the Citrus County Chronicle, December 9, 2005. 894-1209 FCRN Notice of Sale John S. Daggett, etc. vs. Brett Roth, et al. PUBLIC NOTICE IN THE CIRCUIT COURT IN AND FOR CITRUS COUNTY FIFTH JUDICIAL CIRCUIT OF FLORIDA CMI Division Case No. 2005-CA-3990 JOHN S. DAGGETT, as Trustee under a Virgin Islands Ministerial Trust, Plaintiff. vs. BRETT ROTH, et al., Defendants. NOTICE OF SALE NOTICE Is hereby given that pursuant to the Summary Final Judgment of Foreclosure In the above captioned action, I will sell the following described real property located in Citrus County, Florida, to-wit: Lot 12, Bland Commercial Park Block 11440 In the Northeast 1/4 of Section 2, Township 17 South, Range 18 East, Citrus County, Florida more completely described as follows: Lot 12: Commence at the Nethwest comer of the Northwest W4 of the Northeast of Sectiton 2, Township 17 South, Range 18 East, thence South 010'31" East along the West line of sold Northwest 4 of the Northeast 4A a distance of 623.29 feet to a point on the Northeast- erly right-of-way line of U.S. Highway No. 41, sald point being 50 feel from, measured ofat right angles to, the centerilne of said U.S. Highway No. 41, thence South 4637'06" East along said Northeasterly right-of-way a distance of 304.73 feet to the P.C. of a curve, concaved Southwesterly, having a central angle of 817'30" and a radius of 3469.01 feet, thence Southeasterly along the arc of said curve and along said right-of-way line a dis- lance of 81.01 feet to a point (chord bearing and dis- tance between said points being South 4556'58" East 81.01), thence leaving said right-of-way line North 5313'47" East 128.68 feel to the Point of Beginning, thence continue North 5313'47" East 128.68 feet, thence South 37"42'06" East 51.85 feet, thence South 18*32" East 80 feet, thence South 65*33'33" West 107.49 feet, thence North 3629'10" West 104.88 feet to the Point of Beginning. Subject to an easement across the Northeasterly 25 feet thereof for road right-of-way. Parcel Identificaltion No. 18E-17S-02-14400-0120. at public sale, to the highest and best bidder for cash, In the Jury Assembly Room In the New Addition to the New Citrus Courthouse, 110 N. Apopka Avenue, Inver- ness, FL 34450. at 11:00 a.m. on the 15th day of Decem- ber, 2005. BETTY STRIFLER, CLERK OF COURTS By: /s/ Judy Ramsey Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 2 and 9, 2005. 891-1209 FCRN Notice of Sale The Bank of New York, etc. vs. James E. Henick, et al. PUBI.IC.; pursuant to an Order resched- ullng foreclosure sale dated November 17, 2005, enter- ed In Civil Case No. 05-CA-3792 of the Circuit Court of the 5th Judicial Circuit in and for Citrus County, Florida, wherein THE BANK OF NEW YORK, AS INDENTURE TRUS- TEE ON BEHALF OF THE NOTEHOLDERS AND THE NOTE IN- SURER OF ABFS MORTGAGE LOAN TRUST 1999-4, MORT- GAGE BACKED NOTES. Plaintiff and JAMES E. HENICK are defendantss, I will sell to the highest and best bid- der for cash, ON THE FRONT STEPS OF THE COURTHOUSE TO THE JURY ASSEMBLY ROOM IN THE NEW ADDITION TO THE NEW CITRUS COUNTY COURTHOUSE at 11:00 a.m., on December 15, 2005, the following described proper- ty; VIIN#: 20097L AND 20097R. DATED at INVERNESS, Florida, this 18th day of Novem- ber, 2005. BETTY STRIFLER CLERK OF THE CIRCUIT COURT Citrus County, Florida By: /s/ Judy Ramsey Deputy Clerk Published two (2) times In the Citrus County Chronicle, December 2 and 9, 2005, 05-67816T 808-1209 FCRN PUBLIC NOTICE NOTICE OF PUBLIC SALE: ADVANCED TOWING gives No- tice of Foreclosure of Lien and Intent to sell these vehi- cles on 12/26/2005, at 8:00 a.m., at 2705 Hwy. 44 W., In- verness, FL 34453, pursuant to subsection 713.78 of the Florida Statutes. ADVANCED TOWING reserves the right to accept or reject any and/or all bids. iG2NEI4D7LC302516 90 Ponllac Grand Am 1GBEG25K65F245431 95 Chevy Van G20 1GNDM15Z1MB205508 91 Chevy Astro Van JKASFMA14PB518319 Kawasaki KSF 250 4-Wheeler Interested parties call: (352) 637-1768. Published one (1) time In the Citrus County Chronicle, December 9, 2005. 896-1209 FCRN PUBLIC NOTICE Suncoast Storage and Rentals, L.L.C., according to pro- visions of the "Florida Self-Storage Facility Act," Chapter 83, Part IV, Section 83.806 of the Florida Statutes, here- by gives NOTICE OF DISPOSITION. Suncoast Storage and Rentals, L.L.C., 9034 W. Veterans Drive, Homosossa, FL 34448, will dispose of the contents of the storage space named below via donation to charity and/or removal to landfill or other venue of dis- posal, on or after December 18, 2005: Space # Occupant Contents of Units 31 Stephen Simon 1992 Cadillac & Misc. Items Published two (2) times In the Citrus County Chronicle, December 2 and 9,2005. 893-1209 FCRN Rescheduled AUSSA CALHOUN, Defendants. NOTICE OF RESCHEDULED FORECLOSURE SALE NOTICE Is given that pursuant to a Summary Final Judg- ment of Foreclosure dated March 24, 2005, and Order Resetting Foreclosure Sale dated June 9, 2005, and Or- der Resetting Foreclosure Sole and Amending Amounts Owed to Plaintiffs dated November 21, 2005, In Case No. 2004-CA-3677, of the Circuit Court of the Fifth Ju- dicial Circuit in and for Citrus County, Florida in which FRANK E. MEYER and GERALDINE J. MEYER, his wife are the Plaintiffs and SHANE CALHOUN and AUSSA CAL- HOUN are the Defendants, I will sell to the highest and best bidder for cash In the Jury Assembly Room in the New Addition to the new Citrus County Courthouse, 110 North Apopka Avenue, Inverness, Florida at 11:00 a.m. on the 15th day of December, 2005. the following described property set forth in the Summary Final Judg- ment: foreclosing the sums past due. DATED the 22nd day of November, 2005. BETTY STRIFLER Clerk of the Circuit Court By:/s/ Judy Ramsey As Deputy Clerk Published two (2) times in the Citrus County Chronicle, December 2 and 9, 2005. 805-1209 FCRN PUBLIC NOTICE INVITATION TO BID FLORIDA GOVERNMENTAL UTILITY AUTHORITY CITRUS COUNTY, FLORIDA Date: December 9,2005 BID NO. BOI Cl 0533 The Florida Governmental Utility Authority ('FGUAK) is proposing to construct the Sugarmill Woods Water Treatment Plant No. 2 Chlorine Conversion project lo- cated in Citrus County, Florida, near Homosossa Springs. The Work generally Involves the conversion of the existing disinfection system from gas chlorine to liq- uild sodium hypochlorite. The Work includes a new sodi- um hypochlortie feed system, two (2) polyethylene storage tanks, raw water main modifications and asso- ciated electrical, Instrumentation and piping Improve- ments. Sealed proposals shall be addressed to the Florida Governmental Utility Authority, c/o the FGUA local of- fice at 280 Wekiva Springs Rd.. Longwood, FL 32779. Proposals will be received untfi 2.00 P.M., on the 30th day of December, 2005, at which time all proposals will be publicly opened and read aloud. Any bids received after the time and date specified will not be accepted and shall be returned unopened to the Bidder. Sealed envelopes containing bids shall be marked or endorsed 'Proposal for Florida Governmental Utility Au- thority. Bid No. BOI -C 1-0533 Bid Date 30th day of De- cember 2005'. No bid shall be considered unless it is made on the Form that Is. Included in the Bidding Doc- uments. The Bid Form (Section 00410) shall be removed from the Bidding Documents prior to submittal.: Boyd Envi- ronmental Engineering. Inc.. 166 Lookout Place, Suite 200, Maitland, Florida, 32751. Telephone 407-645-3888 and Fax No. 407-645-1199. Copies of the Bidding Documents may be obtained only at the offices of the Design Professional. Boyd Envi- ronmental Engineering. Inc., after payment of $100.00 for each set of documents to offset the cost of repro- duction. Return of the documents is not required, and the amount paid for the documents Is nonrefundable. The following plan room services have obtained copies of the Bidding Documents for the work contemplated herein: McGraw Hill Construction 5102 W. Laurel Street, Suite 500 Tampa, FL 38607 813-286-9603 Insurance, Performance and Payment Bonds, as prescribed In the General Conditions of the Contract Documents. All Bid Bonds, Performance and Payment Bonds, Insurance Contracts and Certificates of Insurance shall be either executed by or counter- signed by a Florida licensed agent of the surety or Insurance company having Its place of business In the State of Florida. Further, the said surety or Insurance company shall be duly licensed and qualified to do business-In the State of Florida. Attorneys-ln-fact that sign Bid Bonds or Performance and Payment Bonds must file with each bond a certified and effective dat- ed,- tion to bid within 180 December 2005. FLORIDA GOVERNMENTAL UTILITY AUTHORITY Tallahassee, Florida BY: /s/ Charles Sweat Director of Operations Published one (1) time In the Citrus County Chronicle. December 9.2005. 12D FRIDAY, DECEMBER 9, 2005 n dloI05osassa SCDOD cGE FIVE STAR C RYSL.ER Jeep in Inerness LL~ ULlU; dA eesiniuuesm 20oo 0 MMA UNDER MILES of FREEDOM PLAN (2c.E d"" z" Jeep ALL NEW 2006 DODGE MEGA CAB VMSIk ML B&amBlm for details i,7 miwii wimi 19,10000 OFF MSRP 2006 a .,DAKOTA *l .CLUB d M SRP..........................................$25,89500 YOU Y ou .tjf tkaef PAY ONLY _AN 2006 DODGE CARAVAN SE . YOU YOU YOU PAY PAY DNLY ..i ONLY *On select 2005 makes and models. See dealer for details. Prices & Payments exclude tax, tag, title and dealer fees (299.50) all rebates, customer loyalty & dealer incentives included, expires the following Monday of ad date. Photos for illustration purposes only. Chrysler is a registered trademark of DaimlerChrysler Corporation. Jeep" is a trademark of DaimlerChrysler. rin~vi r4a EI AE Great To ChooseWPICIAL PUtCMAS Gas ....a Fom0 2005DOE.NMEONS& CHEVY CAVAUIRS M'wl Iu EN 43'09CLAX .0 DOWN/12 9 PER MONTH 24HU/71 AT CRYITAIAUTO.ICOI !AL' i. r - 93 CADILlAC 98 CADILLAC ELDORADO DEVILLE 33k mi, clean. #J050772A 47k, loaded. #8738A $9,794' $10,986+ +, T I U ., ] 05 JEEP 05 CHRYSLER 05 CHRYSLER 05 DODGE 3500 WRANGLER 300 CROSSFIRE DIESEL Low Miles. S$AVE! #D60082A $AVE, silver. 8856P Convertible. #B41 O00A LOOK, SAVE, diesel. $22 106' $21,988 *29,6920 *31,988 **72 months @ 7.9% Selling price $11,588 'Prices and payments exclude tax, tag, title and dealer fee (299.50 )and includes all factory * CHRYSLER JEEP L 1.877.692.7998 563-2277 MY CRYSTAL .. W1005 S. Suncoast Blvd., Homosassa 03 JEEP LIBERTY Loaded.#8821T- *10,788 99 JEEP WRANGLER Like new. #D50810B S 14,988 | 03 CHEVY TRACKER Convertible. #8892P $10,888' 04 PONTIAC VIBE Loaded, great on gas. #D60203A *$4,988" 02 DODGE DAKOTA Quad cab. #D60135A $13,888 1 97 BUICK PARK AVE Loaded w/Luxury. #8647A $8,888+ 02 CHRYSLER CONCORDE Limited. #8913P $14,888 05 DODGE 03 JEEP DAKOTA SLT WRANGLER 99 GLENDALE GOLDEN FALCON/96 DODGE RAM Loaded. #8907P Sierra, both tops. #8798P Package Deal! 35 ft, 3 pull outs, new 1 ton truck. #8865A/8865F $ee16,98A.1 25,488 352-726-1238 incentives, rebates and customer loyalty. Dealer incentives subject to change. See Dealer for Details. Photos for illustration purposes only, DODGE ,726-12% 2077 Hw * CHRYSLER JEEP 1.877-692-7998 38 MY C CRYSTAL ry. 44 West, Inverness 18,95400 OFF MSRP 01 FORD WINDSTAR #8488A '8 988 DOD 7, 1771 77,,T- ( CIrnus COUNTY (FL) CHRONICLE *f NTVfn =A ^ E 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/00343
CC-MAIN-2015-32
refinedweb
73,423
79.16
I'm writing a program to export and import DAE files. I included both 1.4 and 1.5 libs of Collada DOM in the same project but the program seems to only work for 1.5 files. Is it possible to support 1.4 and 1.5 in the same project? Christoph Nenning 2009-06-04 > Is it possible to support 1.4 and 1.5 in the same project? This is not officially supported. As DOM classes don't use namespaces there are name clashes in generated code (e.g. class domCOLLADA exists twice). If you build two independent DOM libs and load them at runtime, you have to implement an own mechanism to decide which lib to use for which file. You could open the file manually, have a look at the version or xmlns attributes and decide afterwards which DOM to use.
http://sourceforge.net/p/collada-dom/discussion/531264/thread/3bec63af
CC-MAIN-2015-22
refinedweb
146
79.36
I am learning the fundamentals of the Java language in the command prompt window. Hopefully a few of you people will know how to do this. I have made a program that calculates random numbers for lottery tickets. What I need to do is remove any duplicates that show up in the output. Can someone tell me how I should go about this? (WARNING! This code is a little messy. I still have to polish it up. :) ) public class Super7 { public static void main(String [] args) { //Declare the variables final int TICKET_PRICE = 2; int [] boardNumber = new int [7]; int customerTickets; int maxValue; int maxIndex; int customerPrice; //Ask the user how many tickets he wishes to buy System.out.print("How many tickets would you like to buy @ $2.00/each: "); customerTickets = MyInput.readInt(); //Generate the numbers so that each ticket get 3 boards of 7 numbers from 1-49, depending on how many //tickets he wishes to buy for (int tickets = 0; tickets < customerTickets; tickets++) { System.out.println("\n\t The numbers for your Super 7 ticket(s) are: "); //populate the boardNumber array for (int numberOfBoards = 0; numberOfBoards < 3; numberOfBoards ++) { for (int board = 0; board < boardNumber.length; board++) { boardNumber[board] = (int) (Math.random() * 49 + 1); }//end for for(int outerIndex = boardNumber.length-1; outerIndex>=1; outerIndex--) { maxValue = boardNumber [outerIndex]; maxIndex = outerIndex; for (int innerIndex = outerIndex - 1; innerIndex>=0; innerIndex--) { if(maxValue < boardNumber[innerIndex]) { maxValue = boardNumber[innerIndex]; maxIndex = innerIndex; }//end if }//end for if (maxIndex != outerIndex) { boardNumber[maxIndex] = boardNumber[outerIndex]; boardNumber[outerIndex] = maxValue; }//end if }//end for for (int i = 0; i < boardNumber.length; i ++) { System.out.print("\t" + boardNumber[i]); }//end for System.out.print("\n"); }//end for }//end for customerPrice = customerTickets * TICKET_PRICE; System.out.println("\n Your cost for " + customerTickets + " ticket(s) is $" + customerPrice + ".00"); }//end main }//end class The MyInput.readInt() just reads the users input, it is what we have been given to get the users input. Thanks for your help, and takeing the time to go through that code, it ain't pretty
http://forums.devx.com/printthread.php?t=137892&pp=15&page=1
CC-MAIN-2015-11
refinedweb
337
58.38
batch spec YAML referencebatch spec YAML reference Sourcegraph Batch Changes use batch specs to define batch changes. This page is a reference guide to the batch spec YAML format in which batch specs are defined. If you’re new to YAML and want a short introduction, see “Learn YAML in five minutes.” name The name of the batch change, which is unique among all batch changes in the namespace. A batch change’s name is case-preserving. ExamplesExamples name: update-go-import-statements name: update-node.js description The description of the batch change. It’s rendered as Markdown. ExamplesExamples description: This batch change changes all `fmt.Sprintf` calls to `strconv.Iota`. description: | This batch change changes all imports from `gopkg.in/sourcegraph/sourcegraph-in-x86-asm` to `github.com/sourcegraph/sourcegraph-in-x86-asm` on The set of repositories (and branches) to run the batch change on, specified as a list of search queries (that match repositories) and/or specific repositories. ExamplesExamples on: - repositoriesMatchingQuery: lang:go fmt.Sprintf("%d", :[v]) patterntype:structural - repository: github.com/sourcegraph/sourcegraph on.repositoriesMatchingQuery A Sourcegraph search query that matches a set of repositories (and branches). Each matched repository branch is added to the list of repositories that the batch change will be run on. See “Code search” for more information on Sourcegraph search queries. ExamplesExamples on: - repositoriesMatchingQuery: file:README.md -repo:github.com/sourcegraph/src-cli on: - repositoriesMatchingQuery: lang:typescript file:web const changesetStatsFragment on.repository A specific repository (and branch) that is added to the list of repositories that the batch change will be run on. A branch attribute specifies the branch on the repository to propose changes to. If unset, the repository’s default branch is used. If set, it overwrites earlier values to be used for the repository’s branch. ExamplesExamples on: - repository: github.com/sourcegraph/src-cli on: - repository: github.com/sourcegraph/sourcegraph branch: 3.19-beta - repository: github.com/sourcegraph/src-cli In the following example, the repositoriesMatchingQuery returns both repositories with their default branch, but the 3.23 branch is used for github.com/sourcegraph/sourcegraph, since it is more specific: on: - repositoriesMatchingQuery: repo:sourcegraph\/(sourcegraph|src-cli)$ - repository: github.com/sourcegraph/sourcegraph branch: 3.23 In this example, 3.19-beta branch is used, since it was named last: on: - repositoriesMatchingQuery: repo:sourcegraph\/(sourcegraph|src-cli)$ - repository: github.com/sourcegraph/sourcegraph branch: 3.23 - repository: github.com/sourcegraph/sourcegraph branch: 3.19-beta steps The sequence of commands to run (for each repository branch matched in the on property) to produce the batch change’s changes. ExamplesExamples steps: - run: echo "Hello World!" >> README.md container: alpine:3 steps: - run: comby -in-place 'fmt.Sprintf("%d", :[v])' 'strconv.Itoa(:[v])' .go -matcher .go -exclude-dir .,vendor container: comby/comby - run: gofmt -w ./ container: golang:1.15-alpine steps: - run: ./update_dependency.sh container: our-custom-image env: OLD_VERSION: 1.31.7 NEW_VERSION: 1.33.0 steps.run The shell command to run in the container. It can also be a multi-line shell script. The working directory is the root directory of the repository checkout. steps.container The Docker image used to launch the Docker container in which the shell command is run. The image has to have either the /bin/sh or the /bin/bash shell. It is executed using docker on the machine on which the Sourcegraph CLI ( src) is executed. If the image exists locally, that is used. Otherwise it’s pulled using docker pull. steps.env Environment variables to set in the environment when running this command. These may be defined either as an object or (in Sourcegraph 3.23 and later) as an array. Environment objectEnvironment object In this case, steps.env is an object, where the key is the name of the environment variable and the value is the value. ExamplesExamples steps: - run: echo $MESSAGE >> README.md container: alpine:3 env: MESSAGE: Hello world! Environment arrayEnvironment array In this case, steps.env is an array. Each array item is either: - An object with a single property, in which case the key is used as the environment variable name and the value the value, or - A string that defines an environment variable to include from the environment srcis being run within. This is useful to define secrets that you don’t want to include in the spec file, but this makes the spec dependent on your environment, means that the local execution cache will be invalidated each time the environment variable changes, and means that the batch spec file is no longer the sole source of truth intended by the Batch Changes design. ExamplesExamples This example is functionally the same as the object example above: steps: - run: echo $MESSAGE >> README.md container: alpine:3 env: - MESSAGE: Hello world! This example pulls in the USER environment variable and uses it to construct the line that will be appended to README.md: steps: - run: echo $MESSAGE from $USER >> README.md container: alpine:3 env: - MESSAGE: Hello world! - USER For instance, if USER is set to adam, this would append Hello world! from adam to README.md. steps.files Files to create on the host machine and mount into the container when running steps.run. steps.files is an object, where the key is the name of the file inside the container and the value is the content of the file. ExamplesExamples steps: - run: cat /tmp/my-temp-file.txt >> README.md container: alpine:3 files: /tmp/my-temp-file.txt: Hello world! steps: - run: cat /tmp/global-gitignore >> .gitignore container: alpine:3 files: /tmp/global-gitignore: | # Vim *.swp # JetBrains/IntelliJ .idea # Emacs *~ \#*\# /.emacs.desktop /.emacs.desktop.lock .\#* .dir-locals.el steps.outputs Output variables that are set after the steps.run command has been executed. These variables are available in the global outputs namespace as outputs.<name> template variables in the run, env, and outputs properties of subsequent steps, and the changesetTemplate. Two steps with the same output variable name will overwrite the previous contents. ExamplesExamples steps: - run: yarn upgrade container: alpine:3 outputs: # Set output `friendlyMessage` friendlyMessage: value: "Hello there!" steps: - run: echo "Hello there!" >> message.txt && cat message.txt container: alpine:3 outputs: friendlyMessage: # `value` supports templating variables and can access the just-executed # step's stdout/stderr. value: "${{ step.stdout }}" steps: - run: echo "Hello there!" container: alpine:3 outputs: stepOneOutput: value: "${{ step.stdout }}" - run: echo "We have access to the output here: ${{ outputs.stepOneOutput }}" container: alpine:3 outputs: stepTwoOutput: value: "here too: ${{ outputs.stepOneOutput }}" steps: - run: cat .goreleaser.yml >&2 container: alpine:3 outputs: goreleaserConfig: value: "${{ step.stderr }}" # Specifying a `format` tells Sourcegraph CLI how to parse the value before # making it available as a template variable. format: yaml changesetTemplate: # [...] body: | The `goreleaser.yml` defines the following `before.hooks`: ${{ outputs.goreleaserConfig.before.hooks }} steps.outputs.<name>.value The value the output should be set to. steps.outputs.<name>.format The format of the corresponding steps.outputs.<name>.value. When this is set to something other than text, it will be parsed as the given format. Possible values: text, yaml, json. Default is text. steps.if Condition to check before executing the step. If the value of the if: attribute is true (boolean) or "true" (string) then the step is executed in the given repository (or workspace, in case workspaces are used). Otherwise the step is skipped. As an optimization, the Sourcegraph CLI tries to evaluate the condition before starting to execute any steps. If the condition can be evaluated ahead of time and the result of the evaluation is false then the execution of the step won’t be attempted for the repository, which leads to better cache utilization. Ahead-of-time evaluation is possible if the condition contains only static data. Example: if: ${{ eq repository.name "github.com/my-org/my-repo" }}. The repository name is known before the execution of the steps, so evaluation succeeds and Sourcegraph CLI will not include the given step in the list of steps to execute for repositories that don’t have the matching name. That in turn allows the modification of this step’s run attribute, for example, without invalidating the cache for the repositories in which it’s never executed. ExamplesExamples steps: # `if:` is true, step always executes. - if: true run: echo "name of repository is ${{ repository.name }}" >> message.txt container: alpine:3 steps: # `if:` is a static string that's not "true", step never executes. - if: "random string" run: echo "name of repository is ${{ repository.name }}" >> message.txt container: alpine:3 steps: # `if:` uses templating to check for repository name and produce a "true". Only runs in github.com/sourcegraph/automation-testing - if: ${{ eq repository.name "github.com/sourcegraph/automation-testing" }} run: echo "hello from automation-testing" >> message.txt container: alpine:3 steps: # `if:` uses glob pattern to match repository name and produce "true" on match. - if: ${{ matches repository.name "*sourcegraph-testing*" }} run: echo "name contains sourcegraph-testing" >> message.txt container: alpine:3 steps: # First step prints to standard out steps: # `if:` checks for path, in case steps are executed in workspace. - if: ${{ eq steps.path "sub/directory/in/repo" }} run: echo "hello workspace" >> workspace.txt container: golang importChangesets An array describing which already-existing changesets should be imported from the code host into the batch change. ExamplesExamples importChangesets: - repository: github.com/sourcegraph/sourcegraph externalIDs: [13323, "13343", 13342, 13380] - repository: github.com/sourcegraph/src-cli externalIDs: [260, 271] importChangesets.repository The repository name as configured on your Sourcegraph instance. importChangesets.externalIDs The changesets to import from the code host. For GitHub this is the pull request number, for GitLab this is the merge request number, for Bitbucket Server this is the pull request number. changesetTemplate A template describing how to create (and update) changesets with the file changes produced by the command steps. This defines what the changesets on the code hosts (pull requests on GitHub, merge requests on Gitlab, …) will look like. ExamplesExamples changesetTemplate: title: Replace equivalent fmt.Sprintf calls with strconv.Itoa body: This batch change replaces `fmt.Sprintf("%d", integer)` calls with semantically equivalent `strconv.Itoa` calls branch: batch-changes/sprintf-to-itoa commit: message: Replacing fmt.Sprintf with strconv.Iota author: name: Lisa Coder email: [email protected] published: false changesetTemplate: title: Update rxjs in package.json to newest version body: This pull request updates rxjs to the newest version, `6.6.2`. branch: batch-changes/update-rxjs commit: message: Update rxjs to 6.6.2 published: true changesetTemplate: title: Run go fmt over all Go files body: Regular `go fmt` run over all our Go files. branch: go-fmt commit: message: Run go fmt author: name: Anna Wizard email: [email protected] published: # Do not meddle in the affairs of wizards, for they are subtle and quick to anger. - git.istari.example/*: false - git.istari.example/anna/*: true changesetTemplate.title The title of the changeset on the code host. changesetTemplate.body The body (description) of the changeset on the code host. If the code supports Markdown you can use it here. changesetTemplate.branch The name of the Git branch to create or update on each repository with the changes. changesetTemplate.commit The Git commit to create with the changes. changesetTemplate.commit.message The Git commit message. changesetTemplate.commit.author The name and ExamplesExamples changesetTemplate: commit: author: name: Alan Turing email: [email protected] changesetTemplate.published Whether to publish the changeset. This may be a boolean value (ie true or false), 'draft', or an array to only publish some changesets within the batch change. This may also be omitted, in which case the publication state will be controlled through the Sourcegraph UI, and will default to unpublished (that is, the same as specifying false). An unpublished changeset can be previewed on Sourcegraph by any person who can view the batch change, but its commit, branch, and pull request aren’t created on the code host. When published is set to draft a commit, branch, and pull request / merge request are being created on the code host in draft mode. This means: - On GitHub the changeset will be a draft pull request. - On GitLab the changeset will be a merge request whose title is be prefixed with 'WIP: 'to flag it as a draft merge request. - On BitBucket Server draft pull requests are not supported and changesets published as draftwon’t be created. A published changeset results in a commit, branch, and pull request being created on the code host. Publishing only specific changesets To publish only specific changesets within a batch change, an array of single-element objects can be provided. For example: published: - github.com/sourcegraph/sourcegraph: true - github.com/sourcegraph/src-cli: false - github.com/sourcegraph/batchutils: draft Each key will be matched against the repository name using glob syntax. The gobwas/glob library is used for matching, with the key operators being: If multiple entries match a repository, then the last entry will be used. For example, github.com/a/b will not be published given this configuration: published: - github.com/a/*: true - github.com/*: false If no entries match, then the repository will not be published. To make the default true, add a wildcard entry as the first item in the array: published: - "*": true - github.com/*: false By adding a @<branch> at the end of a match-rule, the rule is only matched against changesets with that branch: published: - github.com/sourcegraph/src-*@my-branch: true - github.com/sourcegraph/src-*@my-other-branch: true ExamplesExamples To publish all changesets created by a batch change: changesetTemplate: published: true To publish all changesets created by a batch change as drafts: changesetTemplate: published: draft To only publish changesets within the sourcegraph GitHub organization: changesetTemplate: published: - github.com/sourcegraph/*: true To publish all changesets that are not on GitLab: changesetTemplate: published: - "*": true - gitlab.com/*: false To publish all changesets on GitHub as draft: changesetTemplate: published: - "*": true - github.com/*: draft To publish only one of many changesets in a repository by addressing them with their branch name: changesetTemplate: published: - "*": true - github.com/sourcegraph/*@my-branch-name-1: draft - github.com/sourcegraph/*@my-branch-name-2: false (Multiple changesets in a single repository can be produced, for example, per project in a monorepo or by transforming large changes into multiple changesets). transformChanges A description of how to transform the changes (diffs) produced in each repository before turning them into separate changeset specs by inserting them into the changesetTemplate. This allows the creation of multiple changeset specs (and thus changesets) in a single repository. ExamplesExamples # Transform the changes produced in each repository. transformChanges: # Group the file diffs by directory and produce an additional changeset per group. group: # Create a separate changeset for all changes in the top-level `go` directory - directory: go branch: my-batch-change-go # will replace the `branch` in the `changesetTemplate` - directory: internal/codeintel branch: my-batch-change-codeintel # will replace the `branch` in the `changesetTemplate` repository: github.com/sourcegraph/src-cli # optional: only apply the rule in this repository transformChanges: group: - directory: go/utils/time branch: my-batch-change-go-time # The *last* matching directory is used, not the most specific one, # so only this changeset would be opened. - directory: go/utils branch: my-batch-change-go-date transformChanges.group A list of groups to define which file diffs to group together to create an additional changeset in the given repository. The order of the list matters, since each file diff’s filepath is matched against the directory of a group and the last match is used. If no changes have been produced in a directory then no changeset will be created. transformChanges.group.directory The name of the directory in which file diffs should be grouped together. The name is relative to the root of the repository. transformChanges.group.branch The branch that should be used for this additional changeset. This overwrites the changesetTemplate.branch when creating the additional changeset. Important: the branch can not be nested under the changesetTemplate.branch, i.e. if the changesetTemplate.branch is my-batch-change then this can not be my-batch-change/my-subdirectory since git doesn’t allow that. Additionally branch names must be unique and cannot be used as arguments for multiple directory fields. transformChanges.group.repository Optional: the file diffs matching the given directory will only be grouped in a repository with that name, as configured on your Sourcegraph instance. workspaces The optional workspaces property allows users to define where projects are located in repositories and cause the steps to be executed for each project, instead of once per repository. That allows easier creation of multiple changesets in large repositories. For each repository that’s yielded by on and matched by a workspaces.in property, Sourcegraph search is used to get the locations of the rootAtLocationOf file. Each location then serves as a workspace for the execution of the steps, instead of the root of the repository. Important: Since multiple workspaces in the same repository can produce multiple changesets, it’s required to use templating to produce a unique changesetTemplate.branch for each produced changeset. See the examples below. Examples Defining JavaScript projects that live in a monorepo by using the location of the package.json file as the root for each project: on: - repository: github.com/sourcegraph/sourcegraph workspaces: - rootAtLocationOf: package.json in: github.com/sourcegraph/sourcegraph changesetTemplate: # [...] # Since a changeset is uniquely identified by its repository and its # branch we need to ensure that each changesets has a unique branch name. # We can use templating and helper functions get the `path` in which # the `steps` executed and turn that into a branch name: branch: my-multi-workspace-batch-change-${{ replace steps.path "/" "-" }} Using templating to produce a unique branch name in repositories with workspaces and repositories without workspaces: on: - repository: github.com/sourcegraph/sourcegraph - repository: github.com/sourcegraph/src-cli workspaces: - rootAtLocationOf: package.json in: github.com/sourcegraph/sourcegraph changesetTemplate: # [...] # Since the steps in `github.com/sourcegraph/src-cli` are executed in the # root, where path is "", we can use `join_if` to drop it from the branch name # if it's a blank string: branch: ${{ join_if "-" "my-multi-workspace-batch-change" (replace steps.path "/" "-") }} Defining where Go, JavaScript, and Rust projects live in multiple repositories: workspaces: - rootAtLocationOf: go.mod in: github.com/sourcegraph/go-* - rootAtLocationOf: package.json in: github.com/sourcegraph/*-js onlyFetchWorkspace: true - rootAtLocationOf: Cargo.toml in: github.com/rusty-org/* changesetTemplate: # [...] branch: ${{ join_if "-" "my-multi-workspace-batch-change" (replace steps.path "/" "-") }} Using steps.outputs to dynamically create unique branch names: # [...] on: # Find all repositories with a package.json file - repositoriesMatchingQuery: repohasfile:package.json workspaces: # Define that workspaces have their root folder at the location of the # package.json files - rootAtLocationOf: package.json in: "*" steps: # [... steps that produce changes ...] # Run `jq` to extract the "name" from the package.json - run: jq -j .name package.json container: jiapantw/jq-alpine:latest outputs: # Set outputs.packageName to stdout of this step's `run` command. packageName: value: ${{ step.stdout }} changesetTemplate: # [...] # Use `outputs` variables to create a unique branch name per changeset: branch: my-batch-change-${{ outputs.projectName }} workspaces.rootAtLocationOf The full name of the file that sits at the root of one or more workspaces in a given repository. Sourcegraph code search is used to find the location of files with this name in the repositories returned by on. For example, in a repository with the following files: packages/sourcegraph-ui/package.json packages/sourcegraph-test-helper/package.json the workspace configuration workspaces: - rootAtLocationOf: package.json in: "*" would create two changesets in the repository, one in packages/sourcegraph-ui and one in packages/sourcegraph-test-helper. workspaces.in The repositories in which the workspace should be discovered. This field supports globbing by using glob syntax. See “Publishing only specific changesets” for more information on globbing. A repository matching multiple entries results in an error. ExamplesExamples Match all repository names that begin with github.com/: workspaces: - rootAtLocationOf: go.mod in: github.com/* Match all repository names that begin with gitlab.com/my-javascript-org/ and end with -plugin: workspaces: - rootAtLocationOf: package.json in: gitlab.com/my-javascript-org/*-plugin workspaces.onlyFetchWorkspace When set to true, only the folder containing the workspace is downloaded to execute the steps. This field is not required and when not set the default is false. Additional files — .gitignore and .gitattributes as of now — are downloaded from the location of the workspace up to the root of the repository. For example, with the following file layout in a repository . ├── a │ ├── b │ │ ├── [... other files in b ...] │ │ ├── package.json │ │ └── .gitignore │ │ │ ├── [... other files in a ...] │ ├── .gitattributes │ └── .gitignore │ ├── [... other files in root ... ] └── .gitignore and this workspace configuration workspaces: - rootAtLocationOf: package.json in: github.com/our-our/our-large-monorepo onlyFetchWorkspace: true then - the stepswill be executed in b - the complete contents of bwill be downloaded and are available to the steps - the .gitattributesand .gitignorefiles in awill be downloaded and put in a, but only those - the .gitignorefiles in the root will be downloaded and put in the root folder, but only that file ExamplesExamples Only download the workspaces of specific JavaScript projects in a large monorepo: workspaces: - rootAtLocationOf: package.json in: github.com/our-our/our-large-monorepo onlyFetchWorkspace: true
https://docs.sourcegraph.com/batch_changes/references/batch_spec_yaml_reference
CC-MAIN-2021-43
refinedweb
3,520
51.65
In this article, I will walk you through a simple application using MVC4 and Entity Framework 5 and will demonstrate how one can make use of code first technology. I will be using MvsScaffold for quick creation of controllers and views. We will be creating a TODO application. Before we start, lets make sure you have NuGet package manager and SQL component if you don’t already have it. In Visual Studio 2010 (I use professional one), go to Tools –> Extension Manager… Click on the ‘Online Gallery’ in search box type NuGet and hit enter. It will show the NuGet Pakage Manager, I already have it installed to you can see the green click mark. If you do not have install, double click it to install, and follow the instructions. When you have the NuGet pakage install, you should be able to see the library package manager. Tools-> Library Package Manager –> Package Manager Console Clicking this menu item should bring up the powershell console Type Install-Package EntityFramework.SqlServerCompact, hit Enter. This will install the SQL component. Select Internet Application, choose the view engine as Razor Open Package Manager Console (Tools-> Library Package Manager –> Package Manager Console) Run following commands in the console 1: //Install 2: Install-Package EntityFramework 3: //Or Update 4: Update-Package EntityFramework Now install MvcScaffolding 1: Install-Package MvcScaffolding In case you are not already aware, hitting tab key brings up the options, make use of it whenever you need it in Package Manager Console. Create a cs file named Models.cs in Model folder (actually you should create different files for different models, I created all of them just to save my time) Models.cs contains following three models. 1: using System; 2: using System.Collections.Generic; 3: using System.Linq; 4: using System.Web; 5: using System.ComponentModel.DataAnnotations; 6: using System.ComponentModel.DataAnnotations.Schema; 7: 8: namespace TODO.Models 9: { 10: public class Task 11: { 12: [Key] 13: public int TaskId { get; set; } 14: public string Name { get; set; } 15: public string Description { get; set; } 16: public int? StatusId { get; set; } 17: [ForeignKey("StatusId")] 18: public virtual Status Status { get; set; } 19: public virtual ICollection<Note> Notes { get; set; } 20: public DateTime? CreatedOn { get; set; } 21: public DateTime? ModifiedOn { get; set; } 22: } 23: 24: public class Status 25: { 26: [Key] 27: public int StatusId { get; set; } 28: public string Name { get; set; } 29: } 30: 31: public class Note 32: { 33: [Key] 34: public int NoteId { get; set; } 35: public string Description { get; set; } 36: public int? TaskId { get; set; } 37: public DateTime? CreatedOn { get; set; } 38: public DateTime? ModifiedOn { get; set; } 39: } 40: } Line 5,6: References so that I could use the Data Annotation as you can see in line 12, 17, 26 and 33. You can refer following article for more information on Data Annotations. Notice line 18, as it can see this property should be the virtual with an attribute named ForeignKey with the FK, also check line 16, you need to have the StatusId to link the tables. Also if you notice line 36, Note should belong to some Task but do not need to have a Note itself. I have used [Key] is to explicitly mention the primary keys. Step 5: Create Controller and Views Go to Package Manager Console, run following commands 1: Scaffold Controller Task -Repository 2: Scaffold Controller Note -Repository 3: Scaffold Controller Status –Repository I am using ‘-Repository’ option, because I want to access the data through repositories. When you change the Models and want to recreate the Controllers or View use ‘-Force’ option. 1: Scaffold Controller Task -Repository -Force 2: Scaffold Controller Note -Repository -Force 3: Scaffold Controller Status -Repository -Force This step automatically create Repositories, Controllers, DBContext and Views. Step 6: Edit Layout Open Shared/_Layout.cshtml and add the links so that you can easily navigate to the actions and may be you want to update the Title of the application <li>@Html.ActionLink("Home", "Index", "Home")</li> <li>@Html.ActionLink("About", "About", "Home")</li> <li>@Html.ActionLink("Contact", "Contact", "Home")</li> Run the application it should work just fine. Isn’t it cool? Comment out the divs in _CreateOrEdit.cshtml of Notes and Tasks view which display the ModifiedOn and CreatedOn fields. Go to NoteRepository.cs and TaskRepository.cs, find InsertOrUpdate() method and modify them as follows 1: public void InsertOrUpdate(Task task) 2: { 3: if (task.TaskId == default(int)) { 4: // New entity 5: task.CreatedOn = task.ModifiedOn = DateTime.Now; 6: context.Tasks.Add(task); 7: } else { 8: // Existing entity 9: task.ModifiedOn = DateTime.Now; 10: context.Entry(task).State = EntityState.Modified; 11: } 12: } Notice line 5 and 9, where I am modifying the ModifiedOn and CreatedOn before saving and updating the model. ModifiedOn CreatedOn Update: Adding some information about line 10 as per a user commentLine 10: context.Entry(task).State = EntityState.Modified; This is a way to tell the dbContext that some properties of the entity has been modified but SaveChanges() is not called. Entity framework takes care of updating the entity with the modified values. Calling the context.Entry() returns DbEntityEntry<TEntity> object which provide access to information about and control of entities that are being tracked by the DbContext. In a simple words, it's the way to tell Entity Framework to update an entity with the modified values. You would also need to have following line in _CreateOrEdit.cshtml of tasks so persist the values of CreatedOn. 1: @Html.HiddenFor(m=>m.CreatedOn) Run the application again and you should be able to add, update and delete the data This is not it, this has automatically created the database for you, you can check that out, Browse to SQLExpress database there you should be able to see a database for this application. Check the Tables, Columns, Primary Keys and Foreign Keys they are all in place exactly as you created them in the models. There is too much explain, however, as per the scope of this article, consider this article as starting point to plunge deep into this. Before I wrap up this article, one last thing want to inform you about which is called database initializer. Go to TODOContext.cs in the Model folder, create a constructor of TODOContext as follows: TODOContext public TODOContext() { System.Data.Entity.Database.SetInitializer( new System.Data.Entity.DropCreateDatabaseIfModelChanges<TODO.Models.TODOContext>()); } It does as the name says DropCreateDatabaseIfModelChanges when you change any Model by adding or deleting some properties, the current database will be dropped and it will be recreated. If you modify the model without having this constructor, you might see an error as follows DropCreateDatabaseIfModelChanges I have already mentioned the database will be created in the SQLExpress, do not be surprised if you do not see the database getting created in the database specified by you in the connectionstring of the web.config. Note: Entity framework will always try to connect to the local SQL Server Express database (.\SQLEXPRESS). Starting with EF 5, Ef will use LocalDb if it doesn’t detect SQL Express running. SQL Express will always get precedence if it is installed, even if you are using Visual Studio 2012. Following are the links where you can find more information: This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL) Error 7 The type or namespace name 'Task' could not be found (are you missing a using directive or an assembly reference?) I:\VS2012\asp.net-mvc4\Tasks\Tasks\Models\TaskRepository.cs 16 27 Tasks Error 2 A using namespace directive can only be applied to namespaces; 'Tasks.Models.Models' is a type not a namespace I:\VS2012\asp.net-mvc4\Tasks\Tasks\Controllers\StatusController.cs 6 7 Tasks General News Suggestion Question Bug Answer Joke Praise Rant Admin Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.
https://www.codeproject.com/Articles/468777/Code-First-with-Entity-Framework-5-using-MVC4-and?fid=1791402&df=90&mpp=10&sort=Position&spc=None&select=4405619&tid=4405472
CC-MAIN-2017-47
refinedweb
1,325
54.93
I’m really new to tensorflow and just found something unusual when instantiating a keras metric object as follows. import tensorflow as tf m = tf.keras.metrics.Mean(name='test') Once executing two lines above in python, GPU memory consumption soars from 0% to around 95% (about 10GiB) in a moment. And it never goes down until I terminate the program or delete the instance. I checked it on nvtop gpu monitor. My machine is Ubuntu server with eight RTX2080Ti GPUs equipped. Plus, I’m using docker image provided by the Nvidia NGC (specifically, nvcr.io/nvidia/tensorflow:20.03-tf2-py3) I observed the same issue on TitanXp machine. And another docker image (nvcr.io/nvidia/tensorflow:20.01-tf2-py3) showed the same issue. Do you guys get the same issue? Is it a bug of tensorflow or the docker image?
https://forums.developer.nvidia.com/t/excessive-gpu-memory-consumption-of-tensorflow-keras-metrics-metric-objects/120073
CC-MAIN-2021-39
refinedweb
143
61.12
EHLO,On Tue, Jun 21, 2005 at 11:39:14PM -0700, Andrew Morton wrote:> > > System where users can mount their own filesystems should not be> > > called "Unix" any more.> > > > It's not. It's "Linux".> > It would be helpful if we could have a brief description of the feature> which you're discussing here. We discussed this a couple of months back,> but I've forgotten most of it and it was off-list I think.<offtopic>Excuse me, I'm far from being a filesystem/vfs expert ... However I'vegot the idea about the merging fuse/reiser4 that some guys keep complainingabout the quite strange behaviour of these stuffs: when I write 'strange'I mean strange from the view point of some standard unix ideas about filesystems (and anything related to filesystems like permission checking, namespacesetc) and how they should be implemented and handled.This reminds me articles about comparing Linux and BSDs. BSD guys claimsthat BSD distros _ARE_ unices but Linux is not. It's out of scope to wastemails about these flames like this (it's question of view point as almostalways) however there IS some lesson here. BSD systems are somewhat (well,not counting the interesting ideas of DragonFly BSD) conservative toimplement new stuffs. I'm about stuffs like filesystem transactions, APIexported to the user space to be able to do things like deleting data fromthe begining of the file (there is API call to truncate - from the end ofthe file ...) and such (what a quite braindead idea to rewrite eg a 10Gbytelong file just for inserting one byte to somewhere in the middle of the file- in 2005 ...). The only thing explains where the later is not present inmost OSes is because of historical reasons and not technical ones. And if evenLinux does not want to open toward extended filesystem abilities which commonopen source system will? I guess none.I can inmagine that vendors of some closed source systems will exploitthe hole in the area of outdated filesystem concept of our current worldand when it becomes reality it's to late. Maybe.Please forgive for my possible offtopic mail here but I could not resist :)</offtopic>-- - Gábor-To unsubscribe from this list: send the line "unsubscribe linux-kernel" inthe body of a message to majordomo@vger.kernel.orgMore majordomo info at read the FAQ at
http://lkml.org/lkml/2005/6/24/153
CC-MAIN-2018-09
refinedweb
390
66.78
The Q3Semaphore class provides a robust integer semaphore. More... #include <Q3Semaphore> This class is part of the Qt 3 support library. It is provided to keep old source code working. We strongly advise against using it in new code. See Porting to Qt 4 for more information. Note: All the functions in this class are thread-safe. The Q3Semaphore class provides a robust integer semaphore. A Q3 restaurant. A semaphore is initialized to have a maximum count equal to the number of chairs in the restaurant.. Creates a new semaphore. The semaphore can be concurrently accessed at most maxcount times. Destroys the semaphore. Warning: If you destroy a semaphore that has accesses in use the resultant behavior is undefined. Returns the number of accesses currently available to the semaphore. Returns the total number of accesses to the semaphore. Try to get access to the semaphore. If available() < n, this function will return false immediately. If available() >= n, this function will take n accesses and return true. This function does not block. Postfix ++ operator. Try to get access to the semaphore. If available() == 0, this call will block until it can get access, i.e. until available() > 0. Try to get access to the semaphore. If available() < n, this call will block until it can get all the accesses it wants, i.e. until available() >= n. Postfix -- operator. Release access of the semaphore. This wakes all threads waiting for access to the semaphore. Release n accesses to the semaphore.
https://doc.qt.io/archives/qtextended4.4/q3semaphore.html
CC-MAIN-2022-05
refinedweb
248
71
John - potatoes should return the final weight coming out of the oven w1 truncated as an int. Example: potatoes:(99, 100, 98) --> 50 This challenge comes from g964 on CodeWars, who has licensed redistribution of this challenge under the 2-Clause BSD License! Want to propose a challenge idea for a future post? Email yo+challenge@dev.to with your suggestions! Discussion (11) Oh come on, that's not coding :v F#, but this will pretty much look the same in every language since it's a simple math problem: Test: All this talk of potatoes makes me want to Go get some french fries. I added some error checking for a few cases that made sense to me, such as: I also changed the inputs and outputs to specifically be unsigned integers, since it seems like negative numbers were not meant to be used here and this avoids having to do error checking for things like: Want to see my solutions to the other challenges? Go check them out on my Github! github.com/Dak425/dev-to-challenges potato.go potato_test.go Perl solution with tests. How did I get the formula? Let's say dis the dry matter weight. We know that therefore, Haskell: Good ol' python one-liner* 😊 def potatoes(p0, w0, p1): return w0*(100-p0)/(100-p1) *math sold separately I didn't know that we can define a function and return it in the same line ... That's crazy let potatoes = (p0, w0, p1) => parseInt(w0 * (100 - p0) / (100 - p1)) console.log(potatoes(99, 100, 98)); console.log(potatoes(50, 200, 25)); in C# mind : blown 🤯
https://dev.to/thepracticaldev/daily-challenge-64-drying-potatoes-3j66
CC-MAIN-2021-43
refinedweb
272
70.84
I was having a look around the Instructables site, and saw some Matrix screen makers. I like writing computer programs, and one time decided to make one of these, and I am going to show you how! You must have the Microsoft .NET Framework 3.5 installed to do this. Please rate, it is my first instructable, and I want to know how I go. **UPDATE** If you do not have the Microsoft.NET Framework 3.5, you can easily download it from the Microsoft Download site (download.microsoft.com), and search for .NET 3.5. I have made a new version that spits out random characters, instead of just numbers. It DOES NOT show a screenshot of the matrix, or show a 3D screen. Just random letters. In green. Step 1: Coding You need to download the code file attached, and save it in to your my documents folder. If you are interested in computer programming, this program might be interesting to look at. You need to copy all of the italic text, and save it to a file called Program.txt. using System; namespace Matrix_V2 { class Program { static void Main(string[] args) { //Sets the text color to green Console.ForegroundColor = ConsoleColor.Green; //Create a string with some random characters string random_characters = "£¤¥¦§¨©ª«¬®¯±²³´µ¶·¸¹ºΣΤΦΩαβδεμπστφABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz<,>.?/:;\"\'{[}]\\|`~0123456790-_=+!@#$%^&*() "; //Get all of those characters and turn them into an "array" char[] random_characters_array = random_characters.ToCharArray(); //Clear the screen Console.Clear(); //Writes details about the application to the console screen Console.Title = "Matrix V2 - Press Ctrl+C to exit"; Console.WriteLine("Matrix V2"); Console.WriteLine("Written by Chris Ward"); Console.WriteLine(""); Console.Write("Press any key to continue"); Console.ReadKey(); //Creates a pseudo-random generator Random r = new Random(); //Creates a statement that runs forever while (true) { //Gets the ASCII character from the array, based on what the number is Console.Write(random_characters_array[r.Next(random_characters.Length)]); //then runs the statement again... and again... etc. } } } } so i have to have the frame work in order for this to work, and i really dont want just random as letters and numbers, does it look exactly like it in the picture? My batch file won't change into a exe file. Is this because I have microsoft.net framework 4.5? #no data and keypress, fast running #maker error fixes(like spaces) # link: Than you! I removed author data and "press enter" to start it runs, closes just like its supposed to. but no file is created. HELPPPP The directory name is invalid. Press any key to continue . . . HELPP Type cd Location of files Press enter copy the line for the compiler, the really long one. when I run the program a window opens (windows\sistem32.cmd.exe) and is says press any ket to continue . . . and if I press any thing it just closes. What is posibly the problem? error warning CS1691: '1702/errorreporting:prompt' is not a valid warning numer Thank you Michael Fitzgerald Note: Currently Running Windows Vista Home Premuim /nowarn:1701,1702(*)/errorreport:prompt Program.txt(23,8):error CS0116: A namespace does not directly contain members such as feilds or methods Program.txt(23,42):error CS1022: Type of namespace definition, or end-of-the-file expected Can you help at all?
http://www.instructables.com/id/Make-a-Matrix-Screen-with-Pseudo-Random-number-gen/
CC-MAIN-2014-52
refinedweb
543
68.77
I have two java errors that I need help on solving, please help!! Error 1: incomparable types: Scanner and String Error 2: bad operand types for binary operator '+' Here is my code: import java.util.Scanner; public class calculator { public static void main(String[] args) { Scanner x = new Scanner(System.in); x.nextInt(); Scanner y = new Scanner(System.in); y.nextInt(); Scanner function = new Scanner(System.in); function.next(); if (function == "add") { int sum = x + y; System.out.println(sum); } You can't use + for a non-primitive type (or String). In your case, you try to use it for a Scanner reference. You probably meant: Scanner scanner = new Scanner(System.in); int x = scanner.nextInt(); int y = scanner.nextInt(); String function = scanner.next(); if (function == "age") { int sum = x + y; System.out.println(sum); }
https://codedump.io/share/Exv8iWYklfhL/1/i-have-2-java-errors-that-i-need-help-errors-incomparable-types-scanner-and-string-amp-bad-operand-types-for-binary-operator-3939
CC-MAIN-2021-21
refinedweb
135
54.39
In part 3 I want to show you how to query References. In the previous post I showed you three basic classes that demonstrate a Relationship between Order and OrderLine, and a Reference to User from Order using the UserId. I’ve setup some really basic test data: using (var session = store.OpenSession()) { session.Store(new User { FirstName = "Phillip", Surname = "Haydon", Username = "phillip.haydon", Password = "somepassword" }); session.Store(new User { FirstName = "Edward", Surname = "Norton", Username = "edward.norton", Password = "somepassword" }); session.Store(new Order { UserId = "users/1", DateOrdered = DateTime.Now, DateUpdated = DateTime.Now, Status = "Ordered", Lines = new List<OrderLine> { new OrderLine { Discount = 0m, PricePerUnit = 13.95m, Quantity = 5, SkuCode = "SN78" }, new OrderLine { Discount = 0m, PricePerUnit = 13.95m, Quantity = 5, SkuCode = "SN78" } } }); session.SaveChanges(); } This creates two collections: With our Order document looking like: { "UserId": "users/1", "DateOrdered": "2012-07-13T23:34:40.5542680", "DateUpdated": "2012-07-13T23:34:40.5542680", "Status": "Ordered", "Lines": [ { "PricePerUnit": 13.95, "Quantity": 5, "Discount": 0.0, "SkuCode": "SN78" }, { "PricePerUnit": 13.95, "Quantity": 5, "Discount": 0.0, "SkuCode": "SN78" } ] } What’s cool about RavenDB Studio is that it shows us that the UserId is a reference. RavenDB links the reference up for you as well so you can click it and it will navigate you directly to the document that is being referenced. There are three ways that we can load this data in code. - Roundtrip to the store - Include - Transform Roundtrip to the store This method is easy peasy, and it’s pretty similar to something you would do when working with a relational database. using (var session = store.OpenSession()) { var order = session.Load<Order>("orders/1"); var user = session.Load<User>(order.UserId); Console.WriteLine("Lines: " + order.Lines.Count()); Console.WriteLine("FirstName: " + user.FirstName); } When we run this we get an output like so: The problem with this approach is that we have to go to RavenDB twice, shown here: But it achieves the desired result. Include The include method is very similar, the only difference is we tell RavenDB to include the User when we fetch the Order. This can be done like so: using (var session = store.OpenSession()) { var order = session.Include<Order>(x => x.UserId) .Load<Order>("orders/1"); var user = session.Load<User>(order.UserId); Console.WriteLine("Lines: " + order.Lines.Count()); Console.WriteLine("FirstName: " + user.FirstName); } As you can see all we have done is add the Include method to our initial query. When we run this we get the exact same output, the difference this time is that RavenDB will issue 1 query for data. So the first query for Order, includes the User. This User object is now part of the current RavenDB Session, so now when we load the User on the next line it doesn’t need to go to RavenDB to fetch it, it already has it. Transform This last method is quite different to the last two, it involves writing an index and implementing TransformResults. First we start by defining an index, which basically just grabs the UserId in the map, then looks up the user in the transform. public class Order_WithUser : AbstractIndexCreationTask<Order> { public Order_WithUser() { Map = o => from s in o select new { s.UserId }; TransformResults = (database, results) => from s in results let user = database.Load<User>(s.UserId) select new { s.Id, s.UserId, s.DateOrdered, s.DateUpdated, s.Status, s.Lines, User = user }; } } Then we can query it and return it as a new model that includes the User (this could also be added to the Order and not persisted but I’ve made it a separate model for demonstration) public class OrderResult { public string Id { get; set; } public string UserId { get; set; } public DateTime DateOrdered { get; set; } public DateTime DateUpdated { get; set; } public string Status { get; set; } public IEnumerable<OrderLine> Lines { get; set; } public User User { get; set; } } using (var session = store.OpenSession()) { var order = session.Query<Order, Order_WithUser>() .Where(x => x.Id == "orders/1") .AsProjection<OrderResult>() .SingleOrDefault(); Console.WriteLine("Lines: " + order.Lines.Count()); Console.WriteLine("FirstName: " + order.User.FirstName); } When we run this again we get the same results, however in RavenDB we have had to query against an index, rather than just grabbing the document as is. That concludes part 3. Any questions, leave a comment or join the JabbR RavenDB chat room. {{ parent.title || parent.header.title}} {{ parent.tldr }} {{ parent.linkDescription }}{{ parent.urlSource.name }}
https://dzone.com/articles/ravendb%E2%80%A6-what-am-i-persisting-2
CC-MAIN-2017-04
refinedweb
726
57.16
- What is MPlug::selectAncesterLogicalElement() used for? - need help on particle event collisions - Need help on helpLine; command in UI - Excluding objects from drag selection? - Resolution Gate Corners... - MStringArray to MItSelectionList help(API) - Changing the namespace of a child reference - API:MMeshIntersector speed? or alternatives? - noop loop error - Edge selections return false results in size($edge) command. - Querying Border Edges Script Issue - Geo constr. (on nonplanar surface) + Point constr. = problems - Field3d Maya Plugin - Python setState mel Command - python/MEL query question - vector expression problem? - pymel: getPointAtUV error - itemFilter using byScript via python? - itemFilter using byScript via python? - plugin can't run on computers without vs2008 - python function in expression - art3dPaintCtx + Layered Texture node? - Expression attribute called attribute? - Remove Duplicate Textures Script ? - two questions? - Duplicate command - Rendering material previews with a different renderer? - bounding box info - Import geoCache - Storing Array Data in scene - How do you get the polygon count and world-space coordinates of an object? - Custom Animation Panel Setup help - Sort Layers Alphabetically - But Then Keep That Order ? - Errors while trying to compile SimpleFluidEmitter - Maya plug-in crashes after second load - Need Help In Making My First Script - When to deal with errors? - Switches with Radio Buttons using MEL? - mel: string question - Python to edit text files - [python] treeview - MEL command that's equivilant to the '>' button for face selection? - Popup Menu of Shelves? - How to move a locator along a vector until it intersects a surface? - MultichannelEXR - changing a channel - selecting children of selected node - How to run a script everytime when the file is saved ? - Need MEL expert help! - Run Mel script Without opening maya file - Initial value that will be kept when rerun? - Apply noise to multiple objects - MEL scale operation - User interface slider question - API: instant data update without downstream request - Attach Fur (in poly) to a another surface using follicles ? - list objectsets - reset rig - arrayMapper usage - pre-render mel for bake sequence - get curve parametar(or point ws) at lenght? - How to get Point world position from UV coordinates - what're the steps to create my own node in maya by python - python os.walk question - python scripting mr proxies - Disecting an poly object into faces - MEL: scriptTable help please! - MFnRotateManip world space - Icons in marking menus? - How to find details of file date time and file size via mel? - Issues with MViewportRenderer and Maya 2011 - Query Layer Override Value - Script to save screenshot + fluidContainer Attrs? - How to call a python script from a custom shelf - optionMenu help - perform_NP_duplicateAlongCurve.mel - Images Rendering as if Lights are not on? Dark Stills. - Real-time Sine Node - Python, how to assign a material to an object - Python in Mel Expressions? - what's wrong with this simple code? - Sound to drive Animation in Maya - Call a scriptNode from a attribute - Quick Mel Question - MEL vs Python - optionMenu alignment - Maya Api Software Distribution Issue - listRelatives inconsistancy in the return - C++ API Set Attribute - import numpy, Python module problem - sample color value on surface - [HELP] symbolButton - Disabling parts of a FreepointTriadManip ? - connectControl is very slow in Maya 2011? - query rigid body collision - Runtime expression evaluate every 'n' frame? - particle opacity based on angle to camera - MEL - How to add an RGB color slider attribute? - array index for given string value - python's maya.standalone dll failures. - allIntersections using mel - Can you access and change vertex ids? - Select geometry snippet - remapping coordinate values, (normalizing?), math question - Average UVs ? - Follicle query - advice for using api stuff with python - maya2010/visual studio2008 "side-by-side configuration is incorrect" - Selecting object from nodes? - basic expression help, counting down - Selection vertex based on position - problems with numpy on maya 2011 - MEL - Curve Utility Script Request - query if attribute is changing over time - transform and point cache tool. - Script Folder Setup - Define a hole in a polygon with MFnMesh - "freezing" vertex transformation - Using Maya model in openGL - Extracting curves using C++ - Refresh Material assignment On Instance - catch mouseRelease event in moveContext - How to find the objects touched by another - C++ Api tutorials or helping the learning curve? - [mel] i want to get all hierarchy scaleX what can i do? - Reference Scripts? - I can't see the keyframe mark in timeline - importExportAnim alternatives - Need improvement on that Replace "copy to instance" script. - MEL Script to replace a file name - userSetup.mel ??? - bonus tools not working in 2011.5 (advantage pack) - Stuck on connecting shader attributes in an array - How can v use this custom deformer node..? - MFnRotateManip view rotation ring - Center point of mesh using API ? - How to call an external Python script? - Saving changes to render settings - where is the active project info stored? - How to Deform Points in WorldSpace in Custom Deformer? - specify curve type bezier? - expression problem - Python exe? - rand,sphrand,gauss - Saving Poses - Python object position of created object - problems with selecting obj in scene through textscrollList - list objects in viewport - Functionality of MultiplyDivide Node through MEL? - Selecting an individual edge of an object using C++ - // Error: Cannot use data of type float[] in a scalar operation - Average UV Vertex Colours ? - Mandelbrot / custom rendering? - Record device information in maya - MEL noob question - Get a list of transforms per vertex in Python - Get trouble in wxpython multi-thread - UI code wrong ? - VERY simple MEL noob question - Shift Click using buttons? - set "visibility" of dockControl? - Add colorSliderGrp to formLayout ? - concatenation in python - Mel script for selecting animated objects - Help writing an exression so that keying one thing keys another. - rename is not working... - Bat files with mel script - problem with glRender flipbookCallback in PyMel - pointLight vs volumeLight - maya mel/python database interaction - distance between to a cluster of objects? - MEL for Enable/Disable Selected IK Handles? - attaching created node value to floatfield on button click? - plugin error: The specified module could not be found - synoptic view in maya, some help please - reading data from an external text file - Object-oriented Pymel - currentTime cmd - pyMel bug? - Script - Hardware Texturing Auto Redraw - Script Mental Ray Bake ? - Checking Part of a Name - python assign image to texture - Problem removing plug-in UI when Maya exits - PyQt in Maya2009 ? - any framecyclers with error output on failframe? - Approximate Nearest Neighbor Searching - a way to fix this UI layout? - writing data out to a text file - Can MEL be used to perform math equations - Highlight Window MEL? - PyMel: FileDialog2 wierdness - MEL: Factorization - display uv map border - Random Semicolon - Creating/Manipulating custom fluid nCache? - Angles Face for polyProjection - Query name of selected display Layer? - applying a pose to a control regardless of namespace - How can I add a new tab in Attribute Editor/Channel box tab? - create hotkey for "append to polygon" - get skinCluster influence list on selected vertex - Shift clicking with button ? 1 more time. - script editor history - Problem in ascii_upper.py (in PyQt) when convert Python to exe - MEL behind getting displacement amount - Select objects based on camera viewing frustum - Enter into buttonFieldGrp??? - python toggle isolat selection - Picking nodes in scene ? - jedit stopped parsing python scripts - simple way to get catenated print output? - Reconnecting a Referenced File in Mel - Problem with MEL ocean script - Remove focus from GUI data field? - Buttons and procedures - MEL Optimization - Animating Text - Making a UI go from Left to Right? - Modify all Shaders at once? - qShapeProjection - Need to run script when attribute changed. - floatFields - IsNum? - Possible to check if a string is a number? - A resource for learning Python - code equivalant - Is there a tool/script that.... - ScriptJon on attribute change but not auto key? - Python Plugin - Setting color set values inside an MPxNode - Hook Maya Export to Encrypt Files - MFnAnimCurve only for MPoints - Open and Export file from dos cmd - Save/Load GUI presets - How to add a network folder into python script path - Help with a script - Python/Maya2011 - floatSLiderGrp and changeCommand - // Error: Line 0.17: Syntax error // - set photonIntensity mel script ? - How to control array in mel? - modify the AE of the maya spotlight (with out change the ae.mel) - container MEL - Regular Expression in python - keyframe command returns an "invalid syntax" error - Instancer_Rotation - Select custom attr via GUI? - toggaling panel window - Script To Rename Materials To Texture Names ? - Texture sample in interface - Python File Handling - Import script as though it were a scenefile
http://forums.cgsociety.org/archive/index.php/f-89-p-36.html
CC-MAIN-2015-18
refinedweb
1,361
57.87
- News Robot Enhanced(NRE) 4 0 2468). Sample SAR Trailing Stop 3 3.33 2428 This robot is intended to be used as a sample and does not guarantee any particular outcome or profit of any kind. Use it at your own risk. DerianScalper 2 0 2415 free 13 Sep 2016 This is a scalper used primarily on USDJPY M15. It has not been tested in other currencies yet. Its parameters are: Lots 0.6 for every $10,000 SL: 638 TP: 984 Robot ID: 56477012 Bars Required: 204 -------------------------------------------- CCI Smoothing Period: 86 Level: -555 Multiplier: 0.273 ----------------------------------------------- Moving Average Crossover Fast MA: 96 Slow MA: 189 Fast MA Shift: 3 Slow MA Shift: 33 Robot Forex Multisymbol 3 0 2404 Modified robot to work on two symbols see /forum/cbot-support/2045?page=1#2 The robot starts by making a trade in the direction of the last two completed bars if the same. Sets take profit initially and then trails with stop loss. The subsequent trades, up to a max number of trades (input), are in the same direction of the first trade are entered based on the current price compared to the last entry price. If a trade is deleted manually the robot will start from the beginning. Currently not supported in backtesting (GetSymbol not supported) This bot is usefull to check your manual strategy. You can choose some past days and trade on ctrader in backtesting. To use this bot you must set visual mode flag in backtesting and run the back testing. After start the back testing you will see a windows form where you can buy and sell by hand. There is also a combobox where you can choose one of open positions and change the stop loss, the take profit and the volume. Enjoy Amerigo. Pending Order on ADX and MACD 8 5 2319 This is an enhanced pending order cBot. Instead of defining a price to enter the market, you define a price range where a trade may open. Order is opened when the current ask price is in the range defined and volatility and trend strength are picking up. You may set “Open trade on Start” to yes and the order will open immediately after you start the cBot. How it works The “Target TP” price used as take profit and the “Pivot SL” price used as the stop loss. Trade will open on the criteria bellow: If ask price is smaller than target price, buy order is opened. If ask price is bigger than target price, sell order is opened. Ask price must be between target and pivot price. “Distance from Target/Pivot” in pips defines the minimum distance between ask price/pivot price and ask price/target price. ADX value must be greater than 20. If MACD signal line cross above MACD line open sell order. If MACD signal line cross bellow MACD line, open buy order. Volume is calculated depending on the Pivot/SL price you’ve defined and the amount in your account’s currency you want to ris FX Martingale 3 0 2304 paid 02 Dec 2019 Please check details here /forum/calgo-support/11265?page=2#12 ----------------------------------------------------------------------------------------------------------------------------------------------------- ) cTrader Read Excel Data 16 5 2293 Execute trades example using LinqToExcel and LINQ to easily read an Excel or CSV file into your Automated Trading Robot. Download Source Code Here Please note that this is an example and not a working robot. I found this very useful tool for working with Microsoft Excel data that I would like to share with you. If you need to get data out of Excel, which can be done using ADO.NET. However using LINQ to Excel makes this very easy for people who are not experienced programmers. DATA - ANALYSIS - TRADE This robot is an example to demonstrate the power you can have at your fingertips using cTrader, cAlgo and C#, this robot reads trades from an excel file and executes them in real time with the robot, you can dynamically modify the trade results with user defined parameters from the robots user interface or from within the code. Watch uTube video about LinqToExcel to find out more... THE SIMPLEST WAY OF READING DATA FROM EXCEL The example shows a list of trades for the day that have been entered onto a spreadsheet with separate sheets for different instruments, it does not matter if this would not be useful in real life, it is just to show what can be accomplished and possibilities. The image below shows information for opening new positions when the price reaches the entry price, the expiry date and time allows you to filter these out using LINQ from within your robot. You will notice in the source code that there is a class called DailyTrade, this class is the data container which will automatically be populated with data from the spreadsheet. As you can see the class name is the same as the spreadsheet name dailyTrades.xls and each property has an attribute [ExcelColumn], this maps to the name of columns in the spreadsheet, so the property name does not have to be the same as the property name and you can have spaces in the column name. The code that injects all the data into the class is a collection of DataTrade objects, so you will end up with a list of daily trades which you can iterate through to open the trades. You will be able to access the data in a clean and readable manner like; trade.EntryPrice or trade.ExpiryDate. Download Source Code Here Contact: instant chat group Website: Twitter | Facebook | YouTube | Pinterest | LinkedIn Hedging progresivo 6 0 2292 free 27 Oct 2016 La idea inicial de este cbot es abrir ordenes opuestas con un SL definido, de manera que cuando el precio cierre una posición se abran de nuevo 2 posiciones nuevas en hedging con SL definido de nuevo y así succesivamente acumulando beneficio en las posiciones abiertas siempre y cuando el precio no gire de nuevo. Creo que es una muy buena opción para momentos en los que hay mucha volatilidad como por ejemplo en noticias. Como tengo unos conocimientos en programación muy limitados este cbot tiene un problema que no se resolver, si operas en otro mercado mientras esta activo y cerras alguna posición, abre de nuevo 2 posiciones. Espero que alguien pueda ayudarme a mejorar este problema. using System; using System.Linq; using cAlgo.API; using cAlgo.API.Indicators; using cAlgo.API.Internals; using cAlgo.Indicators; namespace cAlgo { [Robot(TimeZone = TimeZones.UTC, AccessRights = AccessRights.None)] public class sergi : Robot { [Parameter("Volume", DefaultValue = 1000)] public int Volume { get; set; } [Parameter("Stop Loss (pips)", DefaultValue = 20, MinValue = 1)] public int StopLossInPips { get; set; } protected override void OnStart() { Positions.Closed += closedposition; ExecuteMarketOrder(TradeType.Buy, Symbol, Volume, "Sergi", StopLossInPips, 0); ExecuteMarketOrder(TradeType.Sell, Symbol, Volume, "Sergi", StopLossInPips, 0); } private void closedposition(PositionClosedEventArgs arg) { var pos = arg.Position; if ((pos.NetProfit < 0)) Positions.Closed -= closedposition; OnStart(); } } }
https://ctrader.com/algos/cbots/all/7?sale_type=all&sorting=popular
CC-MAIN-2021-21
refinedweb
1,163
62.27
Pulse-width modulation (PWM) is a way to use a digital output (i.e. one that is only on or off) to simulate an analog or varying voltage output. PWM works by turning a digital output on and off very quickly. So quickly that the component connected to it can't tell the output signal is changing, instead it just sees the 'average' of how long the signal is on vs. off. If the output is turned on for slightly longer then it's turned off it will appear to be a higher value. Controlling how long the signal is on vs. off, or the duty cycle, allows you to smoothly control the output values. One great example of using PWM is to dim a LED between full and no brightness. If a PWM signal is fast enough (changing more than about 60 times a second) the human eye won't be able to see the LED turning on and off quickly. Instead the eye will see a brighter light the longer the PWM signal is turned on vs. off. Using PWM you can control the brightness of a LED so that it pulses and glows in interesting ways instead of just blinking fully on and off. Note that PWM control in MicroPython is somewhat in flux and varies greatly depending on the board. This example will only look at MicroPython on the ESP8266 as it has a simple PWM interface, however be sure to consult the documentation for other boards to learn how to use PWM: - MicroPython ESP8266 PWM Documentation - MicroPython pyboard PWM Documentation - PWM on the pyboard currently uses a lower-level timer interface. - MicroPython WiPy PWM Documentation - PWM on the WiPy also uses a lower-level timer interface. For this example you'll learn how to dim a LED using MicroPython on the ESP8266. To follow this example you'll need the following parts (all available in the Adafruit Parts Pal): - MicroPython ESP8266 board, like the Adafruit Feather HUZZAH ESP8266. - 1x LED, like one of these 5mm diffused red LEDs. - 1x ~560-3k ohm resistor. You need to use a resistor to limit the current that can flow through the LED (otherwise you might send too much current through the LED and damage it or the MicroPython board!). The exact value of the resistor usually doesn't matter here, anything in the 560-3,000 ohm range should work great (higher resistance will be lower current and usually dimmer LED). If unsure grab a 2200 ohm resistor pack. - Breadboard & jumper wires. Wire up the components exactly the same as from the blink a LED guide: - Digital GPIO 15 is connected to the anode, or longer leg, of the LED. It's very important to use the correct leg of the LED otherwise it won't light up as expected! Note don't use GPIO 16 as it doesn't support PWM output on the ESP8266. - The cathode, or shorter leg, of the LED is connected to one side of the resistor (unlike the LED it doesn't matter which way you orient the resistor). - The other side of the resistor is connected to the board's ground or GND pin. Now connect to a serial or other REPL on your board and run the following code to import the machine module and create a PWM controlled pin: import machine pwm = machine.PWM(machine.Pin(15)) import machine pwm = machine.PWM(machine.Pin(15)) The second line will create an instance of the PWM class from the machine module and assign it to a variable called pwm. Notice that the initializer takes in a machine Pin class instance, in this case one created for pin 15. Next you can set the frequency of the PWM signal to 60hz by calling the freq function: pwm.freq(60) pwm.freq(60) The frequency controls how fast the PWM signal is turned on and off, in this case a frequency of 60 will make the LED turn on and off 60 times a second. You might need to adjust the frequency depending on what you're trying to control with a PWM output. For LEDs you don't need a super fast frequency since humans can't really see something changing hundreds or thousands of times a second. You can also see the current frequency of the PWM output by calling the freq function with no parameter: pwm.freq() pwm.freq() Also note the frequency is global to all PWM instances. If you create multiple PWM objects and change the frequency on one it will change the frequency for all of them. Now you can set the 'duty cycle', or percent of time that the signal is on vs. off, with the duty function: pwm.duty(1023) pwm.duty(1023) The value you pass to the duty function should be in the range of 0 to 1023. A value of 1023 like the above will set the duty cycle to 100% or completely on. This means the signal never actually turns off--it's always on and the LED is full brightness. Now try setting the duty cycle to 0: pwm.duty(0) pwm.duty(0) Notice the LED turns off. This is because the duty cycle is 0% or completely off--the LED never actually turns on. Set the duty cycle somewhere inbetween 0 and 1023, like about halfway at 512: pwm.duty(512) pwm.duty(512) Now you should see the LED light up less bright than before! Try setting the duty cycle to different values between 0 and 1023 to see how the brightness changes. As you increase the duty cycle to 100% the LED will get brighter! Remember this is because the PWM signal is turned on for a higher percent of time than turned off. Your eye doesn't see each flash of the LED, instead it just see the 'average' amount of time its on as different brightness levels. You can also call the duty function without a parameter to see the current duty cycle value: pwm.duty() pwm.duty() You might wonder why the duty cycle is set with a number between 0 and 1023. Like using the ADC there's a limited 'resolution' or bit accuracy for the PWM output and with the ESP8266 you only have 10 bits available (0 to 1023). Try making the LED fade or pulse on and off by running the following code:) You should see the LED quickly fade or pulse on and off about once a second. Press Ctrl-c to interrupt and stop the code when finished. This code will import modules and setup the PWM output as shown previously. Then it jumps into an infinite loop (the while True loop) that ramps the LED up from 0 to 100% duty cycle (0 to 1023) and then back down from 100% to 0% duty cycle. Notice the ramp up is done in a for loop over the range of values 0 to 1023. Inside the loop the duty cycle is set to the appropriate value, then the time.sleep function delays for a short time (1 millisecond). Another for loop does the ramp down but this time it uses the range of 1023 down to 0 (notice the different range function syntax to count down to 0 instead of up). To go further on your own try combining reading a potentiometer value with dimming a LED using PWM. As you saw on the previous page you can use the ESP8266 ADC to read the position of a potentiometer knob. Then using that position you can use a PWM output to control the intensity of a LED as shown on this page.. However not all components can be directly controlled with PWM, only components like LEDs which can tolerate the fast signal change and 'average' it out to be a different intensity of light. As mentioned too other MicroPython boards have a slightly different syntax than the PWM class in the MicroPython ESP8266 port shown above. Consult your board's documentation for more details. The basic ideas of frequency and duty cycle are the same but other boards differ in how they expose control over those parameters using timers and other lower-level details.
https://learn.adafruit.com/micropython-hardware-analog-i-o/pulse-width-modulation
CC-MAIN-2021-49
refinedweb
1,378
69.31
I have a List, which may contain elements that will compare as equal. I would like a similar List, but with one element removed. So from (A, B, C, B, D) I would like to be able to "remove" just one B to get e.g. (A, C, B, D). The order of the elements in the result does not matter. I have working code, written in a Lisp-inspired way in Scala. Is there a more idiomatic way to do this? The context is a card game where two decks of standard cards are in play, so there may be duplicate cards but still played one at a time. def removeOne(c: Card, left: List[Card], right: List[Card]): List[Card] = { if (Nil == right) { return left } if (c == right.head) { return left ::: right.tail } return removeOne(c, right.head :: left, right.tail) } def removeCard(c: Card, cards: List[Card]): List[Card] = { return removeOne(c, Nil, cards) } I haven't seen this possibility in the answers above, so: scala> def remove(num: Int, list: List[Int]) = list diff List(num) remove: (num: Int,list: List[Int])List[Int] scala> remove(2,List(1,2,3,4,5)) res2: List[Int] = List(1, 3, 4, 5) Edit: scala> remove(2,List(2,2,2)) res0: List[Int] = List(2, 2) Like a charm :-).
https://codedump.io/share/b2Ff4QRArhAM/1/what-is-an-idiomatic-scala-way-to-quotremovequot-one-element-from-an-immutable-list
CC-MAIN-2018-26
refinedweb
222
82.54
UNKNOWN Project description WebRunner is a pythonic module used for web scrapping and testing. Here are simple instructions about how to use webrunner. First of all, import WebBrowser to your namespace and instanciate it. >>> from webrunner import WebBrowser >>> wb = WebBrowser() Now, you can use the method urlopen for open some url on the web >>> wb.urlopen('') Now, we can ‘see’ the google’s page >>> g_page = wb.current_page Let’s do a search >>> form = g_page.forms[‘f’] >>> form.set_value(‘some search’, ‘q’) >>> wb.submit_form(form) >>> results_page = wb.current_page Project details Release history Release notifications | RSS feed 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/webrunner/
CC-MAIN-2021-04
refinedweb
116
60.92
Python Programming/Print version< Python Programming The current, editable version of this book is available in Wikibooks, the open-content textbooks collection, at Overview. NASA has used Python for its software systems and has adopted it as the standard scripting language for its Integrated Planning System. Python is also extensively used by Google to implement many components of its Web Crawler and Search Engine & Yahoo! for managing its discussion groups. Python within itself, display the famous "Hello World!" on the user screen: >>> print "Hello World!" Hello World! Another great feature of Python is its availability for all platforms. Python can run on Microsoft Windows, Macintosh and all Linux distributions with ease. This makes the programs very portable, as any program written for one platform can easily be used on another.. Getting Python In order to program in Python you need the Python interpreter. If it is not already installed or if the version you are using is obsolete, you will need to obtain and install Python using the methods below: Python 2 vs Python 3Edit. Now we are in the era of Python3.6 Installing Python in WindowsEdit Go to the Python Homepage or the ActiveState website[1], eric[2], PyScripter[3], orwinEdit By default, the Cygwin installer for Windows does not include Python in the downloads. However, it can be selected from the list of packages. Installing Python on MacEditEdit Python is available as a package for some Linux distributions. In some cases, the distribution CD will contain the python package for installation, while other distributions require downloading the source code and using the compilation scripts. Gentoo LinuxEdit Gentoo is an example of a distribution that installs Python by default — the package management system Portage depends on Python. Ubuntu LinuxEditUsers of Ubuntu will notice that Python comes installed by default, only it sometimes is not the latest version. To check which version of Python is installed, type python -V Arch LinuxEdit Arch Linux does not come with Python pre-installed by default, but it is easily available for installation through the package manager to pacman. As root (or using sudo if you've installed and configured it), type: pacman -S python This will be update package databases and install Python 3. Python 2 can be installed with: pacman -S python2 Other versions can be built from source from the Arch User Repository. Source code installationsEditEdit)Edit CPython ships with IDLE; however, IDLE is not considered user-friendly.[1] For Linux, KDevelop and Spyder are popular. For Windows, PyScripter is free, quick to install, and comes included with PortablePython. The best py used GUI Builder is actually Boa Constructor, but has suffered from bit rot significantly, so it is best to be used in conjunction with LiClipse.. Trying Python onlineEdit You can try Python online, thereby avoiding the need to install. Keywords: REPL. Links: - Python shell, python.org - Python 3 REPL, repl.it - Python 2 REPL, repl.it Keeping Up to DateEditEdit Setting it up There are several IDEs available for Python. A full list can be found on the Python wiki. Installing new modulesEdit Although many applications and modules have searchable webpages, there is a central repository for searching packages for installation, known as the "Cheese Shop". See AlsoEdit Interactive mode Python has two basic modes: script and interactive.. Interactive mode is a good way to play around and try variations on syntax. On macOS or linux, open a terminal and simply type "python". On Windows, bring up the command prompt and type "py", or start an interactive Python session by selecting "Python (command line)", "IDLE", or similar program from the task bar / app menu. IDLE is a GUI which includes both an interactive mode and options to edit and run files. Python should print something like this: $ python Python 3.0b3 (r30b3:66303, Sep 8 2008, 14:01:02) [MSC v.1500 32 bit (Intel)] on win32 Type "help", "copyright", "credits" or "license" for more information. >>> (If Python doesn't run, make sure it is installed and to avoid confusion.. You should have entered >>> Interactive modeEdit Instead of Python exiting when the program is finished, you can use the -i flag to start an interactive session. This can be very useful for debugging and prototyping. python -i hello.py Self Help This. Edit ParameterEdit. However, it is easier to use a text editor that includes Python syntax highlighting. Hello World!Edit The first program that beginning programmers usually write is the "Hello, World!" program. This program simply outputs the phrase "Hello, World!" then terminates itself. Let's write "Hello, World!" in Python! Open up your text editor and create a new file called hello.py containing just this line (you can copy-paste if you want): print('Hello, world!') The below line is used for Python 3.x.x print("Hello, world!") You can also put the below line to pause the program at the end until you press anything. input() This program uses the newline character to its output, which simply moves the cursor to the next line. Now that you've written your first program, let's run it in Python! This process differs slightly depending on your operating system. WindowsEdit -. MacEdit -Edit - Create a folder on your computer to use for your Python programs, such as ~/pythonpractice, and save your hello.pyprogram in that folder. -. - Don't forget to make the script executable by chmod +x. - Type python ./hello.pyto run your program! Linux (advanced)Edit -. -. - Type to your shell rc file, for example ~/.bashrc). ResultEdit The program should print: Hello, world! Congratulations! You're well on your way to becoming a Python programmer. ExercisesEdit - Modify the hello.pyprogram to say hello to someone from your family or your friends (or to Ada Lovelace). - Change the program so that after the greeting, it asks, "How did you get here?". - Re-write the original program to use two NotesEdit - ↑ Sometimes, Python programs are distributed in compiled form. We won't have to worry about that for quite a while. - ↑ A Quick Introduction to Unix/My First Shell Script explains what a hash bang line does. Variables and Strings In this section, you will be introduced to two different kinds of data in Python: variables and strings. Please follow along by running the included programs and examining their output. VariablesEdit A variable is something that holds a value,(): Output information to the user. Basic syntax There are five fundamental concepts in Python. Case SensitivityEdit All variables are case-sensitive. Python treats 'number' and 'Number' as separate, unrelated entities. Spaces and tabs don't mixEditEdit() ScopeEditEdit. >>> math.pi 3.1415926535897931 Sequences Sequences allow you to store multiple values in an organized and efficient fashion. There are seven sequence types: strings, Unicode strings, lists, tuples, bytearrays, buffers, and xrange objects. Dictionaries and sets are containers for sequential data. See the official python documentation on sequences: Python_Documentation (actually there are more, but these are the most commonly used types). StringsEditEditEditEdit'} For further explanation on dictionary, see Data Structure/Dictionaries SetsEditEdit The relationship between frozenset and set is like the relationship between tuple and list. Frozenset is an immutable version of set. An example: >>> frozen=frozenset(['life','universe','everything']) >>> frozen frozenset(['universe', 'life', 'everything']) Other data typesEditEdit ExercisesEdit -. Data types Data tuple1 = (1,2,3) # tuples are immutable list1 = [1,2,3] # lists are mutable tuple2 = append_to_sequence(tuple1) list2 = append_to_sequence(list1) print 'tuple1 = ', tuple1 # outputs (1, 2, 3) print 'tuple2 = ', tuple2 # outputs (1, 2, 3, 9, 9, 9) print 'list1 = ', list1 # outputs [1, 2, 3, 9, 9, 9] print 'list2 = ', list2 # outputs [1, 2, 3, 9, 9, 9] This will give the above indicated, and usually unintended, output. singleton): ... PEP8 states that "Comparisons to singletons like None should always be done with is or is not, never the equality operators." Therefore, "if item == None:" is inadvisable. A class can redefine the equality operator (==) such that instances of it will equal None. You can verify that None is an object by dir(None) or id(None). See also Operators#Identity chapter. Links: - 4. Built-in Constants, docs.python.org - 3.11.7 The Null Object, docs.python.org - Python None comparison: should I use “is” or ==?, stackoverflow.com - PEP 0008 -- Style Guide for Python Code, python.org Type conversionEdit Type conversion in Python by example: v1 = int(2.7) # 2 v2 = int(-3.9) # -3 v3 = int("2") # 2 v4 = int("11", 16) # 17, base 16 v5 = long(2) v6 = float(2) # 2.0 v7 = float("2.7") # 2.7 v8 = float("2.7E-2") # 0.027 v9 = float(False) # 0.0 vA = float(True) # 1.0 vB = str(4.5) # "4.5" vC = str([1, 3, 5]) # "[1, 3, 5]" vD = bool(0) # False; bool fn since Python 2.2.1 vE = bool(3) # True vF = bool([]) # False - empty list vG = bool([False]) # True - non-empty list vH = bool({}) # False - empty dict; same for empty tuple vI = bool("") # False - empty string vJ = bool(" ") # True - non-empty string vK = bool(None) # False vL = bool(len) # True vM = set([1, 2]) vN = list(vM) vO = list({1: "a", 2: "b"}) # dict -> list of keys vP = tuple(vN) vQ = list("abc") # ['a', 'b', 'c'] print v1, v2, v3, type(v1), type(v2), type(v3) Implicit type conversion: int1 = 4 float1 = int1 + 2.1 # 4 converted to float # str1 = "My int:" + int1 # Error: no implicit type conversion from int to string str1 = "My int:" + str(int1) int2 = 4 + True # 5: bool is implicitly converted to int Keywords: type casting. Links: - 2. Built-in Functions # bool, docs.python.org - 2. Built-in Functions # list, docs.python.org - 2. Built-in Functions # float, docs.python.org - 2. Built-in Functions # int, docs.python.org - 2. Built-in Functions # set, docs.python.org - 2. Built-in Functions # str, docs.python.org - 2. Built-in Functions # type, docs.python.org - 2. Built-in Functions # tuple,. Numbers Python 2.x supports 4 built-in. In CPython, floats are usually implemented using the C languages double, which often yields 52 bits of significand, 11 bits of exponent, and 1 sign bit, but this is machine dependent. - Complex: This is a complex number consisting of two floats. Complex literals are written as a + bj where a and b are floating-point numbers denoting the real and imaginary parts respectively.'> The result of divisions is somewhat confusing. In Python 2.x,) For operations on numbers, see chapters Basic Math and Math. LinksEdit - 5.4. Numeric Types — int, float, long, complex, docs.python.org Strings OverviewEdit Strings in Python at a glance: str1 = "Hello" # A new string using double quotes str2 = 'Hello' # Single quotes do the same str3 = "Hello\tworld\n" # One with a tab and a newline str4 = str1 + " world" # Concatenation str5 = str1 + str(4) # Concatenation with a number str6 = str1[2] # 3rd character str6a = str1[-1] # Last character #str1[0] = "M" # No way; strings are immutable for char in str1: print char # For each character str7 = str1[1:] # Without the 1st character str8 = str1[:-1] # Without the last character str9 = str1[1:4] # Substring: 2nd to 4th character str10 = str1 * 3 # Repetition str11 = str1.lower() # Lowercase str12 = str1.upper() # Uppercase str13 = str1.rstrip() # Strip right (trailing) whitespace str14 = str1.replace('l','h') # Replacement list15 = str1.split('l') # Splitting if str1 == str2: print "Equ" # Equality test if "el" in str1: print "In" # Substring test length = len(str1) # Length pos1 = str1.find('llo') # Index of substring or -1 pos2 = str1.rfind('l') # Index of substring, from the right count = str1.count('l') # Number of occurrences of a substring print str1, str2, str3, str4, str5, str6, str7, str8, str9, str10 print str11, str12, str13, str14, list15 print length, pos1, pos2, count See also chapter Regular Expression for advanced pattern matching on strings in Python. 2, and take everything in between them. If you are used to indexes in C or Java, this can be a bit disconcerting until you get used to it. String constantsEdit String constants can be found in the standard string module. An example is string.digits, which equals to '0123456789'. Links: -Edit Lists in Python at a glance: list1 = [] # A new empty list list2 = [1, 2, 3, "cat"] # A new non-empty list with mixed item types list1.append("cat") # Add a single member, at the end of the list list1.extend(["dog", "mouse"]) # Add several members list1.insert(0, "fly") # Insert at the beginning list1[0:0] = ["cow", "doe"] # Add members at the beginning doe = list1.pop(1) # Remove item at index last = list3[-1] # Last item nextToLast = list3[-2] # Next-to-last item list7 = [1, 2] + [2, 3, 4] # Concatenation print list1, list2, list3, list4, list5, list6, list7 print list4equal5, list4refEqual5 print list3[1:3], list3[1:], list3[:2] # Slices print max(list3 ), min(list3 ), sum(list3) # Aggregates print [x for x in range(10)] # List comprehension print [x for x in range(10) if x % 2 == 1] print [x for x in range(10) if x % 2 == 1 if x < 5] print [x + 1 for x in range(10) if x % 2 == 1] print [x + y for x in '123' for y in 'abc'] List creationEdit There are two different ways to make a list in Python. The first is through assignment ("statically"), the second is using list comprehensions ("actively"). Plain creationEditEdit' or y != 'o' ] ['cp', 'ct', 'ap', 'at'] >>> print [x+y for x in 'cat' for y in 'pot' if x != 't'Edit sizeEdit To find the length of a list use the built in len() method. >>> len([1,2,3]) 3 >>> a = [1,2,3,4] >>> len( a ) 4 Combining listsEditEdit assign new values to slices of the lists, which don't even have to be the same length: >>> list[1:4] = ["opportunistic", "elk"] >>> list [2, 'opportunistic', 'elk', 'n'] It's even possible to append items onto the start of lists by assigning to an empty slice: >>> list[:0] = [3.14, 2.71] >>> list [3.14, 2.71, 2, 'opportunistic', 'elk', 'n'] Similarly, you can append to the end of the list by specifying an empty slice after the end: >>> list[len(list):] = ['four', 'score'] >>> list [3.14, 2.71, 2, 'opportunistic', 'elk', 'n', 'four', 'score'] You can also completely change the contents of a list: >>> list[:] = ['new', 'list', 'contents'] >>> list ['new', 'list', 'contents'] The right-hand side of a list assignment statement can be any iterable type: >>> list[:2] = ('element',('t',),[]) >>> list ['element', ('t',), [], 'contents'] With slicing you can create copy of list since slice returns a new list: >>> original = [1, 'element', []] >>> list_copy = original[:] >>> list_copy [1, 'element', []] >>> list_copy.append('new element') >>> list_copy [1, 'element', [], 'new element'] >>> original [1, 'element', []] Note, however, that this is a shallow copy and contains references to elements from the original list, so be careful with mutable types: >>> list_copy[2].append('something') >>> original [1, 'element', ['something']] Non-Continuous slicesEditEdit Lists can be compared for equality. >>> [1,2] == [1,2] True >>> [1,2] == [3,4] False Lists can be compared using a less-than operator, which uses lexicographical order: >>> [1,2] < [2,1] True >>> [2,2] < [2,1] False >>> ["a","b"] < ["b","a"] True Sorting listsEdit Sorting at a glance: list1 = [2, 3, 1, 'a', 'B'] list1.sort() # list1 gets modified, case sensitive list2 = sorted(list1) # list1 is unmodified; since Python 2.4 list3 = sorted(list1, key=lambda x: x.lower()) # case insensitive list4 = sorted(list1, reverse=True) # Reverse sorting order: descending print list1, list2, list3, list4 Sorting lists is easy with a sort method. >>> list1 = [2, 3, 1, 'a', 'b'] >>> list1.sort() >>> list1 1 = [5, 2, 3, 'q', 'p'] >>> sorted(list1) [2, 3, 5, 'p', 'q'] >>> list1 [5, 2, 3, 'q', 'p'] Note that unlike the sort() method, sorted(list) does not sort the list in place, but instead returns the sorted list. The sorted() function, like the sort() method also accepts the reverse parameter. Links: - 2. Built-in Functions # sorted, docs.python.org - Sorting HOW TO, docs.python.org IterationEditEdit Removing aka deleting an item at an index (see also #pop(i)): list1 = [1, 2, 3, 4] list1.pop() # Remove the last item list1.pop(0) # Remove the first item , which is the item at index 0 print list1 list1 = [1, 2, 3, 4] del list1[1] # Remove the 2nd element; an alternative to list.pop(1) print list1 Removing an element by value: list1 = ["a", "a", "b"] list1.remove("a") # Removes only the 1st occurrence of "a" print list1 Keeping only items in a list satisfying a condition, and thus removing the items that do not satisfy it: list1 = [1, 2, 3, 4] newlist = [item for item in list1 if item > 2] print newlist This uses a list comprehension. Removing items failing a condition can be done without losing the identity of the list being made shorter, by using "[:]": list1 = [1, 2, 3, 4] sameList = list1 list1[:] = [item for item in list1 if item > 2] print sameList, sameList is list1 Removing items failing a condition can be done by having the condition in a separate function: list1 = [1, 2, 3, 4] def keepingCondition(item): return item > 2 sameList = list1 list1[:] = [item for item in list1 if keepingCondition(item)] print sameList, sameList is list1 Removing items while iterating a list usually leads to unintended outcomes unless you do it carefully by using an index: list1 = [1, 2, 3, 4] index = len(list1) while index > 0: index -= 1 if not list1[index] < 2: list1.pop(index) Links: - Remove items from a list while iterating, stackoverflow.com AggregatesEditEditEdit. Removing duplicate itemsEdit Removing duplicate items from a list (keeping only unique items) can be achieved as follows. If each item in the list is hashable, using list comprehension, which is fast: list1 = [1, 4, 4, 5, 3, 2, 3, 2, 1] seen = {} list1[:] = [seen.setdefault(e, e) for e in list1 if e not in seen] If each item in the list is hashable, using index iteration, much slower: list1 = [1, 4, 4, 5, 3, 2, 3, 2, 1] seen = set() for i in range(len(list1) - 1, -1, -1): if list1[i] in seen: list1.pop(i) seen.add(list1[i]) If some items are not hashable, the set of visited items can be kept in a list: list1 = [1, 4, 4, ["a", "b"], 5, ["a", "b"], 3, 2, 3, 2, 1] seen = [] for i in range(len(list1) - 1, -1, -1): if list1[i] in seen: list1.pop(i) seen.append(list1[i]) If each item in the list is hashable and preserving element order does not matter: list1 = [1, 4, 4, 5, 3, 2, 3, 2, 1] list1[:] = list(set(list1)) # Modify list1 list2 = list(set(list1)) In the above examples where index iteration is used, scanning happens from the end to the beginning. When these are rewritten to scan from the beginning to the end, the result seems hugely slower. Links: - How do you remove duplicates from a list? at python.org Programming FAQ - Remove duplicates from a sequence (Python recipe) at activestate.com - Removing duplicates in lists at stackoverflow.com List methodsEditEdit +Edit To concatenate two lists. *Edit To multiply one list several times. inEdit DifferenceEdit To get the difference between two lists, just iterate: a = [0, 1, 2, 3, 4, 4] b = [1, 2, 3, 4, 4, 5] print [item for item in a if item not in b] # [0] IntersectionEdit To get the intersection between two lists (by preserving its elements order, and their doubles), apply the difference with the difference: a = [0, 1, 2, 3, 4, 4] b = [1, 2, 3, 4, 4, 5] dif = [item for item in a if item not in b] print [item for item in a if item not in dif] # [1, 2, 3, 4, 4] ExercisesEdit -Edit - Python documentation, chapter "Sequence Types" -- python.org - Python Tutorial, chapter "Lists" -- python.org Tuples A tuple in Python is much like a list except that it is immutable (unchangeable) once created. A tuple of hashable objects is hashable and thus suitable as a key in a dictionary and as a member of a set. OverviewEditEditEditEditEdit Length: Finding the length of a tuple is the same as with lists; use the built in len() method. >>> len( ( 1, 2, 3) ) 3 >>> a = ( 1, 2, 3, 4 ) >>> len( a ) 4 ConversionsEditEditEditEdit -Edit - Python documentation, chapter "Sequence Types" -- python.org - Python documentation, chapter "Tuples and Sequences" --Edit key in sorted(dict2): # Iterate via keys in sorted order of the keys print key, dict2[key] # Print key and the associated value for value in dict2.values(): # Iterate via values print value for key, value in dict2.items(): # Iterate via pairs print key, value dict5 = {} # {x: dict2[x] + 1 for x in dict2 } # Dictionary comprehension in Python 2.7 or later dict6 = dict2.copy() # A shallow copy dict6.update({"i": 60, "j": 30}) # Add or overwrite; a bit like list's extend dict7 = dict2.copy() dict7.clear() # Clear AKA empty AKA erase sixty = dict6.pop("i") # Remove key i, returning its value print dict1, dict2, dict3, dict4, dict5, dict6, dict7, equalbyvalue, itemcount2, sixty Dictionary notationEditEditEditEdit del dictionaryName[membername] ExercisesEditEdit - 5.5. Dictionaries in Tutorial, docs.python.org - 5.8. Mapping Types in Library Doc, docsEditEdit]) Membership TestingEdit . >>>. Removing ItemsEdit([]) Iteration Over SetsEdit We can also have a loop move over each of the items in a set. However, since sets are unordered, it is undefined which order the iteration will follow. >>> s = set("blerg") >>> for n in s: ... print n, ... r b e l g Set OperationsEditEdit Any element which is in both and will appear in their intersection. >>> s1 = set([4, 6, 9]) >>> s2 = set([1, 6, 8]) >>> s1.intersection(s2) set([6]) >>> s1 & s2 set([6]) >>> s1.intersection_update(s2) >>> s1 set([6]) UnionEdit. Symmetric DifferenceEdit]) Set DifferenceEditEdit]) frozensetEdit A frozenset is basically the same as a set, except that it is immutable - once it is created, its members cannot be changed. Since they are immutable, they are also hashable, which means that frozensets can be used as members in other sets and as dictionary keys. frozensets have the same functions as normal sets, except none of the functions that change the contents (update, remove, pop, etc.) are available. >>> fs = frozenset([2, 3, 4]) >>> s1 = set([fs, 4, 5, 6]) >>> s1 set([4, frozenset([2, 3, 4]), 6, 5]) >>> fs.intersection(s1) frozenset([4]) >>> fs.add(6) Traceback (most recent call last): File "<stdin>", line 1, in <module> AttributeError: 'frozenset' object has no attribute 'add' ExercisesEdit -Edit - Python Tutorial, section "Data Structures", subsection "Sets" -- python.org - Python Library Reference on Set Types -- python.org - PEP 218 -- Adding a Built-In Set Object Type, python.org, a nice concise overview of the set type Basic Math: decimal places. print ("You weigh", round(mass_stone, 2), "stone."). NotesEdit Operators Basics >>> -10%7 4 NegationEdit Unlike some other languages, variables can be negated directly: >>> x = 5 >>> -x -5 ComparisonEdit Numbers, strings and other types can be compared for equality/inequality and ordering: >>> 2 == 3 False >>> 3 == 3 True >>> 3 == '3' False >>> 2 < 3 True >>> "a" < "aa" True IdentityEdit The operators is and is not test for object identity and stand in contrast to == (equals):. In some Python implementations, the following results are applicable: print 8 is 8 # True print "str" is "str" # True print (1, 2) is (1, 2) # False - whyever, it is immutable print [1, 2] is [1, 2] # False print id(8) == id(8) # True int1 = 8 print int1 is 8 # True oldid = id(int1) int1 += 2 print id(int1) == oldid # False Links: - 3. Data model, python.org - 2. Built-in Functions # id, python.org - 5. Expressions # is, python.org orEdit if a or b: do_this else: do_this andEdit if a and b: do_this else: do_this notEd Control Flow) #these parenthesis are needed for the code to get executed in higher versions of Python) #all the print statement must be in parenthesis for version 3.4.0 x = x - 1 #the algebra need not be done within the parenthesisEditEdit - Write a program that has a user guess your name, but they only get 3 chances to do so until the program quits. Conditional Statements DecisionsEditEditEditEdit - reenter your password") if password == reenter_password: print "You are Logged in! Welcome User :)" got_it_right = True break if not got_it_right: print "Access Denied!!" Conditional StatementsEdit SwitchEditEditEdit if x == 0: hello() elif x == 1: bye() elif x == 2: hola() else: adios() Another wayEdit Another way is to use lambdas. Code pasted here with permissions[4][dead link]. result = { 'a': lambda x: x * 5, 'b': lambda x: x + 7, 'c': lambda x: x - 2 }[value](x) For more information on lambda see anonymous functions in the function section. Loops While sets the variable a = input('Number? ') #raw_input() will not work anymore. a = float(a) s += a print ('Total Sum = ',s) Enter Numbers to add to the sum. Enter 0 to quit. Current Sum: 0 Number? 200 Current Sum: 200 Number? -15.25 Current Sum: 184.75 Number? -151.85 Current Sum: 32.9 Number? 10.00 Current Sum: 42.9 Number? 0 Total Sum = 42.9 Notice how print 'Total Sum =',s is only run at the end. The while statement only affects the lines that are.) ExamplesEdit Fibonacci.py #This program calculates the Fibon = "foobar" #note that != means not equal while password != "unicorn": password = input("Password: ") print ("Welcome in") Sample run: Password:auo Password:y22 Password:password Password:open sesame Password:unicorn Welcome in For LoopsEdit The next type of loop in Python is the for loop. Unlike in most languages, for requires some __iterable__ object like a Set or List to work. print (""). is. Functions FunctionitEditEditEditEditGetLength(ilist): length = len(ilist) del ilist[:] # Muhaha: clear the list return length list1 = [1, 2] print evilGetLength(list1[:]) # Pass a copy of list1 print list1 list1 = [1, 2] print evilGetLength(list1) # list1 gets cleared print list1 list1 = [] Calling FunctionsEditEditEditEditEditEdit - 4.6. Defining Functions, The Python Tutorial, docs.python.org Scoping Variables. A loop does not create its own scope: for x in [1, 2, 3]: inner = x print inner # 3 rather than an error Keyword globalEdit Global variables of a Python module are read-accessible from functions in that module. In fact, if they are mutable, they can be also modified via method call. However, they cannot modified via a plain assignment unless declared global in the function. An example to clarify: count1 = 1 count2 = 1 list1 = [] list2 = [] def test1(): print count1 # Read access is unproblematic, referring to the global def test2(): try: print count1 # This print would be unproblematic, but it throws an error ... count1 += 1 # ... since count1 += 1 causes count1 to be local. except UnboundLocalError as error: print "Error caught:", error def test3(): list1 = [2] # No outside effect; this rebinds list1 to be a local variable def test4(): global count2, list2 print count1 # Read access is unproblematic, referring to the global count2 += 1 # We can modify count2 via assignment list1.append(1) # Impacts the global list1 even without global declaration list2 = [2] # Impacts the global list2 test1() test2() test3() test4() print "count1:", count1 # 1 print "count2:", count2 # 2 print "list1:", list1 # [1] print "list2:", list2 # [2] Links: - 6.13. The global statement, docs.python.org - What are the rules for local and global variables in Python? in Programming FAQ, docs.python.org Keyword nonlocalEdit Keyword nonlocal, available since Python 3.0, is an analogue of global for nested scopes. It enables a nested function of assign-modify a variable that is local to the outer function. An example: # Requires Python 3 def outer(): outerint = 0 outerint2 = 10 def inner(): nonlocal outerint outerint = 1 # Impacts outer's outerint only because of the nonlocal declaration outerint2 = 1 # No impact inner() print(outerint) print(outerint2) outer() Simulation of nonlocal in Python 2 via a mutable object: def outer(): outerint = [1] # Technique 1: Store int in a list class outerNL: pass # Technique 2: Store int in a class outerNL.outerint2 = 11 def inner(): outerint[0] = 2 # List members can be modified outerNL.outerint2 = 12 # Class members can be modified inner() print outerint[0] print outerNL.outerint2 outer() Links: - 7.13. The nonlocal statement, docs.python.org globals and localsEdit To find out which variables exist in the global and local scopes, you can use locals() and globals() functions, which return dictionaries: int1 = 1 def test1(): int1 = 2 globals()["int1"] = 3 # Write access seems possible print locals()["int1"] # 2 test1() print int1 # 3 Write access to locals() dictionary is discouraged by the Python documentation. Links: - 2. Built-in Functions # globals, docs.python.org - 2. Built-in Functions # locals, docs.python.org External linksEdit - 4. Execution model, docs.python.org - 7.13. The nonlocal statement, docs.python.org - PEP 3104 -- Access to Names in Outer Scopes, python.org Input and output InputEditEdit File ObjectsEdit("testEdit.) Parsing command lineEdit Command-line arguments passed to a Python program are stored in sys.argv list. The first item in the list is name of the Python program, which may or may not contain the full path depending on the manner of invocation. sys.argv list is modifiable. Printing all passed arguments except for the program name itself: import sys for arg in sys.argv[1:]: print arg Parsing passed arguments for passed minus options: import sys option_f = False option_p = False option_p_argument = "" i = 1 while i < len(sys.argv): if sys.argv[i] == "-f": option_f = True sys.argv.pop(i) elif sys.argv[i] == "-p": option_p = True sys.argv.pop(i) option_p_argument = sys.argv.pop(i) else: i += 1 Above, the arguments at which options are found are removed so that sys.argv can be looped for all remaining arguments. Parsing of command-line arguments is further supported by library modules optparse (deprecated), argparse (since Python 2.7) and getopt (to make life easy for C programmers). Links: - The Python Standard Library - 28.1. sys, python.org - The Python Standard Library - 15.4. argparse, python.org - The Python Standard Library - 15.5. optparse, python.org - The Python Standard Library - 15.6. getopt, python.org OutputEditEditEdit dash. - print ("Error", file=sys.stderr) - Outputs to a file handle, in this case standard error stream. File OutputEdit") FormattingEdit Formatting numbers and other values as strings using the string percent operator: v1 = "Int: %i" % 4 # 4 v2 = "Int zero padded: %03i" % 4 # 004 v3 = "Int space padded: %3i" % 4 # 4 v4 = "Hex: %x" % 31 # 1f v5 = "Hex 2: %X" % 31 # 1F - capitalized F v6 = "Oct: %o" % 8 # 10 v7 = "Float: %f" % 2.4 # 2.400000 v8 = "Float: %.2f" % 2.4 # 2.40 v9 = "Float in exp: %e" % 2.4 # 2.400000e+00 vA = "Float in exp: %E" % 2.4 # 2.400000E+00 vB = "List as string: %s" % [1, 2, 3] vC = "Left padded str: %10s" % "cat" vD = "Right padded str: %-10s" % "cat" vE = "Truncated str: %.2s" % "cat" vF = "Dict value str: %(age)s" % {"age": 20} vG = "Char: %c" % 65 # A vH = "Char: %c" % "A" # A Formatting numbers and other values as strings using the format() string method, since Python 2.6: v1 = "Arg 0: {0}".format(31) # 31 v2 = "Args 0 and 1: {0}, {1}".format(31, 65) v3 = "Args 0 and 1: {}, {}".format(31, 65) v4 = "Arg indexed: {0[0]}".format(["e1", "e2"]) v5 = "Arg named: {a}".format(a=31) v6 = "Hex: {0:x}".format(31) # 1f v7 = "Hex: {:x}".format(31) # 1f - arg 0 is implied v8 = "Char: {0:c}".format(65) # A v9 = "Hex: {:{h}}".format(31, h="x") # 1f - nested evaluation Formatting numbers and other values as strings using literal string interpolation, since Python 3.6: int1 = 31; int2 = 41; str1="aaa"; myhex = "x" v1 = f"Two ints: {int1} {int2}" v2 = f"Int plus 1: {int1+1}" # 32 - expression evaluation v3 = f"Str len: {len(str1)}" # 3 - expression evaluation v4 = f"Hex: {int1:x}" # 1f v5 = f"Hex: {int1:{myhex}}" # 1f - nested evaluation Links: - 5.6.2. String Formatting Operations, docs.python.org - 2. Built-in Functions # format, docs.python.org - 7.1.2. Custom String Formatting, docs.python.org - 7.1.3.1. Format Specification Mini-Language, docs.python.org - 7.1.4. Template strings, docs.python.org - PEP 3101 -- Advanced String Formatting, python.org - PEP 498 -- Literal String Interpolation, python.org External LinksEdit - Files File I/OEditEditEditEditEdit Getting current working directory: os.getcwd() Changing current working directory: os.chdir('C:\\') External LinksEdit - os — Miscellaneous operating system interfaces in Python documentation - glob — Unix style pathname pattern expansion in Python documentation - shutil — High-level file operations in Python documentation - Brief Tour of the Standard Library in The Python Tutorial Text To get the length of a string, we use the len() function: >>> len("Hello Wikibooks!") 16 You can slice strings just like lists and any other sequences: >>> "Hello Wikibooks!"[0:5] 'Hello' >>> "Hello Wikibooks!"[5:11] ' Wikib' >>> "Hello Wikibooks!"[:5] #equivalent of [0:5] 'Hello' To get the ASCII code of a character, use the ord() function. >>> ord('h') 104 >>> ord('a') 97 >>> ord('^') 94 To get the character encoded by an ASCII code number, use the chr() function. >>> chr(104) 'h' >>> chr(97) 'a' >>> chr(94) '^'To know if all the characters present in a string are alphanumeric i.e. they are alphabets and numeric, use the isalnum()function. It returns true if there is at least one character present in the string and all the characters present are alphanumeric. To know if all the characters present in a string are pure alphabets, use the isalpha() function. It returns true if there is at least one character present in the string and all the characters present are alphabetic. ExampleEdit stringparser.py # Add each character, and it's ordinal, of user's text input, to two lists s = input("Enter value: ") # this line requires Python 3.x, use raw_input() instead of input() in Python 2.x l1 = [] l2 = [] for c in s: # in Python, a string is just a sequence, so we can iterate over it! l1.append(c) l2.append(ord(c)) print(l1) print(l2) Or shorter (using list comprehension instead of the for block): # Add each character, and it's ordinal, of user's text input, to two lists s = input("Enter value: ") # this line requires Python 3.x, use raw_input() instead of input() in Python 2.x l1=[c for c in s] # in Python, a string is just a sequence, so we can iterate over it! l2=[ord(c) for c in s] print(l1) print(l2) Output: Enter value: string ['s', 't', 'r', 'i', 'n', 'g'] [115, 116, 114, 105, 110, 103] Or Enter value: Hello, Wikibooks! ['H', 'e', 'l', 'l', 'o', ',', ' ', 'W', 'i', 'k', 'i', 'b', 'o', 'o', 'k', 's', '!'] [72, 101, 108, 108, 111, 44, 32, 87, 105, 107, 105, 98, 111, 111, 107, 115, 33] ExercisesEdit - Use Python to determine the difference in ASCII code between lowercase and upper case letters. - Write a program that converts a lowercase letter to an upper case letter using the ASCII code. (Note that there are better ways to do this, but you should do it once using the ASCII code to get a feel for how the language works)Edit. Imported CheckEdit You can check whether a module has been imported as follows: if "re" in sys.modules: print "Regular expression module is ready for use." Links: - 28.1. sys # sys.modules, docs.python.org Creating a ModuleEdit From a FileEdit The easiest way to create a module isEdit. Making a program usable as a moduleEdit PathEditEditEditEdit - Classes Classes. OverviewEdit Classes in Python at a glance: import math class MyComplex: """A complex number""" # Class documentation classvar = 0.0 # A class attribute, not an instance one def phase(self): # A method return math.atan2(self.imaginary, self.real) def __init__(self): # A constructor """A constructor""" self.real = 0.0 # An instance attribute self.imaginary = 0.0 c1 = MyComplex() c1.real = 3.14 # No access protection c1.imaginary = 2.71 phase = c1.phase() # Method call c1.undeclared = 9.99 # Add an instance attribute del c1.undeclared # Delete an instance attribute print vars(c1) # Attributes as a dictionary vars(c1)["undeclared2"] = 7.77 # Write access to an attribute print c1.undeclared2 # 7.77, indeed MyComplex.classvar = 1 # Class attribute access print c1.classvar == 1 # True; class attribute access, not an instance one print "classvar" in vars(c1) # False c1.classvar = -1 # An instance attribute overshadowing the class one MyComplex.classvar = 2 # Class attribute access print c1.classvar == -1 # True; instance attribute acccess print "classvar" in vars(c1) # True class MyComplex2(MyComplex): # Class derivation or inheritance def __init__(self, re = 0, im = 0): self.real = re # A constructor with multiple arguments with defaults self.imaginary = im def phase(self): print "Derived phase" return MyComplex.phase(self) # Call to a base class; "super" c3 = MyComplex2() c4 = MyComplex2(1, 1) c4.phase() # Call to the method in the derived class class Record: pass # Class as a record/struct with arbitrary attributes record = Record() record.name = "Joe" record.surname = "Hoe". Why a mandatory argument?Edit In a normal function, if you were to set a variable, such as test = 23, you could not access the test variable. Typing test would say it is not defined. This is true in class functions unless they use the self variable. Basically, in the previous example, if we were to remove self.x, function bar could not do anything because it could not access x. The x in setx() would disappear. The self argument saves the variable into the class's "shared variables" database. Why self?Edit You do not need to use self. However, it is a norm to use self. Why use classes?Edit Classes are special due to the fact once an instance is made, the instance is independent of all other instances. I could have tow instances, each with a different x value, and they will not affect the other's x. f = Foo() f.setx(324) f.boo() g = Foo() g.setx(100) g.boo() f.boo() and g.boo() will print different values. support for inheritance. Inheritance is a simple concept by which a class can extend the facilities of another class, or in Python's case, multiple other classes. Use the following format for this: class ClassName(BaseClass1, BaseClass2, BaseClass3,...): ... ClassName is what is known as the derived class, that is, derived from the base classes. The derived class will then have all the members of its base classes. If a method is defined in the derived class and in the base class, the member in the derived class will override the one in the base class. In order to use the method defined in the base class,). Multiple inheritanceEdit As shown in section #Inheritance, a class can be derived from multiple classes: class ClassName(BaseClass1, BaseClass2, BaseClass3): pass A tricky part about multiple inheritance is method resolution: upon a method call, if the method name is available from multiple base classes or their base classes, which base class method should be called. The method resolution order depends on whether the class is an old-style class or a new-style class. For old-style classes, derived classes are considered from left to right, and base classes of base classes are considered before moving to the right. Thus, above, BaseClass1 is considered first, and if method is not found there, the base classes of BaseClass1 are considered. If that fails, BaseClass2 is considered, then its base classes, and so on. For new-style classes, see the Python documentation online. Links: - 9.5.1. Multiple Inheritance, docs.python.org - The Python 2.3 Method Resolution Order, python.org. __enter__ and __exit__Edit These methods are also a constructor and a destructor but they're only executed when the class is instantiated with with. Example: class ConstructorsDestructors: def __init__(self): print 'init' def __del__(self): print 'del' def __enter__(self): print 'enter' def __exit__(self, exc_type, exc_value, traceback): print 'exit' with ConstructorsDestructors(): pass init enter exit del __new__Edit. External linksEdit - 9. Classes, docs.python.org - 2. Built-in Functions # vars, docs.python.org Exceptions Python 2 handles all errors with exceptions. An exception is a signal that an error or other unusual condition has occurred. There are a number of built-in exceptions, which indicate conditions like reading past the end of a file, or dividing by zero. You can also define your own exceptions. OverviewEdit Exceptions in Python at a glance: import random try: ri = random.randint(0, 2) if ri == 0: infinity = 1/0 elif ri == 1: raise ValueError("Message") #raise ValueError, "Message" # Deprecated elif ri == 2: raise ValueError # Without message except ZeroDivisionError: pass except ValueError as valerr: # except ValueError, valerr: # Deprecated? print valerr raise # Raises the exception just caught except: # Any other exception pass finally: # Optional pass # Clean up class CustomValueError(ValueError): pass # Custom exception try: raise CustomValueError raise TypeError except (ValueError, TypeError): # Value error catches custom, a derived class, as well pass # A tuple catches multiple exception classes Raising exceptionsEdit Whenever your program attempts to do something erroneous or meaningless, Python raises exception to such conduct: >>> 1 / 0 Traceback (most recent call last): File "<stdin>", line 1, in ? ZeroDivisionError: integer division or modulo by zero This traceback indicates that the ZeroDivisionError exception is being raised. This is a built-in exception -- see below for a list of all the other ones. Catching exceptionsEdit In order to handle errors, you can set up exception handling blocks in your code. The keywords try and except are used to catch exceptions. When an error occurs within the try block, Python looks for a matching except block to handle it. If there is one, execution jumps there. If you execute this code: try: print 1/0 except ZeroDivisionError: print "You can't divide by zero!" Then Python will print this: You can't divide by zero! If you don't specify an exception type on the except line, it will cheerfully catch all exceptions. This is generally a bad idea in production code, since it means your program will blissfully ignore unexpected errors as well as ones which the except block is actually prepared to handle. Exceptions can propagate up the call stack: def f(x): return g(x) + 1 def g(x): if x < 0: raise ValueError, "I can't cope with a negative number here." else: return 5 try: print f(-6) except ValueError: print "That value was invalid." In this code, the f. That function calls the function g, which will raise an exception of type ValueError. Neither f nor g has a try/ except block to handle ValueError. So the exception raised propagates out to the main code, where there is an exception-handling block waiting for it. This code prints: That value was invalid. Sometimes it is useful to find out exactly what went wrong, or to print the python error text yourself. For example: try: the_file = open("the_parrot") except IOError, (ErrorNumber, ErrorMessage): if ErrorNumber == 2: # file not found print "Sorry, 'the_parrot' has apparently joined the choir invisible." else: print "Congratulation! you have managed to trip a #%d error" % ErrorNumber print ErrorMessage Which of course will print: Sorry, 'the_parrot' has apparently joined the choir invisible. Custom ExceptionsEdit Code similar to that seen above can be used to create custom exceptions and pass information along with them. This can be very useful when trying to debug complicated projects. Here is how that code would look; first creating the custom exception class: class CustomException(Exception): def __init__(self, value): self.parameter = value def __str__(self): return repr(self.parameter) And then using that exception: try: raise CustomException("My Useful Error Message") except CustomException, (instance): print "Caught: " + instance.parameter Trying over and over againEdit Recovering and continuing with finallyEdit Exceptions could lead to a situation where, after raising an exception, the code block where the exception occurred might not be revisited. In some cases this might leave external resources used by the program in an unknown state. finally clause allows programmers to close such resources in case of an exception. Between 2.4 and 2.5 version of python there is change of syntax for finally clause. - Python 2.4 try: result = None try: result = x/y except ZeroDivisionError: print "division by zero!" print "result is ", result finally: print "executing finally clause" - Python 2.5 try: result = x / y except ZeroDivisionError: print "division by zero!" else: print "result is", result finally: print "executing finally clause" Built-in exception classesEdit All built-in Python exceptions Exotic uses of exceptionsEdit Exceptions are good for more than just error handling. If you have a complicated piece of code to choose which of several courses of action to take, it can be useful to use exceptions to jump out of the code as soon as the decision can be made. The Python-based mailing list software Mailman does this in deciding how a message should be handled. Using exceptions like this may seem like it's a sort of GOTO -- and indeed it is, but a limited one called an escape continuation. Continuations are a powerful functional-programming tool and it can be useful to learn them. Just as a simple example of how exceptions make programming easier, say you want to add items to a list but you don't want to use "if" statements to initialize the list we could replace this: if hasattr(self, 'items'): self.items.extend(new_items) else: self.items = list(new_items) Using exceptions, we can emphasize the normal program flow—that usually we just extend the list—rather than emphasizing the unusual case: try: self.items.extend(new_items) except AttributeError: self.items = list(new_items) External linksEdit - 8. Errors and Exceptions in The Python Tutorial, docs.python.org - 8. Errors and Exceptions in The Python Tutorial for Python 2.4, docs.python.org - 6. Built-in Exceptions, docs.python.org Errors. Your age occurredEditEdit. PrinciplesEditEditEdit -Edit All sequence typesEdit -Edit Use tuples for constant sequences. This is rarely necessary (primarily when using as keys in a dictionary), but makes intention clear. StringsEdit -EditEdit reEdit Match if found, else None: match = re.match(r, s) return match and match.group(0) …returns None if no match, and the match contents if there is one. ReferencesEdit - “Idioms and Anti-Idioms in Python”, Moshe Zadka Further readingEdit - “PEP 20 -- The Zen of Python”, Tim Peters Decorators Dupl. Context Managers A basic issue in programming is resource management: a resource is anything in limited supply, notably file handles, network sockets, locks, etc., and a key problem is making sure these are released after they are acquired. If they are not released, you have a resource leak, and the system may slow down or crash. More generally, you may want cleanup actions to always be done, other than simply releasing resources. Python provides special syntax for this in the with statement, which automatically manages resources encapsulated within context manager types, or more generally performs startup and cleanup actions around a block of code. You should always use a with statement for resource management. There are many built-in context manager types, including the basic example of File, and it is easy to write your own. The code is not hard, but the concepts are slightly subtle, and it is easy to make mistakes. Basic resource managementEdit Basic resource management uses an explicit pair of open()...close() functions, as in basic file opening and closing. Don’t do this, for the reasons we are about to explain: f = open(filename) # ... f.close() The key problem with this simple code is that it fails if there is an early return, either due to a return statement or an exception, possibly raised by called code. To fix this, ensuring that the cleanup code is called when the block is exited, one uses a try...finally clause: f = open(filename) try: # ... finally: f.close() However, this still requires manually releasing the resource, which might be forgotten, and the release code is distant from the acquisition code. The release can be done automatically by instead using with, which works because File is a context manager type: with open(filename) as f: # ... This assigns the value of open(filename) to f (this point is subtle and varies between context managers), and then automatically releases the resource, in this case calling f.close(), when the block exits. Technical detailsEdit Newer objects are context managers (formally context manager types: subtypes, as they implement the context manager interface, which consists of __enter__(), __exit__()), and thus can be used in with statements easily (see With Statement Context Managers). For older file-like objects that have a close method but not __exit__(), you can use the @contextlib.closing decorator. If you need to roll your own, this is very easy, particularly using the @contextlib.contextmanager decorator.[1] Context managers work by calling __enter__() when the with context is entered, binding the return value to the target of as, and calling __exit__() when the context is exited. There’s some subtlety about handling exceptions during exit, but you can ignore it for simple use. More subtly, __init__() is called when an object is created, but __enter__() is called when a with context is entered. The __init__()/__enter__() distinction is important to distinguish between single use, reusable and reentrant context managers. It’s not a meaningful distinction for the common use case of instantiating an object in the with clause, as follows: with A() as a: ... …in which case any single use context manager is fine. However, in general it is a difference, notably when distinguishing a reusable context manager from the resource it is managing, as in here: a_cm = A() with a_cm as a: ... Putting resource acquisition in __enter__() instead of __init__() gives a reusable context manager. Notably, File() objects do the initialization in __init__() and then just returns itself when entering a context, as in def __enter__(): return self. This is fine if you want the target of the as to be bound to an object (and allows you to use factories like open as the source of the with clause), but if you want it to be bound to something else, notably a handle (file name or file handle/file descriptor), you want to wrap the actual object in a separate context manager. For example: @contextmanager def FileName(*args, **kwargs): with File(*args, **kwargs) as f: yield f.name For simple uses you don’t need to do any __init__() code, and only need to pair __enter__()/__exit__(). For more complicated uses you can have reentrant context managers, but that’s not necessary for simple use. CaveatsEdit try...finallyEdit Note that a try...finally clause is necessary with @contextlib.contextmanager, as this does not catch any exceptions raised after the yield, but is not necessary in __exit__(), which is called even if an exception is raised. Context, not scopeEdit The term context manager is carefully chosen, particularly in contrast to “scope”. Local variables inEditAIIEditEdit - ↑ Nils von Barth’s answer to “how to delete dir created by python tempfile.mkdtemp”, StackOverflow External linksEdit - Get With the Program as Contextmanager - PyMOTW (Module of the Week): contextlib - Markus Gattol: Context Manager Reflection A Python script can find out about the type, class, attributes and methods of an object. This is referred to as reflection or introspection. See also Metaclasses. Reflection-enabling functions include type(), isinstance(), callable(), dir() and getattr(). TypeEditEditEdit(tree, Plant) # Error - tree is not a class Links: - Built-in Functions # issubclass, python.org Duck typingEditEdit DirEditEditEdit - 2. Built-in Functions, docs.python.org - How to determine the variable type in Python?, stackoverflow.com - Differences between isinstance() and type() in python, stackoverflow.com - W:Reflection (computer_programming)#Python, Wikipedia - W:Type introspection#Python, Wikipedia Metaclasses In Python, classes are themselves objects. Just as other objects are instances of a particular class, classes themselves are instances of a metaclass. the metaclass keyword argument when defining the class.(metaclass=CustomMetaclass): pass. More resourcesEdit - Wikipedia article on Aspect Oriented Programming - Unifying types and classes in Python 2.2 - O'Reilly Article on Python Metaclasses ReferencesEdit Namespace Performance Since Python is an interpreted language in its most commonly used CPython implementation, it is many times slower in a variety of tasks than the most commonly used compiled non-managed languages such as C and C++; for some tasks, it is more than 100 times slower. CPython seems to be somewhat slower than Perl, another interpreted language, in multiple tasks. Peformance can be measured using benchmarks. Benchmarks are often far from representative of the real-world usage and have to be taken with a grain of salt. Some benchmarks are outright wrong in that non-idiomatic code is used for a language, yielding avoidably low performance for the language. PyPy is a just-in-time (JIT) compiler that often runs faster than CPython. Another compiler that can lead to greater speeds is Numba, which works for a subset of Python. Yeat another compiler is Cython, not to be confused with CPython. External linksEdit - Python 3 programs versus C gcc, benchmarksgame.alioth.debian.org - Perl programs versus Python 3, benchmarksgame.alioth.debian.org - Python speed center, speed.python.org - pypy speed center, speed.pypy.org - Performance of Python runtimes on a non-numeric scientific code by Riccardo Murri, arxiv.org - How To Make Python Run As Fast As Julia by Jean Francois Puget, ibm.com Tips and Tricks There are many tips and tricks you can learn in Python: StringsEdit -EditEditEditEdit -Edit. OtherEdit -, pygtk3, and wxPython. - Ternary Operators: [on_true] if [expression] else [on_false] x, y = 50, 25 small = x if x < y else y - Booleans as indexes: b = 1==1 name = "I am %s" % ["John","Doe"][b] #returns I am Doe ReferencesEdit - Standard Library The Python Standard Library is a collection of script modules accessible to a Python program to simplify the programming process and removing the need to rewrite commonly used commands. They can be used by 'calling/importing' them at the beginning of a script. A list of the Standard Library modules can be found at. The following are among the most important: - time - sys - os - math - random - pickle - urllib - re - cgi - socketEdit print re.sub("EY", "ey", "HEy", flags=re.I) # Prints "Hey"; case-insensitive sub print re.sub(r"(?i)EY", r"ey", "HEy") # Prints "Hey"; case-insensitive sub for match in re.findall("l+.", "Hello Dolly"): print match # Prints "llo" and then "lly" for match in re.findall("e(l+.)", "Hello Dolly"): print match # Prints "llo"; match picks group 1 for match in re.findall("(l+)(.)", "Hello Dolly"): print match[0], match[1] # The groups end up as items in a tuple match = re.match("(Hello|Hi) (Tom|Thom)","Hello Tom Bombadil") if match: # Equivalent to if match is not None print match.group(0) # Prints the whole match disregarding groups print match.group(1) + match.group(2) # Prints "HelloTom" Matching and searchingEditEditEditEdit The split function splits a string based on a given regular expression: >>> import re >>>>> re.split(r'\d\.', mystring) ['', ' First part ', ' Second part ', ' Third part'] EscapingEditEdit The different flags use with regular expressions: Pattern objectsEditEdit - Python redocumentation - Full documentation for the re module, including pattern objects and match objects External commands The traditional way of executing external commands is using os.system(): import os os.system("dir") os.system("echo Hello") exitCode = os.system("echotypo") The modern way, since Python 2.4, is using subprocess module: subprocess.call(["echo", "Hello"]) exitCode = subprocess.call(["dir", "nonexistent"]) The traditional way of executing external commands and reading their output is via popen2 module: import popen2 readStream, writeStream, errorStream = popen2.popen3("dir") # allLines = readStream.readlines() for line in readStream: print line.rstrip() readStream.close() writeStream.close() errorStream.close() The modern way, since Python 2.4, is using subprocess module: import subprocess process = subprocess.Popen(["echo","Hello"], stdout=subprocess.PIPE) for line in process.stdout: print line.rstrip() Keywords: system commands, shell commands, processes, backtick, pipe. External linksEdit - 17.1. subprocess — Subprocess management, python.org, since Python 2.4 - 15.1. os — Miscellaneous operating system interfaces, python.org - 17.5. popen2 — Subprocesses with accessible I/O streams, python.org, deprecated since Python 2.6 XML Tools IntroductionEdit Python includes several modules for manipulating xml. xml.sax.handlerEdit import xml.sax.handler as saxhandler import xml.sax as saxparser class MyReport: def __init__(self): self.Y = 1 class MyCH(saxhandler.ContentHandler): def __init__(self, report): self.X = 1 self.report = report def startDocument(self): print 'startDocument' def startElement(self, name, attrs): print 'Element:', name report = MyReport() #for future use ch = MyCH(report) <writer>Neil Gaiman</writer> <penciller pages='1-9,18-24'>Glyn Dillon</penciller> <penciller pages="10-17">Charles Vess</penciller> </comic> </collection> """ print xml saxparser.parseString(xml, ch) xml.dom.minidomEdit An example of doing RSS feed parsing with DOM from xml.dom import minidom as dom import urllib2 def fetchPage(url): a = urllib2.urlopen(url) return ''.join(a.readlines()) def extract(page): a = dom.parseString(page) item = a.getElementsByTagName('item') for i in item: if i.hasChildNodes(): t = i.getElementsByTagName('title')[0].firstChild.wholeText l = i.getElementsByTagName('link')[0].firstChild.wholeText d = i.getElementsByTagName('description')[0].firstChild.wholeText print t, l, d if __name__=='__main__': page = fetchPage("") extract(page) XML document provided by pyxml documentation. Python includes several modules in the standard library for working with emails and email servers. Sending mailEdit:
https://en.m.wikibooks.org/wiki/Python_Programming/Print_version
CC-MAIN-2018-26
refinedweb
9,508
64.91
What is the equivalent of __FILE__ and __LINE__ in C#? Where is __LINE__ and __FILE__ in C#? In C++ and in PHP and other languages, a great logging feature is the ability to log the file and line number where the log occurs. These unfortunately do not exist. I have been searching even in the latest .NET 4.0 and haven’t found them. If they are there, they are hidden. Having these two variables is an extremely useful feature in other languages and it appears to be a feature very overlooked by the C# developers. However, maybe they didn’t overlook it. Maybe there is a good reason that it is not there. Getting __LINE__ and __FILE__ in C# when in debugging mode There were a couple of solutions floating around online but many of them only worked with debugging enabled (or in release if the pdb file is in the same directory). Here is one example that only works in debugging (or in release if the pdb file is in the same directory). StackHelper.cs using System; using System.Diagnostics; namespace FileAndLineNumberInCSharpLog { public static class StackHelper { public static String ReportError(string Message) { // Get the frame one step up the call tree StackFrame CallStack = new StackFrame(1, true); // These will now show the file and line number of the ReportError string SourceFile = CallStack.GetFileName(); int SourceLine = CallStack.GetFileLineNumber(); return "Error: " + Message + "\nFile: " + SourceFile + "\nLine: " + SourceLine.ToString(); } public static int __LINE__ { get { StackFrame CallStack = new StackFrame(1, true); int line = new int(); line += CallStack.GetFileLineNumber(); return line; } } public static string __FILE__ { get { StackFrame CallStack = new StackFrame(1, true); string temp = CallStack.GetFileName(); String file = String.Copy(String.IsNullOrEmpty(temp)?"":temp); return String.IsNullOrEmpty(file) ? "": file; } } } } Here is a little Program.cs that shows how to use it. using System; namespace FileAndLineNumberInCSharpLog { class Program { static void Main(string[] args) { int x = 100; int y = 200; int z = x * y; Console.WriteLine(StackHelper.ReportError("New Error")); } } } Unfortunately if the above does only work in release if the pdb file is available. Getting __LINE__ and __FILE__ in C# when in debugging mode Well, according to this MSDN forum post, it simply cannot be done. If I ever find a way to do it, I will post it. So for troubleshooting a production file at a customer’s site, you pretty much have to send out your pdb file to them when they need it. There are a lot of benefits to C# and this lacking feature is one of the eye sores.
https://www.wpfsharp.com/2010/10/26/what-is-the-equivalent-of-__file__-and-__line__-in-c/
CC-MAIN-2021-31
refinedweb
419
65.73